diff --git a/parrot/lib/python3.10/encodings/__pycache__/cp852.cpython-310.pyc b/parrot/lib/python3.10/encodings/__pycache__/cp852.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..6c21c17475984f983c241873a4608acc77966c18
Binary files /dev/null and b/parrot/lib/python3.10/encodings/__pycache__/cp852.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/idlelib/Icons/folder.gif b/parrot/lib/python3.10/idlelib/Icons/folder.gif
new file mode 100644
index 0000000000000000000000000000000000000000..b8f417629c16e88c45393133a5a2bddadb065dd7
--- /dev/null
+++ b/parrot/lib/python3.10/idlelib/Icons/folder.gif
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:7c98d566a13fd599d1c11a375f387fef69b6c595c4f18c5d88c188a860be0e55
+size 120
diff --git a/parrot/lib/python3.10/idlelib/Icons/idle_16.png b/parrot/lib/python3.10/idlelib/Icons/idle_16.png
new file mode 100644
index 0000000000000000000000000000000000000000..46cc2af81a39625ec111aaa2bed58fdda1717793
--- /dev/null
+++ b/parrot/lib/python3.10/idlelib/Icons/idle_16.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:78fb3fb0ec11f61bc6cf0947f3c3923aa18e1c6513684058ed0fa01ac858143e
+size 1031
diff --git a/parrot/lib/python3.10/idlelib/Icons/idle_48.png b/parrot/lib/python3.10/idlelib/Icons/idle_48.png
new file mode 100644
index 0000000000000000000000000000000000000000..fbc92eb6d2d6815ba8c9e1bfd38bccc643da84c1
--- /dev/null
+++ b/parrot/lib/python3.10/idlelib/Icons/idle_48.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:a09f433197c8870b12bb7859cc4c3fe2068908cb1ddbd4880ab0f6fee91b6c23
+size 3977
diff --git a/parrot/lib/python3.10/importlib/__pycache__/__init__.cpython-310.pyc b/parrot/lib/python3.10/importlib/__pycache__/__init__.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..9e72640cb338b0164ddafa866359ed83af46482c
Binary files /dev/null and b/parrot/lib/python3.10/importlib/__pycache__/__init__.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/__pycache__/_adapters.cpython-310.pyc b/parrot/lib/python3.10/importlib/__pycache__/_adapters.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..31101b694c421aabfa61d6f957374da523c6ee57
Binary files /dev/null and b/parrot/lib/python3.10/importlib/__pycache__/_adapters.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/__pycache__/_bootstrap_external.cpython-310.pyc b/parrot/lib/python3.10/importlib/__pycache__/_bootstrap_external.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..e7ec4861b0a7d46de48d294953f15398d1c7e9a0
Binary files /dev/null and b/parrot/lib/python3.10/importlib/__pycache__/_bootstrap_external.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/__pycache__/_common.cpython-310.pyc b/parrot/lib/python3.10/importlib/__pycache__/_common.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..05d556768aded7caf6942a706e1f6d8f4d97b9c3
Binary files /dev/null and b/parrot/lib/python3.10/importlib/__pycache__/_common.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/__pycache__/util.cpython-310.pyc b/parrot/lib/python3.10/importlib/__pycache__/util.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..740d559d54e9e6d27e61d644ca40fb8e44339f0a
Binary files /dev/null and b/parrot/lib/python3.10/importlib/__pycache__/util.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/_abc.py b/parrot/lib/python3.10/importlib/_abc.py
new file mode 100644
index 0000000000000000000000000000000000000000..f80348fc7ffd1d8d5283cbe67e2ce59240e7b482
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/_abc.py
@@ -0,0 +1,54 @@
+"""Subset of importlib.abc used to reduce importlib.util imports."""
+from . import _bootstrap
+import abc
+import warnings
+
+
+class Loader(metaclass=abc.ABCMeta):
+
+ """Abstract base class for import loaders."""
+
+ def create_module(self, spec):
+ """Return a module to initialize and into which to load.
+
+ This method should raise ImportError if anything prevents it
+ from creating a new module. It may return None to indicate
+ that the spec should create the new module.
+ """
+ # By default, defer to default semantics for the new module.
+ return None
+
+ # We don't define exec_module() here since that would break
+ # hasattr checks we do to support backward compatibility.
+
+ def load_module(self, fullname):
+ """Return the loaded module.
+
+ The module must be added to sys.modules and have import-related
+ attributes set properly. The fullname is a str.
+
+ ImportError is raised on failure.
+
+ This method is deprecated in favor of loader.exec_module(). If
+ exec_module() exists then it is used to provide a backwards-compatible
+ functionality for this method.
+
+ """
+ if not hasattr(self, 'exec_module'):
+ raise ImportError
+ # Warning implemented in _load_module_shim().
+ return _bootstrap._load_module_shim(self, fullname)
+
+ def module_repr(self, module):
+ """Return a module's repr.
+
+ Used by the module type when the method does not raise
+ NotImplementedError.
+
+ This method is deprecated.
+
+ """
+ warnings.warn("importlib.abc.Loader.module_repr() is deprecated and "
+ "slated for removal in Python 3.12", DeprecationWarning)
+ # The exception will cause ModuleType.__repr__ to ignore this method.
+ raise NotImplementedError
diff --git a/parrot/lib/python3.10/importlib/metadata/__init__.py b/parrot/lib/python3.10/importlib/metadata/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..682067d3a3f04b109ac9a6fdaf8625fd35146b65
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/__init__.py
@@ -0,0 +1,1057 @@
+import os
+import re
+import abc
+import csv
+import sys
+import email
+import pathlib
+import zipfile
+import operator
+import textwrap
+import warnings
+import functools
+import itertools
+import posixpath
+import collections
+
+from . import _adapters, _meta
+from ._meta import PackageMetadata
+from ._collections import FreezableDefaultDict, Pair
+from ._functools import method_cache, pass_none
+from ._itertools import unique_everseen
+from ._meta import PackageMetadata, SimplePath
+
+from contextlib import suppress
+from importlib import import_module
+from importlib.abc import MetaPathFinder
+from itertools import starmap
+from typing import List, Mapping, Optional, Union
+
+
+__all__ = [
+ 'Distribution',
+ 'DistributionFinder',
+ 'PackageMetadata',
+ 'PackageNotFoundError',
+ 'distribution',
+ 'distributions',
+ 'entry_points',
+ 'files',
+ 'metadata',
+ 'packages_distributions',
+ 'requires',
+ 'version',
+]
+
+
+class PackageNotFoundError(ModuleNotFoundError):
+ """The package was not found."""
+
+ def __str__(self):
+ return f"No package metadata was found for {self.name}"
+
+ @property
+ def name(self):
+ (name,) = self.args
+ return name
+
+
+class Sectioned:
+ """
+ A simple entry point config parser for performance
+
+ >>> for item in Sectioned.read(Sectioned._sample):
+ ... print(item)
+ Pair(name='sec1', value='# comments ignored')
+ Pair(name='sec1', value='a = 1')
+ Pair(name='sec1', value='b = 2')
+ Pair(name='sec2', value='a = 2')
+
+ >>> res = Sectioned.section_pairs(Sectioned._sample)
+ >>> item = next(res)
+ >>> item.name
+ 'sec1'
+ >>> item.value
+ Pair(name='a', value='1')
+ >>> item = next(res)
+ >>> item.value
+ Pair(name='b', value='2')
+ >>> item = next(res)
+ >>> item.name
+ 'sec2'
+ >>> item.value
+ Pair(name='a', value='2')
+ >>> list(res)
+ []
+ """
+
+ _sample = textwrap.dedent(
+ """
+ [sec1]
+ # comments ignored
+ a = 1
+ b = 2
+
+ [sec2]
+ a = 2
+ """
+ ).lstrip()
+
+ @classmethod
+ def section_pairs(cls, text):
+ return (
+ section._replace(value=Pair.parse(section.value))
+ for section in cls.read(text, filter_=cls.valid)
+ if section.name is not None
+ )
+
+ @staticmethod
+ def read(text, filter_=None):
+ lines = filter(filter_, map(str.strip, text.splitlines()))
+ name = None
+ for value in lines:
+ section_match = value.startswith('[') and value.endswith(']')
+ if section_match:
+ name = value.strip('[]')
+ continue
+ yield Pair(name, value)
+
+ @staticmethod
+ def valid(line):
+ return line and not line.startswith('#')
+
+
+class EntryPoint(
+ collections.namedtuple('EntryPointBase', 'name value group')):
+ """An entry point as defined by Python packaging conventions.
+
+ See `the packaging docs on entry points
+ `_
+ for more information.
+
+ >>> ep = EntryPoint(
+ ... name=None, group=None, value='package.module:attr [extra1, extra2]')
+ >>> ep.module
+ 'package.module'
+ >>> ep.attr
+ 'attr'
+ >>> ep.extras
+ ['extra1', 'extra2']
+ """
+
+ pattern = re.compile(
+ r'(?P[\w.]+)\s*'
+ r'(:\s*(?P[\w.]+)\s*)?'
+ r'((?P\[.*\])\s*)?$'
+ )
+ """
+ A regular expression describing the syntax for an entry point,
+ which might look like:
+
+ - module
+ - package.module
+ - package.module:attribute
+ - package.module:object.attribute
+ - package.module:attr [extra1, extra2]
+
+ Other combinations are possible as well.
+
+ The expression is lenient about whitespace around the ':',
+ following the attr, and following any extras.
+ """
+
+ dist: Optional['Distribution'] = None
+
+ def load(self):
+ """Load the entry point from its definition. If only a module
+ is indicated by the value, return that module. Otherwise,
+ return the named object.
+ """
+ match = self.pattern.match(self.value)
+ module = import_module(match.group('module'))
+ attrs = filter(None, (match.group('attr') or '').split('.'))
+ return functools.reduce(getattr, attrs, module)
+
+ @property
+ def module(self):
+ match = self.pattern.match(self.value)
+ return match.group('module')
+
+ @property
+ def attr(self):
+ match = self.pattern.match(self.value)
+ return match.group('attr')
+
+ @property
+ def extras(self):
+ match = self.pattern.match(self.value)
+ return re.findall(r'\w+', match.group('extras') or '')
+
+ def _for(self, dist):
+ self.dist = dist
+ return self
+
+ def __iter__(self):
+ """
+ Supply iter so one may construct dicts of EntryPoints by name.
+ """
+ msg = (
+ "Construction of dict of EntryPoints is deprecated in "
+ "favor of EntryPoints."
+ )
+ warnings.warn(msg, DeprecationWarning)
+ return iter((self.name, self))
+
+ def __reduce__(self):
+ return (
+ self.__class__,
+ (self.name, self.value, self.group),
+ )
+
+ def matches(self, **params):
+ """
+ EntryPoint matches the given parameters.
+
+ >>> ep = EntryPoint(group='foo', name='bar', value='bing:bong [extra1, extra2]')
+ >>> ep.matches(group='foo')
+ True
+ >>> ep.matches(name='bar', value='bing:bong [extra1, extra2]')
+ True
+ >>> ep.matches(group='foo', name='other')
+ False
+ >>> ep.matches()
+ True
+ >>> ep.matches(extras=['extra1', 'extra2'])
+ True
+ >>> ep.matches(module='bing')
+ True
+ >>> ep.matches(attr='bong')
+ True
+ """
+ attrs = (getattr(self, param) for param in params)
+ return all(map(operator.eq, params.values(), attrs))
+
+
+class DeprecatedList(list):
+ """
+ Allow an otherwise immutable object to implement mutability
+ for compatibility.
+
+ >>> recwarn = getfixture('recwarn')
+ >>> dl = DeprecatedList(range(3))
+ >>> dl[0] = 1
+ >>> dl.append(3)
+ >>> del dl[3]
+ >>> dl.reverse()
+ >>> dl.sort()
+ >>> dl.extend([4])
+ >>> dl.pop(-1)
+ 4
+ >>> dl.remove(1)
+ >>> dl += [5]
+ >>> dl + [6]
+ [1, 2, 5, 6]
+ >>> dl + (6,)
+ [1, 2, 5, 6]
+ >>> dl.insert(0, 0)
+ >>> dl
+ [0, 1, 2, 5]
+ >>> dl == [0, 1, 2, 5]
+ True
+ >>> dl == (0, 1, 2, 5)
+ True
+ >>> len(recwarn)
+ 1
+ """
+
+ __slots__ = ()
+
+ _warn = functools.partial(
+ warnings.warn,
+ "EntryPoints list interface is deprecated. Cast to list if needed.",
+ DeprecationWarning,
+ stacklevel=2,
+ )
+
+ def __setitem__(self, *args, **kwargs):
+ self._warn()
+ return super().__setitem__(*args, **kwargs)
+
+ def __delitem__(self, *args, **kwargs):
+ self._warn()
+ return super().__delitem__(*args, **kwargs)
+
+ def append(self, *args, **kwargs):
+ self._warn()
+ return super().append(*args, **kwargs)
+
+ def reverse(self, *args, **kwargs):
+ self._warn()
+ return super().reverse(*args, **kwargs)
+
+ def extend(self, *args, **kwargs):
+ self._warn()
+ return super().extend(*args, **kwargs)
+
+ def pop(self, *args, **kwargs):
+ self._warn()
+ return super().pop(*args, **kwargs)
+
+ def remove(self, *args, **kwargs):
+ self._warn()
+ return super().remove(*args, **kwargs)
+
+ def __iadd__(self, *args, **kwargs):
+ self._warn()
+ return super().__iadd__(*args, **kwargs)
+
+ def __add__(self, other):
+ if not isinstance(other, tuple):
+ self._warn()
+ other = tuple(other)
+ return self.__class__(tuple(self) + other)
+
+ def insert(self, *args, **kwargs):
+ self._warn()
+ return super().insert(*args, **kwargs)
+
+ def sort(self, *args, **kwargs):
+ self._warn()
+ return super().sort(*args, **kwargs)
+
+ def __eq__(self, other):
+ if not isinstance(other, tuple):
+ self._warn()
+ other = tuple(other)
+
+ return tuple(self).__eq__(other)
+
+
+class EntryPoints(DeprecatedList):
+ """
+ An immutable collection of selectable EntryPoint objects.
+ """
+
+ __slots__ = ()
+
+ def __getitem__(self, name): # -> EntryPoint:
+ """
+ Get the EntryPoint in self matching name.
+ """
+ if isinstance(name, int):
+ warnings.warn(
+ "Accessing entry points by index is deprecated. "
+ "Cast to tuple if needed.",
+ DeprecationWarning,
+ stacklevel=2,
+ )
+ return super().__getitem__(name)
+ try:
+ return next(iter(self.select(name=name)))
+ except StopIteration:
+ raise KeyError(name)
+
+ def select(self, **params):
+ """
+ Select entry points from self that match the
+ given parameters (typically group and/or name).
+ """
+ return EntryPoints(ep for ep in self if ep.matches(**params))
+
+ @property
+ def names(self):
+ """
+ Return the set of all names of all entry points.
+ """
+ return set(ep.name for ep in self)
+
+ @property
+ def groups(self):
+ """
+ Return the set of all groups of all entry points.
+
+ For coverage while SelectableGroups is present.
+ >>> EntryPoints().groups
+ set()
+ """
+ return set(ep.group for ep in self)
+
+ @classmethod
+ def _from_text_for(cls, text, dist):
+ return cls(ep._for(dist) for ep in cls._from_text(text))
+
+ @classmethod
+ def _from_text(cls, text):
+ return itertools.starmap(EntryPoint, cls._parse_groups(text or ''))
+
+ @staticmethod
+ def _parse_groups(text):
+ return (
+ (item.value.name, item.value.value, item.name)
+ for item in Sectioned.section_pairs(text)
+ )
+
+
+class Deprecated:
+ """
+ Compatibility add-in for mapping to indicate that
+ mapping behavior is deprecated.
+
+ >>> recwarn = getfixture('recwarn')
+ >>> class DeprecatedDict(Deprecated, dict): pass
+ >>> dd = DeprecatedDict(foo='bar')
+ >>> dd.get('baz', None)
+ >>> dd['foo']
+ 'bar'
+ >>> list(dd)
+ ['foo']
+ >>> list(dd.keys())
+ ['foo']
+ >>> 'foo' in dd
+ True
+ >>> list(dd.values())
+ ['bar']
+ >>> len(recwarn)
+ 1
+ """
+
+ _warn = functools.partial(
+ warnings.warn,
+ "SelectableGroups dict interface is deprecated. Use select.",
+ DeprecationWarning,
+ stacklevel=2,
+ )
+
+ def __getitem__(self, name):
+ self._warn()
+ return super().__getitem__(name)
+
+ def get(self, name, default=None):
+ self._warn()
+ return super().get(name, default)
+
+ def __iter__(self):
+ self._warn()
+ return super().__iter__()
+
+ def __contains__(self, *args):
+ self._warn()
+ return super().__contains__(*args)
+
+ def keys(self):
+ self._warn()
+ return super().keys()
+
+ def values(self):
+ self._warn()
+ return super().values()
+
+
+class SelectableGroups(Deprecated, dict):
+ """
+ A backward- and forward-compatible result from
+ entry_points that fully implements the dict interface.
+ """
+
+ @classmethod
+ def load(cls, eps):
+ by_group = operator.attrgetter('group')
+ ordered = sorted(eps, key=by_group)
+ grouped = itertools.groupby(ordered, by_group)
+ return cls((group, EntryPoints(eps)) for group, eps in grouped)
+
+ @property
+ def _all(self):
+ """
+ Reconstruct a list of all entrypoints from the groups.
+ """
+ groups = super(Deprecated, self).values()
+ return EntryPoints(itertools.chain.from_iterable(groups))
+
+ @property
+ def groups(self):
+ return self._all.groups
+
+ @property
+ def names(self):
+ """
+ for coverage:
+ >>> SelectableGroups().names
+ set()
+ """
+ return self._all.names
+
+ def select(self, **params):
+ if not params:
+ return self
+ return self._all.select(**params)
+
+
+class PackagePath(pathlib.PurePosixPath):
+ """A reference to a path in a package"""
+
+ def read_text(self, encoding='utf-8'):
+ with self.locate().open(encoding=encoding) as stream:
+ return stream.read()
+
+ def read_binary(self):
+ with self.locate().open('rb') as stream:
+ return stream.read()
+
+ def locate(self):
+ """Return a path-like object for this path"""
+ return self.dist.locate_file(self)
+
+
+class FileHash:
+ def __init__(self, spec):
+ self.mode, _, self.value = spec.partition('=')
+
+ def __repr__(self):
+ return f''
+
+
+class Distribution:
+ """A Python distribution package."""
+
+ @abc.abstractmethod
+ def read_text(self, filename):
+ """Attempt to load metadata file given by the name.
+
+ :param filename: The name of the file in the distribution info.
+ :return: The text if found, otherwise None.
+ """
+
+ @abc.abstractmethod
+ def locate_file(self, path):
+ """
+ Given a path to a file in this distribution, return a path
+ to it.
+ """
+
+ @classmethod
+ def from_name(cls, name):
+ """Return the Distribution for the given package name.
+
+ :param name: The name of the distribution package to search for.
+ :return: The Distribution instance (or subclass thereof) for the named
+ package, if found.
+ :raises PackageNotFoundError: When the named package's distribution
+ metadata cannot be found.
+ """
+ for resolver in cls._discover_resolvers():
+ dists = resolver(DistributionFinder.Context(name=name))
+ dist = next(iter(dists), None)
+ if dist is not None:
+ return dist
+ else:
+ raise PackageNotFoundError(name)
+
+ @classmethod
+ def discover(cls, **kwargs):
+ """Return an iterable of Distribution objects for all packages.
+
+ Pass a ``context`` or pass keyword arguments for constructing
+ a context.
+
+ :context: A ``DistributionFinder.Context`` object.
+ :return: Iterable of Distribution objects for all packages.
+ """
+ context = kwargs.pop('context', None)
+ if context and kwargs:
+ raise ValueError("cannot accept context and kwargs")
+ context = context or DistributionFinder.Context(**kwargs)
+ return itertools.chain.from_iterable(
+ resolver(context) for resolver in cls._discover_resolvers()
+ )
+
+ @staticmethod
+ def at(path):
+ """Return a Distribution for the indicated metadata path
+
+ :param path: a string or path-like object
+ :return: a concrete Distribution instance for the path
+ """
+ return PathDistribution(pathlib.Path(path))
+
+ @staticmethod
+ def _discover_resolvers():
+ """Search the meta_path for resolvers."""
+ declared = (
+ getattr(finder, 'find_distributions', None) for finder in sys.meta_path
+ )
+ return filter(None, declared)
+
+ @classmethod
+ def _local(cls, root='.'):
+ from pep517 import build, meta
+
+ system = build.compat_system(root)
+ builder = functools.partial(
+ meta.build,
+ source_dir=root,
+ system=system,
+ )
+ return PathDistribution(zipfile.Path(meta.build_as_zip(builder)))
+
+ @property
+ def metadata(self) -> _meta.PackageMetadata:
+ """Return the parsed metadata for this Distribution.
+
+ The returned object will have keys that name the various bits of
+ metadata. See PEP 566 for details.
+ """
+ text = (
+ self.read_text('METADATA')
+ or self.read_text('PKG-INFO')
+ # This last clause is here to support old egg-info files. Its
+ # effect is to just end up using the PathDistribution's self._path
+ # (which points to the egg-info file) attribute unchanged.
+ or self.read_text('')
+ )
+ return _adapters.Message(email.message_from_string(text))
+
+ @property
+ def name(self):
+ """Return the 'Name' metadata for the distribution package."""
+ return self.metadata['Name']
+
+ @property
+ def _normalized_name(self):
+ """Return a normalized version of the name."""
+ return Prepared.normalize(self.name)
+
+ @property
+ def version(self):
+ """Return the 'Version' metadata for the distribution package."""
+ return self.metadata['Version']
+
+ @property
+ def entry_points(self):
+ return EntryPoints._from_text_for(self.read_text('entry_points.txt'), self)
+
+ @property
+ def files(self):
+ """Files in this distribution.
+
+ :return: List of PackagePath for this distribution or None
+
+ Result is `None` if the metadata file that enumerates files
+ (i.e. RECORD for dist-info or SOURCES.txt for egg-info) is
+ missing.
+ Result may be empty if the metadata exists but is empty.
+ """
+ file_lines = self._read_files_distinfo() or self._read_files_egginfo()
+
+ def make_file(name, hash=None, size_str=None):
+ result = PackagePath(name)
+ result.hash = FileHash(hash) if hash else None
+ result.size = int(size_str) if size_str else None
+ result.dist = self
+ return result
+
+ return file_lines and list(starmap(make_file, csv.reader(file_lines)))
+
+ def _read_files_distinfo(self):
+ """
+ Read the lines of RECORD
+ """
+ text = self.read_text('RECORD')
+ return text and text.splitlines()
+
+ def _read_files_egginfo(self):
+ """
+ SOURCES.txt might contain literal commas, so wrap each line
+ in quotes.
+ """
+ text = self.read_text('SOURCES.txt')
+ return text and map('"{}"'.format, text.splitlines())
+
+ @property
+ def requires(self):
+ """Generated requirements specified for this Distribution"""
+ reqs = self._read_dist_info_reqs() or self._read_egg_info_reqs()
+ return reqs and list(reqs)
+
+ def _read_dist_info_reqs(self):
+ return self.metadata.get_all('Requires-Dist')
+
+ def _read_egg_info_reqs(self):
+ source = self.read_text('requires.txt')
+ return None if source is None else self._deps_from_requires_text(source)
+
+ @classmethod
+ def _deps_from_requires_text(cls, source):
+ return cls._convert_egg_info_reqs_to_simple_reqs(Sectioned.read(source))
+
+ @staticmethod
+ def _convert_egg_info_reqs_to_simple_reqs(sections):
+ """
+ Historically, setuptools would solicit and store 'extra'
+ requirements, including those with environment markers,
+ in separate sections. More modern tools expect each
+ dependency to be defined separately, with any relevant
+ extras and environment markers attached directly to that
+ requirement. This method converts the former to the
+ latter. See _test_deps_from_requires_text for an example.
+ """
+
+ def make_condition(name):
+ return name and f'extra == "{name}"'
+
+ def quoted_marker(section):
+ section = section or ''
+ extra, sep, markers = section.partition(':')
+ if extra and markers:
+ markers = f'({markers})'
+ conditions = list(filter(None, [markers, make_condition(extra)]))
+ return '; ' + ' and '.join(conditions) if conditions else ''
+
+ def url_req_space(req):
+ """
+ PEP 508 requires a space between the url_spec and the quoted_marker.
+ Ref python/importlib_metadata#357.
+ """
+ # '@' is uniquely indicative of a url_req.
+ return ' ' * ('@' in req)
+
+ for section in sections:
+ space = url_req_space(section.value)
+ yield section.value + space + quoted_marker(section.name)
+
+
+class DistributionFinder(MetaPathFinder):
+ """
+ A MetaPathFinder capable of discovering installed distributions.
+ """
+
+ class Context:
+ """
+ Keyword arguments presented by the caller to
+ ``distributions()`` or ``Distribution.discover()``
+ to narrow the scope of a search for distributions
+ in all DistributionFinders.
+
+ Each DistributionFinder may expect any parameters
+ and should attempt to honor the canonical
+ parameters defined below when appropriate.
+ """
+
+ name = None
+ """
+ Specific name for which a distribution finder should match.
+ A name of ``None`` matches all distributions.
+ """
+
+ def __init__(self, **kwargs):
+ vars(self).update(kwargs)
+
+ @property
+ def path(self):
+ """
+ The sequence of directory path that a distribution finder
+ should search.
+
+ Typically refers to Python installed package paths such as
+ "site-packages" directories and defaults to ``sys.path``.
+ """
+ return vars(self).get('path', sys.path)
+
+ @abc.abstractmethod
+ def find_distributions(self, context=Context()):
+ """
+ Find distributions.
+
+ Return an iterable of all Distribution instances capable of
+ loading the metadata for packages matching the ``context``,
+ a DistributionFinder.Context instance.
+ """
+
+
+class FastPath:
+ """
+ Micro-optimized class for searching a path for
+ children.
+ """
+
+ @functools.lru_cache() # type: ignore
+ def __new__(cls, root):
+ return super().__new__(cls)
+
+ def __init__(self, root):
+ self.root = root
+
+ def joinpath(self, child):
+ return pathlib.Path(self.root, child)
+
+ def children(self):
+ with suppress(Exception):
+ return os.listdir(self.root or '.')
+ with suppress(Exception):
+ return self.zip_children()
+ return []
+
+ def zip_children(self):
+ zip_path = zipfile.Path(self.root)
+ names = zip_path.root.namelist()
+ self.joinpath = zip_path.joinpath
+
+ return dict.fromkeys(child.split(posixpath.sep, 1)[0] for child in names)
+
+ def search(self, name):
+ return self.lookup(self.mtime).search(name)
+
+ @property
+ def mtime(self):
+ with suppress(OSError):
+ return os.stat(self.root).st_mtime
+ self.lookup.cache_clear()
+
+ @method_cache
+ def lookup(self, mtime):
+ return Lookup(self)
+
+
+class Lookup:
+ def __init__(self, path: FastPath):
+ base = os.path.basename(path.root).lower()
+ base_is_egg = base.endswith(".egg")
+ self.infos = FreezableDefaultDict(list)
+ self.eggs = FreezableDefaultDict(list)
+
+ for child in path.children():
+ low = child.lower()
+ if low.endswith((".dist-info", ".egg-info")):
+ # rpartition is faster than splitext and suitable for this purpose.
+ name = low.rpartition(".")[0].partition("-")[0]
+ normalized = Prepared.normalize(name)
+ self.infos[normalized].append(path.joinpath(child))
+ elif base_is_egg and low == "egg-info":
+ name = base.rpartition(".")[0].partition("-")[0]
+ legacy_normalized = Prepared.legacy_normalize(name)
+ self.eggs[legacy_normalized].append(path.joinpath(child))
+
+ self.infos.freeze()
+ self.eggs.freeze()
+
+ def search(self, prepared):
+ infos = (
+ self.infos[prepared.normalized]
+ if prepared
+ else itertools.chain.from_iterable(self.infos.values())
+ )
+ eggs = (
+ self.eggs[prepared.legacy_normalized]
+ if prepared
+ else itertools.chain.from_iterable(self.eggs.values())
+ )
+ return itertools.chain(infos, eggs)
+
+
+class Prepared:
+ """
+ A prepared search for metadata on a possibly-named package.
+ """
+
+ normalized = None
+ legacy_normalized = None
+
+ def __init__(self, name):
+ self.name = name
+ if name is None:
+ return
+ self.normalized = self.normalize(name)
+ self.legacy_normalized = self.legacy_normalize(name)
+
+ @staticmethod
+ def normalize(name):
+ """
+ PEP 503 normalization plus dashes as underscores.
+ """
+ return re.sub(r"[-_.]+", "-", name).lower().replace('-', '_')
+
+ @staticmethod
+ def legacy_normalize(name):
+ """
+ Normalize the package name as found in the convention in
+ older packaging tools versions and specs.
+ """
+ return name.lower().replace('-', '_')
+
+ def __bool__(self):
+ return bool(self.name)
+
+
+class MetadataPathFinder(DistributionFinder):
+ @classmethod
+ def find_distributions(cls, context=DistributionFinder.Context()):
+ """
+ Find distributions.
+
+ Return an iterable of all Distribution instances capable of
+ loading the metadata for packages matching ``context.name``
+ (or all names if ``None`` indicated) along the paths in the list
+ of directories ``context.path``.
+ """
+ found = cls._search_paths(context.name, context.path)
+ return map(PathDistribution, found)
+
+ @classmethod
+ def _search_paths(cls, name, paths):
+ """Find metadata directories in paths heuristically."""
+ prepared = Prepared(name)
+ return itertools.chain.from_iterable(
+ path.search(prepared) for path in map(FastPath, paths)
+ )
+
+ def invalidate_caches(cls):
+ FastPath.__new__.cache_clear()
+
+
+class PathDistribution(Distribution):
+ def __init__(self, path: SimplePath):
+ """Construct a distribution.
+
+ :param path: SimplePath indicating the metadata directory.
+ """
+ self._path = path
+
+ def read_text(self, filename):
+ with suppress(
+ FileNotFoundError,
+ IsADirectoryError,
+ KeyError,
+ NotADirectoryError,
+ PermissionError,
+ ):
+ return self._path.joinpath(filename).read_text(encoding='utf-8')
+
+ read_text.__doc__ = Distribution.read_text.__doc__
+
+ def locate_file(self, path):
+ return self._path.parent / path
+
+ @property
+ def _normalized_name(self):
+ """
+ Performance optimization: where possible, resolve the
+ normalized name from the file system path.
+ """
+ stem = os.path.basename(str(self._path))
+ return (
+ pass_none(Prepared.normalize)(self._name_from_stem(stem))
+ or super()._normalized_name
+ )
+
+ @staticmethod
+ def _name_from_stem(stem):
+ """
+ >>> PathDistribution._name_from_stem('foo-3.0.egg-info')
+ 'foo'
+ >>> PathDistribution._name_from_stem('CherryPy-3.0.dist-info')
+ 'CherryPy'
+ >>> PathDistribution._name_from_stem('face.egg-info')
+ 'face'
+ """
+ filename, ext = os.path.splitext(stem)
+ if ext not in ('.dist-info', '.egg-info'):
+ return
+ name, sep, rest = filename.partition('-')
+ return name
+
+
+def distribution(distribution_name):
+ """Get the ``Distribution`` instance for the named package.
+
+ :param distribution_name: The name of the distribution package as a string.
+ :return: A ``Distribution`` instance (or subclass thereof).
+ """
+ return Distribution.from_name(distribution_name)
+
+
+def distributions(**kwargs):
+ """Get all ``Distribution`` instances in the current environment.
+
+ :return: An iterable of ``Distribution`` instances.
+ """
+ return Distribution.discover(**kwargs)
+
+
+def metadata(distribution_name) -> _meta.PackageMetadata:
+ """Get the metadata for the named package.
+
+ :param distribution_name: The name of the distribution package to query.
+ :return: A PackageMetadata containing the parsed metadata.
+ """
+ return Distribution.from_name(distribution_name).metadata
+
+
+def version(distribution_name):
+ """Get the version string for the named package.
+
+ :param distribution_name: The name of the distribution package to query.
+ :return: The version string for the package as defined in the package's
+ "Version" metadata key.
+ """
+ return distribution(distribution_name).version
+
+
+def entry_points(**params) -> Union[EntryPoints, SelectableGroups]:
+ """Return EntryPoint objects for all installed packages.
+
+ Pass selection parameters (group or name) to filter the
+ result to entry points matching those properties (see
+ EntryPoints.select()).
+
+ For compatibility, returns ``SelectableGroups`` object unless
+ selection parameters are supplied. In the future, this function
+ will return ``EntryPoints`` instead of ``SelectableGroups``
+ even when no selection parameters are supplied.
+
+ For maximum future compatibility, pass selection parameters
+ or invoke ``.select`` with parameters on the result.
+
+ :return: EntryPoints or SelectableGroups for all installed packages.
+ """
+ norm_name = operator.attrgetter('_normalized_name')
+ unique = functools.partial(unique_everseen, key=norm_name)
+ eps = itertools.chain.from_iterable(
+ dist.entry_points for dist in unique(distributions())
+ )
+ return SelectableGroups.load(eps).select(**params)
+
+
+def files(distribution_name):
+ """Return a list of files for the named package.
+
+ :param distribution_name: The name of the distribution package to query.
+ :return: List of files composing the distribution.
+ """
+ return distribution(distribution_name).files
+
+
+def requires(distribution_name):
+ """
+ Return a list of requirements for the named package.
+
+ :return: An iterator of requirements, suitable for
+ packaging.requirement.Requirement.
+ """
+ return distribution(distribution_name).requires
+
+
+def packages_distributions() -> Mapping[str, List[str]]:
+ """
+ Return a mapping of top-level packages to their
+ distributions.
+
+ >>> import collections.abc
+ >>> pkgs = packages_distributions()
+ >>> all(isinstance(dist, collections.abc.Sequence) for dist in pkgs.values())
+ True
+ """
+ pkg_to_dist = collections.defaultdict(list)
+ for dist in distributions():
+ for pkg in (dist.read_text('top_level.txt') or '').split():
+ pkg_to_dist[pkg].append(dist.metadata['Name'])
+ return dict(pkg_to_dist)
diff --git a/parrot/lib/python3.10/importlib/metadata/__pycache__/__init__.cpython-310.pyc b/parrot/lib/python3.10/importlib/metadata/__pycache__/__init__.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..7f7debddce9924f90619f2cdf4ccfcacd7ad0866
Binary files /dev/null and b/parrot/lib/python3.10/importlib/metadata/__pycache__/__init__.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/metadata/__pycache__/_adapters.cpython-310.pyc b/parrot/lib/python3.10/importlib/metadata/__pycache__/_adapters.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..aaa14f25d5fd10ef4632103355c2cf7f9b6dd679
Binary files /dev/null and b/parrot/lib/python3.10/importlib/metadata/__pycache__/_adapters.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/metadata/__pycache__/_functools.cpython-310.pyc b/parrot/lib/python3.10/importlib/metadata/__pycache__/_functools.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..f6bc0c4245a278a8c280bd50ab2b80e384a83fcf
Binary files /dev/null and b/parrot/lib/python3.10/importlib/metadata/__pycache__/_functools.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/metadata/__pycache__/_itertools.cpython-310.pyc b/parrot/lib/python3.10/importlib/metadata/__pycache__/_itertools.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..0d9881513582b1ac3bbf18ffc741caa72045267a
Binary files /dev/null and b/parrot/lib/python3.10/importlib/metadata/__pycache__/_itertools.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/metadata/__pycache__/_text.cpython-310.pyc b/parrot/lib/python3.10/importlib/metadata/__pycache__/_text.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..88f7565310c100896a9e98f723a7cdb10cd001d5
Binary files /dev/null and b/parrot/lib/python3.10/importlib/metadata/__pycache__/_text.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/importlib/metadata/_adapters.py b/parrot/lib/python3.10/importlib/metadata/_adapters.py
new file mode 100644
index 0000000000000000000000000000000000000000..aa460d3eda50fbb174623a1b5bbca54645fd588a
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_adapters.py
@@ -0,0 +1,68 @@
+import re
+import textwrap
+import email.message
+
+from ._text import FoldedCase
+
+
+class Message(email.message.Message):
+ multiple_use_keys = set(
+ map(
+ FoldedCase,
+ [
+ 'Classifier',
+ 'Obsoletes-Dist',
+ 'Platform',
+ 'Project-URL',
+ 'Provides-Dist',
+ 'Provides-Extra',
+ 'Requires-Dist',
+ 'Requires-External',
+ 'Supported-Platform',
+ 'Dynamic',
+ ],
+ )
+ )
+ """
+ Keys that may be indicated multiple times per PEP 566.
+ """
+
+ def __new__(cls, orig: email.message.Message):
+ res = super().__new__(cls)
+ vars(res).update(vars(orig))
+ return res
+
+ def __init__(self, *args, **kwargs):
+ self._headers = self._repair_headers()
+
+ # suppress spurious error from mypy
+ def __iter__(self):
+ return super().__iter__()
+
+ def _repair_headers(self):
+ def redent(value):
+ "Correct for RFC822 indentation"
+ if not value or '\n' not in value:
+ return value
+ return textwrap.dedent(' ' * 8 + value)
+
+ headers = [(key, redent(value)) for key, value in vars(self)['_headers']]
+ if self._payload:
+ headers.append(('Description', self.get_payload()))
+ return headers
+
+ @property
+ def json(self):
+ """
+ Convert PackageMetadata to a JSON-compatible format
+ per PEP 0566.
+ """
+
+ def transform(key):
+ value = self.get_all(key) if key in self.multiple_use_keys else self[key]
+ if key == 'Keywords':
+ value = re.split(r'\s+', value)
+ tk = key.lower().replace('-', '_')
+ return tk, value
+
+ return dict(map(transform, map(FoldedCase, self)))
diff --git a/parrot/lib/python3.10/importlib/metadata/_collections.py b/parrot/lib/python3.10/importlib/metadata/_collections.py
new file mode 100644
index 0000000000000000000000000000000000000000..cf0954e1a30546d781bf25781ec716ef92a77e32
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_collections.py
@@ -0,0 +1,30 @@
+import collections
+
+
+# from jaraco.collections 3.3
+class FreezableDefaultDict(collections.defaultdict):
+ """
+ Often it is desirable to prevent the mutation of
+ a default dict after its initial construction, such
+ as to prevent mutation during iteration.
+
+ >>> dd = FreezableDefaultDict(list)
+ >>> dd[0].append('1')
+ >>> dd.freeze()
+ >>> dd[1]
+ []
+ >>> len(dd)
+ 1
+ """
+
+ def __missing__(self, key):
+ return getattr(self, '_frozen', super().__missing__)(key)
+
+ def freeze(self):
+ self._frozen = lambda key: self.default_factory()
+
+
+class Pair(collections.namedtuple('Pair', 'name value')):
+ @classmethod
+ def parse(cls, text):
+ return cls(*map(str.strip, text.split("=", 1)))
diff --git a/parrot/lib/python3.10/importlib/metadata/_functools.py b/parrot/lib/python3.10/importlib/metadata/_functools.py
new file mode 100644
index 0000000000000000000000000000000000000000..71f66bd03cb713a2190853bdf7170c4ea80d2425
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_functools.py
@@ -0,0 +1,104 @@
+import types
+import functools
+
+
+# from jaraco.functools 3.3
+def method_cache(method, cache_wrapper=None):
+ """
+ Wrap lru_cache to support storing the cache data in the object instances.
+
+ Abstracts the common paradigm where the method explicitly saves an
+ underscore-prefixed protected property on first call and returns that
+ subsequently.
+
+ >>> class MyClass:
+ ... calls = 0
+ ...
+ ... @method_cache
+ ... def method(self, value):
+ ... self.calls += 1
+ ... return value
+
+ >>> a = MyClass()
+ >>> a.method(3)
+ 3
+ >>> for x in range(75):
+ ... res = a.method(x)
+ >>> a.calls
+ 75
+
+ Note that the apparent behavior will be exactly like that of lru_cache
+ except that the cache is stored on each instance, so values in one
+ instance will not flush values from another, and when an instance is
+ deleted, so are the cached values for that instance.
+
+ >>> b = MyClass()
+ >>> for x in range(35):
+ ... res = b.method(x)
+ >>> b.calls
+ 35
+ >>> a.method(0)
+ 0
+ >>> a.calls
+ 75
+
+ Note that if method had been decorated with ``functools.lru_cache()``,
+ a.calls would have been 76 (due to the cached value of 0 having been
+ flushed by the 'b' instance).
+
+ Clear the cache with ``.cache_clear()``
+
+ >>> a.method.cache_clear()
+
+ Same for a method that hasn't yet been called.
+
+ >>> c = MyClass()
+ >>> c.method.cache_clear()
+
+ Another cache wrapper may be supplied:
+
+ >>> cache = functools.lru_cache(maxsize=2)
+ >>> MyClass.method2 = method_cache(lambda self: 3, cache_wrapper=cache)
+ >>> a = MyClass()
+ >>> a.method2()
+ 3
+
+ Caution - do not subsequently wrap the method with another decorator, such
+ as ``@property``, which changes the semantics of the function.
+
+ See also
+ http://code.activestate.com/recipes/577452-a-memoize-decorator-for-instance-methods/
+ for another implementation and additional justification.
+ """
+ cache_wrapper = cache_wrapper or functools.lru_cache()
+
+ def wrapper(self, *args, **kwargs):
+ # it's the first call, replace the method with a cached, bound method
+ bound_method = types.MethodType(method, self)
+ cached_method = cache_wrapper(bound_method)
+ setattr(self, method.__name__, cached_method)
+ return cached_method(*args, **kwargs)
+
+ # Support cache clear even before cache has been created.
+ wrapper.cache_clear = lambda: None
+
+ return wrapper
+
+
+# From jaraco.functools 3.3
+def pass_none(func):
+ """
+ Wrap func so it's not called if its first param is None
+
+ >>> print_text = pass_none(print)
+ >>> print_text('text')
+ text
+ >>> print_text(None)
+ """
+
+ @functools.wraps(func)
+ def wrapper(param, *args, **kwargs):
+ if param is not None:
+ return func(param, *args, **kwargs)
+
+ return wrapper
diff --git a/parrot/lib/python3.10/importlib/metadata/_itertools.py b/parrot/lib/python3.10/importlib/metadata/_itertools.py
new file mode 100644
index 0000000000000000000000000000000000000000..dd45f2f096630264555f035e09a933c7ae3e9802
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_itertools.py
@@ -0,0 +1,19 @@
+from itertools import filterfalse
+
+
+def unique_everseen(iterable, key=None):
+ "List unique elements, preserving order. Remember all elements ever seen."
+ # unique_everseen('AAAABBBCCDAABBB') --> A B C D
+ # unique_everseen('ABBCcAD', str.lower) --> A B C D
+ seen = set()
+ seen_add = seen.add
+ if key is None:
+ for element in filterfalse(seen.__contains__, iterable):
+ seen_add(element)
+ yield element
+ else:
+ for element in iterable:
+ k = key(element)
+ if k not in seen:
+ seen_add(k)
+ yield element
diff --git a/parrot/lib/python3.10/importlib/metadata/_meta.py b/parrot/lib/python3.10/importlib/metadata/_meta.py
new file mode 100644
index 0000000000000000000000000000000000000000..1a6edbf957d5a08e715bede29dcd1005611f2153
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_meta.py
@@ -0,0 +1,47 @@
+from typing import Any, Dict, Iterator, List, Protocol, TypeVar, Union
+
+
+_T = TypeVar("_T")
+
+
+class PackageMetadata(Protocol):
+ def __len__(self) -> int:
+ ... # pragma: no cover
+
+ def __contains__(self, item: str) -> bool:
+ ... # pragma: no cover
+
+ def __getitem__(self, key: str) -> str:
+ ... # pragma: no cover
+
+ def __iter__(self) -> Iterator[str]:
+ ... # pragma: no cover
+
+ def get_all(self, name: str, failobj: _T = ...) -> Union[List[Any], _T]:
+ """
+ Return all values associated with a possibly multi-valued key.
+ """
+
+ @property
+ def json(self) -> Dict[str, Union[str, List[str]]]:
+ """
+ A JSON-compatible form of the metadata.
+ """
+
+
+class SimplePath(Protocol):
+ """
+ A minimal subset of pathlib.Path required by PathDistribution.
+ """
+
+ def joinpath(self) -> 'SimplePath':
+ ... # pragma: no cover
+
+ def __div__(self) -> 'SimplePath':
+ ... # pragma: no cover
+
+ def parent(self) -> 'SimplePath':
+ ... # pragma: no cover
+
+ def read_text(self) -> str:
+ ... # pragma: no cover
diff --git a/parrot/lib/python3.10/importlib/metadata/_text.py b/parrot/lib/python3.10/importlib/metadata/_text.py
new file mode 100644
index 0000000000000000000000000000000000000000..766979d93c16940024f1cab9bbe9cc30aa761fb8
--- /dev/null
+++ b/parrot/lib/python3.10/importlib/metadata/_text.py
@@ -0,0 +1,99 @@
+import re
+
+from ._functools import method_cache
+
+
+# from jaraco.text 3.5
+class FoldedCase(str):
+ """
+ A case insensitive string class; behaves just like str
+ except compares equal when the only variation is case.
+
+ >>> s = FoldedCase('hello world')
+
+ >>> s == 'Hello World'
+ True
+
+ >>> 'Hello World' == s
+ True
+
+ >>> s != 'Hello World'
+ False
+
+ >>> s.index('O')
+ 4
+
+ >>> s.split('O')
+ ['hell', ' w', 'rld']
+
+ >>> sorted(map(FoldedCase, ['GAMMA', 'alpha', 'Beta']))
+ ['alpha', 'Beta', 'GAMMA']
+
+ Sequence membership is straightforward.
+
+ >>> "Hello World" in [s]
+ True
+ >>> s in ["Hello World"]
+ True
+
+ You may test for set inclusion, but candidate and elements
+ must both be folded.
+
+ >>> FoldedCase("Hello World") in {s}
+ True
+ >>> s in {FoldedCase("Hello World")}
+ True
+
+ String inclusion works as long as the FoldedCase object
+ is on the right.
+
+ >>> "hello" in FoldedCase("Hello World")
+ True
+
+ But not if the FoldedCase object is on the left:
+
+ >>> FoldedCase('hello') in 'Hello World'
+ False
+
+ In that case, use in_:
+
+ >>> FoldedCase('hello').in_('Hello World')
+ True
+
+ >>> FoldedCase('hello') > FoldedCase('Hello')
+ False
+ """
+
+ def __lt__(self, other):
+ return self.lower() < other.lower()
+
+ def __gt__(self, other):
+ return self.lower() > other.lower()
+
+ def __eq__(self, other):
+ return self.lower() == other.lower()
+
+ def __ne__(self, other):
+ return self.lower() != other.lower()
+
+ def __hash__(self):
+ return hash(self.lower())
+
+ def __contains__(self, other):
+ return super(FoldedCase, self).lower().__contains__(other.lower())
+
+ def in_(self, other):
+ "Does self appear in other?"
+ return self in FoldedCase(other)
+
+ # cache lower since it's likely to be called frequently.
+ @method_cache
+ def lower(self):
+ return super(FoldedCase, self).lower()
+
+ def index(self, sub):
+ return self.lower().index(sub.lower())
+
+ def split(self, splitter=' ', maxsplit=0):
+ pattern = re.compile(re.escape(splitter), re.I)
+ return pattern.split(self, maxsplit)
diff --git a/parrot/lib/python3.10/site-packages/README.txt b/parrot/lib/python3.10/site-packages/README.txt
new file mode 100644
index 0000000000000000000000000000000000000000..273f6251a7f9d9c4142522e9ab1d699a8ab1bad6
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/README.txt
@@ -0,0 +1,2 @@
+This directory exists so that 3rd party packages can be installed
+here. Read the source for site.py for more details.
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/INSTALLER b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/INSTALLER
new file mode 100644
index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/INSTALLER
@@ -0,0 +1 @@
+pip
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/LICENSE.rst b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/LICENSE.rst
new file mode 100644
index 0000000000000000000000000000000000000000..d12a849186982399c537c5b9a8fd77bf2edd5eab
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/LICENSE.rst
@@ -0,0 +1,28 @@
+Copyright 2014 Pallets
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are
+met:
+
+1. Redistributions of source code must retain the above copyright
+ notice, this list of conditions and the following disclaimer.
+
+2. Redistributions in binary form must reproduce the above copyright
+ notice, this list of conditions and the following disclaimer in the
+ documentation and/or other materials provided with the distribution.
+
+3. Neither the name of the copyright holder nor the names of its
+ contributors may be used to endorse or promote products derived from
+ this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
+"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
+LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
+PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
+HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
+SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED
+TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
+PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
+LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
+NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
+SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/METADATA b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/METADATA
new file mode 100644
index 0000000000000000000000000000000000000000..7a6bbb24b5f05575ac0263dd7fb24e0f0180d641
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/METADATA
@@ -0,0 +1,103 @@
+Metadata-Version: 2.1
+Name: click
+Version: 8.1.7
+Summary: Composable command line interface toolkit
+Home-page: https://palletsprojects.com/p/click/
+Maintainer: Pallets
+Maintainer-email: contact@palletsprojects.com
+License: BSD-3-Clause
+Project-URL: Donate, https://palletsprojects.com/donate
+Project-URL: Documentation, https://click.palletsprojects.com/
+Project-URL: Changes, https://click.palletsprojects.com/changes/
+Project-URL: Source Code, https://github.com/pallets/click/
+Project-URL: Issue Tracker, https://github.com/pallets/click/issues/
+Project-URL: Chat, https://discord.gg/pallets
+Classifier: Development Status :: 5 - Production/Stable
+Classifier: Intended Audience :: Developers
+Classifier: License :: OSI Approved :: BSD License
+Classifier: Operating System :: OS Independent
+Classifier: Programming Language :: Python
+Requires-Python: >=3.7
+Description-Content-Type: text/x-rst
+License-File: LICENSE.rst
+Requires-Dist: colorama ; platform_system == "Windows"
+Requires-Dist: importlib-metadata ; python_version < "3.8"
+
+\$ click\_
+==========
+
+Click is a Python package for creating beautiful command line interfaces
+in a composable way with as little code as necessary. It's the "Command
+Line Interface Creation Kit". It's highly configurable but comes with
+sensible defaults out of the box.
+
+It aims to make the process of writing command line tools quick and fun
+while also preventing any frustration caused by the inability to
+implement an intended CLI API.
+
+Click in three points:
+
+- Arbitrary nesting of commands
+- Automatic help page generation
+- Supports lazy loading of subcommands at runtime
+
+
+Installing
+----------
+
+Install and update using `pip`_:
+
+.. code-block:: text
+
+ $ pip install -U click
+
+.. _pip: https://pip.pypa.io/en/stable/getting-started/
+
+
+A Simple Example
+----------------
+
+.. code-block:: python
+
+ import click
+
+ @click.command()
+ @click.option("--count", default=1, help="Number of greetings.")
+ @click.option("--name", prompt="Your name", help="The person to greet.")
+ def hello(count, name):
+ """Simple program that greets NAME for a total of COUNT times."""
+ for _ in range(count):
+ click.echo(f"Hello, {name}!")
+
+ if __name__ == '__main__':
+ hello()
+
+.. code-block:: text
+
+ $ python hello.py --count=3
+ Your name: Click
+ Hello, Click!
+ Hello, Click!
+ Hello, Click!
+
+
+Donate
+------
+
+The Pallets organization develops and supports Click and other popular
+packages. In order to grow the community of contributors and users, and
+allow the maintainers to devote more time to the projects, `please
+donate today`_.
+
+.. _please donate today: https://palletsprojects.com/donate
+
+
+Links
+-----
+
+- Documentation: https://click.palletsprojects.com/
+- Changes: https://click.palletsprojects.com/changes/
+- PyPI Releases: https://pypi.org/project/click/
+- Source Code: https://github.com/pallets/click
+- Issue Tracker: https://github.com/pallets/click/issues
+- Chat: https://discord.gg/pallets
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/RECORD b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/RECORD
new file mode 100644
index 0000000000000000000000000000000000000000..1c017ef744756904e45f505368e410ba35aff302
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/RECORD
@@ -0,0 +1,40 @@
+click-8.1.7.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
+click-8.1.7.dist-info/LICENSE.rst,sha256=morRBqOU6FO_4h9C9OctWSgZoigF2ZG18ydQKSkrZY0,1475
+click-8.1.7.dist-info/METADATA,sha256=qIMevCxGA9yEmJOM_4WHuUJCwWpsIEVbCPOhs45YPN4,3014
+click-8.1.7.dist-info/RECORD,,
+click-8.1.7.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+click-8.1.7.dist-info/WHEEL,sha256=5sUXSg9e4bi7lTLOHcm6QEYwO5TIF1TNbTSVFVjcJcc,92
+click-8.1.7.dist-info/top_level.txt,sha256=J1ZQogalYS4pphY_lPECoNMfw0HzTSrZglC4Yfwo4xA,6
+click/__init__.py,sha256=YDDbjm406dTOA0V8bTtdGnhN7zj5j-_dFRewZF_pLvw,3138
+click/__pycache__/__init__.cpython-310.pyc,,
+click/__pycache__/_compat.cpython-310.pyc,,
+click/__pycache__/_termui_impl.cpython-310.pyc,,
+click/__pycache__/_textwrap.cpython-310.pyc,,
+click/__pycache__/_winconsole.cpython-310.pyc,,
+click/__pycache__/core.cpython-310.pyc,,
+click/__pycache__/decorators.cpython-310.pyc,,
+click/__pycache__/exceptions.cpython-310.pyc,,
+click/__pycache__/formatting.cpython-310.pyc,,
+click/__pycache__/globals.cpython-310.pyc,,
+click/__pycache__/parser.cpython-310.pyc,,
+click/__pycache__/shell_completion.cpython-310.pyc,,
+click/__pycache__/termui.cpython-310.pyc,,
+click/__pycache__/testing.cpython-310.pyc,,
+click/__pycache__/types.cpython-310.pyc,,
+click/__pycache__/utils.cpython-310.pyc,,
+click/_compat.py,sha256=5318agQpbt4kroKsbqDOYpTSWzL_YCZVUQiTT04yXmc,18744
+click/_termui_impl.py,sha256=3dFYv4445Nw-rFvZOTBMBPYwB1bxnmNk9Du6Dm_oBSU,24069
+click/_textwrap.py,sha256=10fQ64OcBUMuK7mFvh8363_uoOxPlRItZBmKzRJDgoY,1353
+click/_winconsole.py,sha256=5ju3jQkcZD0W27WEMGqmEP4y_crUVzPCqsX_FYb7BO0,7860
+click/core.py,sha256=j6oEWtGgGna8JarD6WxhXmNnxLnfRjwXglbBc-8jr7U,114086
+click/decorators.py,sha256=-ZlbGYgV-oI8jr_oH4RpuL1PFS-5QmeuEAsLDAYgxtw,18719
+click/exceptions.py,sha256=fyROO-47HWFDjt2qupo7A3J32VlpM-ovJnfowu92K3s,9273
+click/formatting.py,sha256=Frf0-5W33-loyY_i9qrwXR8-STnW3m5gvyxLVUdyxyk,9706
+click/globals.py,sha256=TP-qM88STzc7f127h35TD_v920FgfOD2EwzqA0oE8XU,1961
+click/parser.py,sha256=LKyYQE9ZLj5KgIDXkrcTHQRXIggfoivX14_UVIn56YA,19067
+click/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+click/shell_completion.py,sha256=Ty3VM_ts0sQhj6u7eFTiLwHPoTgcXTGEAUg2OpLqYKw,18460
+click/termui.py,sha256=H7Q8FpmPelhJ2ovOhfCRhjMtCpNyjFXryAMLZODqsdc,28324
+click/testing.py,sha256=1Qd4kS5bucn1hsNIRryd0WtTMuCpkA93grkWxT8POsU,16084
+click/types.py,sha256=TZvz3hKvBztf-Hpa2enOmP4eznSPLzijjig5b_0XMxE,36391
+click/utils.py,sha256=1476UduUNY6UePGU4m18uzVHLt1sKM2PP3yWsQhbItM,20298
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/REQUESTED b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/REQUESTED
new file mode 100644
index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/WHEEL b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/WHEEL
new file mode 100644
index 0000000000000000000000000000000000000000..2c08da084599354e5b2dbccb3ab716165e63d1a0
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/WHEEL
@@ -0,0 +1,5 @@
+Wheel-Version: 1.0
+Generator: bdist_wheel (0.41.1)
+Root-Is-Purelib: true
+Tag: py3-none-any
+
diff --git a/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/top_level.txt b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/top_level.txt
new file mode 100644
index 0000000000000000000000000000000000000000..dca9a909647e3b066931de2909c2d1e65c78c995
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/click-8.1.7.dist-info/top_level.txt
@@ -0,0 +1 @@
+click
diff --git a/parrot/lib/python3.10/site-packages/decorator.py b/parrot/lib/python3.10/site-packages/decorator.py
new file mode 100644
index 0000000000000000000000000000000000000000..b1f8b567e95bd84e49bd6d257f0fe3dc34677394
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/decorator.py
@@ -0,0 +1,454 @@
+# ######################### LICENSE ############################ #
+
+# Copyright (c) 2005-2018, Michele Simionato
+# All rights reserved.
+
+# Redistribution and use in source and binary forms, with or without
+# modification, are permitted provided that the following conditions are
+# met:
+
+# Redistributions of source code must retain the above copyright
+# notice, this list of conditions and the following disclaimer.
+# Redistributions in bytecode form must reproduce the above copyright
+# notice, this list of conditions and the following disclaimer in
+# the documentation and/or other materials provided with the
+# distribution.
+
+# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
+# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
+# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
+# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
+# HOLDERS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
+# INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
+# BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS
+# OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
+# ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR
+# TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE
+# USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH
+# DAMAGE.
+
+"""
+Decorator module, see http://pypi.python.org/pypi/decorator
+for the documentation.
+"""
+from __future__ import print_function
+
+import re
+import sys
+import inspect
+import operator
+import itertools
+import collections
+
+__version__ = '4.4.2'
+
+if sys.version_info >= (3,):
+ from inspect import getfullargspec
+
+ def get_init(cls):
+ return cls.__init__
+else:
+ FullArgSpec = collections.namedtuple(
+ 'FullArgSpec', 'args varargs varkw defaults '
+ 'kwonlyargs kwonlydefaults annotations')
+
+ def getfullargspec(f):
+ "A quick and dirty replacement for getfullargspec for Python 2.X"
+ return FullArgSpec._make(inspect.getargspec(f) + ([], None, {}))
+
+ def get_init(cls):
+ return cls.__init__.__func__
+
+try:
+ iscoroutinefunction = inspect.iscoroutinefunction
+except AttributeError:
+ # let's assume there are no coroutine functions in old Python
+ def iscoroutinefunction(f):
+ return False
+try:
+ from inspect import isgeneratorfunction
+except ImportError:
+ # assume no generator function in old Python versions
+ def isgeneratorfunction(caller):
+ return False
+
+
+DEF = re.compile(r'\s*def\s*([_\w][_\w\d]*)\s*\(')
+
+
+# basic functionality
+class FunctionMaker(object):
+ """
+ An object with the ability to create functions with a given signature.
+ It has attributes name, doc, module, signature, defaults, dict and
+ methods update and make.
+ """
+
+ # Atomic get-and-increment provided by the GIL
+ _compile_count = itertools.count()
+
+ # make pylint happy
+ args = varargs = varkw = defaults = kwonlyargs = kwonlydefaults = ()
+
+ def __init__(self, func=None, name=None, signature=None,
+ defaults=None, doc=None, module=None, funcdict=None):
+ self.shortsignature = signature
+ if func:
+ # func can be a class or a callable, but not an instance method
+ self.name = func.__name__
+ if self.name == '': # small hack for lambda functions
+ self.name = '_lambda_'
+ self.doc = func.__doc__
+ self.module = func.__module__
+ if inspect.isfunction(func):
+ argspec = getfullargspec(func)
+ self.annotations = getattr(func, '__annotations__', {})
+ for a in ('args', 'varargs', 'varkw', 'defaults', 'kwonlyargs',
+ 'kwonlydefaults'):
+ setattr(self, a, getattr(argspec, a))
+ for i, arg in enumerate(self.args):
+ setattr(self, 'arg%d' % i, arg)
+ allargs = list(self.args)
+ allshortargs = list(self.args)
+ if self.varargs:
+ allargs.append('*' + self.varargs)
+ allshortargs.append('*' + self.varargs)
+ elif self.kwonlyargs:
+ allargs.append('*') # single star syntax
+ for a in self.kwonlyargs:
+ allargs.append('%s=None' % a)
+ allshortargs.append('%s=%s' % (a, a))
+ if self.varkw:
+ allargs.append('**' + self.varkw)
+ allshortargs.append('**' + self.varkw)
+ self.signature = ', '.join(allargs)
+ self.shortsignature = ', '.join(allshortargs)
+ self.dict = func.__dict__.copy()
+ # func=None happens when decorating a caller
+ if name:
+ self.name = name
+ if signature is not None:
+ self.signature = signature
+ if defaults:
+ self.defaults = defaults
+ if doc:
+ self.doc = doc
+ if module:
+ self.module = module
+ if funcdict:
+ self.dict = funcdict
+ # check existence required attributes
+ assert hasattr(self, 'name')
+ if not hasattr(self, 'signature'):
+ raise TypeError('You are decorating a non function: %s' % func)
+
+ def update(self, func, **kw):
+ "Update the signature of func with the data in self"
+ func.__name__ = self.name
+ func.__doc__ = getattr(self, 'doc', None)
+ func.__dict__ = getattr(self, 'dict', {})
+ func.__defaults__ = self.defaults
+ func.__kwdefaults__ = self.kwonlydefaults or None
+ func.__annotations__ = getattr(self, 'annotations', None)
+ try:
+ frame = sys._getframe(3)
+ except AttributeError: # for IronPython and similar implementations
+ callermodule = '?'
+ else:
+ callermodule = frame.f_globals.get('__name__', '?')
+ func.__module__ = getattr(self, 'module', callermodule)
+ func.__dict__.update(kw)
+
+ def make(self, src_templ, evaldict=None, addsource=False, **attrs):
+ "Make a new function from a given template and update the signature"
+ src = src_templ % vars(self) # expand name and signature
+ evaldict = evaldict or {}
+ mo = DEF.search(src)
+ if mo is None:
+ raise SyntaxError('not a valid function template\n%s' % src)
+ name = mo.group(1) # extract the function name
+ names = set([name] + [arg.strip(' *') for arg in
+ self.shortsignature.split(',')])
+ for n in names:
+ if n in ('_func_', '_call_'):
+ raise NameError('%s is overridden in\n%s' % (n, src))
+
+ if not src.endswith('\n'): # add a newline for old Pythons
+ src += '\n'
+
+ # Ensure each generated function has a unique filename for profilers
+ # (such as cProfile) that depend on the tuple of (,
+ # , ) being unique.
+ filename = '' % next(self._compile_count)
+ try:
+ code = compile(src, filename, 'single')
+ exec(code, evaldict)
+ except Exception:
+ print('Error in generated code:', file=sys.stderr)
+ print(src, file=sys.stderr)
+ raise
+ func = evaldict[name]
+ if addsource:
+ attrs['__source__'] = src
+ self.update(func, **attrs)
+ return func
+
+ @classmethod
+ def create(cls, obj, body, evaldict, defaults=None,
+ doc=None, module=None, addsource=True, **attrs):
+ """
+ Create a function from the strings name, signature and body.
+ evaldict is the evaluation dictionary. If addsource is true an
+ attribute __source__ is added to the result. The attributes attrs
+ are added, if any.
+ """
+ if isinstance(obj, str): # "name(signature)"
+ name, rest = obj.strip().split('(', 1)
+ signature = rest[:-1] # strip a right parens
+ func = None
+ else: # a function
+ name = None
+ signature = None
+ func = obj
+ self = cls(func, name, signature, defaults, doc, module)
+ ibody = '\n'.join(' ' + line for line in body.splitlines())
+ caller = evaldict.get('_call_') # when called from `decorate`
+ if caller and iscoroutinefunction(caller):
+ body = ('async def %(name)s(%(signature)s):\n' + ibody).replace(
+ 'return', 'return await')
+ else:
+ body = 'def %(name)s(%(signature)s):\n' + ibody
+ return self.make(body, evaldict, addsource, **attrs)
+
+
+def decorate(func, caller, extras=()):
+ """
+ decorate(func, caller) decorates a function using a caller.
+ If the caller is a generator function, the resulting function
+ will be a generator function.
+ """
+ evaldict = dict(_call_=caller, _func_=func)
+ es = ''
+ for i, extra in enumerate(extras):
+ ex = '_e%d_' % i
+ evaldict[ex] = extra
+ es += ex + ', '
+
+ if '3.5' <= sys.version < '3.6':
+ # with Python 3.5 isgeneratorfunction returns True for all coroutines
+ # however we know that it is NOT possible to have a generator
+ # coroutine in python 3.5: PEP525 was not there yet
+ generatorcaller = isgeneratorfunction(
+ caller) and not iscoroutinefunction(caller)
+ else:
+ generatorcaller = isgeneratorfunction(caller)
+ if generatorcaller:
+ fun = FunctionMaker.create(
+ func, "for res in _call_(_func_, %s%%(shortsignature)s):\n"
+ " yield res" % es, evaldict, __wrapped__=func)
+ else:
+ fun = FunctionMaker.create(
+ func, "return _call_(_func_, %s%%(shortsignature)s)" % es,
+ evaldict, __wrapped__=func)
+ if hasattr(func, '__qualname__'):
+ fun.__qualname__ = func.__qualname__
+ return fun
+
+
+def decorator(caller, _func=None):
+ """decorator(caller) converts a caller function into a decorator"""
+ if _func is not None: # return a decorated function
+ # this is obsolete behavior; you should use decorate instead
+ return decorate(_func, caller)
+ # else return a decorator function
+ defaultargs, defaults = '', ()
+ if inspect.isclass(caller):
+ name = caller.__name__.lower()
+ doc = 'decorator(%s) converts functions/generators into ' \
+ 'factories of %s objects' % (caller.__name__, caller.__name__)
+ elif inspect.isfunction(caller):
+ if caller.__name__ == '':
+ name = '_lambda_'
+ else:
+ name = caller.__name__
+ doc = caller.__doc__
+ nargs = caller.__code__.co_argcount
+ ndefs = len(caller.__defaults__ or ())
+ defaultargs = ', '.join(caller.__code__.co_varnames[nargs-ndefs:nargs])
+ if defaultargs:
+ defaultargs += ','
+ defaults = caller.__defaults__
+ else: # assume caller is an object with a __call__ method
+ name = caller.__class__.__name__.lower()
+ doc = caller.__call__.__doc__
+ evaldict = dict(_call=caller, _decorate_=decorate)
+ dec = FunctionMaker.create(
+ '%s(func, %s)' % (name, defaultargs),
+ 'if func is None: return lambda func: _decorate_(func, _call, (%s))\n'
+ 'return _decorate_(func, _call, (%s))' % (defaultargs, defaultargs),
+ evaldict, doc=doc, module=caller.__module__, __wrapped__=caller)
+ if defaults:
+ dec.__defaults__ = (None,) + defaults
+ return dec
+
+
+# ####################### contextmanager ####################### #
+
+try: # Python >= 3.2
+ from contextlib import _GeneratorContextManager
+except ImportError: # Python >= 2.5
+ from contextlib import GeneratorContextManager as _GeneratorContextManager
+
+
+class ContextManager(_GeneratorContextManager):
+ def __call__(self, func):
+ """Context manager decorator"""
+ return FunctionMaker.create(
+ func, "with _self_: return _func_(%(shortsignature)s)",
+ dict(_self_=self, _func_=func), __wrapped__=func)
+
+
+init = getfullargspec(_GeneratorContextManager.__init__)
+n_args = len(init.args)
+if n_args == 2 and not init.varargs: # (self, genobj) Python 2.7
+ def __init__(self, g, *a, **k):
+ return _GeneratorContextManager.__init__(self, g(*a, **k))
+ ContextManager.__init__ = __init__
+elif n_args == 2 and init.varargs: # (self, gen, *a, **k) Python 3.4
+ pass
+elif n_args == 4: # (self, gen, args, kwds) Python 3.5
+ def __init__(self, g, *a, **k):
+ return _GeneratorContextManager.__init__(self, g, a, k)
+ ContextManager.__init__ = __init__
+
+_contextmanager = decorator(ContextManager)
+
+
+def contextmanager(func):
+ # Enable Pylint config: contextmanager-decorators=decorator.contextmanager
+ return _contextmanager(func)
+
+
+# ############################ dispatch_on ############################ #
+
+def append(a, vancestors):
+ """
+ Append ``a`` to the list of the virtual ancestors, unless it is already
+ included.
+ """
+ add = True
+ for j, va in enumerate(vancestors):
+ if issubclass(va, a):
+ add = False
+ break
+ if issubclass(a, va):
+ vancestors[j] = a
+ add = False
+ if add:
+ vancestors.append(a)
+
+
+# inspired from simplegeneric by P.J. Eby and functools.singledispatch
+def dispatch_on(*dispatch_args):
+ """
+ Factory of decorators turning a function into a generic function
+ dispatching on the given arguments.
+ """
+ assert dispatch_args, 'No dispatch args passed'
+ dispatch_str = '(%s,)' % ', '.join(dispatch_args)
+
+ def check(arguments, wrong=operator.ne, msg=''):
+ """Make sure one passes the expected number of arguments"""
+ if wrong(len(arguments), len(dispatch_args)):
+ raise TypeError('Expected %d arguments, got %d%s' %
+ (len(dispatch_args), len(arguments), msg))
+
+ def gen_func_dec(func):
+ """Decorator turning a function into a generic function"""
+
+ # first check the dispatch arguments
+ argset = set(getfullargspec(func).args)
+ if not set(dispatch_args) <= argset:
+ raise NameError('Unknown dispatch arguments %s' % dispatch_str)
+
+ typemap = {}
+
+ def vancestors(*types):
+ """
+ Get a list of sets of virtual ancestors for the given types
+ """
+ check(types)
+ ras = [[] for _ in range(len(dispatch_args))]
+ for types_ in typemap:
+ for t, type_, ra in zip(types, types_, ras):
+ if issubclass(t, type_) and type_ not in t.mro():
+ append(type_, ra)
+ return [set(ra) for ra in ras]
+
+ def ancestors(*types):
+ """
+ Get a list of virtual MROs, one for each type
+ """
+ check(types)
+ lists = []
+ for t, vas in zip(types, vancestors(*types)):
+ n_vas = len(vas)
+ if n_vas > 1:
+ raise RuntimeError(
+ 'Ambiguous dispatch for %s: %s' % (t, vas))
+ elif n_vas == 1:
+ va, = vas
+ mro = type('t', (t, va), {}).mro()[1:]
+ else:
+ mro = t.mro()
+ lists.append(mro[:-1]) # discard t and object
+ return lists
+
+ def register(*types):
+ """
+ Decorator to register an implementation for the given types
+ """
+ check(types)
+
+ def dec(f):
+ check(getfullargspec(f).args, operator.lt, ' in ' + f.__name__)
+ typemap[types] = f
+ return f
+ return dec
+
+ def dispatch_info(*types):
+ """
+ An utility to introspect the dispatch algorithm
+ """
+ check(types)
+ lst = []
+ for anc in itertools.product(*ancestors(*types)):
+ lst.append(tuple(a.__name__ for a in anc))
+ return lst
+
+ def _dispatch(dispatch_args, *args, **kw):
+ types = tuple(type(arg) for arg in dispatch_args)
+ try: # fast path
+ f = typemap[types]
+ except KeyError:
+ pass
+ else:
+ return f(*args, **kw)
+ combinations = itertools.product(*ancestors(*types))
+ next(combinations) # the first one has been already tried
+ for types_ in combinations:
+ f = typemap.get(types_)
+ if f is not None:
+ return f(*args, **kw)
+
+ # else call the default implementation
+ return func(*args, **kw)
+
+ return FunctionMaker.create(
+ func, 'return _f_(%s, %%(shortsignature)s)' % dispatch_str,
+ dict(_f_=_dispatch), register=register, default=func,
+ typemap=typemap, vancestors=vancestors, ancestors=ancestors,
+ dispatch_info=dispatch_info, __wrapped__=func)
+
+ gen_func_dec.__name__ = 'dispatch_on' + dispatch_str
+ return gen_func_dec
diff --git a/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/INSTALLER b/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/INSTALLER
new file mode 100644
index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/INSTALLER
@@ -0,0 +1 @@
+pip
diff --git a/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/METADATA b/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/METADATA
new file mode 100644
index 0000000000000000000000000000000000000000..0078392f3181a0cc92b39a4456890848d821c55e
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/METADATA
@@ -0,0 +1,59 @@
+Metadata-Version: 2.3
+Name: filelock
+Version: 3.16.1
+Summary: A platform independent file lock.
+Project-URL: Documentation, https://py-filelock.readthedocs.io
+Project-URL: Homepage, https://github.com/tox-dev/py-filelock
+Project-URL: Source, https://github.com/tox-dev/py-filelock
+Project-URL: Tracker, https://github.com/tox-dev/py-filelock/issues
+Maintainer-email: Bernát Gábor
+License-Expression: Unlicense
+License-File: LICENSE
+Keywords: application,cache,directory,log,user
+Classifier: Development Status :: 5 - Production/Stable
+Classifier: Intended Audience :: Developers
+Classifier: License :: OSI Approved :: The Unlicense (Unlicense)
+Classifier: Operating System :: OS Independent
+Classifier: Programming Language :: Python
+Classifier: Programming Language :: Python :: 3 :: Only
+Classifier: Programming Language :: Python :: 3.8
+Classifier: Programming Language :: Python :: 3.9
+Classifier: Programming Language :: Python :: 3.10
+Classifier: Programming Language :: Python :: 3.11
+Classifier: Programming Language :: Python :: 3.12
+Classifier: Programming Language :: Python :: 3.13
+Classifier: Topic :: Internet
+Classifier: Topic :: Software Development :: Libraries
+Classifier: Topic :: System
+Requires-Python: >=3.8
+Provides-Extra: docs
+Requires-Dist: furo>=2024.8.6; extra == 'docs'
+Requires-Dist: sphinx-autodoc-typehints>=2.4.1; extra == 'docs'
+Requires-Dist: sphinx>=8.0.2; extra == 'docs'
+Provides-Extra: testing
+Requires-Dist: covdefaults>=2.3; extra == 'testing'
+Requires-Dist: coverage>=7.6.1; extra == 'testing'
+Requires-Dist: diff-cover>=9.2; extra == 'testing'
+Requires-Dist: pytest-asyncio>=0.24; extra == 'testing'
+Requires-Dist: pytest-cov>=5; extra == 'testing'
+Requires-Dist: pytest-mock>=3.14; extra == 'testing'
+Requires-Dist: pytest-timeout>=2.3.1; extra == 'testing'
+Requires-Dist: pytest>=8.3.3; extra == 'testing'
+Requires-Dist: virtualenv>=20.26.4; extra == 'testing'
+Provides-Extra: typing
+Requires-Dist: typing-extensions>=4.12.2; (python_version < '3.11') and extra == 'typing'
+Description-Content-Type: text/markdown
+
+# filelock
+
+[](https://pypi.org/project/filelock/)
+[](https://pypi.org/project/filelock/)
+[](https://py-filelock.readthedocs.io/en/latest/?badge=latest)
+[](https://github.com/psf/black)
+[](https://pepy.tech/project/filelock)
+[](https://github.com/tox-dev/py-filelock/actions/workflows/check.yml)
+
+For more information checkout the [official documentation](https://py-filelock.readthedocs.io/en/latest/index.html).
diff --git a/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/REQUESTED b/parrot/lib/python3.10/site-packages/filelock-3.16.1.dist-info/REQUESTED
new file mode 100644
index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/INSTALLER b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/INSTALLER
new file mode 100644
index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/INSTALLER
@@ -0,0 +1 @@
+pip
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/LICENSE b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/LICENSE
new file mode 100644
index 0000000000000000000000000000000000000000..7082a2d5b9047bfc09589f387053e24ea490bc54
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/LICENSE
@@ -0,0 +1,201 @@
+Apache License
+ Version 2.0, January 2004
+ http://www.apache.org/licenses/
+
+ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
+
+ 1. Definitions.
+
+ "License" shall mean the terms and conditions for use, reproduction,
+ and distribution as defined by Sections 1 through 9 of this document.
+
+ "Licensor" shall mean the copyright owner or entity authorized by
+ the copyright owner that is granting the License.
+
+ "Legal Entity" shall mean the union of the acting entity and all
+ other entities that control, are controlled by, or are under common
+ control with that entity. For the purposes of this definition,
+ "control" means (i) the power, direct or indirect, to cause the
+ direction or management of such entity, whether by contract or
+ otherwise, or (ii) ownership of fifty percent (50%) or more of the
+ outstanding shares, or (iii) beneficial ownership of such entity.
+
+ "You" (or "Your") shall mean an individual or Legal Entity
+ exercising permissions granted by this License.
+
+ "Source" form shall mean the preferred form for making modifications,
+ including but not limited to software source code, documentation
+ source, and configuration files.
+
+ "Object" form shall mean any form resulting from mechanical
+ transformation or translation of a Source form, including but
+ not limited to compiled object code, generated documentation,
+ and conversions to other media types.
+
+ "Work" shall mean the work of authorship, whether in Source or
+ Object form, made available under the License, as indicated by a
+ copyright notice that is included in or attached to the work
+ (an example is provided in the Appendix below).
+
+ "Derivative Works" shall mean any work, whether in Source or Object
+ form, that is based on (or derived from) the Work and for which the
+ editorial revisions, annotations, elaborations, or other modifications
+ represent, as a whole, an original work of authorship. For the purposes
+ of this License, Derivative Works shall not include works that remain
+ separable from, or merely link (or bind by name) to the interfaces of,
+ the Work and Derivative Works thereof.
+
+ "Contribution" shall mean any work of authorship, including
+ the original version of the Work and any modifications or additions
+ to that Work or Derivative Works thereof, that is intentionally
+ submitted to Licensor for inclusion in the Work by the copyright owner
+ or by an individual or Legal Entity authorized to submit on behalf of
+ the copyright owner. For the purposes of this definition, "submitted"
+ means any form of electronic, verbal, or written communication sent
+ to the Licensor or its representatives, including but not limited to
+ communication on electronic mailing lists, source code control systems,
+ and issue tracking systems that are managed by, or on behalf of, the
+ Licensor for the purpose of discussing and improving the Work, but
+ excluding communication that is conspicuously marked or otherwise
+ designated in writing by the copyright owner as "Not a Contribution."
+
+ "Contributor" shall mean Licensor and any individual or Legal Entity
+ on behalf of whom a Contribution has been received by Licensor and
+ subsequently incorporated within the Work.
+
+ 2. Grant of Copyright License. Subject to the terms and conditions of
+ this License, each Contributor hereby grants to You a perpetual,
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
+ copyright license to reproduce, prepare Derivative Works of,
+ publicly display, publicly perform, sublicense, and distribute the
+ Work and such Derivative Works in Source or Object form.
+
+ 3. Grant of Patent License. Subject to the terms and conditions of
+ this License, each Contributor hereby grants to You a perpetual,
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
+ (except as stated in this section) patent license to make, have made,
+ use, offer to sell, sell, import, and otherwise transfer the Work,
+ where such license applies only to those patent claims licensable
+ by such Contributor that are necessarily infringed by their
+ Contribution(s) alone or by combination of their Contribution(s)
+ with the Work to which such Contribution(s) was submitted. If You
+ institute patent litigation against any entity (including a
+ cross-claim or counterclaim in a lawsuit) alleging that the Work
+ or a Contribution incorporated within the Work constitutes direct
+ or contributory patent infringement, then any patent licenses
+ granted to You under this License for that Work shall terminate
+ as of the date such litigation is filed.
+
+ 4. Redistribution. You may reproduce and distribute copies of the
+ Work or Derivative Works thereof in any medium, with or without
+ modifications, and in Source or Object form, provided that You
+ meet the following conditions:
+
+ (a) You must give any other recipients of the Work or
+ Derivative Works a copy of this License; and
+
+ (b) You must cause any modified files to carry prominent notices
+ stating that You changed the files; and
+
+ (c) You must retain, in the Source form of any Derivative Works
+ that You distribute, all copyright, patent, trademark, and
+ attribution notices from the Source form of the Work,
+ excluding those notices that do not pertain to any part of
+ the Derivative Works; and
+
+ (d) If the Work includes a "NOTICE" text file as part of its
+ distribution, then any Derivative Works that You distribute must
+ include a readable copy of the attribution notices contained
+ within such NOTICE file, excluding those notices that do not
+ pertain to any part of the Derivative Works, in at least one
+ of the following places: within a NOTICE text file distributed
+ as part of the Derivative Works; within the Source form or
+ documentation, if provided along with the Derivative Works; or,
+ within a display generated by the Derivative Works, if and
+ wherever such third-party notices normally appear. The contents
+ of the NOTICE file are for informational purposes only and
+ do not modify the License. You may add Your own attribution
+ notices within Derivative Works that You distribute, alongside
+ or as an addendum to the NOTICE text from the Work, provided
+ that such additional attribution notices cannot be construed
+ as modifying the License.
+
+ You may add Your own copyright statement to Your modifications and
+ may provide additional or different license terms and conditions
+ for use, reproduction, or distribution of Your modifications, or
+ for any such Derivative Works as a whole, provided Your use,
+ reproduction, and distribution of the Work otherwise complies with
+ the conditions stated in this License.
+
+ 5. Submission of Contributions. Unless You explicitly state otherwise,
+ any Contribution intentionally submitted for inclusion in the Work
+ by You to the Licensor shall be under the terms and conditions of
+ this License, without any additional terms or conditions.
+ Notwithstanding the above, nothing herein shall supersede or modify
+ the terms of any separate license agreement you may have executed
+ with Licensor regarding such Contributions.
+
+ 6. Trademarks. This License does not grant permission to use the trade
+ names, trademarks, service marks, or product names of the Licensor,
+ except as required for reasonable and customary use in describing the
+ origin of the Work and reproducing the content of the NOTICE file.
+
+ 7. Disclaimer of Warranty. Unless required by applicable law or
+ agreed to in writing, Licensor provides the Work (and each
+ Contributor provides its Contributions) on an "AS IS" BASIS,
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
+ implied, including, without limitation, any warranties or conditions
+ of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
+ PARTICULAR PURPOSE. You are solely responsible for determining the
+ appropriateness of using or redistributing the Work and assume any
+ risks associated with Your exercise of permissions under this License.
+
+ 8. Limitation of Liability. In no event and under no legal theory,
+ whether in tort (including negligence), contract, or otherwise,
+ unless required by applicable law (such as deliberate and grossly
+ negligent acts) or agreed to in writing, shall any Contributor be
+ liable to You for damages, including any direct, indirect, special,
+ incidental, or consequential damages of any character arising as a
+ result of this License or out of the use or inability to use the
+ Work (including but not limited to damages for loss of goodwill,
+ work stoppage, computer failure or malfunction, or any and all
+ other commercial damages or losses), even if such Contributor
+ has been advised of the possibility of such damages.
+
+ 9. Accepting Warranty or Additional Liability. While redistributing
+ the Work or Derivative Works thereof, You may choose to offer,
+ and charge a fee for, acceptance of support, warranty, indemnity,
+ or other liability obligations and/or rights consistent with this
+ License. However, in accepting such obligations, You may act only
+ on Your own behalf and on Your sole responsibility, not on behalf
+ of any other Contributor, and only if You agree to indemnify,
+ defend, and hold each Contributor harmless for any liability
+ incurred by, or claims asserted against, such Contributor by reason
+ of your accepting any such warranty or additional liability.
+
+ END OF TERMS AND CONDITIONS
+
+ APPENDIX: How to apply the Apache License to your work.
+
+ To apply the Apache License to your work, attach the following
+ boilerplate notice, with the fields enclosed by brackets "{}"
+ replaced with your own identifying information. (Don't include
+ the brackets!) The text should be enclosed in the appropriate
+ comment syntax for the file format. We also recommend that a
+ file or class name and description of purpose be included on the
+ same "printed page" as the copyright notice for easier
+ identification within third-party archives.
+
+ Copyright 2013-2019 Nikolay Kim and Andrew Svetlov
+
+ Licensed under the Apache License, Version 2.0 (the "License");
+ you may not use this file except in compliance with the License.
+ You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+ Unless required by applicable law or agreed to in writing, software
+ distributed under the License is distributed on an "AS IS" BASIS,
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ See the License for the specific language governing permissions and
+ limitations under the License.
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/METADATA b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/METADATA
new file mode 100644
index 0000000000000000000000000000000000000000..60603d5a5a4db0e2896acef9d10496d89aed677e
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/METADATA
@@ -0,0 +1,420 @@
+Metadata-Version: 2.1
+Name: frozenlist
+Version: 1.4.1
+Summary: A list-like structure which implements collections.abc.MutableSequence
+Home-page: https://github.com/aio-libs/frozenlist
+Maintainer: aiohttp team
+Maintainer-email: team@aiohttp.org
+License: Apache 2
+Project-URL: Chat: Matrix, https://matrix.to/#/#aio-libs:matrix.org
+Project-URL: Chat: Matrix Space, https://matrix.to/#/#aio-libs-space:matrix.org
+Project-URL: CI: Github Actions, https://github.com/aio-libs/frozenlist/actions
+Project-URL: Code of Conduct, https://github.com/aio-libs/.github/blob/master/CODE_OF_CONDUCT.md
+Project-URL: Coverage: codecov, https://codecov.io/github/aio-libs/frozenlist
+Project-URL: Docs: Changelog, https://github.com/aio-libs/frozenlist/blob/master/CHANGES.rst#changelog
+Project-URL: Docs: RTD, https://frozenlist.aio-libs.org
+Project-URL: GitHub: issues, https://github.com/aio-libs/frozenlist/issues
+Project-URL: GitHub: repo, https://github.com/aio-libs/frozenlist
+Classifier: Development Status :: 5 - Production/Stable
+Classifier: Intended Audience :: Developers
+Classifier: License :: OSI Approved :: Apache Software License
+Classifier: Operating System :: POSIX
+Classifier: Operating System :: MacOS :: MacOS X
+Classifier: Operating System :: Microsoft :: Windows
+Classifier: Programming Language :: Cython
+Classifier: Programming Language :: Python
+Classifier: Programming Language :: Python :: 3
+Classifier: Programming Language :: Python :: 3.8
+Classifier: Programming Language :: Python :: 3.9
+Classifier: Programming Language :: Python :: 3.10
+Classifier: Programming Language :: Python :: 3.11
+Classifier: Programming Language :: Python :: 3.12
+Classifier: Programming Language :: Python :: Implementation :: CPython
+Classifier: Programming Language :: Python :: Implementation :: PyPy
+Requires-Python: >=3.8
+Description-Content-Type: text/x-rst
+License-File: LICENSE
+
+frozenlist
+==========
+
+.. image:: https://github.com/aio-libs/frozenlist/workflows/CI/badge.svg
+ :target: https://github.com/aio-libs/frozenlist/actions
+ :alt: GitHub status for master branch
+
+.. image:: https://codecov.io/gh/aio-libs/frozenlist/branch/master/graph/badge.svg
+ :target: https://codecov.io/gh/aio-libs/frozenlist
+ :alt: codecov.io status for master branch
+
+.. image:: https://img.shields.io/pypi/v/frozenlist.svg?logo=Python&logoColor=white
+ :target: https://pypi.org/project/frozenlist
+ :alt: frozenlist @ PyPI
+
+.. image:: https://readthedocs.org/projects/frozenlist/badge/?version=latest
+ :target: https://frozenlist.aio-libs.org
+ :alt: Read The Docs build status badge
+
+.. image:: https://img.shields.io/matrix/aio-libs:matrix.org?label=Discuss%20on%20Matrix%20at%20%23aio-libs%3Amatrix.org&logo=matrix&server_fqdn=matrix.org&style=flat
+ :target: https://matrix.to/#/%23aio-libs:matrix.org
+ :alt: Matrix Room — #aio-libs:matrix.org
+
+.. image:: https://img.shields.io/matrix/aio-libs-space:matrix.org?label=Discuss%20on%20Matrix%20at%20%23aio-libs-space%3Amatrix.org&logo=matrix&server_fqdn=matrix.org&style=flat
+ :target: https://matrix.to/#/%23aio-libs-space:matrix.org
+ :alt: Matrix Space — #aio-libs-space:matrix.org
+
+Introduction
+------------
+
+``frozenlist.FrozenList`` is a list-like structure which implements
+``collections.abc.MutableSequence``. The list is *mutable* until ``FrozenList.freeze``
+is called, after which list modifications raise ``RuntimeError``:
+
+
+>>> from frozenlist import FrozenList
+>>> fl = FrozenList([17, 42])
+>>> fl.append('spam')
+>>> fl.append('Vikings')
+>>> fl
+
+>>> fl.freeze()
+>>> fl
+
+>>> fl.frozen
+True
+>>> fl.append("Monty")
+Traceback (most recent call last):
+ File "", line 1, in
+ File "frozenlist/_frozenlist.pyx", line 97, in frozenlist._frozenlist.FrozenList.append
+ self._check_frozen()
+ File "frozenlist/_frozenlist.pyx", line 19, in frozenlist._frozenlist.FrozenList._check_frozen
+ raise RuntimeError("Cannot modify frozen list.")
+RuntimeError: Cannot modify frozen list.
+
+
+FrozenList is also hashable, but only when frozen. Otherwise it also throws a RuntimeError:
+
+
+>>> fl = FrozenList([17, 42, 'spam'])
+>>> hash(fl)
+Traceback (most recent call last):
+ File "", line 1, in
+ File "frozenlist/_frozenlist.pyx", line 111, in frozenlist._frozenlist.FrozenList.__hash__
+ raise RuntimeError("Cannot hash unfrozen list.")
+RuntimeError: Cannot hash unfrozen list.
+>>> fl.freeze()
+>>> hash(fl)
+3713081631934410656
+>>> dictionary = {fl: 'Vikings'} # frozen fl can be a dict key
+>>> dictionary
+{: 'Vikings'}
+
+
+Installation
+------------
+
+::
+
+ $ pip install frozenlist
+
+The library requires Python 3.8 or newer.
+
+
+Documentation
+-------------
+
+https://frozenlist.aio-libs.org
+
+Communication channels
+----------------------
+
+We have a *Matrix Space* `#aio-libs-space:matrix.org
+`_ which is
+also accessible via Gitter.
+
+Requirements
+------------
+
+- Python >= 3.8
+
+License
+-------
+
+``frozenlist`` is offered under the Apache 2 license.
+
+Source code
+-----------
+
+The project is hosted on GitHub_
+
+Please file an issue in the `bug tracker
+`_ if you have found a bug
+or have some suggestions to improve the library.
+
+.. _GitHub: https://github.com/aio-libs/frozenlist
+
+=========
+Changelog
+=========
+
+..
+ You should *NOT* be adding new change log entries to this file, this
+ file is managed by towncrier. You *may* edit previous change logs to
+ fix problems like typo corrections or such.
+ To add a new change log entry, please see
+ https://pip.pypa.io/en/latest/development/contributing/#news-entries
+ we named the news folder "changes".
+
+ WARNING: Don't drop the next directive!
+
+.. towncrier release notes start
+
+1.4.1 (2023-12-15)
+==================
+
+Packaging updates and notes for downstreams
+-------------------------------------------
+
+- Declared Python 3.12 and PyPy 3.8-3.10 supported officially
+ in the distribution package metadata.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#553 `__.
+
+- Replaced the packaging is replaced from an old-fashioned ``setup.py`` to an
+ in-tree `PEP 517 `__ build backend -- by `@webknjaz `__.
+
+ Whenever the end-users or downstream packagers need to build ``frozenlist``
+ from source (a Git checkout or an sdist), they may pass a ``config_settings``
+ flag ``pure-python``. If this flag is not set, a C-extension will be built
+ and included into the distribution.
+
+ Here is how this can be done with ``pip``:
+
+ .. code-block:: console
+
+ $ python3 -m pip install . --config-settings=pure-python=
+
+ This will also work with ``-e | --editable``.
+
+ The same can be achieved via ``pypa/build``:
+
+ .. code-block:: console
+
+ $ python3 -m build --config-setting=pure-python=
+
+ Adding ``-w | --wheel`` can force ``pypa/build`` produce a wheel from source
+ directly, as opposed to building an ``sdist`` and then building from it.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#560 `__.
+
+
+Contributor-facing changes
+--------------------------
+
+- It is now possible to request line tracing in Cython builds using the
+ ``with-cython-tracing`` `PEP 517 `__ config setting
+ -- `@webknjaz `__.
+
+ This can be used in CI and development environment to measure coverage
+ on Cython modules, but is not normally useful to the end-users or
+ downstream packagers.
+
+ Here's a usage example:
+
+ .. code-block:: console
+
+ $ python3 -Im pip install . --config-settings=with-cython-tracing=true
+
+ For editable installs, this setting is on by default. Otherwise, it's
+ off unless requested explicitly.
+
+ The following produces C-files required for the Cython coverage
+ plugin to map the measurements back to the PYX-files:
+
+ .. code-block:: console
+
+ $ python -Im pip install -e .
+
+ Alternatively, the ``FROZENLIST_CYTHON_TRACING=1`` environment variable
+ can be set to do the same as the `PEP 517 `__ config setting.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#560 `__.
+
+- Coverage collection has been implemented for the Cython modules
+ -- by `@webknjaz `__.
+
+ It will also be reported to Codecov from any non-release CI jobs.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#561 `__.
+
+- A step-by-step ``Release Guide`` guide has
+ been added, describing how to release *frozenlist* -- by `@webknjaz `__.
+
+ This is primarily targeting the maintainers.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#563 `__.
+
+- Detailed ``Contributing Guidelines`` on
+ authoring the changelog fragments have been published in the
+ documentation -- by `@webknjaz `__.
+
+
+ *Related issues and pull requests on GitHub:*
+ `#564 `__.
+
+
+----
+
+
+1.4.0 (2023-07-12)
+==================
+
+The published source distribution package became buildable
+under Python 3.12.
+
+
+----
+
+
+Bugfixes
+--------
+
+- Removed an unused ``typing.Tuple`` import
+ `#411 `_
+
+
+Deprecations and Removals
+-------------------------
+
+- Dropped Python 3.7 support.
+ `#413 `_
+
+
+Misc
+----
+
+- `#410 `_, `#433 `_
+
+
+----
+
+
+1.3.3 (2022-11-08)
+==================
+
+- Fixed CI runs when creating a new release, where new towncrier versions
+ fail when the current version section is already present.
+
+
+----
+
+
+1.3.2 (2022-11-08)
+==================
+
+Misc
+----
+
+- Updated the CI runs to better check for test results and to avoid deprecated syntax. `#327 `_
+
+
+----
+
+
+1.3.1 (2022-08-02)
+==================
+
+The published source distribution package became buildable
+under Python 3.11.
+
+
+----
+
+
+1.3.0 (2022-01-18)
+==================
+
+Bugfixes
+--------
+
+- Do not install C sources with binary distributions.
+ `#250 `_
+
+
+Deprecations and Removals
+-------------------------
+
+- Dropped Python 3.6 support
+ `#274 `_
+
+
+----
+
+
+1.2.0 (2021-10-16)
+==================
+
+Features
+--------
+
+- ``FrozenList`` now supports being used as a generic type as per PEP 585, e.g. ``frozen_int_list: FrozenList[int]`` (requires Python 3.9 or newer).
+ `#172 `_
+- Added support for Python 3.10.
+ `#227 `_
+- Started shipping platform-specific wheels with the ``musl`` tag targeting typical Alpine Linux runtimes.
+ `#227 `_
+- Started shipping platform-specific arm64 wheels for Apple Silicon.
+ `#227 `_
+
+
+----
+
+
+1.1.1 (2020-11-14)
+==================
+
+Bugfixes
+--------
+
+- Provide x86 Windows wheels.
+ `#169 `_
+
+
+----
+
+
+1.1.0 (2020-10-13)
+==================
+
+Features
+--------
+
+- Add support for hashing of a frozen list.
+ `#136 `_
+
+- Support Python 3.8 and 3.9.
+
+- Provide wheels for ``aarch64``, ``i686``, ``ppc64le``, ``s390x`` architectures on
+ Linux as well as ``x86_64``.
+
+
+----
+
+
+1.0.0 (2019-11-09)
+==================
+
+Deprecations and Removals
+-------------------------
+
+- Dropped support for Python 3.5; only 3.6, 3.7 and 3.8 are supported going forward.
+ `#24 `_
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/RECORD b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/RECORD
new file mode 100644
index 0000000000000000000000000000000000000000..1cb7983f0105f5543ac70e48950eb42e9f5301ae
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/RECORD
@@ -0,0 +1,13 @@
+frozenlist-1.4.1.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
+frozenlist-1.4.1.dist-info/LICENSE,sha256=b9UkPpLdf5jsacesN3co50kFcJ_1J6W_mNbQJjwE9bY,11332
+frozenlist-1.4.1.dist-info/METADATA,sha256=i-BTxwxpJrHm-I8DMpFRvXVXJiqXwUcsPiUR47NY6eg,12136
+frozenlist-1.4.1.dist-info/RECORD,,
+frozenlist-1.4.1.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+frozenlist-1.4.1.dist-info/WHEEL,sha256=vV-3gZY0A60KvZ7BiFVUnyR1ohNO_OSjBIJIoRfk_rE,225
+frozenlist-1.4.1.dist-info/top_level.txt,sha256=jivtxsPXA3nK3WBWW2LW5Mtu_GHt8UZA13NeCs2cKuA,11
+frozenlist/__init__.py,sha256=hrSQhfujMaz1BWlHfwuVFrPD02-pCK7jG4e9FaCZCmM,2316
+frozenlist/__init__.pyi,sha256=vMEoES1xGegPtVXoCi9XydEeHsyuIq-KdeXwP5PdsaA,1470
+frozenlist/__pycache__/__init__.cpython-310.pyc,,
+frozenlist/_frozenlist.cpython-310-x86_64-linux-gnu.so,sha256=NlvcEP-slIw1H6qbBejxVzEOxKG33BnttUAdSoP1wA4,766040
+frozenlist/_frozenlist.pyx,sha256=9V4Z1En6TZwgFD26d-sjxyhUzUm338H1Qiz4-i5ukv0,2983
+frozenlist/py.typed,sha256=sow9soTwP9T_gEAQSVh7Gb8855h04Nwmhs2We-JRgZM,7
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/REQUESTED b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/REQUESTED
new file mode 100644
index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/WHEEL b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/WHEEL
new file mode 100644
index 0000000000000000000000000000000000000000..09a4f39676d0990506e77c210d61756d8852a8bd
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/WHEEL
@@ -0,0 +1,8 @@
+Wheel-Version: 1.0
+Generator: bdist_wheel (0.42.0)
+Root-Is-Purelib: false
+Tag: cp310-cp310-manylinux_2_5_x86_64
+Tag: cp310-cp310-manylinux1_x86_64
+Tag: cp310-cp310-manylinux_2_17_x86_64
+Tag: cp310-cp310-manylinux2014_x86_64
+
diff --git a/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/top_level.txt b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/top_level.txt
new file mode 100644
index 0000000000000000000000000000000000000000..52f13fc459edf8f3def6f792c432f0b64f313176
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/frozenlist-1.4.1.dist-info/top_level.txt
@@ -0,0 +1 @@
+frozenlist
diff --git a/parrot/lib/python3.10/site-packages/hjson/__init__.py b/parrot/lib/python3.10/site-packages/hjson/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..66cab7529ee2c722441f768d884e85bc4713e681
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/__init__.py
@@ -0,0 +1,642 @@
+r"""Hjson, the Human JSON. A configuration file format that caters to
+humans and helps reduce the errors they make.
+
+For details and syntax see .
+
+Decoding Hjson::
+
+ >>> import hjson
+ >>> text = "{\n foo: a\n bar: 1\n}"
+ >>> hjson.loads(text)
+ OrderedDict([('foo', 'a'), ('bar', 1)])
+
+Encoding Python object hierarchies::
+
+ >>> import hjson
+ >>> # hjson.dumps({'foo': 'text', 'bar': (1, 2)})
+ >>> hjson.dumps(OrderedDict([('foo', 'text'), ('bar', (1, 2))]))
+ '{\n foo: text\n bar:\n [\n 1\n 2\n ]\n}'
+
+Encoding as JSON::
+
+ Note that this is probably not as performant as the simplejson version.
+
+ >>> import hjson
+ >>> hjson.dumpsJSON(['foo', {'bar': ('baz', None, 1.0, 2)}])
+ '["foo", {"bar": ["baz", null, 1.0, 2]}]'
+
+Using hjson.tool from the shell to validate and pretty-print::
+
+ $ echo '{"json":"obj"}' | python -m hjson.tool
+ {
+ json: obj
+ }
+
+ Other formats are -c for compact or -j for formatted JSON.
+
+"""
+from __future__ import absolute_import
+__version__ = '3.1.0'
+__all__ = [
+ 'dump', 'dumps', 'load', 'loads',
+ 'dumpJSON', 'dumpsJSON',
+ 'HjsonDecoder', 'HjsonDecodeError', 'HjsonEncoder', 'JSONEncoder',
+ 'OrderedDict', 'simple_first',
+]
+
+# based on simplejson by
+# __author__ = 'Bob Ippolito '
+__author__ = 'Christian Zangl '
+
+from decimal import Decimal
+
+from .scanner import HjsonDecodeError
+from .decoder import HjsonDecoder
+from .encoderH import HjsonEncoder
+from .encoder import JSONEncoder
+def _import_OrderedDict():
+ import collections
+ try:
+ return collections.OrderedDict
+ except AttributeError:
+ from . import ordered_dict
+ return ordered_dict.OrderedDict
+OrderedDict = _import_OrderedDict()
+
+
+_default_decoder = HjsonDecoder(encoding=None, object_hook=None,
+ object_pairs_hook=OrderedDict)
+
+
+def load(fp, encoding=None, cls=None, object_hook=None, parse_float=None,
+ parse_int=None, object_pairs_hook=OrderedDict,
+ use_decimal=False, namedtuple_as_object=True, tuple_as_array=True,
+ **kw):
+ """Deserialize ``fp`` (a ``.read()``-supporting file-like object containing
+ a JSON document) to a Python object.
+
+ *encoding* determines the encoding used to interpret any
+ :class:`str` objects decoded by this instance (``'utf-8'`` by
+ default). It has no effect when decoding :class:`unicode` objects.
+
+ Note that currently only encodings that are a superset of ASCII work,
+ strings of other encodings should be passed in as :class:`unicode`.
+
+ *object_hook*, if specified, will be called with the result of every
+ JSON object decoded and its return value will be used in place of the
+ given :class:`dict`. This can be used to provide custom
+ deserializations (e.g. to support JSON-RPC class hinting).
+
+ *object_pairs_hook* is an optional function that will be called with
+ the result of any object literal decode with an ordered list of pairs.
+ The return value of *object_pairs_hook* will be used instead of the
+ :class:`dict`. This feature can be used to implement custom decoders
+ that rely on the order that the key and value pairs are decoded (for
+ example, :func:`collections.OrderedDict` will remember the order of
+ insertion). If *object_hook* is also defined, the *object_pairs_hook*
+ takes priority.
+
+ *parse_float*, if specified, will be called with the string of every
+ JSON float to be decoded. By default, this is equivalent to
+ ``float(num_str)``. This can be used to use another datatype or parser
+ for JSON floats (e.g. :class:`decimal.Decimal`).
+
+ *parse_int*, if specified, will be called with the string of every
+ JSON int to be decoded. By default, this is equivalent to
+ ``int(num_str)``. This can be used to use another datatype or parser
+ for JSON integers (e.g. :class:`float`).
+
+ If *use_decimal* is true (default: ``False``) then it implies
+ parse_float=decimal.Decimal for parity with ``dump``.
+
+ To use a custom ``HjsonDecoder`` subclass, specify it with the ``cls``
+ kwarg. NOTE: You should use *object_hook* or *object_pairs_hook* instead
+ of subclassing whenever possible.
+
+ """
+ return loads(fp.read(),
+ encoding=encoding, cls=cls, object_hook=object_hook,
+ parse_float=parse_float, parse_int=parse_int,
+ object_pairs_hook=object_pairs_hook,
+ use_decimal=use_decimal, **kw)
+
+
+def loads(s, encoding=None, cls=None, object_hook=None, parse_float=None,
+ parse_int=None, object_pairs_hook=None,
+ use_decimal=False, **kw):
+ """Deserialize ``s`` (a ``str`` or ``unicode`` instance containing a JSON
+ document) to a Python object.
+
+ *encoding* determines the encoding used to interpret any
+ :class:`str` objects decoded by this instance (``'utf-8'`` by
+ default). It has no effect when decoding :class:`unicode` objects.
+
+ Note that currently only encodings that are a superset of ASCII work,
+ strings of other encodings should be passed in as :class:`unicode`.
+
+ *object_hook*, if specified, will be called with the result of every
+ JSON object decoded and its return value will be used in place of the
+ given :class:`dict`. This can be used to provide custom
+ deserializations (e.g. to support JSON-RPC class hinting).
+
+ *object_pairs_hook* is an optional function that will be called with
+ the result of any object literal decode with an ordered list of pairs.
+ The return value of *object_pairs_hook* will be used instead of the
+ :class:`dict`. This feature can be used to implement custom decoders
+ that rely on the order that the key and value pairs are decoded (for
+ example, :func:`collections.OrderedDict` will remember the order of
+ insertion). If *object_hook* is also defined, the *object_pairs_hook*
+ takes priority.
+
+ *parse_float*, if specified, will be called with the string of every
+ JSON float to be decoded. By default, this is equivalent to
+ ``float(num_str)``. This can be used to use another datatype or parser
+ for JSON floats (e.g. :class:`decimal.Decimal`).
+
+ *parse_int*, if specified, will be called with the string of every
+ JSON int to be decoded. By default, this is equivalent to
+ ``int(num_str)``. This can be used to use another datatype or parser
+ for JSON integers (e.g. :class:`float`).
+
+ If *use_decimal* is true (default: ``False``) then it implies
+ parse_float=decimal.Decimal for parity with ``dump``.
+
+ To use a custom ``HjsonDecoder`` subclass, specify it with the ``cls``
+ kwarg. NOTE: You should use *object_hook* or *object_pairs_hook* instead
+ of subclassing whenever possible.
+
+ """
+ if (cls is None and encoding is None and object_hook is None and
+ parse_int is None and parse_float is None and
+ object_pairs_hook is None
+ and not use_decimal and not kw):
+ return _default_decoder.decode(s)
+ if cls is None:
+ cls = HjsonDecoder
+ if object_hook is not None:
+ kw['object_hook'] = object_hook
+ if object_pairs_hook is not None:
+ kw['object_pairs_hook'] = object_pairs_hook
+ if parse_float is not None:
+ kw['parse_float'] = parse_float
+ if parse_int is not None:
+ kw['parse_int'] = parse_int
+ if use_decimal:
+ if parse_float is not None:
+ raise TypeError("use_decimal=True implies parse_float=Decimal")
+ kw['parse_float'] = Decimal
+ return cls(encoding=encoding, **kw).decode(s)
+
+
+_default_hjson_encoder = HjsonEncoder(
+ skipkeys=False,
+ ensure_ascii=True,
+ check_circular=True,
+ indent=None,
+ encoding='utf-8',
+ default=None,
+ use_decimal=True,
+ namedtuple_as_object=True,
+ tuple_as_array=True,
+ bigint_as_string=False,
+ item_sort_key=None,
+ for_json=False,
+ int_as_string_bitcount=None,
+)
+
+def dump(obj, fp, skipkeys=False, ensure_ascii=True, check_circular=True,
+ cls=None, indent=None,
+ encoding='utf-8', default=None, use_decimal=True,
+ namedtuple_as_object=True, tuple_as_array=True,
+ bigint_as_string=False, sort_keys=False, item_sort_key=None,
+ for_json=False, int_as_string_bitcount=None, **kw):
+ """Serialize ``obj`` as a JSON formatted stream to ``fp`` (a
+ ``.write()``-supporting file-like object).
+
+ If *skipkeys* is true then ``dict`` keys that are not basic types
+ (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)
+ will be skipped instead of raising a ``TypeError``.
+
+ If *ensure_ascii* is false, then the some chunks written to ``fp``
+ may be ``unicode`` instances, subject to normal Python ``str`` to
+ ``unicode`` coercion rules. Unless ``fp.write()`` explicitly
+ understands ``unicode`` (as in ``codecs.getwriter()``) this is likely
+ to cause an error.
+
+ If *check_circular* is false, then the circular reference check
+ for container types will be skipped and a circular reference will
+ result in an ``OverflowError`` (or worse).
+
+ *indent* defines the amount of whitespace that the JSON array elements
+ and object members will be indented for each level of nesting.
+ The default is two spaces.
+
+ *encoding* is the character encoding for str instances, default is UTF-8.
+
+ *default(obj)* is a function that should return a serializable version
+ of obj or raise ``TypeError``. The default simply raises ``TypeError``.
+
+ If *use_decimal* is true (default: ``True``) then decimal.Decimal
+ will be natively serialized to JSON with full precision.
+
+ If *namedtuple_as_object* is true (default: ``True``),
+ :class:`tuple` subclasses with ``_asdict()`` methods will be encoded
+ as JSON objects.
+
+ If *tuple_as_array* is true (default: ``True``),
+ :class:`tuple` (and subclasses) will be encoded as JSON arrays.
+
+ If *bigint_as_string* is true (default: ``False``), ints 2**53 and higher
+ or lower than -2**53 will be encoded as strings. This is to avoid the
+ rounding that happens in Javascript otherwise. Note that this is still a
+ lossy operation that will not round-trip correctly and should be used
+ sparingly.
+
+ If *int_as_string_bitcount* is a positive number (n), then int of size
+ greater than or equal to 2**n or lower than or equal to -2**n will be
+ encoded as strings.
+
+ If specified, *item_sort_key* is a callable used to sort the items in
+ each dictionary. This is useful if you want to sort items other than
+ in alphabetical order by key. This option takes precedence over
+ *sort_keys*.
+
+ If *sort_keys* is true (default: ``False``), the output of dictionaries
+ will be sorted by item.
+
+ If *for_json* is true (default: ``False``), objects with a ``for_json()``
+ method will use the return value of that method for encoding as JSON
+ instead of the object.
+
+ To use a custom ``HjsonEncoder`` subclass (e.g. one that overrides the
+ ``.default()`` method to serialize additional types), specify it with
+ the ``cls`` kwarg. NOTE: You should use *default* or *for_json* instead
+ of subclassing whenever possible.
+
+ """
+ # cached encoder
+ if (not skipkeys and ensure_ascii and
+ check_circular and
+ cls is None and indent is None and
+ encoding == 'utf-8' and default is None and use_decimal
+ and namedtuple_as_object and tuple_as_array
+ and not bigint_as_string and not sort_keys
+ and not item_sort_key and not for_json
+ and int_as_string_bitcount is None
+ and not kw
+ ):
+ iterable = _default_hjson_encoder.iterencode(obj)
+ else:
+ if cls is None:
+ cls = HjsonEncoder
+ iterable = cls(skipkeys=skipkeys, ensure_ascii=ensure_ascii,
+ check_circular=check_circular, indent=indent,
+ encoding=encoding,
+ default=default, use_decimal=use_decimal,
+ namedtuple_as_object=namedtuple_as_object,
+ tuple_as_array=tuple_as_array,
+ bigint_as_string=bigint_as_string,
+ sort_keys=sort_keys,
+ item_sort_key=item_sort_key,
+ for_json=for_json,
+ int_as_string_bitcount=int_as_string_bitcount,
+ **kw).iterencode(obj)
+ # could accelerate with writelines in some versions of Python, at
+ # a debuggability cost
+ for chunk in iterable:
+ fp.write(chunk)
+
+
+def dumps(obj, skipkeys=False, ensure_ascii=True, check_circular=True,
+ cls=None, indent=None,
+ encoding='utf-8', default=None, use_decimal=True,
+ namedtuple_as_object=True, tuple_as_array=True,
+ bigint_as_string=False, sort_keys=False, item_sort_key=None,
+ for_json=False, int_as_string_bitcount=None, **kw):
+ """Serialize ``obj`` to a JSON formatted ``str``.
+
+ If ``skipkeys`` is false then ``dict`` keys that are not basic types
+ (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)
+ will be skipped instead of raising a ``TypeError``.
+
+ If ``ensure_ascii`` is false, then the return value will be a
+ ``unicode`` instance subject to normal Python ``str`` to ``unicode``
+ coercion rules instead of being escaped to an ASCII ``str``.
+
+ If ``check_circular`` is false, then the circular reference check
+ for container types will be skipped and a circular reference will
+ result in an ``OverflowError`` (or worse).
+
+ *indent* defines the amount of whitespace that the JSON array elements
+ and object members will be indented for each level of nesting.
+ The default is two spaces.
+
+ ``encoding`` is the character encoding for str instances, default is UTF-8.
+
+ ``default(obj)`` is a function that should return a serializable version
+ of obj or raise TypeError. The default simply raises TypeError.
+
+ If *use_decimal* is true (default: ``True``) then decimal.Decimal
+ will be natively serialized to JSON with full precision.
+
+ If *namedtuple_as_object* is true (default: ``True``),
+ :class:`tuple` subclasses with ``_asdict()`` methods will be encoded
+ as JSON objects.
+
+ If *tuple_as_array* is true (default: ``True``),
+ :class:`tuple` (and subclasses) will be encoded as JSON arrays.
+
+ If *bigint_as_string* is true (not the default), ints 2**53 and higher
+ or lower than -2**53 will be encoded as strings. This is to avoid the
+ rounding that happens in Javascript otherwise.
+
+ If *int_as_string_bitcount* is a positive number (n), then int of size
+ greater than or equal to 2**n or lower than or equal to -2**n will be
+ encoded as strings.
+
+ If specified, *item_sort_key* is a callable used to sort the items in
+ each dictionary. This is useful if you want to sort items other than
+ in alphabetical order by key. This option takes precendence over
+ *sort_keys*.
+
+ If *sort_keys* is true (default: ``False``), the output of dictionaries
+ will be sorted by item.
+
+ If *for_json* is true (default: ``False``), objects with a ``for_json()``
+ method will use the return value of that method for encoding as JSON
+ instead of the object.
+
+ To use a custom ``HjsonEncoder`` subclass (e.g. one that overrides the
+ ``.default()`` method to serialize additional types), specify it with
+ the ``cls`` kwarg. NOTE: You should use *default* instead of subclassing
+ whenever possible.
+
+ """
+ # cached encoder
+ if (
+ not skipkeys and ensure_ascii and
+ check_circular and
+ cls is None and indent is None and
+ encoding == 'utf-8' and default is None and use_decimal
+ and namedtuple_as_object and tuple_as_array
+ and not bigint_as_string and not sort_keys
+ and not item_sort_key and not for_json
+ and int_as_string_bitcount is None
+ and not kw
+ ):
+ return _default_hjson_encoder.encode(obj)
+ if cls is None:
+ cls = HjsonEncoder
+ return cls(
+ skipkeys=skipkeys, ensure_ascii=ensure_ascii,
+ check_circular=check_circular, indent=indent,
+ encoding=encoding, default=default,
+ use_decimal=use_decimal,
+ namedtuple_as_object=namedtuple_as_object,
+ tuple_as_array=tuple_as_array,
+ bigint_as_string=bigint_as_string,
+ sort_keys=sort_keys,
+ item_sort_key=item_sort_key,
+ for_json=for_json,
+ int_as_string_bitcount=int_as_string_bitcount,
+ **kw).encode(obj)
+
+
+
+_default_json_encoder = JSONEncoder(
+ skipkeys=False,
+ ensure_ascii=True,
+ check_circular=True,
+ indent=None,
+ separators=None,
+ encoding='utf-8',
+ default=None,
+ use_decimal=True,
+ namedtuple_as_object=True,
+ tuple_as_array=True,
+ bigint_as_string=False,
+ item_sort_key=None,
+ for_json=False,
+ int_as_string_bitcount=None,
+)
+
+def dumpJSON(obj, fp, skipkeys=False, ensure_ascii=True, check_circular=True,
+ cls=None, indent=None, separators=None,
+ encoding='utf-8', default=None, use_decimal=True,
+ namedtuple_as_object=True, tuple_as_array=True,
+ bigint_as_string=False, sort_keys=False, item_sort_key=None,
+ for_json=False, int_as_string_bitcount=None, **kw):
+ """Serialize ``obj`` as a JSON formatted stream to ``fp`` (a
+ ``.write()``-supporting file-like object).
+
+ If *skipkeys* is true then ``dict`` keys that are not basic types
+ (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)
+ will be skipped instead of raising a ``TypeError``.
+
+ If *ensure_ascii* is false, then the some chunks written to ``fp``
+ may be ``unicode`` instances, subject to normal Python ``str`` to
+ ``unicode`` coercion rules. Unless ``fp.write()`` explicitly
+ understands ``unicode`` (as in ``codecs.getwriter()``) this is likely
+ to cause an error.
+
+ If *check_circular* is false, then the circular reference check
+ for container types will be skipped and a circular reference will
+ result in an ``OverflowError`` (or worse).
+
+ If *indent* is a string, then JSON array elements and object members
+ will be pretty-printed with a newline followed by that string repeated
+ for each level of nesting. ``None`` (the default) selects the most compact
+ representation without any newlines. An integer is also accepted
+ and is converted to a string with that many spaces.
+
+ If specified, *separators* should be an
+ ``(item_separator, key_separator)`` tuple. The default is ``(', ', ': ')``
+ if *indent* is ``None`` and ``(',', ': ')`` otherwise. To get the most
+ compact JSON representation, you should specify ``(',', ':')`` to eliminate
+ whitespace.
+
+ *encoding* is the character encoding for str instances, default is UTF-8.
+
+ *default(obj)* is a function that should return a serializable version
+ of obj or raise ``TypeError``. The default simply raises ``TypeError``.
+
+ If *use_decimal* is true (default: ``True``) then decimal.Decimal
+ will be natively serialized to JSON with full precision.
+
+ If *namedtuple_as_object* is true (default: ``True``),
+ :class:`tuple` subclasses with ``_asdict()`` methods will be encoded
+ as JSON objects.
+
+ If *tuple_as_array* is true (default: ``True``),
+ :class:`tuple` (and subclasses) will be encoded as JSON arrays.
+
+ If *bigint_as_string* is true (default: ``False``), ints 2**53 and higher
+ or lower than -2**53 will be encoded as strings. This is to avoid the
+ rounding that happens in Javascript otherwise. Note that this is still a
+ lossy operation that will not round-trip correctly and should be used
+ sparingly.
+
+ If *int_as_string_bitcount* is a positive number (n), then int of size
+ greater than or equal to 2**n or lower than or equal to -2**n will be
+ encoded as strings.
+
+ If specified, *item_sort_key* is a callable used to sort the items in
+ each dictionary. This is useful if you want to sort items other than
+ in alphabetical order by key. This option takes precedence over
+ *sort_keys*.
+
+ If *sort_keys* is true (default: ``False``), the output of dictionaries
+ will be sorted by item.
+
+ If *for_json* is true (default: ``False``), objects with a ``for_json()``
+ method will use the return value of that method for encoding as JSON
+ instead of the object.
+
+ To use a custom ``JSONEncoder`` subclass (e.g. one that overrides the
+ ``.default()`` method to serialize additional types), specify it with
+ the ``cls`` kwarg. NOTE: You should use *default* or *for_json* instead
+ of subclassing whenever possible.
+
+ """
+ # cached encoder
+ if (not skipkeys and ensure_ascii and
+ check_circular and
+ cls is None and indent is None and separators is None and
+ encoding == 'utf-8' and default is None and use_decimal
+ and namedtuple_as_object and tuple_as_array
+ and not bigint_as_string and not sort_keys
+ and not item_sort_key and not for_json
+ and int_as_string_bitcount is None
+ and not kw
+ ):
+ iterable = _default_json_encoder.iterencode(obj)
+ else:
+ if cls is None:
+ cls = JSONEncoder
+ iterable = cls(skipkeys=skipkeys, ensure_ascii=ensure_ascii,
+ check_circular=check_circular, indent=indent,
+ separators=separators, encoding=encoding,
+ default=default, use_decimal=use_decimal,
+ namedtuple_as_object=namedtuple_as_object,
+ tuple_as_array=tuple_as_array,
+ bigint_as_string=bigint_as_string,
+ sort_keys=sort_keys,
+ item_sort_key=item_sort_key,
+ for_json=for_json,
+ int_as_string_bitcount=int_as_string_bitcount,
+ **kw).iterencode(obj)
+ # could accelerate with writelines in some versions of Python, at
+ # a debuggability cost
+ for chunk in iterable:
+ fp.write(chunk)
+
+
+def dumpsJSON(obj, skipkeys=False, ensure_ascii=True, check_circular=True,
+ cls=None, indent=None, separators=None,
+ encoding='utf-8', default=None, use_decimal=True,
+ namedtuple_as_object=True, tuple_as_array=True,
+ bigint_as_string=False, sort_keys=False, item_sort_key=None,
+ for_json=False, int_as_string_bitcount=None, **kw):
+ """Serialize ``obj`` to a JSON formatted ``str``.
+
+ If ``skipkeys`` is false then ``dict`` keys that are not basic types
+ (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)
+ will be skipped instead of raising a ``TypeError``.
+
+ If ``ensure_ascii`` is false, then the return value will be a
+ ``unicode`` instance subject to normal Python ``str`` to ``unicode``
+ coercion rules instead of being escaped to an ASCII ``str``.
+
+ If ``check_circular`` is false, then the circular reference check
+ for container types will be skipped and a circular reference will
+ result in an ``OverflowError`` (or worse).
+
+ If ``indent`` is a string, then JSON array elements and object members
+ will be pretty-printed with a newline followed by that string repeated
+ for each level of nesting. ``None`` (the default) selects the most compact
+ representation without any newlines. An integer is also accepted
+ and is converted to a string with that many spaces.
+
+ If specified, ``separators`` should be an
+ ``(item_separator, key_separator)`` tuple. The default is ``(', ', ': ')``
+ if *indent* is ``None`` and ``(',', ': ')`` otherwise. To get the most
+ compact JSON representation, you should specify ``(',', ':')`` to eliminate
+ whitespace.
+
+ ``encoding`` is the character encoding for str instances, default is UTF-8.
+
+ ``default(obj)`` is a function that should return a serializable version
+ of obj or raise TypeError. The default simply raises TypeError.
+
+ If *use_decimal* is true (default: ``True``) then decimal.Decimal
+ will be natively serialized to JSON with full precision.
+
+ If *namedtuple_as_object* is true (default: ``True``),
+ :class:`tuple` subclasses with ``_asdict()`` methods will be encoded
+ as JSON objects.
+
+ If *tuple_as_array* is true (default: ``True``),
+ :class:`tuple` (and subclasses) will be encoded as JSON arrays.
+
+ If *bigint_as_string* is true (not the default), ints 2**53 and higher
+ or lower than -2**53 will be encoded as strings. This is to avoid the
+ rounding that happens in Javascript otherwise.
+
+ If *int_as_string_bitcount* is a positive number (n), then int of size
+ greater than or equal to 2**n or lower than or equal to -2**n will be
+ encoded as strings.
+
+ If specified, *item_sort_key* is a callable used to sort the items in
+ each dictionary. This is useful if you want to sort items other than
+ in alphabetical order by key. This option takes precendence over
+ *sort_keys*.
+
+ If *sort_keys* is true (default: ``False``), the output of dictionaries
+ will be sorted by item.
+
+ If *for_json* is true (default: ``False``), objects with a ``for_json()``
+ method will use the return value of that method for encoding as JSON
+ instead of the object.
+
+ To use a custom ``JSONEncoder`` subclass (e.g. one that overrides the
+ ``.default()`` method to serialize additional types), specify it with
+ the ``cls`` kwarg. NOTE: You should use *default* instead of subclassing
+ whenever possible.
+
+ """
+ # cached encoder
+ if (
+ not skipkeys and ensure_ascii and
+ check_circular and
+ cls is None and indent is None and separators is None and
+ encoding == 'utf-8' and default is None and use_decimal
+ and namedtuple_as_object and tuple_as_array
+ and not bigint_as_string and not sort_keys
+ and not item_sort_key and not for_json
+ and int_as_string_bitcount is None
+ and not kw
+ ):
+ return _default_json_encoder.encode(obj)
+ if cls is None:
+ cls = JSONEncoder
+ return cls(
+ skipkeys=skipkeys, ensure_ascii=ensure_ascii,
+ check_circular=check_circular, indent=indent,
+ separators=separators, encoding=encoding, default=default,
+ use_decimal=use_decimal,
+ namedtuple_as_object=namedtuple_as_object,
+ tuple_as_array=tuple_as_array,
+ bigint_as_string=bigint_as_string,
+ sort_keys=sort_keys,
+ item_sort_key=item_sort_key,
+ for_json=for_json,
+ int_as_string_bitcount=int_as_string_bitcount,
+ **kw).encode(obj)
+
+
+
+def simple_first(kv):
+ """Helper function to pass to item_sort_key to sort simple
+ elements to the top, then container elements.
+ """
+ return (isinstance(kv[1], (list, dict, tuple)), kv[0])
diff --git a/parrot/lib/python3.10/site-packages/hjson/compat.py b/parrot/lib/python3.10/site-packages/hjson/compat.py
new file mode 100644
index 0000000000000000000000000000000000000000..a0af4a1cb86e070ca42b45ac5c7cd1eca3619c79
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/compat.py
@@ -0,0 +1,46 @@
+"""Python 3 compatibility shims
+"""
+import sys
+if sys.version_info[0] < 3:
+ PY3 = False
+ def b(s):
+ return s
+ def u(s):
+ return unicode(s, 'unicode_escape')
+ import cStringIO as StringIO
+ StringIO = BytesIO = StringIO.StringIO
+ text_type = unicode
+ binary_type = str
+ string_types = (basestring,)
+ integer_types = (int, long)
+ unichr = unichr
+ reload_module = reload
+ def fromhex(s):
+ return s.decode('hex')
+
+else:
+ PY3 = True
+ if sys.version_info[:2] >= (3, 4):
+ from importlib import reload as reload_module
+ else:
+ from imp import reload as reload_module
+ import codecs
+ def b(s):
+ return codecs.latin_1_encode(s)[0]
+ def u(s):
+ return s
+ import io
+ StringIO = io.StringIO
+ BytesIO = io.BytesIO
+ text_type = str
+ binary_type = bytes
+ string_types = (str,)
+ integer_types = (int,)
+
+ def unichr(s):
+ return u(chr(s))
+
+ def fromhex(s):
+ return bytes.fromhex(s)
+
+long_type = integer_types[-1]
diff --git a/parrot/lib/python3.10/site-packages/hjson/decoder.py b/parrot/lib/python3.10/site-packages/hjson/decoder.py
new file mode 100644
index 0000000000000000000000000000000000000000..fbcc2a2db2314ff37774b9cae6b9e75e6bf5ddda
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/decoder.py
@@ -0,0 +1,569 @@
+"""Implementation of HjsonDecoder
+"""
+from __future__ import absolute_import
+import re
+import sys
+import struct
+from .compat import fromhex, b, u, text_type, binary_type, PY3, unichr
+from .scanner import HjsonDecodeError
+
+# NOTE (3.1.0): HjsonDecodeError may still be imported from this module for
+# compatibility, but it was never in the __all__
+__all__ = ['HjsonDecoder']
+
+FLAGS = re.VERBOSE | re.MULTILINE | re.DOTALL
+
+def _floatconstants():
+ _BYTES = fromhex('7FF80000000000007FF0000000000000')
+ # The struct module in Python 2.4 would get frexp() out of range here
+ # when an endian is specified in the format string. Fixed in Python 2.5+
+ if sys.byteorder != 'big':
+ _BYTES = _BYTES[:8][::-1] + _BYTES[8:][::-1]
+ nan, inf = struct.unpack('dd', _BYTES)
+ return nan, inf, -inf
+
+NaN, PosInf, NegInf = _floatconstants()
+
+WHITESPACE = ' \t\n\r'
+PUNCTUATOR = '{}[],:'
+
+NUMBER_RE = re.compile(r'[\t ]*(-?(?:0|[1-9]\d*))(\.\d+)?([eE][-+]?\d+)?[\t ]*')
+STRINGCHUNK = re.compile(r'(.*?)([\'"\\\x00-\x1f])', FLAGS)
+BACKSLASH = {
+ '"': u('"'), '\'': u('\''), '\\': u('\u005c'), '/': u('/'),
+ 'b': u('\b'), 'f': u('\f'), 'n': u('\n'), 'r': u('\r'), 't': u('\t'),
+}
+
+DEFAULT_ENCODING = "utf-8"
+
+def getNext(s, end):
+ while 1:
+ # Use a slice to prevent IndexError from being raised
+ ch = s[end:end + 1]
+ # Skip whitespace.
+ while ch in WHITESPACE:
+ if ch == '': return ch, end
+ end += 1
+ ch = s[end:end + 1]
+
+ # Hjson allows comments
+ ch2 = s[end + 1:end + 2]
+ if ch == '#' or ch == '/' and ch2 == '/':
+ end = getEol(s, end)
+ elif ch == '/' and ch2 == '*':
+ end += 2
+ ch = s[end]
+ while ch != '' and not (ch == '*' and s[end + 1] == '/'):
+ end += 1
+ ch = s[end]
+ if ch != '':
+ end += 2
+ else:
+ break
+
+ return ch, end
+
+def getEol(s, end):
+ # skip until eol
+
+ while 1:
+ ch = s[end:end + 1]
+ if ch == '\r' or ch == '\n' or ch == '':
+ return end
+ end += 1
+
+def skipIndent(s, end, n):
+ ch = s[end:end + 1]
+ while ch != '' and ch in " \t\r" and (n > 0 or n < 0):
+ end += 1
+ n -= 1
+ ch = s[end:end + 1]
+ return end
+
+
+def scanstring(s, end, encoding=None, strict=True,
+ _b=BACKSLASH, _m=STRINGCHUNK.match, _join=u('').join,
+ _PY3=PY3, _maxunicode=sys.maxunicode):
+ """Scan the string s for a JSON string. End is the index of the
+ character in s after the quote that started the JSON string.
+ Unescapes all valid JSON string escape sequences and raises ValueError
+ on attempt to decode an invalid string. If strict is False then literal
+ control characters are allowed in the string.
+
+ Returns a tuple of the decoded string and the index of the character in s
+ after the end quote."""
+ if encoding is None:
+ encoding = DEFAULT_ENCODING
+ chunks = []
+ _append = chunks.append
+ begin = end - 1
+ # callers make sure that string starts with " or '
+ exitCh = s[begin]
+ while 1:
+ chunk = _m(s, end)
+ if chunk is None:
+ raise HjsonDecodeError(
+ "Unterminated string starting at", s, begin)
+ end = chunk.end()
+ content, terminator = chunk.groups()
+ # Content is contains zero or more unescaped string characters
+ if content:
+ if not _PY3 and not isinstance(content, text_type):
+ content = text_type(content, encoding)
+ _append(content)
+ # Terminator is the end of string, a literal control character,
+ # or a backslash denoting that an escape sequence follows
+ if terminator == exitCh:
+ break
+ elif terminator == '"' or terminator == '\'':
+ _append(terminator)
+ continue
+ elif terminator != '\\':
+ if strict:
+ msg = "Invalid control character %r at"
+ raise HjsonDecodeError(msg, s, end)
+ else:
+ _append(terminator)
+ continue
+ try:
+ esc = s[end]
+ except IndexError:
+ raise HjsonDecodeError(
+ "Unterminated string starting at", s, begin)
+ # If not a unicode escape sequence, must be in the lookup table
+ if esc != 'u':
+ try:
+ char = _b[esc]
+ except KeyError:
+ msg = "Invalid \\X escape sequence %r"
+ raise HjsonDecodeError(msg, s, end)
+ end += 1
+ else:
+ # Unicode escape sequence
+ msg = "Invalid \\uXXXX escape sequence"
+ esc = s[end + 1:end + 5]
+ escX = esc[1:2]
+ if len(esc) != 4 or escX == 'x' or escX == 'X':
+ raise HjsonDecodeError(msg, s, end - 1)
+ try:
+ uni = int(esc, 16)
+ except ValueError:
+ raise HjsonDecodeError(msg, s, end - 1)
+ end += 5
+ # Check for surrogate pair on UCS-4 systems
+ # Note that this will join high/low surrogate pairs
+ # but will also pass unpaired surrogates through
+ if (_maxunicode > 65535 and
+ uni & 0xfc00 == 0xd800 and
+ s[end:end + 2] == '\\u'):
+ esc2 = s[end + 2:end + 6]
+ escX = esc2[1:2]
+ if len(esc2) == 4 and not (escX == 'x' or escX == 'X'):
+ try:
+ uni2 = int(esc2, 16)
+ except ValueError:
+ raise HjsonDecodeError(msg, s, end)
+ if uni2 & 0xfc00 == 0xdc00:
+ uni = 0x10000 + (((uni - 0xd800) << 10) |
+ (uni2 - 0xdc00))
+ end += 6
+ char = unichr(uni)
+ # Append the unescaped character
+ _append(char)
+ return _join(chunks), end
+
+def mlscanstring(s, end):
+ """Scan a multiline string"""
+
+ string = ""
+ triple = 0
+
+ # we are at ''' - get indent
+ indent = 0
+ while 1:
+ ch = s[end-indent-1]
+ if ch == '\n': break
+ indent += 1
+
+ # skip white/to (newline)
+ end = skipIndent(s, end + 3, -1)
+
+ ch = s[end]
+ if ch == '\n': end = skipIndent(s, end + 1, indent)
+
+ # When parsing multiline string values, we must look for ' characters
+ while 1:
+ ch = s[end:end + 1]
+ if ch == '':
+ raise HjsonDecodeError("Bad multiline string", s, end);
+ elif ch == '\'':
+ triple += 1
+ end += 1
+ if triple == 3:
+ if string and string[-1] == '\n':
+ string = string[:-1] # remove last EOL
+ return string, end
+ else:
+ continue
+ else:
+ while triple > 0:
+ string += '\''
+ triple -= 1
+
+ if ch == '\n':
+ string += ch
+ end = skipIndent(s, end + 1, indent)
+ else:
+ if ch != '\r':
+ string += ch
+ end += 1
+
+def scantfnns(context, s, end):
+ """Scan s until eol. return string, True, False or None"""
+
+ chf, begin = getNext(s, end)
+ end = begin
+
+ if chf in PUNCTUATOR:
+ raise HjsonDecodeError("Found a punctuator character when expecting a quoteless string (check your syntax)", s, end);
+
+ while 1:
+ ch = s[end:end + 1]
+
+ isEol = ch == '\r' or ch == '\n' or ch == ''
+ if isEol or ch == ',' or \
+ ch == '}' or ch == ']' or \
+ ch == '#' or \
+ ch == '/' and (s[end + 1:end + 2] == '/' or s[end + 1:end + 2] == '*'):
+
+ m = None
+ mend = end
+ if next: mend -= 1
+
+ if chf == 'n' and s[begin:end].strip() == 'null':
+ return None, end
+ elif chf == 't' and s[begin:end].strip() == 'true':
+ return True, end
+ elif chf == 'f' and s[begin:end].strip() == 'false':
+ return False, end
+ elif chf == '-' or chf >= '0' and chf <= '9':
+ m = NUMBER_RE.match(s, begin)
+
+ if m is not None and m.end() == end:
+ integer, frac, exp = m.groups()
+ if frac or exp:
+ res = context.parse_float(integer + (frac or '') + (exp or ''))
+ if int(res) == res and abs(res)<1e10: res = int(res)
+ else:
+ res = context.parse_int(integer)
+ return res, end
+
+ if isEol:
+ return s[begin:end].strip(), end
+
+ end += 1
+
+def scanKeyName(s, end, encoding=None, strict=True):
+ """Scan the string s for a JSON/Hjson key. see scanstring"""
+
+ ch, end = getNext(s, end)
+
+ if ch == '"' or ch == '\'':
+ return scanstring(s, end + 1, encoding, strict)
+
+ begin = end
+ space = -1
+ while 1:
+ ch = s[end:end + 1]
+
+ if ch == '':
+ raise HjsonDecodeError("Bad key name (eof)", s, end);
+ elif ch == ':':
+ if begin == end:
+ raise HjsonDecodeError("Found ':' but no key name (for an empty key name use quotes)", s, begin)
+ elif space >= 0:
+ if space != end - 1: raise HjsonDecodeError("Found whitespace in your key name (use quotes to include)", s, space)
+ return s[begin:end].rstrip(), end
+ else:
+ return s[begin:end], end
+ elif ch in WHITESPACE:
+ if space < 0 or space == end - 1: space = end
+ elif ch == '{' or ch == '}' or ch == '[' or ch == ']' or ch == ',':
+ raise HjsonDecodeError("Found '" + ch + "' where a key name was expected (check your syntax or use quotes if the key name includes {}[],: or whitespace)", s, begin)
+ end += 1
+
+def make_scanner(context):
+ parse_object = context.parse_object
+ parse_array = context.parse_array
+ parse_string = context.parse_string
+ parse_mlstring = context.parse_mlstring
+ parse_tfnns = context.parse_tfnns
+ encoding = context.encoding
+ strict = context.strict
+ object_hook = context.object_hook
+ object_pairs_hook = context.object_pairs_hook
+ memo = context.memo
+
+ def _scan_once(string, idx):
+ try:
+ ch = string[idx]
+ except IndexError:
+ raise HjsonDecodeError('Expecting value', string, idx)
+
+ if ch == '"' or ch == '\'':
+ if string[idx:idx + 3] == '\'\'\'':
+ return parse_mlstring(string, idx)
+ else:
+ return parse_string(string, idx + 1, encoding, strict)
+ elif ch == '{':
+ return parse_object((string, idx + 1), encoding, strict,
+ _scan_once, object_hook, object_pairs_hook, memo)
+ elif ch == '[':
+ return parse_array((string, idx + 1), _scan_once)
+
+ return parse_tfnns(context, string, idx)
+
+ def scan_once(string, idx):
+ if idx < 0: raise HjsonDecodeError('Expecting value', string, idx)
+ try:
+ return _scan_once(string, idx)
+ finally:
+ memo.clear()
+
+ def scan_object_once(string, idx):
+ if idx < 0: raise HjsonDecodeError('Expecting value', string, idx)
+ try:
+ return parse_object((string, idx), encoding, strict,
+ _scan_once, object_hook, object_pairs_hook, memo, True)
+ finally:
+ memo.clear()
+
+ return scan_once, scan_object_once
+
+
+def JSONObject(state, encoding, strict, scan_once, object_hook,
+ object_pairs_hook, memo=None, objectWithoutBraces=False):
+ (s, end) = state
+ # Backwards compatibility
+ if memo is None:
+ memo = {}
+ memo_get = memo.setdefault
+ pairs = []
+
+ ch, end = getNext(s, end)
+
+ # Trivial empty object
+ if not objectWithoutBraces and ch == '}':
+ if object_pairs_hook is not None:
+ result = object_pairs_hook(pairs)
+ return result, end + 1
+ pairs = {}
+ if object_hook is not None:
+ pairs = object_hook(pairs)
+ return pairs, end + 1
+
+ while True:
+ key, end = scanKeyName(s, end, encoding, strict)
+ key = memo_get(key, key)
+
+ ch, end = getNext(s, end)
+ if ch != ':':
+ raise HjsonDecodeError("Expecting ':' delimiter", s, end)
+
+ ch, end = getNext(s, end + 1)
+
+ value, end = scan_once(s, end)
+ pairs.append((key, value))
+
+ ch, end = getNext(s, end)
+
+ if ch == ',':
+ ch, end = getNext(s, end + 1)
+
+ if objectWithoutBraces:
+ if ch == '': break;
+ else:
+ if ch == '}':
+ end += 1
+ break
+
+ ch, end = getNext(s, end)
+
+ if object_pairs_hook is not None:
+ result = object_pairs_hook(pairs)
+ return result, end
+ pairs = dict(pairs)
+ if object_hook is not None:
+ pairs = object_hook(pairs)
+ return pairs, end
+
+def JSONArray(state, scan_once):
+ (s, end) = state
+ values = []
+
+ ch, end = getNext(s, end)
+
+ # Look-ahead for trivial empty array
+ if ch == ']':
+ return values, end + 1
+ elif ch == '':
+ raise HjsonDecodeError("End of input while parsing an array (did you forget a closing ']'?)", s, end)
+ _append = values.append
+ while True:
+ value, end = scan_once(s, end)
+ _append(value)
+
+ ch, end = getNext(s, end)
+ if ch == ',':
+ ch, end = getNext(s, end + 1)
+
+ if ch == ']':
+ end += 1
+ break
+
+ ch, end = getNext(s, end)
+
+ return values, end
+
+
+class HjsonDecoder(object):
+ """Hjson decoder
+
+ Performs the following translations in decoding by default:
+
+ +---------------+-------------------+
+ | JSON | Python |
+ +===============+===================+
+ | object | dict |
+ +---------------+-------------------+
+ | array | list |
+ +---------------+-------------------+
+ | string | str, unicode |
+ +---------------+-------------------+
+ | number (int) | int, long |
+ +---------------+-------------------+
+ | number (real) | float |
+ +---------------+-------------------+
+ | true | True |
+ +---------------+-------------------+
+ | false | False |
+ +---------------+-------------------+
+ | null | None |
+ +---------------+-------------------+
+
+ """
+
+ def __init__(self, encoding=None, object_hook=None, parse_float=None,
+ parse_int=None, strict=True,
+ object_pairs_hook=None):
+ """
+ *encoding* determines the encoding used to interpret any
+ :class:`str` objects decoded by this instance (``'utf-8'`` by
+ default). It has no effect when decoding :class:`unicode` objects.
+
+ Note that currently only encodings that are a superset of ASCII work,
+ strings of other encodings should be passed in as :class:`unicode`.
+
+ *object_hook*, if specified, will be called with the result of every
+ JSON object decoded and its return value will be used in place of the
+ given :class:`dict`. This can be used to provide custom
+ deserializations (e.g. to support JSON-RPC class hinting).
+
+ *object_pairs_hook* is an optional function that will be called with
+ the result of any object literal decode with an ordered list of pairs.
+ The return value of *object_pairs_hook* will be used instead of the
+ :class:`dict`. This feature can be used to implement custom decoders
+ that rely on the order that the key and value pairs are decoded (for
+ example, :func:`collections.OrderedDict` will remember the order of
+ insertion). If *object_hook* is also defined, the *object_pairs_hook*
+ takes priority.
+
+ *parse_float*, if specified, will be called with the string of every
+ JSON float to be decoded. By default, this is equivalent to
+ ``float(num_str)``. This can be used to use another datatype or parser
+ for JSON floats (e.g. :class:`decimal.Decimal`).
+
+ *parse_int*, if specified, will be called with the string of every
+ JSON int to be decoded. By default, this is equivalent to
+ ``int(num_str)``. This can be used to use another datatype or parser
+ for JSON integers (e.g. :class:`float`).
+
+ *strict* controls the parser's behavior when it encounters an
+ invalid control character in a string. The default setting of
+ ``True`` means that unescaped control characters are parse errors, if
+ ``False`` then control characters will be allowed in strings.
+
+ """
+ if encoding is None:
+ encoding = DEFAULT_ENCODING
+ self.encoding = encoding
+ self.object_hook = object_hook
+ self.object_pairs_hook = object_pairs_hook
+ self.parse_float = parse_float or float
+ self.parse_int = parse_int or int
+ self.strict = strict
+ self.parse_object = JSONObject
+ self.parse_array = JSONArray
+ self.parse_string = scanstring
+ self.parse_mlstring = mlscanstring
+ self.parse_tfnns = scantfnns
+ self.memo = {}
+ (self.scan_once, self.scan_object_once) = make_scanner(self)
+
+ def decode(self, s, _PY3=PY3):
+ """Return the Python representation of ``s`` (a ``str`` or ``unicode``
+ instance containing a JSON document)
+
+ """
+ if _PY3 and isinstance(s, binary_type):
+ s = s.decode(self.encoding)
+ obj, end = self.raw_decode(s)
+ ch, end = getNext(s, end)
+ if end != len(s):
+ raise HjsonDecodeError("Extra data", s, end, len(s))
+ return obj
+
+ def raw_decode(self, s, idx=0, _PY3=PY3):
+ """Decode a JSON document from ``s`` (a ``str`` or ``unicode``
+ beginning with a JSON document) and return a 2-tuple of the Python
+ representation and the index in ``s`` where the document ended.
+ Optionally, ``idx`` can be used to specify an offset in ``s`` where
+ the JSON document begins.
+
+ This can be used to decode a JSON document from a string that may
+ have extraneous data at the end.
+
+ """
+ if idx < 0:
+ # Ensure that raw_decode bails on negative indexes, the regex
+ # would otherwise mask this behavior. #98
+ raise HjsonDecodeError('Expecting value', s, idx)
+ if _PY3 and not isinstance(s, text_type):
+ raise TypeError("Input string must be text")
+ # strip UTF-8 bom
+ if len(s) > idx:
+ ord0 = ord(s[idx])
+ if ord0 == 0xfeff:
+ idx += 1
+ elif ord0 == 0xef and s[idx:idx + 3] == '\xef\xbb\xbf':
+ idx += 3
+
+ start_index = idx
+ ch, idx = getNext(s, idx)
+
+ # If blank or comment only file, return dict
+ if start_index == 0 and ch == '':
+ return {}, 0
+
+ if ch == '{' or ch == '[':
+ return self.scan_once(s, idx)
+ else:
+ # assume we have a root object without braces
+ try:
+ return self.scan_object_once(s, idx)
+ except HjsonDecodeError as e:
+ # test if we are dealing with a single JSON value instead (true/false/null/num/"")
+ try:
+ return self.scan_once(s, idx)
+ except:
+ raise e
diff --git a/parrot/lib/python3.10/site-packages/hjson/encoderH.py b/parrot/lib/python3.10/site-packages/hjson/encoderH.py
new file mode 100644
index 0000000000000000000000000000000000000000..a4cbfd50bc37789f72ce50cb4ca3af8842380b71
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/encoderH.py
@@ -0,0 +1,552 @@
+"""Implementation of HjsonEncoder
+"""
+from __future__ import absolute_import
+import re
+from operator import itemgetter
+from decimal import Decimal
+from .compat import u, unichr, binary_type, string_types, integer_types, PY3
+from .decoder import PosInf
+
+# This is required because u() will mangle the string and ur'' isn't valid
+# python3 syntax
+ESCAPE = re.compile(u'[\\x00-\\x1f\\\\"\\b\\f\\n\\r\\t\u2028\u2029\uffff]')
+ESCAPE_ASCII = re.compile(r'([\\"]|[^\ -~])')
+HAS_UTF8 = re.compile(r'[\x80-\xff]')
+ESCAPE_DCT = {
+ '\\': '\\\\',
+ '"': '\\"',
+ '\b': '\\b',
+ '\f': '\\f',
+ '\n': '\\n',
+ '\r': '\\r',
+ '\t': '\\t',
+}
+for i in range(0x20):
+ #ESCAPE_DCT.setdefault(chr(i), '\\u{0:04x}'.format(i))
+ ESCAPE_DCT.setdefault(chr(i), '\\u%04x' % (i,))
+for i in [0x2028, 0x2029, 0xffff]:
+ ESCAPE_DCT.setdefault(unichr(i), '\\u%04x' % (i,))
+
+COMMONRANGE=u'\x7f-\x9f\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff'
+
+# NEEDSESCAPE tests if the string can be written without escapes
+NEEDSESCAPE = re.compile(u'[\\\"\x00-\x1f'+COMMONRANGE+']')
+# NEEDSQUOTES tests if the string can be written as a quoteless string (like needsEscape but without \\ and \")
+NEEDSQUOTES = re.compile(u'^\\s|^"|^\'|^#|^\\/\\*|^\\/\\/|^\\{|^\\}|^\\[|^\\]|^:|^,|\\s$|[\x00-\x1f'+COMMONRANGE+u']')
+# NEEDSESCAPEML tests if the string can be written as a multiline string (like needsEscape but without \n, \r, \\, \", \t)
+NEEDSESCAPEML = re.compile(u'\'\'\'|^[\\s]+$|[\x00-\x08\x0b\x0c\x0e-\x1f'+COMMONRANGE+u']')
+
+WHITESPACE = ' \t\n\r'
+STARTSWITHNUMBER = re.compile(r'^[\t ]*(-?(?:0|[1-9]\d*))(\.\d+)?([eE][-+]?\d+)?\s*((,|\]|\}|#|\/\/|\/\*).*)?$');
+STARTSWITHKEYWORD = re.compile(r'^(true|false|null)\s*((,|\]|\}|#|\/\/|\/\*).*)?$');
+NEEDSESCAPENAME = re.compile(r'[,\{\[\}\]\s:#"\']|\/\/|\/\*|'+"'''")
+
+FLOAT_REPR = repr
+
+def encode_basestring(s, _PY3=PY3, _q=u('"')):
+ """Return a JSON representation of a Python string
+
+ """
+ if _PY3:
+ if isinstance(s, binary_type):
+ s = s.decode('utf-8')
+ else:
+ if isinstance(s, str) and HAS_UTF8.search(s) is not None:
+ s = s.decode('utf-8')
+ def replace(match):
+ return ESCAPE_DCT[match.group(0)]
+ return _q + ESCAPE.sub(replace, s) + _q
+
+
+def encode_basestring_ascii(s, _PY3=PY3):
+ """Return an ASCII-only JSON representation of a Python string
+
+ """
+ if _PY3:
+ if isinstance(s, binary_type):
+ s = s.decode('utf-8')
+ else:
+ if isinstance(s, str) and HAS_UTF8.search(s) is not None:
+ s = s.decode('utf-8')
+ def replace(match):
+ s = match.group(0)
+ try:
+ return ESCAPE_DCT[s]
+ except KeyError:
+ n = ord(s)
+ if n < 0x10000:
+ #return '\\u{0:04x}'.format(n)
+ return '\\u%04x' % (n,)
+ else:
+ # surrogate pair
+ n -= 0x10000
+ s1 = 0xd800 | ((n >> 10) & 0x3ff)
+ s2 = 0xdc00 | (n & 0x3ff)
+ #return '\\u{0:04x}\\u{1:04x}'.format(s1, s2)
+ return '\\u%04x\\u%04x' % (s1, s2)
+ return '"' + str(ESCAPE_ASCII.sub(replace, s)) + '"'
+
+
+class HjsonEncoder(object):
+ """Extensible JSON encoder for Python data structures.
+
+ Supports the following objects and types by default:
+
+ +-------------------+---------------+
+ | Python | JSON |
+ +===================+===============+
+ | dict, namedtuple | object |
+ +-------------------+---------------+
+ | list, tuple | array |
+ +-------------------+---------------+
+ | str, unicode | string |
+ +-------------------+---------------+
+ | int, long, float | number |
+ +-------------------+---------------+
+ | True | true |
+ +-------------------+---------------+
+ | False | false |
+ +-------------------+---------------+
+ | None | null |
+ +-------------------+---------------+
+
+ To extend this to recognize other objects, subclass and implement a
+ ``.default()`` method with another method that returns a serializable
+ object for ``o`` if possible, otherwise it should call the superclass
+ implementation (to raise ``TypeError``).
+
+ """
+
+ def __init__(self, skipkeys=False, ensure_ascii=True,
+ check_circular=True, sort_keys=False,
+ indent=' ', encoding='utf-8', default=None,
+ use_decimal=True, namedtuple_as_object=True,
+ tuple_as_array=True, bigint_as_string=False,
+ item_sort_key=None, for_json=False,
+ int_as_string_bitcount=None):
+ """Constructor for HjsonEncoder, with sensible defaults.
+
+ If skipkeys is false, then it is a TypeError to attempt
+ encoding of keys that are not str, int, long, float or None. If
+ skipkeys is True, such items are simply skipped.
+
+ If ensure_ascii is true, the output is guaranteed to be str
+ objects with all incoming unicode characters escaped. If
+ ensure_ascii is false, the output will be unicode object.
+
+ If check_circular is true, then lists, dicts, and custom encoded
+ objects will be checked for circular references during encoding to
+ prevent an infinite recursion (which would cause an OverflowError).
+ Otherwise, no such check takes place.
+
+ If sort_keys is true, then the output of dictionaries will be
+ sorted by key; this is useful for regression tests to ensure
+ that JSON serializations can be compared on a day-to-day basis.
+
+ If indent is a string, then JSON array elements and object members
+ will be pretty-printed with a newline followed by that string repeated
+ for each level of nesting.
+
+ If specified, default is a function that gets called for objects
+ that can't otherwise be serialized. It should return a JSON encodable
+ version of the object or raise a ``TypeError``.
+
+ If encoding is not None, then all input strings will be
+ transformed into unicode using that encoding prior to JSON-encoding.
+ The default is UTF-8.
+
+ If use_decimal is true (not the default), ``decimal.Decimal`` will
+ be supported directly by the encoder. For the inverse, decode JSON
+ with ``parse_float=decimal.Decimal``.
+
+ If namedtuple_as_object is true (the default), objects with
+ ``_asdict()`` methods will be encoded as JSON objects.
+
+ If tuple_as_array is true (the default), tuple (and subclasses) will
+ be encoded as JSON arrays.
+
+ If bigint_as_string is true (not the default), ints 2**53 and higher
+ or lower than -2**53 will be encoded as strings. This is to avoid the
+ rounding that happens in Javascript otherwise.
+
+ If int_as_string_bitcount is a positive number (n), then int of size
+ greater than or equal to 2**n or lower than or equal to -2**n will be
+ encoded as strings.
+
+ If specified, item_sort_key is a callable used to sort the items in
+ each dictionary. This is useful if you want to sort items other than
+ in alphabetical order by key.
+
+ If for_json is true (not the default), objects with a ``for_json()``
+ method will use the return value of that method for encoding as JSON
+ instead of the object.
+
+ """
+
+ self.skipkeys = skipkeys
+ self.ensure_ascii = ensure_ascii
+ self.check_circular = check_circular
+ self.sort_keys = sort_keys
+ self.use_decimal = use_decimal
+ self.namedtuple_as_object = namedtuple_as_object
+ self.tuple_as_array = tuple_as_array
+ self.bigint_as_string = bigint_as_string
+ self.item_sort_key = item_sort_key
+ self.for_json = for_json
+ self.int_as_string_bitcount = int_as_string_bitcount
+ if indent is not None and not isinstance(indent, string_types):
+ indent = indent * ' '
+ elif indent is None:
+ indent = ' '
+ self.indent = indent
+ if default is not None:
+ self.default = default
+ self.encoding = encoding
+
+ def default(self, o):
+ """Implement this method in a subclass such that it returns
+ a serializable object for ``o``, or calls the base implementation
+ (to raise a ``TypeError``).
+
+ For example, to support arbitrary iterators, you could
+ implement default like this::
+
+ def default(self, o):
+ try:
+ iterable = iter(o)
+ except TypeError:
+ pass
+ else:
+ return list(iterable)
+ return HjsonEncoder.default(self, o)
+
+ """
+ raise TypeError(repr(o) + " is not JSON serializable")
+
+ def encode(self, o):
+ """Return a JSON string representation of a Python data structure.
+
+ >>> from hjson import HjsonEncoder
+ >>> HjsonEncoder().encode({"foo": ["bar", "baz"]})
+ '{"foo": ["bar", "baz"]}'
+
+ """
+ # This is for extremely simple cases and benchmarks.
+ if isinstance(o, binary_type):
+ _encoding = self.encoding
+ if (_encoding is not None and not (_encoding == 'utf-8')):
+ o = o.decode(_encoding)
+
+ # This doesn't pass the iterator directly to ''.join() because the
+ # exceptions aren't as detailed. The list call should be roughly
+ # equivalent to the PySequence_Fast that ''.join() would do.
+ chunks = self.iterencode(o, _one_shot=True)
+ if not isinstance(chunks, (list, tuple)):
+ chunks = list(chunks)
+ if self.ensure_ascii:
+ return ''.join(chunks)
+ else:
+ return u''.join(chunks)
+
+ def iterencode(self, o, _one_shot=False):
+ """Encode the given object and yield each string
+ representation as available.
+
+ For example::
+
+ for chunk in HjsonEncoder().iterencode(bigobject):
+ mysocket.write(chunk)
+
+ """
+ if self.check_circular:
+ markers = {}
+ else:
+ markers = None
+ if self.ensure_ascii:
+ _encoder = encode_basestring_ascii
+ else:
+ _encoder = encode_basestring
+ if self.encoding != 'utf-8':
+ def _encoder(o, _orig_encoder=_encoder, _encoding=self.encoding):
+ if isinstance(o, binary_type):
+ o = o.decode(_encoding)
+ return _orig_encoder(o)
+
+ def floatstr(o, _repr=FLOAT_REPR, _inf=PosInf, _neginf=-PosInf):
+ # Check for specials. Note that this type of test is processor
+ # and/or platform-specific, so do tests which don't depend on
+ # the internals.
+
+ if o != o or o == _inf or o == _neginf:
+ return 'null'
+ else:
+ return _repr(o)
+
+ key_memo = {}
+ int_as_string_bitcount = (
+ 53 if self.bigint_as_string else self.int_as_string_bitcount)
+ _iterencode = _make_iterencode(
+ markers, self.default, _encoder, self.indent, floatstr,
+ self.sort_keys, self.skipkeys, _one_shot, self.use_decimal,
+ self.namedtuple_as_object, self.tuple_as_array,
+ int_as_string_bitcount,
+ self.item_sort_key, self.encoding, self.for_json,
+ Decimal=Decimal)
+ try:
+ return _iterencode(o, 0, True)
+ finally:
+ key_memo.clear()
+
+
+def _make_iterencode(markers, _default, _encoder, _indent, _floatstr,
+ _sort_keys, _skipkeys, _one_shot,
+ _use_decimal, _namedtuple_as_object, _tuple_as_array,
+ _int_as_string_bitcount, _item_sort_key,
+ _encoding,_for_json,
+ ## HACK: hand-optimized bytecode; turn globals into locals
+ _PY3=PY3,
+ ValueError=ValueError,
+ string_types=string_types,
+ Decimal=Decimal,
+ dict=dict,
+ float=float,
+ id=id,
+ integer_types=integer_types,
+ isinstance=isinstance,
+ list=list,
+ str=str,
+ tuple=tuple,
+ ):
+ if _item_sort_key and not callable(_item_sort_key):
+ raise TypeError("item_sort_key must be None or callable")
+ elif _sort_keys and not _item_sort_key:
+ _item_sort_key = itemgetter(0)
+
+ if (_int_as_string_bitcount is not None and
+ (_int_as_string_bitcount <= 0 or
+ not isinstance(_int_as_string_bitcount, integer_types))):
+ raise TypeError("int_as_string_bitcount must be a positive integer")
+
+ def _encode_int(value):
+ return str(value)
+
+ def _stringify_key(key):
+ if isinstance(key, string_types): # pragma: no cover
+ pass
+ elif isinstance(key, binary_type):
+ key = key.decode(_encoding)
+ elif isinstance(key, float):
+ key = _floatstr(key)
+ elif key is True:
+ key = 'true'
+ elif key is False:
+ key = 'false'
+ elif key is None:
+ key = 'null'
+ elif isinstance(key, integer_types):
+ key = str(key)
+ elif _use_decimal and isinstance(key, Decimal):
+ key = str(key)
+ elif _skipkeys:
+ key = None
+ else:
+ raise TypeError("key " + repr(key) + " is not a string")
+ return key
+
+ def _encoder_key(name):
+ if not name: return '""'
+
+ # Check if we can insert this name without quotes
+ if NEEDSESCAPENAME.search(name):
+ return _encoder(name)
+ else:
+ # return without quotes
+ return name
+
+ def _encoder_str(str, _current_indent_level):
+ if not str: return '""'
+
+ # Check if we can insert this string without quotes
+ # see hjson syntax (must not parse as true, false, null or number)
+
+ first = str[0]
+ isNumber = False
+ if first == '-' or first >= '0' and first <= '9':
+ isNumber = STARTSWITHNUMBER.match(str) is not None
+
+ if (NEEDSQUOTES.search(str) or
+ isNumber or
+ STARTSWITHKEYWORD.match(str) is not None):
+
+ # If the string contains no control characters, no quote characters, and no
+ # backslash characters, then we can safely slap some quotes around it.
+ # Otherwise we first check if the string can be expressed in multiline
+ # format or we must replace the offending characters with safe escape
+ # sequences.
+
+ if not NEEDSESCAPE.search(str):
+ return '"' + str + '"'
+ elif not NEEDSESCAPEML.search(str):
+ return _encoder_str_ml(str, _current_indent_level + 1)
+ else:
+ return _encoder(str)
+ else:
+ # return without quotes
+ return str
+
+ def _encoder_str_ml(str, _current_indent_level):
+
+ a = str.replace('\r', '').split('\n')
+ # gap += indent;
+
+ if len(a) == 1:
+ # The string contains only a single line. We still use the multiline
+ # format as it avoids escaping the \ character (e.g. when used in a
+ # regex).
+ return "'''" + a[0] + "'''"
+ else:
+ gap = _indent * _current_indent_level
+ res = '\n' + gap + "'''"
+ for line in a:
+ res += '\n'
+ if line: res += gap + line
+ return res + '\n' + gap + "'''"
+
+ def _iterencode_dict(dct, _current_indent_level, _isRoot=False):
+ if not dct:
+ yield '{}'
+ return
+ if markers is not None:
+ markerid = id(dct)
+ if markerid in markers:
+ raise ValueError("Circular reference detected")
+ markers[markerid] = dct
+
+ if not _isRoot:
+ yield '\n' + (_indent * _current_indent_level)
+
+ _current_indent_level += 1
+ newline_indent = '\n' + (_indent * _current_indent_level)
+
+ yield '{'
+
+ if _PY3:
+ iteritems = dct.items()
+ else:
+ iteritems = dct.iteritems()
+ if _item_sort_key:
+ items = []
+ for k, v in dct.items():
+ if not isinstance(k, string_types):
+ k = _stringify_key(k)
+ if k is None:
+ continue
+ items.append((k, v))
+ items.sort(key=_item_sort_key)
+ else:
+ items = iteritems
+ for key, value in items:
+ if not (_item_sort_key or isinstance(key, string_types)):
+ key = _stringify_key(key)
+ if key is None:
+ # _skipkeys must be True
+ continue
+
+ yield newline_indent
+ yield _encoder_key(key)
+
+ first = True
+ for chunk in _iterencode(value, _current_indent_level):
+ if first:
+ first = False
+ if chunk[0 : 1] == '\n': yield ':'
+ else: yield ': '
+ yield chunk
+
+ if newline_indent is not None:
+ _current_indent_level -= 1
+ yield '\n' + (_indent * _current_indent_level)
+ yield '}'
+ if markers is not None:
+ del markers[markerid]
+
+
+ def _iterencode_list(lst, _current_indent_level, _isRoot=False):
+ if not lst:
+ yield '[]'
+ return
+ if markers is not None:
+ markerid = id(lst)
+ if markerid in markers:
+ raise ValueError("Circular reference detected")
+ markers[markerid] = lst
+
+ if not _isRoot:
+ yield '\n' + (_indent * _current_indent_level)
+
+ _current_indent_level += 1
+ newline_indent = '\n' + (_indent * _current_indent_level)
+ yield '['
+
+ for value in lst:
+ yield newline_indent
+
+ for chunk in _iterencode(value, _current_indent_level, True):
+ yield chunk
+
+ if newline_indent is not None:
+ _current_indent_level -= 1
+ yield '\n' + (_indent * _current_indent_level)
+ yield ']'
+ if markers is not None:
+ del markers[markerid]
+
+
+ def _iterencode(o, _current_indent_level, _isRoot=False):
+ if (isinstance(o, string_types) or
+ (_PY3 and isinstance(o, binary_type))):
+ yield _encoder_str(o, _current_indent_level)
+ elif o is None:
+ yield 'null'
+ elif o is True:
+ yield 'true'
+ elif o is False:
+ yield 'false'
+ elif isinstance(o, integer_types):
+ yield _encode_int(o)
+ elif isinstance(o, float):
+ yield _floatstr(o)
+ else:
+ for_json = _for_json and getattr(o, 'for_json', None)
+ if for_json and callable(for_json):
+ for chunk in _iterencode(for_json(), _current_indent_level, _isRoot):
+ yield chunk
+ elif isinstance(o, list):
+ for chunk in _iterencode_list(o, _current_indent_level, _isRoot):
+ yield chunk
+ else:
+ _asdict = _namedtuple_as_object and getattr(o, '_asdict', None)
+ if _asdict and callable(_asdict):
+ for chunk in _iterencode_dict(_asdict(), _current_indent_level, _isRoot):
+ yield chunk
+ elif (_tuple_as_array and isinstance(o, tuple)):
+ for chunk in _iterencode_list(o, _current_indent_level, _isRoot):
+ yield chunk
+ elif isinstance(o, dict):
+ for chunk in _iterencode_dict(o, _current_indent_level, _isRoot):
+ yield chunk
+ elif _use_decimal and isinstance(o, Decimal):
+ yield str(o)
+ else:
+ if markers is not None:
+ markerid = id(o)
+ if markerid in markers:
+ raise ValueError("Circular reference detected")
+ markers[markerid] = o
+ o = _default(o)
+ for chunk in _iterencode(o, _current_indent_level, _isRoot):
+ yield chunk
+ if markers is not None:
+ del markers[markerid]
+
+ return _iterencode
diff --git a/parrot/lib/python3.10/site-packages/hjson/ordered_dict.py b/parrot/lib/python3.10/site-packages/hjson/ordered_dict.py
new file mode 100644
index 0000000000000000000000000000000000000000..87ad8882482ca02970df711f4aa1039bece45cb9
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/ordered_dict.py
@@ -0,0 +1,119 @@
+"""Drop-in replacement for collections.OrderedDict by Raymond Hettinger
+
+http://code.activestate.com/recipes/576693/
+
+"""
+from UserDict import DictMixin
+
+# Modified from original to support Python 2.4, see
+# http://code.google.com/p/simplejson/issues/detail?id=53
+try:
+ all
+except NameError:
+ def all(seq):
+ for elem in seq:
+ if not elem:
+ return False
+ return True
+
+class OrderedDict(dict, DictMixin):
+
+ def __init__(self, *args, **kwds):
+ if len(args) > 1:
+ raise TypeError('expected at most 1 arguments, got %d' % len(args))
+ try:
+ self.__end
+ except AttributeError:
+ self.clear()
+ self.update(*args, **kwds)
+
+ def clear(self):
+ self.__end = end = []
+ end += [None, end, end] # sentinel node for doubly linked list
+ self.__map = {} # key --> [key, prev, next]
+ dict.clear(self)
+
+ def __setitem__(self, key, value):
+ if key not in self:
+ end = self.__end
+ curr = end[1]
+ curr[2] = end[1] = self.__map[key] = [key, curr, end]
+ dict.__setitem__(self, key, value)
+
+ def __delitem__(self, key):
+ dict.__delitem__(self, key)
+ key, prev, next = self.__map.pop(key)
+ prev[2] = next
+ next[1] = prev
+
+ def __iter__(self):
+ end = self.__end
+ curr = end[2]
+ while curr is not end:
+ yield curr[0]
+ curr = curr[2]
+
+ def __reversed__(self):
+ end = self.__end
+ curr = end[1]
+ while curr is not end:
+ yield curr[0]
+ curr = curr[1]
+
+ def popitem(self, last=True):
+ if not self:
+ raise KeyError('dictionary is empty')
+ # Modified from original to support Python 2.4, see
+ # http://code.google.com/p/simplejson/issues/detail?id=53
+ if last:
+ key = reversed(self).next()
+ else:
+ key = iter(self).next()
+ value = self.pop(key)
+ return key, value
+
+ def __reduce__(self):
+ items = [[k, self[k]] for k in self]
+ tmp = self.__map, self.__end
+ del self.__map, self.__end
+ inst_dict = vars(self).copy()
+ self.__map, self.__end = tmp
+ if inst_dict:
+ return (self.__class__, (items,), inst_dict)
+ return self.__class__, (items,)
+
+ def keys(self):
+ return list(self)
+
+ setdefault = DictMixin.setdefault
+ update = DictMixin.update
+ pop = DictMixin.pop
+ values = DictMixin.values
+ items = DictMixin.items
+ iterkeys = DictMixin.iterkeys
+ itervalues = DictMixin.itervalues
+ iteritems = DictMixin.iteritems
+
+ def __repr__(self):
+ if not self:
+ return '%s()' % (self.__class__.__name__,)
+ return '%s(%r)' % (self.__class__.__name__, self.items())
+
+ def copy(self):
+ return self.__class__(self)
+
+ @classmethod
+ def fromkeys(cls, iterable, value=None):
+ d = cls()
+ for key in iterable:
+ d[key] = value
+ return d
+
+ def __eq__(self, other):
+ if isinstance(other, OrderedDict):
+ return len(self)==len(other) and \
+ all(p==q for p, q in zip(self.items(), other.items()))
+ return dict.__eq__(self, other)
+
+ def __ne__(self, other):
+ return not self == other
diff --git a/parrot/lib/python3.10/site-packages/hjson/scanner.py b/parrot/lib/python3.10/site-packages/hjson/scanner.py
new file mode 100644
index 0000000000000000000000000000000000000000..3ece06f5460c3b0c3ad52cef1b32a7b4dcca8919
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/scanner.py
@@ -0,0 +1,56 @@
+"""JSON token scanner
+"""
+import re
+
+__all__ = ['HjsonDecodeError']
+
+class HjsonDecodeError(ValueError):
+ """Subclass of ValueError with the following additional properties:
+
+ msg: The unformatted error message
+ doc: The JSON document being parsed
+ pos: The start index of doc where parsing failed
+ end: The end index of doc where parsing failed (may be None)
+ lineno: The line corresponding to pos
+ colno: The column corresponding to pos
+ endlineno: The line corresponding to end (may be None)
+ endcolno: The column corresponding to end (may be None)
+
+ """
+ # Note that this exception is used from _speedups
+ def __init__(self, msg, doc, pos, end=None):
+ ValueError.__init__(self, errmsg(msg, doc, pos, end=end))
+ self.msg = msg
+ self.doc = doc
+ self.pos = pos
+ self.end = end
+ self.lineno, self.colno = linecol(doc, pos)
+ if end is not None:
+ self.endlineno, self.endcolno = linecol(doc, end)
+ else:
+ self.endlineno, self.endcolno = None, None
+
+ def __reduce__(self):
+ return self.__class__, (self.msg, self.doc, self.pos, self.end)
+
+
+def linecol(doc, pos):
+ lineno = doc.count('\n', 0, pos) + 1
+ if lineno == 1:
+ colno = pos + 1
+ else:
+ colno = pos - doc.rindex('\n', 0, pos)
+ return lineno, colno
+
+
+def errmsg(msg, doc, pos, end=None):
+ lineno, colno = linecol(doc, pos)
+ msg = msg.replace('%r', repr(doc[pos:pos + 1]))
+ if end is None:
+ fmt = '%s: line %d column %d (char %d)'
+ return fmt % (msg, lineno, colno, pos)
+ endlineno, endcolno = linecol(doc, end)
+ fmt = '%s: line %d column %d - line %d column %d (char %d - %d)'
+ return fmt % (msg, lineno, colno, endlineno, endcolno, pos, end)
+
+
diff --git a/parrot/lib/python3.10/site-packages/hjson/tests/test_decode.py b/parrot/lib/python3.10/site-packages/hjson/tests/test_decode.py
new file mode 100644
index 0000000000000000000000000000000000000000..cdab0efa3ecc50817a432e9820eb33c2431b25f3
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/tests/test_decode.py
@@ -0,0 +1,139 @@
+from __future__ import absolute_import
+
+import decimal
+from unittest import TestCase
+
+import hjson as json
+from hjson import OrderedDict
+from hjson.compat import StringIO
+
+
+class TestDecode(TestCase):
+ if not hasattr(TestCase, "assertIs"):
+
+ def assertIs(self, a, b):
+ self.assertTrue(a is b, "%r is %r" % (a, b))
+
+ def test_decimal(self):
+ rval = json.loads("1.1", parse_float=decimal.Decimal)
+ self.assertTrue(isinstance(rval, decimal.Decimal))
+ self.assertEqual(rval, decimal.Decimal("1.1"))
+
+ def test_float(self):
+ rval = json.loads("1", parse_int=float)
+ self.assertTrue(isinstance(rval, float))
+ self.assertEqual(rval, 1.0)
+
+ def test_decoder_optimizations(self):
+ # Several optimizations were made that skip over calls to
+ # the whitespace regex, so this test is designed to try and
+ # exercise the uncommon cases. The array cases are already covered.
+ rval = json.loads('{ "key" : "value" , "k":"v" }')
+ self.assertEqual(rval, {"key": "value", "k": "v"})
+
+ def test_empty_objects(self):
+ s = "{}"
+ self.assertEqual(json.loads(s), eval(s))
+ s = "[]"
+ self.assertEqual(json.loads(s), eval(s))
+ s = '""'
+ self.assertEqual(json.loads(s), eval(s))
+
+ def test_object_pairs_hook(self):
+ s = '{"xkd":1, "kcw":2, "art":3, "hxm":4, "qrt":5, "pad":6, "hoy":7}'
+ p = [
+ ("xkd", 1),
+ ("kcw", 2),
+ ("art", 3),
+ ("hxm", 4),
+ ("qrt", 5),
+ ("pad", 6),
+ ("hoy", 7),
+ ]
+ self.assertEqual(json.loads(s), eval(s))
+ self.assertEqual(json.loads(s, object_pairs_hook=lambda x: x), p)
+ self.assertEqual(json.load(StringIO(s), object_pairs_hook=lambda x: x), p)
+ od = json.loads(s, object_pairs_hook=OrderedDict)
+ self.assertEqual(od, OrderedDict(p))
+ self.assertEqual(type(od), OrderedDict)
+ # the object_pairs_hook takes priority over the object_hook
+ self.assertEqual(
+ json.loads(s, object_pairs_hook=OrderedDict, object_hook=lambda x: None),
+ OrderedDict(p),
+ )
+
+ def check_keys_reuse(self, source, loads):
+ rval = loads(source)
+ (a, b), (c, d) = sorted(rval[0]), sorted(rval[1])
+ self.assertIs(a, c)
+ self.assertIs(b, d)
+
+ def test_keys_reuse_str(self):
+ s = u'[{"a_key": 1, "b_\xe9": 2}, {"a_key": 3, "b_\xe9": 4}]'.encode("utf8")
+ self.check_keys_reuse(s, json.loads)
+
+ def test_keys_reuse_unicode(self):
+ s = u'[{"a_key": 1, "b_\xe9": 2}, {"a_key": 3, "b_\xe9": 4}]'
+ self.check_keys_reuse(s, json.loads)
+
+ def test_empty_strings(self):
+ self.assertEqual(json.loads('""'), "")
+ self.assertEqual(json.loads(u'""'), u"")
+ self.assertEqual(json.loads('[""]'), [""])
+ self.assertEqual(json.loads(u'[""]'), [u""])
+
+ def test_multiline_string(self):
+ s1 = """
+
+hello: '''
+
+'''
+
+"""
+ s2 = """
+
+hello: '''
+'''
+
+"""
+ s3 = """
+
+hello: ''''''
+
+"""
+ s4 = """
+
+hello: ''
+
+"""
+ s5 = """
+
+hello: ""
+
+"""
+ self.assertEqual(json.loads(s1), {"hello": ""})
+ self.assertEqual(json.loads(s2), {"hello": ""})
+ self.assertEqual(json.loads(s3), {"hello": ""})
+ self.assertEqual(json.loads(s4), {"hello": ""})
+ self.assertEqual(json.loads(s5), {"hello": ""})
+
+ def test_raw_decode(self):
+ cls = json.decoder.HjsonDecoder
+ self.assertEqual(({"a": {}}, 9), cls().raw_decode('{"a": {}}'))
+ # http://code.google.com/p/simplejson/issues/detail?id=85
+ self.assertEqual(
+ ({"a": {}}, 9), cls(object_pairs_hook=dict).raw_decode('{"a": {}}')
+ )
+ # https://github.com/simplejson/simplejson/pull/38
+ self.assertEqual(({"a": {}}, 11), cls().raw_decode(' \n{"a": {}}'))
+
+ def test_bounds_checking(self):
+ # https://github.com/simplejson/simplejson/issues/98
+ j = json.decoder.HjsonDecoder()
+ for i in [4, 5, 6, -1, -2, -3, -4, -5, -6]:
+ self.assertRaises(ValueError, j.scan_once, "1234", i)
+ self.assertRaises(ValueError, j.raw_decode, "1234", i)
+ x, y = sorted(["128931233", "472389423"], key=id)
+ diff = id(x) - id(y)
+ self.assertRaises(ValueError, j.scan_once, y, diff)
+ self.assertRaises(ValueError, j.raw_decode, y, i)
diff --git a/parrot/lib/python3.10/site-packages/hjson/tool.py b/parrot/lib/python3.10/site-packages/hjson/tool.py
new file mode 100644
index 0000000000000000000000000000000000000000..0eb273cd871fec8aed213d8dd693af3dfa487096
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/hjson/tool.py
@@ -0,0 +1,79 @@
+r"""Command-line tool to validate and pretty-print JSON
+
+Usage::
+
+ $ echo '{"json":"obj"}' | hjson
+ {
+ "json": "obj"
+ }
+
+"""
+from __future__ import with_statement
+import sys
+import hjson
+
+HELP="""Hjson, a user interface for JSON
+
+Usage:
+ hjson [options]
+ hjson [options]
+ hjson (-h | --help)
+ hjson (-V | --version)
+
+Options:
+ -h --help Show this screen.
+ -j Output as formatted JSON.
+ -c Output as JSON.
+ -V --version Show version.
+""";
+
+def showerr(msg):
+ sys.stderr.write(msg)
+ sys.stderr.write("\n")
+
+def main():
+ format = 'hjson'
+ args = []
+ for arg in sys.argv[1:]:
+ if arg == '-h' or arg == '--help':
+ showerr(HELP)
+ return
+ elif arg == '-j': format = 'json'
+ elif arg == '-c': format = 'compact'
+ elif arg == '-V' or arg == '--version':
+ showerr('Hjson ' + hjson.__version__)
+ return
+
+ elif arg[0] == '-':
+ showerr(HELP)
+ raise SystemExit('unknown option ' + arg)
+ else:
+ args.append(arg)
+
+ outfile = sys.stdout
+ if len(args) == 0:
+ infile = sys.stdin
+ elif len(args) == 1:
+ infile = open(args[0], 'r')
+ else:
+ showerr(HELP)
+ raise SystemExit('unknown options')
+
+ with infile:
+ try:
+ obj = hjson.load(infile, use_decimal=True)
+ except ValueError:
+ raise SystemExit(sys.exc_info()[1])
+
+ with outfile:
+ if format == 'json':
+ hjson.dumpJSON(obj, outfile, ensure_ascii=False, use_decimal=True, indent=' ')
+ elif format == 'compact':
+ hjson.dumpJSON(obj, outfile, ensure_ascii=False, use_decimal=True, separators=(',', ':'))
+ else:
+ hjson.dump(obj, outfile, ensure_ascii=False, use_decimal=True)
+
+ outfile.write('\n')
+
+if __name__ == '__main__':
+ main()
diff --git a/parrot/lib/python3.10/site-packages/isympy.py b/parrot/lib/python3.10/site-packages/isympy.py
new file mode 100644
index 0000000000000000000000000000000000000000..50e9bc78d08904b8c177105ee90d984ea4b01d20
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/isympy.py
@@ -0,0 +1,342 @@
+"""
+Python shell for SymPy.
+
+This is just a normal Python shell (IPython shell if you have the
+IPython package installed), that executes the following commands for
+the user:
+
+ >>> from __future__ import division
+ >>> from sympy import *
+ >>> x, y, z, t = symbols('x y z t')
+ >>> k, m, n = symbols('k m n', integer=True)
+ >>> f, g, h = symbols('f g h', cls=Function)
+ >>> init_printing()
+
+So starting 'isympy' is equivalent to starting Python (or IPython) and
+executing the above commands by hand. It is intended for easy and quick
+experimentation with SymPy. isympy is a good way to use SymPy as an
+interactive calculator. If you have IPython and Matplotlib installed, then
+interactive plotting is enabled by default.
+
+COMMAND LINE OPTIONS
+--------------------
+
+-c CONSOLE, --console=CONSOLE
+
+ Use the specified shell (Python or IPython) shell as the console
+ backend instead of the default one (IPython if present, Python
+ otherwise), e.g.:
+
+ $isympy -c python
+
+ CONSOLE must be one of 'ipython' or 'python'
+
+-p PRETTY, --pretty PRETTY
+
+ Setup pretty-printing in SymPy. When pretty-printing is enabled,
+ expressions can be printed with Unicode or ASCII. The default is
+ to use pretty-printing (with Unicode if the terminal supports it).
+ When this option is 'no', expressions will not be pretty-printed
+ and ASCII will be used:
+
+ $isympy -p no
+
+ PRETTY must be one of 'unicode', 'ascii', or 'no'
+
+-t TYPES, --types=TYPES
+
+ Setup the ground types for the polys. By default, gmpy ground types
+ are used if gmpy2 or gmpy is installed, otherwise it falls back to python
+ ground types, which are a little bit slower. You can manually
+ choose python ground types even if gmpy is installed (e.g., for
+ testing purposes):
+
+ $isympy -t python
+
+ TYPES must be one of 'gmpy', 'gmpy1' or 'python'
+
+ Note that the ground type gmpy1 is primarily intended for testing; it
+ forces the use of gmpy version 1 even if gmpy2 is available.
+
+ This is the same as setting the environment variable
+ SYMPY_GROUND_TYPES to the given ground type (e.g.,
+ SYMPY_GROUND_TYPES='gmpy')
+
+ The ground types can be determined interactively from the variable
+ sympy.polys.domains.GROUND_TYPES.
+
+-o ORDER, --order ORDER
+
+ Setup the ordering of terms for printing. The default is lex, which
+ orders terms lexicographically (e.g., x**2 + x + 1). You can choose
+ other orderings, such as rev-lex, which will use reverse
+ lexicographic ordering (e.g., 1 + x + x**2):
+
+ $isympy -o rev-lex
+
+ ORDER must be one of 'lex', 'rev-lex', 'grlex', 'rev-grlex',
+ 'grevlex', 'rev-grevlex', 'old', or 'none'.
+
+ Note that for very large expressions, ORDER='none' may speed up
+ printing considerably but the terms will have no canonical order.
+
+-q, --quiet
+
+ Print only Python's and SymPy's versions to stdout at startup.
+
+-d, --doctest
+
+ Use the same format that should be used for doctests. This is
+ equivalent to -c python -p no.
+
+-C, --no-cache
+
+ Disable the caching mechanism. Disabling the cache may slow certain
+ operations down considerably. This is useful for testing the cache,
+ or for benchmarking, as the cache can result in deceptive timings.
+
+ This is equivalent to setting the environment variable
+ SYMPY_USE_CACHE to 'no'.
+
+-a, --auto-symbols (requires at least IPython 0.11)
+
+ Automatically create missing symbols. Normally, typing a name of a
+ Symbol that has not been instantiated first would raise NameError,
+ but with this option enabled, any undefined name will be
+ automatically created as a Symbol.
+
+ Note that this is intended only for interactive, calculator style
+ usage. In a script that uses SymPy, Symbols should be instantiated
+ at the top, so that it's clear what they are.
+
+ This will not override any names that are already defined, which
+ includes the single character letters represented by the mnemonic
+ QCOSINE (see the "Gotchas and Pitfalls" document in the
+ documentation). You can delete existing names by executing "del
+ name". If a name is defined, typing "'name' in dir()" will return True.
+
+ The Symbols that are created using this have default assumptions.
+ If you want to place assumptions on symbols, you should create them
+ using symbols() or var().
+
+ Finally, this only works in the top level namespace. So, for
+ example, if you define a function in isympy with an undefined
+ Symbol, it will not work.
+
+ See also the -i and -I options.
+
+-i, --int-to-Integer (requires at least IPython 0.11)
+
+ Automatically wrap int literals with Integer. This makes it so that
+ things like 1/2 will come out as Rational(1, 2), rather than 0.5. This
+ works by preprocessing the source and wrapping all int literals with
+ Integer. Note that this will not change the behavior of int literals
+ assigned to variables, and it also won't change the behavior of functions
+ that return int literals.
+
+ If you want an int, you can wrap the literal in int(), e.g. int(3)/int(2)
+ gives 1.5 (with division imported from __future__).
+
+-I, --interactive (requires at least IPython 0.11)
+
+ This is equivalent to --auto-symbols --int-to-Integer. Future options
+ designed for ease of interactive use may be added to this.
+
+-D, --debug
+
+ Enable debugging output. This is the same as setting the
+ environment variable SYMPY_DEBUG to 'True'. The debug status is set
+ in the variable SYMPY_DEBUG within isympy.
+
+-- IPython options
+
+ Additionally you can pass command line options directly to the IPython
+ interpreter (the standard Python shell is not supported). However you
+ need to add the '--' separator between two types of options, e.g the
+ startup banner option and the colors option. You need to enter the
+ options as required by the version of IPython that you are using, too:
+
+ in IPython 0.11,
+
+ $isympy -q -- --colors=NoColor
+
+ or older versions of IPython,
+
+ $isympy -q -- -colors NoColor
+
+See also isympy --help.
+"""
+
+import os
+import sys
+
+# DO NOT IMPORT SYMPY HERE! Or the setting of the sympy environment variables
+# by the command line will break.
+
+def main() -> None:
+ from argparse import ArgumentParser, RawDescriptionHelpFormatter
+
+ VERSION = None
+ if '--version' in sys.argv:
+ # We cannot import sympy before this is run, because flags like -C and
+ # -t set environment variables that must be set before SymPy is
+ # imported. The only thing we need to import it for is to get the
+ # version, which only matters with the --version flag.
+ import sympy
+ VERSION = sympy.__version__
+
+ usage = 'isympy [options] -- [ipython options]'
+ parser = ArgumentParser(
+ usage=usage,
+ description=__doc__,
+ formatter_class=RawDescriptionHelpFormatter,
+ )
+
+ parser.add_argument('--version', action='version', version=VERSION)
+
+ parser.add_argument(
+ '-c', '--console',
+ dest='console',
+ action='store',
+ default=None,
+ choices=['ipython', 'python'],
+ metavar='CONSOLE',
+ help='select type of interactive session: ipython | python; defaults '
+ 'to ipython if IPython is installed, otherwise python')
+
+ parser.add_argument(
+ '-p', '--pretty',
+ dest='pretty',
+ action='store',
+ default=None,
+ metavar='PRETTY',
+ choices=['unicode', 'ascii', 'no'],
+ help='setup pretty printing: unicode | ascii | no; defaults to '
+ 'unicode printing if the terminal supports it, otherwise ascii')
+
+ parser.add_argument(
+ '-t', '--types',
+ dest='types',
+ action='store',
+ default=None,
+ metavar='TYPES',
+ choices=['gmpy', 'gmpy1', 'python'],
+ help='setup ground types: gmpy | gmpy1 | python; defaults to gmpy if gmpy2 '
+ 'or gmpy is installed, otherwise python')
+
+ parser.add_argument(
+ '-o', '--order',
+ dest='order',
+ action='store',
+ default=None,
+ metavar='ORDER',
+ choices=['lex', 'grlex', 'grevlex', 'rev-lex', 'rev-grlex', 'rev-grevlex', 'old', 'none'],
+ help='setup ordering of terms: [rev-]lex | [rev-]grlex | [rev-]grevlex | old | none; defaults to lex')
+
+ parser.add_argument(
+ '-q', '--quiet',
+ dest='quiet',
+ action='store_true',
+ default=False,
+ help='print only version information at startup')
+
+ parser.add_argument(
+ '-d', '--doctest',
+ dest='doctest',
+ action='store_true',
+ default=False,
+ help='use the doctest format for output (you can just copy and paste it)')
+
+ parser.add_argument(
+ '-C', '--no-cache',
+ dest='cache',
+ action='store_false',
+ default=True,
+ help='disable caching mechanism')
+
+ parser.add_argument(
+ '-a', '--auto-symbols',
+ dest='auto_symbols',
+ action='store_true',
+ default=False,
+ help='automatically construct missing symbols')
+
+ parser.add_argument(
+ '-i', '--int-to-Integer',
+ dest='auto_int_to_Integer',
+ action='store_true',
+ default=False,
+ help="automatically wrap int literals with Integer")
+
+ parser.add_argument(
+ '-I', '--interactive',
+ dest='interactive',
+ action='store_true',
+ default=False,
+ help="equivalent to -a -i")
+
+ parser.add_argument(
+ '-D', '--debug',
+ dest='debug',
+ action='store_true',
+ default=False,
+ help='enable debugging output')
+
+ (options, ipy_args) = parser.parse_known_args()
+ if '--' in ipy_args:
+ ipy_args.remove('--')
+
+ if not options.cache:
+ os.environ['SYMPY_USE_CACHE'] = 'no'
+
+ if options.types:
+ os.environ['SYMPY_GROUND_TYPES'] = options.types
+
+ if options.debug:
+ os.environ['SYMPY_DEBUG'] = str(options.debug)
+
+ if options.doctest:
+ options.pretty = 'no'
+ options.console = 'python'
+
+ session = options.console
+
+ if session is not None:
+ ipython = session == 'ipython'
+ else:
+ try:
+ import IPython
+ ipython = True
+ except ImportError:
+ if not options.quiet:
+ from sympy.interactive.session import no_ipython
+ print(no_ipython)
+ ipython = False
+
+ args = {
+ 'pretty_print': True,
+ 'use_unicode': None,
+ 'use_latex': None,
+ 'order': None,
+ 'argv': ipy_args,
+ }
+
+ if options.pretty == 'unicode':
+ args['use_unicode'] = True
+ elif options.pretty == 'ascii':
+ args['use_unicode'] = False
+ elif options.pretty == 'no':
+ args['pretty_print'] = False
+
+ if options.order is not None:
+ args['order'] = options.order
+
+ args['quiet'] = options.quiet
+ args['auto_symbols'] = options.auto_symbols or options.interactive
+ args['auto_int_to_Integer'] = options.auto_int_to_Integer or options.interactive
+
+ from sympy.interactive import init_session
+ init_session(ipython, **args)
+
+if __name__ == "__main__":
+ main()
diff --git a/parrot/lib/python3.10/site-packages/polyleven.cpython-310-x86_64-linux-gnu.so b/parrot/lib/python3.10/site-packages/polyleven.cpython-310-x86_64-linux-gnu.so
new file mode 100644
index 0000000000000000000000000000000000000000..b38c4cd64f6d9ace248d9eac13dd3b2a1f8dfe00
Binary files /dev/null and b/parrot/lib/python3.10/site-packages/polyleven.cpython-310-x86_64-linux-gnu.so differ
diff --git a/parrot/lib/python3.10/site-packages/py.typed b/parrot/lib/python3.10/site-packages/py.typed
new file mode 100644
index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/INSTALLER b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/INSTALLER
new file mode 100644
index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/INSTALLER
@@ -0,0 +1 @@
+pip
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/LICENSE.txt b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/LICENSE.txt
new file mode 100644
index 0000000000000000000000000000000000000000..2e0a3a95fe1861fd5d778adaa73ccddbc0af62fe
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/LICENSE.txt
@@ -0,0 +1,27 @@
+Copyright (c) 2011-2024, NVIDIA Corporation.
+All rights reserved.
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are met:
+
+* Redistributions of source code must retain the above copyright notice, this
+ list of conditions and the following disclaimer.
+
+* Redistributions in binary form must reproduce the above copyright notice,
+ this list of conditions and the following disclaimer in the documentation
+ and/or other materials provided with the distribution.
+
+* Neither the name of staged-recipes nor the names of its
+ contributors may be used to endorse or promote products derived from
+ this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
+AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
+DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
+FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
+SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
+CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
+OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/METADATA b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/METADATA
new file mode 100644
index 0000000000000000000000000000000000000000..e5549d8f58831ffe65faee2b7df3c41d01873a2a
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/METADATA
@@ -0,0 +1,154 @@
+Metadata-Version: 2.1
+Name: pynvml
+Version: 12.0.0
+Summary: Python utilities for the NVIDIA Management Library
+Author: NVIDIA Corporation
+License: BSD-3-Clause
+Project-URL: Homepage, https://github.com/gpuopenanalytics/pynvml
+Project-URL: Source, https://github.com/gpuopenanalytics/pynvml
+Classifier: Development Status :: 7 - Inactive
+Classifier: Intended Audience :: Developers
+Classifier: Intended Audience :: System Administrators
+Classifier: License :: OSI Approved :: BSD License
+Classifier: Operating System :: Microsoft :: Windows
+Classifier: Operating System :: POSIX :: Linux
+Classifier: Programming Language :: Python
+Classifier: Topic :: Software Development :: Libraries :: Python Modules
+Classifier: Topic :: System :: Hardware
+Classifier: Topic :: System :: Systems Administration
+Classifier: Programming Language :: Python :: 3
+Requires-Python: >=3.9
+Description-Content-Type: text/markdown
+License-File: LICENSE.txt
+Requires-Dist: nvidia-ml-py<13.0.0a0,>=12.0.0
+Provides-Extra: test
+Requires-Dist: pytest>=3.6; extra == "test"
+Requires-Dist: pytest-runner; extra == "test"
+Requires-Dist: pytest-cov; extra == "test"
+
+> [!WARNING]
+>
+> **The `pynvml` module is NOT developed or maintained in this project!**
+>
+> This project provides unofficial NVML Python utilities (i.e. the `pynvml_utils` module).
+> The `pynvml_utils` module is intended for demonstration purposes only.
+> There is no guarantee for long-term maintenence or support.
+>
+> The `pynvml_utils` module depends on the official NVML bindings
+> published by NVIDIA under a different `nvidia-ml-py` project
+> (see: https://pypi.org/project/nvidia-ml-py/).
+>
+
+
+Python utilities for the NVIDIA Management Library
+===============================================================
+
+This project provides unofficial Python utilities for the
+NVIDIA Management Library (NVML).
+
+For information about the NVML library, see the NVML developer page
+http://developer.nvidia.com/nvidia-management-library-nvml
+
+
+Requires
+--------
+`nvidia-ml-py`.
+
+
+Installation
+------------
+
+ pip install .
+
+Usage
+-----
+
+Bindings for the high-level `nvidia-smi` API are available
+in `pynvml_utils.nvidia_smi`:
+
+> [!WARNING]
+> The `nvidia_smi` module is intended for demonstration purposes only.
+> There is no guarantee for long-term maintenence or support.
+
+```python
+from pynvml_utils import nvidia_smi
+nvsmi = nvidia_smi.getInstance()
+nvsmi.DeviceQuery('memory.free, memory.total')
+```
+
+```python
+from pynvml_utils import nvidia_smi
+nvsmi = nvidia_smi.getInstance()
+print(nvsmi.DeviceQuery('--help-query-gpu'), end='\n')
+```
+
+Release Notes
+-------------
+
+- Version 12.0.0
+ - Remove pynvml module and depend on nvidia-ml-py instead
+ - Pin to nvidia-ml-py>=12.0.0,<13.0.0a0
+
+
+Old Releases
+------------
+
+- Version 2.285.0
+ - Added new functions for NVML 2.285. See NVML documentation for more information.
+ - Ported to support Python 3.0 and Python 2.0 syntax.
+ - Added nvidia_smi.py tool as a sample app.
+- Version 3.295.0
+ - Added new functions for NVML 3.295. See NVML documentation for more information.
+ - Updated nvidia_smi.py tool
+ - Includes additional error handling
+- Version 4.304.0
+ - Added new functions for NVML 4.304. See NVML documentation for more information.
+ - Updated nvidia_smi.py tool
+- Version 4.304.3
+ - Fixing nvmlUnitGetDeviceCount bug
+- Version 5.319.0
+ - Added new functions for NVML 5.319. See NVML documentation for more information.
+- Version 6.340.0
+ - Added new functions for NVML 6.340. See NVML documentation for more information.
+- Version 7.346.0
+ - Added new functions for NVML 7.346. See NVML documentation for more information.
+- Version 7.352.0
+ - Added new functions for NVML 7.352. See NVML documentation for more information.
+- Version 8.0.0
+ - Refactor code to a nvidia_smi singleton class
+ - Added DeviceQuery that returns a dictionary of (name, value).
+ - Added filter parameters on DeviceQuery to match query api in nvidia-smi
+ - Added filter parameters on XmlDeviceQuery to match query api in nvidia-smi
+ - Added integer enumeration for filter strings to reduce overhead for performance monitoring.
+ - Added loop(filter) method with async and callback support
+- Version 8.0.1
+ - Restructuring directories into two packages (pynvml and nvidia_smi)
+ - Adding initial tests for both packages
+ - Some name-convention cleanup in pynvml
+- Version 8.0.2
+ - Added NVLink function wrappers for pynvml module
+- Version 8.0.3
+ - Added versioneer
+ - Fixed nvmlDeviceGetNvLinkUtilizationCounter bug
+- Version 8.0.4
+ - Added nvmlDeviceGetTotalEnergyConsumption
+ - Added notes about NVML permissions
+ - Fixed version-check testing
+- Version 11.0.0
+ - Updated nvml.py to CUDA 11
+ - Updated smi.py DeviceQuery to R460
+ - Aligned nvml.py with latest nvidia-ml-py deployment
+- Version 11.4.0
+ - Updated nvml.py to CUDA 11.4
+ - Updated smi.py NVML_BRAND_NAMES
+ - Aligned nvml.py with latest nvidia-ml-py deployment (11.495.46)
+- Version 11.4.1
+ - Fix comma bugs in nvml.py
+- Version 11.5.0
+ - Updated nvml.py to support CUDA 11.5 and CUDA 12
+ - Aligned with latest nvidia-ml-py deployment (11.525.84)
+- Version 11.5.2
+ - Relocated smi bindings to new pynvml_utils module
+ - Updated README to encourage migration to nvidia-ml-py
+- Version 11.5.3
+ - Update versioneer
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/RECORD b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/RECORD
new file mode 100644
index 0000000000000000000000000000000000000000..8b16bd3b751c48092514b59a5545d2c9c664c245
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/RECORD
@@ -0,0 +1,14 @@
+pynvml-12.0.0.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
+pynvml-12.0.0.dist-info/LICENSE.txt,sha256=gXj--65Fdo4eo8z61E_xNOHqMO1O2u1OENO2xW4SAu0,1496
+pynvml-12.0.0.dist-info/METADATA,sha256=TI5OZVPRmiBywJTLYy_CqTn4-hoJv7mWcMtbyP0juYs,5420
+pynvml-12.0.0.dist-info/RECORD,,
+pynvml-12.0.0.dist-info/WHEEL,sha256=PZUExdf71Ui_so67QXpySuHtCi3-J3wvF4ORK6k_S8U,91
+pynvml-12.0.0.dist-info/top_level.txt,sha256=jzuf0rTExALezG7qEZaLvJ28GFabMuxFnPv5V0YJ3q4,13
+pynvml_utils/__init__.py,sha256=HEz95e4MaZuyIKOk27u9yAVkDIRun8EkQ7RDFdvNFPY,52
+pynvml_utils/__pycache__/__init__.cpython-310.pyc,,
+pynvml_utils/__pycache__/smi.cpython-310.pyc,,
+pynvml_utils/smi.py,sha256=NmMrRC9AZkc16XviWReVtIt4dA4taRbtgAMlu_TRi9g,127334
+pynvml_utils/tests/__pycache__/test_nvml.cpython-310.pyc,,
+pynvml_utils/tests/__pycache__/test_smi.cpython-310.pyc,,
+pynvml_utils/tests/test_nvml.py,sha256=D8g8M-OyjGUIaRsY1BHtm64jrWgHPdkXQwnpLzTvdt4,16073
+pynvml_utils/tests/test_smi.py,sha256=33h5BGyNymWAcURf7MMmfR2nVpUKUWOVjOPoOtRWIv4,1645
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/WHEEL b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/WHEEL
new file mode 100644
index 0000000000000000000000000000000000000000..ae527e7d64811439e61b93aa375defb30e06edfe
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/WHEEL
@@ -0,0 +1,5 @@
+Wheel-Version: 1.0
+Generator: setuptools (75.6.0)
+Root-Is-Purelib: true
+Tag: py3-none-any
+
diff --git a/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/top_level.txt b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/top_level.txt
new file mode 100644
index 0000000000000000000000000000000000000000..d23b0a6e90f00c327b329111ff803ddbf3a4346a
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pynvml-12.0.0.dist-info/top_level.txt
@@ -0,0 +1 @@
+pynvml_utils
diff --git a/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/INSTALLER b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/INSTALLER
new file mode 100644
index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/INSTALLER
@@ -0,0 +1 @@
+pip
diff --git a/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/METADATA b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/METADATA
new file mode 100644
index 0000000000000000000000000000000000000000..1aa7a1fc04cb614607f04b86d27eebcf98b7db12
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/METADATA
@@ -0,0 +1,127 @@
+Metadata-Version: 2.1
+Name: pyparsing
+Version: 3.1.4
+Summary: pyparsing module - Classes and methods to define and execute parsing grammars
+Author-email: Paul McGuire
+Requires-Python: >=3.6.8
+Description-Content-Type: text/x-rst
+Classifier: Development Status :: 5 - Production/Stable
+Classifier: Intended Audience :: Developers
+Classifier: Intended Audience :: Information Technology
+Classifier: License :: OSI Approved :: MIT License
+Classifier: Operating System :: OS Independent
+Classifier: Programming Language :: Python
+Classifier: Programming Language :: Python :: 3
+Classifier: Programming Language :: Python :: 3.6
+Classifier: Programming Language :: Python :: 3.7
+Classifier: Programming Language :: Python :: 3.8
+Classifier: Programming Language :: Python :: 3.9
+Classifier: Programming Language :: Python :: 3.10
+Classifier: Programming Language :: Python :: 3.11
+Classifier: Programming Language :: Python :: 3.12
+Classifier: Programming Language :: Python :: 3.13
+Classifier: Programming Language :: Python :: 3 :: Only
+Classifier: Programming Language :: Python :: Implementation :: CPython
+Classifier: Programming Language :: Python :: Implementation :: PyPy
+Classifier: Topic :: Software Development :: Compilers
+Classifier: Topic :: Text Processing
+Classifier: Typing :: Typed
+Requires-Dist: railroad-diagrams ; extra == "diagrams"
+Requires-Dist: jinja2 ; extra == "diagrams"
+Project-URL: Homepage, https://github.com/pyparsing/pyparsing/
+Provides-Extra: diagrams
+
+PyParsing -- A Python Parsing Module
+====================================
+
+|Version| |Build Status| |Coverage| |License| |Python Versions| |Snyk Score|
+
+Introduction
+============
+
+The pyparsing module is an alternative approach to creating and
+executing simple grammars, vs. the traditional lex/yacc approach, or the
+use of regular expressions. The pyparsing module provides a library of
+classes that client code uses to construct the grammar directly in
+Python code.
+
+*[Since first writing this description of pyparsing in late 2003, this
+technique for developing parsers has become more widespread, under the
+name Parsing Expression Grammars - PEGs. See more information on PEGs*
+`here `__
+*.]*
+
+Here is a program to parse ``"Hello, World!"`` (or any greeting of the form
+``"salutation, addressee!"``):
+
+.. code:: python
+
+ from pyparsing import Word, alphas
+ greet = Word(alphas) + "," + Word(alphas) + "!"
+ hello = "Hello, World!"
+ print(hello, "->", greet.parseString(hello))
+
+The program outputs the following::
+
+ Hello, World! -> ['Hello', ',', 'World', '!']
+
+The Python representation of the grammar is quite readable, owing to the
+self-explanatory class names, and the use of '+', '|' and '^' operator
+definitions.
+
+The parsed results returned from ``parseString()`` is a collection of type
+``ParseResults``, which can be accessed as a
+nested list, a dictionary, or an object with named attributes.
+
+The pyparsing module handles some of the problems that are typically
+vexing when writing text parsers:
+
+- extra or missing whitespace (the above program will also handle ``"Hello,World!"``, ``"Hello , World !"``, etc.)
+- quoted strings
+- embedded comments
+
+The examples directory includes a simple SQL parser, simple CORBA IDL
+parser, a config file parser, a chemical formula parser, and a four-
+function algebraic notation parser, among many others.
+
+Documentation
+=============
+
+There are many examples in the online docstrings of the classes
+and methods in pyparsing. You can find them compiled into `online docs `__. Additional
+documentation resources and project info are listed in the online
+`GitHub wiki `__. An
+entire directory of examples can be found `here `__.
+
+License
+=======
+
+MIT License. See header of the `pyparsing __init__.py `__ file.
+
+History
+=======
+
+See `CHANGES `__ file.
+
+.. |Build Status| image:: https://github.com/pyparsing/pyparsing/actions/workflows/ci.yml/badge.svg
+ :target: https://github.com/pyparsing/pyparsing/actions/workflows/ci.yml
+
+.. |Coverage| image:: https://codecov.io/gh/pyparsing/pyparsing/branch/master/graph/badge.svg
+ :target: https://codecov.io/gh/pyparsing/pyparsing
+
+.. |Version| image:: https://img.shields.io/pypi/v/pyparsing?style=flat-square
+ :target: https://pypi.org/project/pyparsing/
+ :alt: Version
+
+.. |License| image:: https://img.shields.io/pypi/l/pyparsing.svg?style=flat-square
+ :target: https://pypi.org/project/pyparsing/
+ :alt: License
+
+.. |Python Versions| image:: https://img.shields.io/pypi/pyversions/pyparsing.svg?style=flat-square
+ :target: https://pypi.org/project/python-liquid/
+ :alt: Python versions
+
+.. |Snyk Score| image:: https://snyk.io//advisor/python/pyparsing/badge.svg
+ :target: https://snyk.io//advisor/python/pyparsing
+ :alt: pyparsing
+
diff --git a/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/RECORD b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/RECORD
new file mode 100644
index 0000000000000000000000000000000000000000..82f77d227f626dcb875aa31b72fcd78ba5760db3
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/RECORD
@@ -0,0 +1,29 @@
+pyparsing-3.1.4.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
+pyparsing-3.1.4.dist-info/LICENSE,sha256=ENUSChaAWAT_2otojCIL-06POXQbVzIGBNRVowngGXI,1023
+pyparsing-3.1.4.dist-info/METADATA,sha256=uVefJ30sVI7P9x_7YDcCdJL1BKvWQzqcmcVUr8Cb1cM,5141
+pyparsing-3.1.4.dist-info/RECORD,,
+pyparsing-3.1.4.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+pyparsing-3.1.4.dist-info/WHEEL,sha256=EZbGkh7Ie4PoZfRQ8I0ZuP9VklN_TvcZ6DSE5Uar4z4,81
+pyparsing/__init__.py,sha256=vv5sda_9o4skaj2ckqhi1wcwlEEP35r32FJYwdGPQQo,9139
+pyparsing/__pycache__/__init__.cpython-310.pyc,,
+pyparsing/__pycache__/actions.cpython-310.pyc,,
+pyparsing/__pycache__/common.cpython-310.pyc,,
+pyparsing/__pycache__/core.cpython-310.pyc,,
+pyparsing/__pycache__/exceptions.cpython-310.pyc,,
+pyparsing/__pycache__/helpers.cpython-310.pyc,,
+pyparsing/__pycache__/results.cpython-310.pyc,,
+pyparsing/__pycache__/testing.cpython-310.pyc,,
+pyparsing/__pycache__/unicode.cpython-310.pyc,,
+pyparsing/__pycache__/util.cpython-310.pyc,,
+pyparsing/actions.py,sha256=-Iiu_AfZwvwhAk6h0yJ0BZP-fGfHh47N-h6DmztRcbY,6582
+pyparsing/common.py,sha256=Ny4ppPSevJeeilDDyoQULI2DW_ZPvJrLpTYcVwh9qzg,13662
+pyparsing/core.py,sha256=p5XQ97ycjZZq9Qo75SC9D55CFWB_Ouy-JMEVW56L_RQ,228623
+pyparsing/diagram/__init__.py,sha256=gv0zxQD43U1n6gJMjHH5vbFRBVoWhy-5X4cHGNGjQFg,25117
+pyparsing/diagram/__pycache__/__init__.cpython-310.pyc,,
+pyparsing/exceptions.py,sha256=KvFm0qqjwSlVtrQGbvAxFEVDFbHv0MOd13hnbsyxFOw,9532
+pyparsing/helpers.py,sha256=E01uXtvDCxd5uizCW2ImM2iW3m1KiTPPODjO3LMNr6E,38900
+pyparsing/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+pyparsing/results.py,sha256=vL1iIttPN86-0DoF5F91_dT4YF7Eec2mpV6cc2T8JgE,25692
+pyparsing/testing.py,sha256=76XAx8JRLD8lLfYbrZN4QwOphlYX16R8oyO3_qgyEYA,13802
+pyparsing/unicode.py,sha256=vszIZDsaNiov4q1o7wr4lyqUM1pK9zvjTyrj9VWt7XY,10597
+pyparsing/util.py,sha256=Ki6NBjCuvQlj8Lh5KEtXddKEYP7khFTkL_F5yKxV_Tg,8440
diff --git a/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/REQUESTED b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/REQUESTED
new file mode 100644
index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391
diff --git a/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/WHEEL b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/WHEEL
new file mode 100644
index 0000000000000000000000000000000000000000..3b5e64b5e6c4a210201d1676a891fd57b15cda99
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/pyparsing-3.1.4.dist-info/WHEEL
@@ -0,0 +1,4 @@
+Wheel-Version: 1.0
+Generator: flit 3.9.0
+Root-Is-Purelib: true
+Tag: py3-none-any
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/__init__.py b/parrot/lib/python3.10/site-packages/sentencepiece/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..e028957ddc4affef83a39588158359020fd31f83
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/sentencepiece/__init__.py
@@ -0,0 +1,1224 @@
+# This file was automatically generated by SWIG (https://www.swig.org).
+# Version 4.1.0
+#
+# Do not make changes to this file unless you know what you are doing - modify
+# the SWIG interface file instead.
+
+from sys import version_info as _swig_python_version_info
+# Import the low-level C/C++ module
+if __package__ or "." in __name__:
+ from . import _sentencepiece
+else:
+ import _sentencepiece
+
+try:
+ import builtins as __builtin__
+except ImportError:
+ import __builtin__
+
+def _swig_repr(self):
+ try:
+ strthis = "proxy of " + self.this.__repr__()
+ except __builtin__.Exception:
+ strthis = ""
+ return "<%s.%s; %s >" % (self.__class__.__module__, self.__class__.__name__, strthis,)
+
+
+def _swig_setattr_nondynamic_instance_variable(set):
+ def set_instance_attr(self, name, value):
+ if name == "this":
+ set(self, name, value)
+ elif name == "thisown":
+ self.this.own(value)
+ elif hasattr(self, name) and isinstance(getattr(type(self), name), property):
+ set(self, name, value)
+ else:
+ raise AttributeError("You cannot add instance attributes to %s" % self)
+ return set_instance_attr
+
+
+def _swig_setattr_nondynamic_class_variable(set):
+ def set_class_attr(cls, name, value):
+ if hasattr(cls, name) and not isinstance(getattr(cls, name), property):
+ set(cls, name, value)
+ else:
+ raise AttributeError("You cannot add class attributes to %s" % cls)
+ return set_class_attr
+
+
+def _swig_add_metaclass(metaclass):
+ """Class decorator for adding a metaclass to a SWIG wrapped class - a slimmed down version of six.add_metaclass"""
+ def wrapper(cls):
+ return metaclass(cls.__name__, cls.__bases__, cls.__dict__.copy())
+ return wrapper
+
+
+class _SwigNonDynamicMeta(type):
+ """Meta class to enforce nondynamic attributes (no new attributes) for a class"""
+ __setattr__ = _swig_setattr_nondynamic_class_variable(type.__setattr__)
+
+
+class ImmutableSentencePieceText_ImmutableSentencePiece(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+ __repr__ = _swig_repr
+
+ def __init__(self):
+ _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece_swiginit(self, _sentencepiece.new_ImmutableSentencePieceText_ImmutableSentencePiece())
+ __swig_destroy__ = _sentencepiece.delete_ImmutableSentencePieceText_ImmutableSentencePiece
+
+ def _piece(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__piece(self)
+
+ def _surface(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__surface(self)
+
+ def _id(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__id(self)
+
+ def _begin(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__begin(self)
+
+ def _end(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__end(self)
+
+ def _surface_as_bytes(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__surface_as_bytes(self)
+
+ def _piece_as_bytes(self):
+ return _sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece__piece_as_bytes(self)
+
+ piece = property(_piece)
+ piece_as_bytes = property(_piece_as_bytes)
+ surface = property(_surface)
+ surface_as_bytes = property(_surface_as_bytes)
+ id = property(_id)
+ begin = property(_begin)
+ end = property(_end)
+
+ def __str__(self):
+ return ('piece: \"{}\"\n'
+ 'id: {}\n'
+ 'surface: \"{}\"\n'
+ 'begin: {}\n'
+ 'end: {}\n').format(self.piece, self.id, self.surface,
+ self.begin, self.end)
+
+ def __eq__(self, other):
+ return self.piece == other.piece and self.id == other.id and self.surface == other.surface and self.begin == other.begin and self.end == other.end
+
+ def __hash__(self):
+ return hash(str(self))
+
+ __repr__ = __str__
+
+
+# Register ImmutableSentencePieceText_ImmutableSentencePiece in _sentencepiece:
+_sentencepiece.ImmutableSentencePieceText_ImmutableSentencePiece_swigregister(ImmutableSentencePieceText_ImmutableSentencePiece)
+class ImmutableSentencePieceText(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+ __repr__ = _swig_repr
+
+ def __init__(self):
+ _sentencepiece.ImmutableSentencePieceText_swiginit(self, _sentencepiece.new_ImmutableSentencePieceText())
+ __swig_destroy__ = _sentencepiece.delete_ImmutableSentencePieceText
+
+ def _pieces_size(self):
+ return _sentencepiece.ImmutableSentencePieceText__pieces_size(self)
+
+ def _pieces(self, index):
+ return _sentencepiece.ImmutableSentencePieceText__pieces(self, index)
+
+ def _text(self):
+ return _sentencepiece.ImmutableSentencePieceText__text(self)
+
+ def _score(self):
+ return _sentencepiece.ImmutableSentencePieceText__score(self)
+
+ def SerializeAsString(self):
+ return _sentencepiece.ImmutableSentencePieceText_SerializeAsString(self)
+
+ def _text_as_bytes(self):
+ return _sentencepiece.ImmutableSentencePieceText__text_as_bytes(self)
+
+ text = property(_text)
+ text_as_bytes = property(_text_as_bytes)
+ score = property(_score)
+
+ class ImmutableSentencePieceIterator:
+ def __init__(self, proto):
+ self.proto = proto
+ self.len = self.proto._pieces_size()
+
+ def __len__(self):
+ return self.len
+
+ def __getitem__(self, index):
+ if isinstance(index, slice):
+ return [self.proto._pieces(i) for i in range(self.len)][index.start:index.stop:index.step]
+ if index < 0:
+ index = index + self.len
+ if index < 0 or index >= self.len:
+ raise IndexError('piece index is out of range')
+ return self.proto._pieces(index)
+
+ def __str__(self):
+ return '\n'.join(['pieces {{\n{}}}'.format(str(x)) for x in self])
+
+ __repr__ = __str__
+
+ @property
+ def pieces(self):
+ return ImmutableSentencePieceText.ImmutableSentencePieceIterator(self)
+
+ def __eq__(self, other):
+ return self.SerializeAsString() == other.SerializeAsString()
+
+ def __hash__(self):
+ return hash(self.SerializeAsString())
+
+ def __str__(self):
+ return ('text: \"{}\"\n'
+ 'score: {}\n'
+ '{}').format(self.text, self.score,
+ '\n'.join(['pieces {{\n{}}}'.format(str(x)) for x in self.pieces]))
+
+ __repr__ = __str__
+
+
+# Register ImmutableSentencePieceText in _sentencepiece:
+_sentencepiece.ImmutableSentencePieceText_swigregister(ImmutableSentencePieceText)
+class ImmutableNBestSentencePieceText(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+ __repr__ = _swig_repr
+
+ def __init__(self):
+ _sentencepiece.ImmutableNBestSentencePieceText_swiginit(self, _sentencepiece.new_ImmutableNBestSentencePieceText())
+ __swig_destroy__ = _sentencepiece.delete_ImmutableNBestSentencePieceText
+
+ def _nbests_size(self):
+ return _sentencepiece.ImmutableNBestSentencePieceText__nbests_size(self)
+
+ def _nbests(self, index):
+ return _sentencepiece.ImmutableNBestSentencePieceText__nbests(self, index)
+
+ def SerializeAsString(self):
+ return _sentencepiece.ImmutableNBestSentencePieceText_SerializeAsString(self)
+
+ class ImmutableSentencePieceTextIterator:
+ def __init__(self, proto):
+ self.proto = proto
+ self.len = self.proto._nbests_size()
+
+ def __len__(self):
+ return self.len
+
+ def __getitem__(self, index):
+ if isinstance(index, slice):
+ return [self.proto._nbests(i) for i in range(self.len)][index.start:index.stop:index.step]
+ if index < 0:
+ index = index + self.len
+ if index < 0 or index >= self.len:
+ raise IndexError('nbests index is out of range')
+ return self.proto._nbests(index)
+
+ def __str__(self):
+ return '\n'.join(['nbests {{\n{}}}'.format(str(x)) for x in self])
+
+ __repr__ = __str__
+
+ @property
+ def nbests(self):
+ return ImmutableNBestSentencePieceText.ImmutableSentencePieceTextIterator(self)
+
+ def __eq__(self, other):
+ return self.SerializeAsString() == other.SerializeAsString()
+
+ def __hash__(self):
+ return hash(self.SerializeAsString())
+
+ def __str__(self):
+ return '\n'.join(['nbests {{\n{}}}'.format(str(x)) for x in self.nbests])
+
+ __repr__ = __str__
+
+
+# Register ImmutableNBestSentencePieceText in _sentencepiece:
+_sentencepiece.ImmutableNBestSentencePieceText_swigregister(ImmutableNBestSentencePieceText)
+class SentencePieceProcessor(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+ __repr__ = _swig_repr
+
+ def __init__(self):
+ _sentencepiece.SentencePieceProcessor_swiginit(self, _sentencepiece.new_SentencePieceProcessor())
+ __swig_destroy__ = _sentencepiece.delete_SentencePieceProcessor
+
+ def LoadFromSerializedProto(self, serialized):
+ return _sentencepiece.SentencePieceProcessor_LoadFromSerializedProto(self, serialized)
+
+ def SetEncodeExtraOptions(self, extra_option):
+ return _sentencepiece.SentencePieceProcessor_SetEncodeExtraOptions(self, extra_option)
+
+ def SetDecodeExtraOptions(self, extra_option):
+ return _sentencepiece.SentencePieceProcessor_SetDecodeExtraOptions(self, extra_option)
+
+ def SetVocabulary(self, valid_vocab):
+ return _sentencepiece.SentencePieceProcessor_SetVocabulary(self, valid_vocab)
+
+ def ResetVocabulary(self):
+ return _sentencepiece.SentencePieceProcessor_ResetVocabulary(self)
+
+ def LoadVocabulary(self, filename, threshold):
+ return _sentencepiece.SentencePieceProcessor_LoadVocabulary(self, filename, threshold)
+
+ def CalculateEntropy(self, *args):
+ return _sentencepiece.SentencePieceProcessor_CalculateEntropy(self, *args)
+
+ def GetPieceSize(self):
+ return _sentencepiece.SentencePieceProcessor_GetPieceSize(self)
+
+ def PieceToId(self, piece):
+ return _sentencepiece.SentencePieceProcessor_PieceToId(self, piece)
+
+ def IdToPiece(self, id):
+ return _sentencepiece.SentencePieceProcessor_IdToPiece(self, id)
+
+ def GetScore(self, id):
+ return _sentencepiece.SentencePieceProcessor_GetScore(self, id)
+
+ def IsUnknown(self, id):
+ return _sentencepiece.SentencePieceProcessor_IsUnknown(self, id)
+
+ def IsControl(self, id):
+ return _sentencepiece.SentencePieceProcessor_IsControl(self, id)
+
+ def IsUnused(self, id):
+ return _sentencepiece.SentencePieceProcessor_IsUnused(self, id)
+
+ def IsByte(self, id):
+ return _sentencepiece.SentencePieceProcessor_IsByte(self, id)
+
+ def unk_id(self):
+ return _sentencepiece.SentencePieceProcessor_unk_id(self)
+
+ def bos_id(self):
+ return _sentencepiece.SentencePieceProcessor_bos_id(self)
+
+ def eos_id(self):
+ return _sentencepiece.SentencePieceProcessor_eos_id(self)
+
+ def pad_id(self):
+ return _sentencepiece.SentencePieceProcessor_pad_id(self)
+
+ def serialized_model_proto(self):
+ return _sentencepiece.SentencePieceProcessor_serialized_model_proto(self)
+
+ def LoadFromFile(self, arg):
+ return _sentencepiece.SentencePieceProcessor_LoadFromFile(self, arg)
+
+ def _EncodeAsIds(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsIds(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsPieces(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsPieces(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsSerializedProto(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsSerializedProto(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsImmutableProto(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsImmutableProto(self, text, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsIdsBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsIdsBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsPiecesBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsPiecesBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsSerializedProtoBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsSerializedProtoBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _EncodeAsImmutableProtoBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__EncodeAsImmutableProtoBatch(self, ins, num_threads, enable_sampling, nbest_size, alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _DecodeIds(self, ids):
+ return _sentencepiece.SentencePieceProcessor__DecodeIds(self, ids)
+
+ def _DecodeIdsAsBytes(self, ids):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsBytes(self, ids)
+
+ def _DecodePieces(self, pieces):
+ return _sentencepiece.SentencePieceProcessor__DecodePieces(self, pieces)
+
+ def _DecodeIdsAsSerializedProto(self, ids):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsSerializedProto(self, ids)
+
+ def _DecodePiecesAsSerializedProto(self, pieces):
+ return _sentencepiece.SentencePieceProcessor__DecodePiecesAsSerializedProto(self, pieces)
+
+ def _DecodeIdsAsImmutableProto(self, ids):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsImmutableProto(self, ids)
+
+ def _DecodePiecesAsImmutableProto(self, pieces):
+ return _sentencepiece.SentencePieceProcessor__DecodePiecesAsImmutableProto(self, pieces)
+
+ def _DecodeIdsBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsBatch(self, ins, num_threads)
+
+ def _DecodeIdsAsBytesBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsBytesBatch(self, ins, num_threads)
+
+ def _DecodeIdsAsSerializedProtoBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsSerializedProtoBatch(self, ins, num_threads)
+
+ def _DecodeIdsAsImmutableProtoBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodeIdsAsImmutableProtoBatch(self, ins, num_threads)
+
+ def _DecodePiecesBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodePiecesBatch(self, ins, num_threads)
+
+ def _DecodePiecesAsSerializedProtoBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodePiecesAsSerializedProtoBatch(self, ins, num_threads)
+
+ def _DecodePiecesAsImmutableProtoBatch(self, ins, num_threads):
+ return _sentencepiece.SentencePieceProcessor__DecodePiecesAsImmutableProtoBatch(self, ins, num_threads)
+
+ def _NBestEncodeAsIds(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__NBestEncodeAsIds(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _NBestEncodeAsPieces(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__NBestEncodeAsPieces(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _NBestEncodeAsSerializedProto(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__NBestEncodeAsSerializedProto(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _NBestEncodeAsImmutableProto(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__NBestEncodeAsImmutableProto(self, text, nbest_size, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _SampleEncodeAndScoreAsIds(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__SampleEncodeAndScoreAsIds(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _SampleEncodeAndScoreAsPieces(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__SampleEncodeAndScoreAsPieces(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _SampleEncodeAndScoreAsSerializedProto(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__SampleEncodeAndScoreAsSerializedProto(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _SampleEncodeAndScoreAsImmutableProto(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece):
+ return _sentencepiece.SentencePieceProcessor__SampleEncodeAndScoreAsImmutableProto(self, text, num_samples, alpha, wor, include_best, add_bos, add_eos, reverse, emit_unk_piece)
+
+ def _Normalize(self, text):
+ return _sentencepiece.SentencePieceProcessor__Normalize(self, text)
+
+ def _NormalizeWithOffsets(self, text):
+ return _sentencepiece.SentencePieceProcessor__NormalizeWithOffsets(self, text)
+
+ def _CalculateEntropy(self, text, alpha):
+ return _sentencepiece.SentencePieceProcessor__CalculateEntropy(self, text, alpha)
+
+ def _CalculateEntropyBatch(self, ins, alpha, num_threads):
+ return _sentencepiece.SentencePieceProcessor__CalculateEntropyBatch(self, ins, alpha, num_threads)
+
+ def _OverrideNormalizerSpec(self, args):
+ return _sentencepiece.SentencePieceProcessor__OverrideNormalizerSpec(self, args)
+
+ def Init(self,
+ model_file=None,
+ model_proto=None,
+ out_type=int,
+ add_bos=False,
+ add_eos=False,
+ reverse=False,
+ emit_unk_piece=False,
+ enable_sampling=False,
+ nbest_size=-1,
+ alpha=0.1,
+ num_threads=-1):
+ """Initialzie sentencepieceProcessor.
+
+ Args:
+ model_file: The sentencepiece model file path.
+ model_proto: The sentencepiece model serialized proto.
+ out_type: output type. int or str.
+ add_bos: Add to the result (Default = false)
+ add_eos: Add to the result (Default = false) / is added after
+ reversing (if enabled).
+ reverse: Reverses the tokenized sequence (Default = false)
+ emit_unk_piece: Emits the unk literal string (Default = false)
+ nbest_size: sampling parameters for unigram. Invalid in BPE-Dropout.
+ nbest_size = {0,1}: No sampling is performed.
+ nbest_size > 1: samples from the nbest_size results.
+ nbest_size < 0: assuming that nbest_size is infinite and samples
+ from the all hypothesis (lattice) using
+ forward-filtering-and-backward-sampling algorithm.
+ alpha: Soothing parameter for unigram sampling, and dropout probability of
+ merge operations for BPE-dropout.
+ num_threads: number of threads in batch processing (Default = -1, auto-detected)
+ """
+
+ _sentencepiece_processor_init_native(self)
+ self._out_type = out_type
+ self._add_bos = add_bos
+ self._add_eos = add_eos
+ self._reverse = reverse
+ self._emit_unk_piece = emit_unk_piece
+ self._enable_sampling = enable_sampling
+ self._nbest_size = nbest_size
+ self._alpha = alpha
+ self._num_threads = num_threads
+ if model_file or model_proto:
+ self.Load(model_file=model_file, model_proto=model_proto)
+
+
+ def Encode(self,
+ input,
+ out_type=None,
+ add_bos=None,
+ add_eos=None,
+ reverse=None,
+ emit_unk_piece=None,
+ enable_sampling=None,
+ nbest_size=None,
+ alpha=None,
+ num_threads=None):
+ """Encode text input to segmented ids or tokens.
+
+ Args:
+ input: input string. accepsts list of string.
+ out_type: output type. int or str.
+ add_bos: Add to the result (Default = false)
+ add_eos: Add to the result (Default = false) / is added after
+ reversing (if enabled).
+ reverse: Reverses the tokenized sequence (Default = false)
+ emit_unk_piece: Emits the unk literal string (Default = false)
+ nbest_size: sampling parameters for unigram. Invalid in BPE-Dropout.
+ nbest_size = {0,1}: No sampling is performed.
+ nbest_size > 1: samples from the nbest_size results.
+ nbest_size < 0: assuming that nbest_size is infinite and samples
+ from the all hypothesis (lattice) using
+ forward-filtering-and-backward-sampling algorithm.
+ alpha: Soothing parameter for unigram sampling, and merge probability for
+ BPE-dropout (probablity 'p' in BPE-dropout paper).
+ num_threads: the number of threads used in the batch processing (Default = -1).
+ """
+
+ if out_type is None:
+ out_type = self._out_type
+ if add_bos is None:
+ add_bos = self._add_bos
+ if add_eos is None:
+ add_eos = self._add_eos
+ if reverse is None:
+ reverse = self._reverse
+ if emit_unk_piece is None:
+ emit_unk_piece = self._emit_unk_piece
+ if enable_sampling is None:
+ enable_sampling = self._enable_sampling
+ if nbest_size is None:
+ nbest_size = self._nbest_size
+ if alpha is None:
+ alpha = self._alpha
+ if num_threads is None:
+ num_threads = self._num_threads
+
+ if enable_sampling == True and (nbest_size is None or nbest_size == 0 or
+ nbest_size == 1 or alpha is None):
+ raise RuntimeError(
+ 'When enable_sampling is True, We must specify "nbest_size > 1" or "nbest_size = -1", '
+ 'and "alpha". "nbest_size" is enabled only on unigram mode ignored in BPE-dropout. '
+ 'when "nbest_size = -1" , this method samples from all candidates on the lattice '
+ 'instead of nbest segmentations.'
+ )
+
+ if num_threads is None or type(num_threads) is not int:
+ raise RuntimeError('num_threads must be int')
+
+ if type(input) is list:
+ if out_type is int:
+ return self._EncodeAsIdsBatch(input, num_threads, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type is str:
+ return self._EncodeAsPiecesBatch(input, num_threads, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'serialized_proto' or out_type == 'proto':
+ return self._EncodeAsSerializedProtoBatch(input, num_threads, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'immutable_proto':
+ return self._EncodeAsImmutableProtoBatch(input, num_threads, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ if out_type is int:
+ return self._EncodeAsIds(input, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type is str:
+ return self._EncodeAsPieces(input, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'serialized_proto' or out_type == 'proto':
+ return self._EncodeAsSerializedProto(input, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'immutable_proto':
+ return self._EncodeAsImmutableProto(input, enable_sampling, nbest_size,
+ alpha, add_bos, add_eos, reverse, emit_unk_piece)
+
+ raise RuntimeError('unknown out_type={}'.format(out_type))
+ return None
+
+
+ def EncodeAsPieces(self, input, **kwargs):
+ return self.Encode(input=input, out_type=str, **kwargs)
+
+
+ def EncodeAsIds(self, input, **kwargs):
+ return self.Encode(input=input, out_type=int, **kwargs)
+
+
+ def EncodeAsSerializedProto(self, input, **kwargs):
+ return self.Encode(input=input, out_type='serialized_proto', **kwargs)
+
+
+ def EncodeAsImmutableProto(self, input, **kwargs):
+ return self.Encode(input=input, out_type='immutable_proto', **kwargs)
+
+
+ def SampleEncodeAsPieces(self, input, nbest_size=None, alpha=None, **kwargs):
+ return self.Encode(input=input, nbest_size=nbest_size, alpha=alpha,
+ out_type=str, enable_sampling=True, **kwargs)
+
+
+ def SampleEncodeAsIds(self, input, nbest_size=None, alpha=None,**kwargs):
+ return self.Encode(input=input, nbest_size=nbest_size, alpha=alpha,
+ out_type=int, enable_sampling=True, **kwargs)
+
+
+ def SampleEncodeAsSerializedProto(self, input, nbest_size=None, alpha=None, **kwargs):
+ return self.Encode(input=input, nbest_size=nbest_size, alpha=alpha,
+ out_type='serialized_proto', enable_sampling=True, **kwargs)
+
+
+ def SampleEncodeAsImmutableProto(self, input, nbest_size=None, alpha=None, **kwargs):
+ return self.Encode(input=input, nbest_size=nbest_size, alpha=alpha,
+ out_type='immutable_proto', enable_sampling=True, **kwargs)
+
+
+ def NBestEncode(self,
+ input,
+ out_type=None,
+ add_bos=None,
+ add_eos=None,
+ reverse=None,
+ emit_unk_piece=None,
+ nbest_size=None):
+ """NBestEncode text input to segmented ids or tokens.
+
+ Args:
+ input: input string. accepsts list of string.
+ out_type: output type. int or str.
+ add_bos: Add to the result (Default = false)
+ add_eos: Add to the result (Default = false) / is added after reversing (if enabled).
+ reverse: Reverses the tokenized sequence (Default = false)
+ emit_unk_piece: Emits the unk literal string (Default = false)
+ nbest_size: nbest size
+ """
+
+ if out_type is None:
+ out_type = self._out_type
+ if add_bos is None:
+ add_bos = self._add_bos
+ if add_eos is None:
+ add_eos = self._add_eos
+ if reverse is None:
+ reverse = self._reverse
+ if emit_unk_piece is None:
+ emit_unk_piece = self._emit_unk_piece
+ if nbest_size is None:
+ nbest_size = self._nbest_size
+
+ if nbest_size <= 0:
+ nbest_size=1
+
+ def _encode(text):
+ if out_type is int:
+ return self._NBestEncodeAsIds(text, nbest_size,
+ add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type is str:
+ return self._NBestEncodeAsPieces(text, nbest_size,
+ add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'serialized_proto' or out_type == 'proto':
+ return self._NBestEncodeAsSerializedProto(text, nbest_size,
+ add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type == 'immutable_proto':
+ return self._NBestEncodeAsImmutableProto(text, nbest_size,
+ add_bos, add_eos, reverse, emit_unk_piece)
+
+ raise RuntimeError('unknown out_type')
+
+ if type(input) is list:
+ return [_encode(n) for n in input]
+
+ return _encode(input)
+
+
+ def NBestEncodeAsPieces(self, input, nbest_size=None, **kwargs):
+ return self.NBestEncode(input=input, nbest_size=nbest_size,
+ out_type=str, **kwargs)
+
+
+ def NBestEncodeAsIds(self, input, nbest_size=None, **kwargs):
+ return self.NBestEncode(input=input, nbest_size=nbest_size,
+ out_type=int, **kwargs)
+
+
+ def NBestEncodeAsSerializedProto(self, input, nbest_size=None, **kwargs):
+ return self.NBestEncode(input=input, nbest_size=nbest_size,
+ out_type='serialized_proto', **kwargs)
+
+
+ def NBestEncodeAsImmutableProto(self, input, nbest_size=None, **kwargs):
+ return self.NBestEncode(input=input, nbest_size=nbest_size,
+ out_type='immutable_proto', **kwargs)
+
+
+ def SampleEncodeAndScore(self,
+ input,
+ out_type=None,
+ add_bos=None,
+ add_eos=None,
+ reverse=None,
+ emit_unk_piece=None,
+ num_samples=None,
+ alpha=None,
+ wor=None,
+ include_best=None):
+ """SampleEncodeAndScore text input to segmented ids or tokens.
+
+ Args:
+ input: input string. accepsts list of string.
+ out_type: output type. int or str or 'serialized_proto' or 'immutable_proto'
+ add_bos: Add to the result (Default = false)
+ add_eos: Add to the result (Default = false) / is added after reversing (if enabled).
+ reverse: Reverses the tokenized sequence (Default = false)
+ emit_unk_piece: Emits the unk literal string (Default = false)
+ num_samples: How many samples to return (Default = 1)
+ alpha: inverse temperature for sampling
+ wor: whether to sample without replacement (Default = false)
+ include_best: whether to include the best tokenization, requires wor=True (Default = false)
+ """
+
+ if out_type is None:
+ out_type = self._out_type
+ if add_bos is None:
+ add_bos = self._add_bos
+ if add_eos is None:
+ add_eos = self._add_eos
+ if reverse is None:
+ reverse = self._reverse
+ if emit_unk_piece is None:
+ emit_unk_piece = self._emit_unk_piece
+ if num_samples is None:
+ num_samples = 1
+ if alpha is None:
+ alpha = 1.
+ if wor is None:
+ wor = False
+ if include_best is None:
+ include_best = False
+
+ if num_samples <= 0:
+ raise RuntimeError('num_examples must be positive')
+
+ if include_best and not wor:
+ raise RuntimeError('When include_best is True, We must specify "wor = True".')
+
+
+ def _encode(text):
+ if out_type is int:
+ return self._SampleEncodeAndScoreAsIds(text, num_samples, alpha, wor, include_best,
+ add_bos, add_eos, reverse, emit_unk_piece)
+ if out_type is str:
+ return self._SampleEncodeAndScoreAsPieces(text, num_samples, alpha, wor, include_best,
+ add_bos, add_eos, reverse, emit_unk_piece)
+
+ if out_type == 'serialized_proto' or out_type == 'proto':
+ return self._SampleEncodeAndScoreAsSerializedProto(text, num_samples, alpha, wor, include_best,
+ add_bos, add_eos, reverse, emit_unk_piece)
+
+ if out_type == 'immutable_proto':
+ return self._SampleEncodeAndScoreAsImmutableProto(text, num_samples, alpha, wor, include_best,
+ add_bos, add_eos, reverse, emit_unk_piece)
+
+ raise RuntimeError('unknown output type')
+
+
+ if type(input) is list:
+ return [_encode(n) for n in input]
+
+ return _encode(input)
+
+
+ def SampleEncodeAndScoreAsPieces(self, input, num_samples=None, alpha=None, **kwargs):
+ return self.SampleEncodeAndScore(input=input, num_samples=num_samples, alpha=alpha,
+ out_type=str, **kwargs)
+
+
+ def SampleEncodeAndScoreAsIds(self, input, num_samples=None, alpha=None, **kwargs):
+ return self.SampleEncodeAndScore(input=input, num_samples=num_samples, alpha=alpha,
+ out_type=int, **kwargs)
+
+
+ def SampleEncodeAndScoreAsSerializedProto(self, input, num_samples=None, alpha=None, **kwargs):
+ return self.SampleEncodeAndScore(input=input, num_samples=num_samples, alpha=alpha,
+ out_type='serialized_proto', **kwargs)
+
+
+ def SampleEncodeAndScoreAsImmutableProto(self, input, num_samples=None, alpha=None, **kwargs):
+ return self.SampleEncodeAndScore(input=input, num_samples=num_samples, alpha=alpha,
+ out_type='immutable_proto', **kwargs)
+
+
+ def Decode(self, input, out_type=str, num_threads=None):
+ """Decode processed id or token sequences.
+
+ Args:
+ out_type: output type. str, bytes or 'serialized_proto' or 'immutable_proto' (Default = str)
+ num_threads: the number of threads used in the batch processing (Default = -1).
+ """
+
+ if num_threads is None:
+ num_threads = self._num_threads
+
+ if num_threads is None or type(num_threads) is not int:
+ raise RuntimeError('num_threads must be int')
+
+ if not input:
+ return ''
+
+ if out_type is str:
+ if type(input) is int:
+ return self._DecodeIds([input])
+ if type(input) is str:
+ return self._DecodePieces([input])
+
+ if type(input) is list:
+ if len(input) == 0 or type(input[0]) is int:
+ return self._DecodeIds(input)
+ if type(input[0]) is str:
+ return self._DecodePieces(input)
+
+ if type(input[0]) is list:
+ if len(input[0]) == 0 or type(input[0][0]) is int:
+ return self._DecodeIdsBatch(input, num_threads)
+ if type(input[0][0]) is str:
+ return self._DecodePiecesBatch(input, num_threads)
+
+ if out_type is bytes:
+ if type(input) is int:
+ return self._DecodeIdsAsBytes([input])
+ if type(input) is str:
+ return self._DecodePieces([input])
+
+ if type(input) is list:
+ if len(input) == 0 or type(input[0]) is int:
+ return self._DecodeIdsAsBytes(input)
+ if type(input[0]) is str:
+ return self._DecodePieces(input)
+
+ if type(input[0]) is list:
+ if len(input[0]) == 0 or type(input[0][0]) is int:
+ return self._DecodeIdsAsBytesBatch(input, num_threads)
+ if type(input[0][0]) is str:
+ return self._DecodePiecesBatch(input, num_threads)
+
+ if out_type == 'serialized_proto':
+ if type(input) is int:
+ return self._DecodeIdsAsSerializedProto([input])
+ if type(input) is str:
+ return self._DecodePiecesAsSerializedProto([input])
+
+ if type(input) is list:
+ if len(input) == 0 or type(input[0]) is int:
+ return self._DecodeIdsAsSerializedProto(input)
+ if type(input[0]) is str:
+ return self._DecodePiecesAsSerializedProto(input)
+
+ if type(input[0]) is list:
+ if len(input[0]) == 0 or type(input[0][0]) is int:
+ return self._DecodeIdsAsSerializedProtoBatch(input, num_threads)
+ if type(input[0][0]) is str:
+ return self._DecodePiecesAsSerializedProtoBatch(input, num_threads)
+
+
+ if out_type == 'immutable_proto':
+ if type(input) is int:
+ return self._DecodeIdsAsImmutableProto([input])
+ if type(input) is str:
+ return self._DecodePiecesAsImmutableProto([input])
+
+ if type(input) is list:
+ if len(input) == 0 or type(input[0]) is int:
+ return self._DecodeIdsAsImmutableProto(input)
+ if type(input[0]) is str:
+ return self._DecodePiecesAsImmutableProto(input)
+
+ if type(input[0]) is list:
+ if len(input[0]) == 0 or type(input[0][0]) is int:
+ return self._DecodeIdsAsImmutableProtoBatch(input, num_threads)
+ if type(input[0][0]) is str:
+ return self._DecodePiecesAsImmutableProtoBatch(input, num_threads)
+
+
+ raise RuntimeError('unknown output or input type')
+ return None
+
+
+ def DecodePieces(self, input, out_type=str, **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def DecodeIds(self, input, out_type=str, **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def DecodePiecesAsSerializedProto(self, input, out_type='serialized_proto', **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def DecodeIdsAsSerializedProto(self, input, out_type='serialized_proto', **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def DecodePiecesAsImmutableProto(self, input, out_type='immutable_proto', **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def DecodeIdsAsImmutableProto(self, input, out_type='immutable_proto', **kwargs):
+ return self.Decode(input=input, out_type=out_type, **kwargs)
+
+
+ def CalculateEntropy(self, input, alpha, num_threads=None):
+ """Calculate sentence entropy"""
+ if type(input) is list:
+ if num_threads is None:
+ num_threads = self._num_threads
+ if num_threads is None or type(num_threads) is not int:
+ raise RuntimeError('num_threads must be int')
+ return self._CalculateEntropyBatch(input, alpha, num_threads)
+
+ return self._CalculateEntropy(input, alpha)
+
+
+ def Normalize(self, input, with_offsets=None):
+ def _normalize(text):
+ if with_offsets:
+ return self._NormalizeWithOffsets(text)
+ return self._Normalize(text)
+
+ if type(input) is list:
+ return [_normalize(x) for x in input]
+ return _normalize(input)
+
+ def OverrideNormalizerSpec(self, **kwargs):
+ new_kwargs = {}
+ for key, value in kwargs.items():
+ new_kwargs[key] = str(value)
+ return self._OverrideNormalizerSpec(new_kwargs)
+
+
+ def piece_size(self):
+ return self.GetPieceSize()
+
+
+ def vocab_size(self):
+ return self.GetPieceSize()
+
+
+ def __getstate__(self):
+ return self.serialized_model_proto()
+
+
+ def __setstate__(self, serialized_model_proto):
+ self.__init__()
+ self.LoadFromSerializedProto(serialized_model_proto)
+
+
+ def __len__(self):
+ return self.GetPieceSize()
+
+
+ def __getitem__(self, piece):
+ return self.PieceToId(piece)
+
+
+ def Load(self, model_file=None, model_proto=None):
+ """Overwride SentencePieceProcessor.Load to support both model_file and model_proto.
+
+ Args:
+ model_file: The sentencepiece model file path.
+ model_proto: The sentencepiece model serialized proto. Either `model_file`
+ or `model_proto` must be set.
+ """
+ if model_file and model_proto:
+ raise RuntimeError('model_file and model_proto must be exclusive.')
+ if model_proto:
+ return self.LoadFromSerializedProto(model_proto)
+ return self.LoadFromFile(model_file)
+
+
+# Register SentencePieceProcessor in _sentencepiece:
+_sentencepiece.SentencePieceProcessor_swigregister(SentencePieceProcessor)
+
+def SetRandomGeneratorSeed(seed):
+ return _sentencepiece.SetRandomGeneratorSeed(seed)
+
+def SetMinLogLevel(v):
+ return _sentencepiece.SetMinLogLevel(v)
+class SentencePieceTrainer(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+
+ def __init__(self, *args, **kwargs):
+ raise AttributeError("No constructor defined")
+ __repr__ = _swig_repr
+
+ @staticmethod
+ def _TrainFromString(arg):
+ return _sentencepiece.SentencePieceTrainer__TrainFromString(arg)
+
+ @staticmethod
+ def _TrainFromMap(args):
+ return _sentencepiece.SentencePieceTrainer__TrainFromMap(args)
+
+ @staticmethod
+ def _TrainFromMap2(args, iter):
+ return _sentencepiece.SentencePieceTrainer__TrainFromMap2(args, iter)
+
+ @staticmethod
+ def _TrainFromMap3(args):
+ return _sentencepiece.SentencePieceTrainer__TrainFromMap3(args)
+
+ @staticmethod
+ def _TrainFromMap4(args, iter):
+ return _sentencepiece.SentencePieceTrainer__TrainFromMap4(args, iter)
+
+ @staticmethod
+ def _Train(arg=None, **kwargs):
+ """Train Sentencepiece model. Accept both kwargs and legacy string arg."""
+ if arg is not None and type(arg) is str:
+ return SentencePieceTrainer._TrainFromString(arg)
+
+ def _encode(value):
+ """Encode value to CSV.."""
+ if type(value) is list:
+ if sys.version_info[0] == 3:
+ f = StringIO()
+ else:
+ f = BytesIO()
+ writer = csv.writer(f, lineterminator='')
+ writer.writerow([str(v) for v in value])
+ return f.getvalue()
+ else:
+ return str(value)
+
+ sentence_iterator = None
+ model_writer = None
+ new_kwargs = {}
+ for key, value in kwargs.items():
+ if key in ['sentence_iterator', 'sentence_reader']:
+ sentence_iterator = value
+ elif key in ['model_writer']:
+ model_writer = value
+ else:
+ new_kwargs[key] = _encode(value)
+
+ if model_writer:
+ if sentence_iterator:
+ model_proto = SentencePieceTrainer._TrainFromMap4(new_kwargs,
+ sentence_iterator)
+ else:
+ model_proto = SentencePieceTrainer._TrainFromMap3(new_kwargs)
+ model_writer.write(model_proto)
+ else:
+ if sentence_iterator:
+ return SentencePieceTrainer._TrainFromMap2(new_kwargs, sentence_iterator)
+ else:
+ return SentencePieceTrainer._TrainFromMap(new_kwargs)
+
+ return None
+
+ @staticmethod
+ def Train(arg=None, logstream=None, **kwargs):
+ with _LogStream(ostream=logstream):
+ SentencePieceTrainer._Train(arg=arg, **kwargs)
+
+
+# Register SentencePieceTrainer in _sentencepiece:
+_sentencepiece.SentencePieceTrainer_swigregister(SentencePieceTrainer)
+class SentencePieceNormalizer(object):
+ thisown = property(lambda x: x.this.own(), lambda x, v: x.this.own(v), doc="The membership flag")
+ __repr__ = _swig_repr
+
+ def __init__(self):
+ _sentencepiece.SentencePieceNormalizer_swiginit(self, _sentencepiece.new_SentencePieceNormalizer())
+ __swig_destroy__ = _sentencepiece.delete_SentencePieceNormalizer
+
+ def LoadFromSerializedProto(self, serialized):
+ return _sentencepiece.SentencePieceNormalizer_LoadFromSerializedProto(self, serialized)
+
+ def LoadFromRuleTSV(self, filename):
+ return _sentencepiece.SentencePieceNormalizer_LoadFromRuleTSV(self, filename)
+
+ def LoadFromRuleName(self, name):
+ return _sentencepiece.SentencePieceNormalizer_LoadFromRuleName(self, name)
+
+ def serialized_model_proto(self):
+ return _sentencepiece.SentencePieceNormalizer_serialized_model_proto(self)
+
+ def LoadFromFile(self, arg):
+ return _sentencepiece.SentencePieceNormalizer_LoadFromFile(self, arg)
+
+ def _Normalize(self, text):
+ return _sentencepiece.SentencePieceNormalizer__Normalize(self, text)
+
+ def _NormalizeWithOffsets(self, text):
+ return _sentencepiece.SentencePieceNormalizer__NormalizeWithOffsets(self, text)
+
+ def _SetProtoField(self, name, value):
+ return _sentencepiece.SentencePieceNormalizer__SetProtoField(self, name, value)
+
+ def Init(self,
+ model_file=None,
+ model_proto=None,
+ rule_tsv=None,
+ rule_name=None,
+ add_dummy_prefix=False,
+ escape_whitespaces=False,
+ remove_extra_whitespaces=False):
+ """Initialzie sentencePieceNormalizer.
+
+ Args:
+ model_file: The sentencepiece model file path.
+ model_proto: The sentencepiece model serialized proto.
+ rule_tsv: The normalization rule file in TSV format.
+ rule_name: Pre-defined normalization name.
+ add_dummy_prefix: add dummy prefix.
+ escape_whitespaces: escape whitespaces.
+ remove_extra_whitespaces: remove extra whitespaces.
+ """
+
+ _sentencepiece_normalizer_init_native(self)
+
+ if model_file:
+ status = self.LoadFromFile(model_file)
+ elif model_proto:
+ status = self.LoadFromSerializedProto(model_proto)
+ elif rule_tsv:
+ status = self.LoadFromRuleTSV(rule_tsv)
+ elif rule_name:
+ status = self.LoadFromRuleName(rule_name)
+ else:
+ raise RuntimeError('no model is specified')
+
+ if status:
+ self._SetProtoField('add_dummy_prefix', add_dummy_prefix)
+ self._SetProtoField('escape_whitespaces', escape_whitespaces)
+ self._SetProtoField('remove_extra_whitespaces', remove_extra_whitespaces)
+
+ def Normalize(self, input, with_offsets=None):
+ def _normalize(text):
+ if with_offsets:
+ return self._NormalizeWithOffsets(text)
+ return self._Normalize(text)
+
+ if type(input) is list:
+ return [_normalize(x) for x in input]
+ return _normalize(input)
+
+
+ def __getstate__(self):
+ return self.serialized_model_proto()
+
+
+ def __setstate__(self, serialized_model_proto):
+ self.__init__()
+ self.LoadFromSerializedProto(serialized_model_proto)
+
+
+# Register SentencePieceNormalizer in _sentencepiece:
+_sentencepiece.SentencePieceNormalizer_swigregister(SentencePieceNormalizer)
+
+
+import re
+import csv
+import sys
+import os
+from io import StringIO
+from io import BytesIO
+
+
+def _add_snake_case(classname):
+ """Added snake_cased method from CammelCased method."""
+
+ snake_map = {}
+ for k, v in classname.__dict__.items():
+ if re.match(r'^[A-Z]+', k):
+ snake = re.sub(r'(?= v.piece_size()):
+ raise IndexError('piece id is out of range.')
+ return func(v, n)
+
+ def _batched_func(self, arg):
+ if type(arg) is list:
+ return [_func(self, n) for n in arg]
+ else:
+ return _func(self, arg)
+
+ setattr(classname, name, _batched_func)
+
+
+_sentencepiece_processor_init_native = SentencePieceProcessor.__init__
+_sentencepiece_normalizer_init_native = SentencePieceNormalizer.__init__
+setattr(SentencePieceProcessor, '__init__', SentencePieceProcessor.Init)
+setattr(SentencePieceNormalizer, '__init__', SentencePieceNormalizer.Init)
+
+SentencePieceProcessor.Tokenize = SentencePieceProcessor.Encode
+SentencePieceProcessor.Detokenize = SentencePieceProcessor.Decode
+
+for m in [
+ 'PieceToId', 'IdToPiece', 'GetScore', 'IsUnknown', 'IsControl', 'IsUnused',
+ 'IsByte'
+]:
+ _batchnize(SentencePieceProcessor, m)
+
+_add_snake_case(SentencePieceProcessor)
+_add_snake_case(SentencePieceTrainer)
+_add_snake_case(SentencePieceNormalizer)
+set_random_generator_seed = SetRandomGeneratorSeed
+set_min_log_level = SetMinLogLevel
+
+from ._version import __version__
+
+class _LogStream(object):
+ def __init__(self, ostream=None):
+ self.ostream = ostream
+ if self.ostream is not None:
+ self.orig_stream_fileno = sys.stderr.fileno()
+
+ def __enter__(self):
+ if self.ostream is not None:
+ self.orig_stream_dup = os.dup(self.orig_stream_fileno)
+ os.dup2(self.ostream.fileno(), self.orig_stream_fileno)
+
+ def __exit__(self, type, value, traceback):
+ if self.ostream is not None:
+ os.close(self.orig_stream_fileno)
+ os.dup2(self.orig_stream_dup, self.orig_stream_fileno)
+ os.close(self.orig_stream_dup)
+ self.ostream.close()
+
+
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/__init__.cpython-310.pyc b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/__init__.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..6d9a6f37882daaaa66424a2ce52ad351b6e60b9a
Binary files /dev/null and b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/__init__.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/_version.cpython-310.pyc b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/_version.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..94e18576b951450f178df1a9eb4d43dfde104832
Binary files /dev/null and b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/_version.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_model_pb2.cpython-310.pyc b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_model_pb2.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..79a377d0e13151f262d55aec255f6d2656a66b37
Binary files /dev/null and b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_model_pb2.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_pb2.cpython-310.pyc b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_pb2.cpython-310.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..baa72cf6679b75c8968d1ff2e731572e93c2344f
Binary files /dev/null and b/parrot/lib/python3.10/site-packages/sentencepiece/__pycache__/sentencepiece_pb2.cpython-310.pyc differ
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/_version.py b/parrot/lib/python3.10/site-packages/sentencepiece/_version.py
new file mode 100644
index 0000000000000000000000000000000000000000..7fd229a32b5eefeffa54b9c187302d2c03a0a680
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/sentencepiece/_version.py
@@ -0,0 +1 @@
+__version__ = '0.2.0'
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_model_pb2.py b/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_model_pb2.py
new file mode 100644
index 0000000000000000000000000000000000000000..b07107d69de178e107544a29bb4d0280b5482241
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_model_pb2.py
@@ -0,0 +1,44 @@
+# -*- coding: utf-8 -*-
+# Generated by the protocol buffer compiler. DO NOT EDIT!
+# source: sentencepiece_model.proto
+"""Generated protocol buffer code."""
+from google.protobuf.internal import builder as _builder
+from google.protobuf import descriptor as _descriptor
+from google.protobuf import descriptor_pool as _descriptor_pool
+from google.protobuf import symbol_database as _symbol_database
+# @@protoc_insertion_point(imports)
+
+_sym_db = _symbol_database.Default()
+
+
+
+
+DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19sentencepiece_model.proto\x12\rsentencepiece\"\x80\x0c\n\x0bTrainerSpec\x12\r\n\x05input\x18\x01 \x03(\t\x12\x14\n\x0cinput_format\x18\x07 \x01(\t\x12\x14\n\x0cmodel_prefix\x18\x02 \x01(\t\x12\x41\n\nmodel_type\x18\x03 \x01(\x0e\x32$.sentencepiece.TrainerSpec.ModelType:\x07UNIGRAM\x12\x18\n\nvocab_size\x18\x04 \x01(\x05:\x04\x38\x30\x30\x30\x12\x17\n\x0f\x61\x63\x63\x65pt_language\x18\x05 \x03(\t\x12 \n\x15self_test_sample_size\x18\x06 \x01(\x05:\x01\x30\x12*\n\x1b\x65nable_differential_privacy\x18\x32 \x01(\x08:\x05\x66\x61lse\x12+\n differential_privacy_noise_level\x18\x33 \x01(\x02:\x01\x30\x12\x32\n\'differential_privacy_clipping_threshold\x18\x34 \x01(\x04:\x01\x30\x12\"\n\x12\x63haracter_coverage\x18\n \x01(\x02:\x06\x30.9995\x12\x1e\n\x13input_sentence_size\x18\x0b \x01(\x04:\x01\x30\x12$\n\x16shuffle_input_sentence\x18\x13 \x01(\x08:\x04true\x12 \n\x14mining_sentence_size\x18\x0c \x01(\x05\x42\x02\x18\x01\x12\"\n\x16training_sentence_size\x18\r \x01(\x05\x42\x02\x18\x01\x12(\n\x17seed_sentencepiece_size\x18\x0e \x01(\x05:\x07\x31\x30\x30\x30\x30\x30\x30\x12\x1e\n\x10shrinking_factor\x18\x0f \x01(\x02:\x04\x30.75\x12!\n\x13max_sentence_length\x18\x12 \x01(\x05:\x04\x34\x31\x39\x32\x12\x17\n\x0bnum_threads\x18\x10 \x01(\x05:\x02\x31\x36\x12\x1d\n\x12num_sub_iterations\x18\x11 \x01(\x05:\x01\x32\x12$\n\x18max_sentencepiece_length\x18\x14 \x01(\x05:\x02\x31\x36\x12%\n\x17split_by_unicode_script\x18\x15 \x01(\x08:\x04true\x12\x1d\n\x0fsplit_by_number\x18\x17 \x01(\x08:\x04true\x12!\n\x13split_by_whitespace\x18\x16 \x01(\x08:\x04true\x12)\n\x1atreat_whitespace_as_suffix\x18\x18 \x01(\x08:\x05\x66\x61lse\x12+\n\x1c\x61llow_whitespace_only_pieces\x18\x1a \x01(\x08:\x05\x66\x61lse\x12\x1b\n\x0csplit_digits\x18\x19 \x01(\x08:\x05\x66\x61lse\x12#\n\x19pretokenization_delimiter\x18\x35 \x01(\t:\x00\x12\x17\n\x0f\x63ontrol_symbols\x18\x1e \x03(\t\x12\x1c\n\x14user_defined_symbols\x18\x1f \x03(\t\x12\x16\n\x0erequired_chars\x18$ \x01(\t\x12\x1c\n\rbyte_fallback\x18# \x01(\x08:\x05\x66\x61lse\x12+\n\x1dvocabulary_output_piece_score\x18 \x01(\x08:\x04true\x12\x1e\n\x10hard_vocab_limit\x18! \x01(\x08:\x04true\x12\x1c\n\ruse_all_vocab\x18\" \x01(\x08:\x05\x66\x61lse\x12\x11\n\x06unk_id\x18( \x01(\x05:\x01\x30\x12\x11\n\x06\x62os_id\x18) \x01(\x05:\x01\x31\x12\x11\n\x06\x65os_id\x18* \x01(\x05:\x01\x32\x12\x12\n\x06pad_id\x18+ \x01(\x05:\x02-1\x12\x18\n\tunk_piece\x18- \x01(\t:\x05\x12\x16\n\tbos_piece\x18. \x01(\t:\x03\x12\x17\n\teos_piece\x18/ \x01(\t:\x04\x12\x18\n\tpad_piece\x18\x30 \x01(\t:\x05\x12\x1a\n\x0bunk_surface\x18, \x01(\t:\x05 \xe2\x81\x87 \x12+\n\x1ctrain_extremely_large_corpus\x18\x31 \x01(\x08:\x05\x66\x61lse\"5\n\tModelType\x12\x0b\n\x07UNIGRAM\x10\x01\x12\x07\n\x03\x42PE\x10\x02\x12\x08\n\x04WORD\x10\x03\x12\x08\n\x04\x43HAR\x10\x04*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02\"\xd1\x01\n\x0eNormalizerSpec\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x1c\n\x14precompiled_charsmap\x18\x02 \x01(\x0c\x12\x1e\n\x10\x61\x64\x64_dummy_prefix\x18\x03 \x01(\x08:\x04true\x12&\n\x18remove_extra_whitespaces\x18\x04 \x01(\x08:\x04true\x12 \n\x12\x65scape_whitespaces\x18\x05 \x01(\x08:\x04true\x12\x1e\n\x16normalization_rule_tsv\x18\x06 \x01(\t*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02\"y\n\x0cSelfTestData\x12\x33\n\x07samples\x18\x01 \x03(\x0b\x32\".sentencepiece.SelfTestData.Sample\x1a)\n\x06Sample\x12\r\n\x05input\x18\x01 \x01(\t\x12\x10\n\x08\x65xpected\x18\x02 \x01(\t*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02\"\xfe\x03\n\nModelProto\x12\x37\n\x06pieces\x18\x01 \x03(\x0b\x32\'.sentencepiece.ModelProto.SentencePiece\x12\x30\n\x0ctrainer_spec\x18\x02 \x01(\x0b\x32\x1a.sentencepiece.TrainerSpec\x12\x36\n\x0fnormalizer_spec\x18\x03 \x01(\x0b\x32\x1d.sentencepiece.NormalizerSpec\x12\x33\n\x0eself_test_data\x18\x04 \x01(\x0b\x32\x1b.sentencepiece.SelfTestData\x12\x38\n\x11\x64\x65normalizer_spec\x18\x05 \x01(\x0b\x32\x1d.sentencepiece.NormalizerSpec\x1a\xd2\x01\n\rSentencePiece\x12\r\n\x05piece\x18\x01 \x01(\t\x12\r\n\x05score\x18\x02 \x01(\x02\x12\x42\n\x04type\x18\x03 \x01(\x0e\x32,.sentencepiece.ModelProto.SentencePiece.Type:\x06NORMAL\"T\n\x04Type\x12\n\n\x06NORMAL\x10\x01\x12\x0b\n\x07UNKNOWN\x10\x02\x12\x0b\n\x07\x43ONTROL\x10\x03\x12\x10\n\x0cUSER_DEFINED\x10\x04\x12\x08\n\x04\x42YTE\x10\x06\x12\n\n\x06UNUSED\x10\x05*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02\x42\x02H\x03')
+
+_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, globals())
+_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'sentencepiece_model_pb2', globals())
+if _descriptor._USE_C_DESCRIPTORS == False:
+
+ DESCRIPTOR._options = None
+ DESCRIPTOR._serialized_options = b'H\003'
+ _TRAINERSPEC.fields_by_name['mining_sentence_size']._options = None
+ _TRAINERSPEC.fields_by_name['mining_sentence_size']._serialized_options = b'\030\001'
+ _TRAINERSPEC.fields_by_name['training_sentence_size']._options = None
+ _TRAINERSPEC.fields_by_name['training_sentence_size']._serialized_options = b'\030\001'
+ _TRAINERSPEC._serialized_start=45
+ _TRAINERSPEC._serialized_end=1581
+ _TRAINERSPEC_MODELTYPE._serialized_start=1517
+ _TRAINERSPEC_MODELTYPE._serialized_end=1570
+ _NORMALIZERSPEC._serialized_start=1584
+ _NORMALIZERSPEC._serialized_end=1793
+ _SELFTESTDATA._serialized_start=1795
+ _SELFTESTDATA._serialized_end=1916
+ _SELFTESTDATA_SAMPLE._serialized_start=1864
+ _SELFTESTDATA_SAMPLE._serialized_end=1905
+ _MODELPROTO._serialized_start=1919
+ _MODELPROTO._serialized_end=2429
+ _MODELPROTO_SENTENCEPIECE._serialized_start=2208
+ _MODELPROTO_SENTENCEPIECE._serialized_end=2418
+ _MODELPROTO_SENTENCEPIECE_TYPE._serialized_start=2323
+ _MODELPROTO_SENTENCEPIECE_TYPE._serialized_end=2407
+# @@protoc_insertion_point(module_scope)
diff --git a/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_pb2.py b/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_pb2.py
new file mode 100644
index 0000000000000000000000000000000000000000..840cfd2143a47d8a972008bd946a8dd271aa0a0f
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/sentencepiece/sentencepiece_pb2.py
@@ -0,0 +1,30 @@
+# -*- coding: utf-8 -*-
+# Generated by the protocol buffer compiler. DO NOT EDIT!
+# source: sentencepiece.proto
+"""Generated protocol buffer code."""
+from google.protobuf.internal import builder as _builder
+from google.protobuf import descriptor as _descriptor
+from google.protobuf import descriptor_pool as _descriptor_pool
+from google.protobuf import symbol_database as _symbol_database
+# @@protoc_insertion_point(imports)
+
+_sym_db = _symbol_database.Default()
+
+
+
+
+DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x13sentencepiece.proto\x12\rsentencepiece\"\xdf\x01\n\x11SentencePieceText\x12\x0c\n\x04text\x18\x01 \x01(\t\x12>\n\x06pieces\x18\x02 \x03(\x0b\x32..sentencepiece.SentencePieceText.SentencePiece\x12\r\n\x05score\x18\x03 \x01(\x02\x1a\x62\n\rSentencePiece\x12\r\n\x05piece\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\r\x12\x0f\n\x07surface\x18\x03 \x01(\t\x12\r\n\x05\x62\x65gin\x18\x04 \x01(\r\x12\x0b\n\x03\x65nd\x18\x05 \x01(\r*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02*\t\x08\xc8\x01\x10\x80\x80\x80\x80\x02\"J\n\x16NBestSentencePieceText\x12\x30\n\x06nbests\x18\x01 \x03(\x0b\x32 .sentencepiece.SentencePieceTextB\x02H\x03')
+
+_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, globals())
+_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'sentencepiece_pb2', globals())
+if _descriptor._USE_C_DESCRIPTORS == False:
+
+ DESCRIPTOR._options = None
+ DESCRIPTOR._serialized_options = b'H\003'
+ _SENTENCEPIECETEXT._serialized_start=39
+ _SENTENCEPIECETEXT._serialized_end=262
+ _SENTENCEPIECETEXT_SENTENCEPIECE._serialized_start=153
+ _SENTENCEPIECETEXT_SENTENCEPIECE._serialized_end=251
+ _NBESTSENTENCEPIECETEXT._serialized_start=264
+ _NBESTSENTENCEPIECETEXT._serialized_end=338
+# @@protoc_insertion_point(module_scope)
diff --git a/parrot/lib/python3.10/site-packages/six.py b/parrot/lib/python3.10/site-packages/six.py
new file mode 100644
index 0000000000000000000000000000000000000000..4e15675d8b5caa33255fe37271700f587bd26671
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/six.py
@@ -0,0 +1,998 @@
+# Copyright (c) 2010-2020 Benjamin Peterson
+#
+# Permission is hereby granted, free of charge, to any person obtaining a copy
+# of this software and associated documentation files (the "Software"), to deal
+# in the Software without restriction, including without limitation the rights
+# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+# copies of the Software, and to permit persons to whom the Software is
+# furnished to do so, subject to the following conditions:
+#
+# The above copyright notice and this permission notice shall be included in all
+# copies or substantial portions of the Software.
+#
+# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+# SOFTWARE.
+
+"""Utilities for writing code that runs on Python 2 and 3"""
+
+from __future__ import absolute_import
+
+import functools
+import itertools
+import operator
+import sys
+import types
+
+__author__ = "Benjamin Peterson "
+__version__ = "1.16.0"
+
+
+# Useful for very coarse version differentiation.
+PY2 = sys.version_info[0] == 2
+PY3 = sys.version_info[0] == 3
+PY34 = sys.version_info[0:2] >= (3, 4)
+
+if PY3:
+ string_types = str,
+ integer_types = int,
+ class_types = type,
+ text_type = str
+ binary_type = bytes
+
+ MAXSIZE = sys.maxsize
+else:
+ string_types = basestring,
+ integer_types = (int, long)
+ class_types = (type, types.ClassType)
+ text_type = unicode
+ binary_type = str
+
+ if sys.platform.startswith("java"):
+ # Jython always uses 32 bits.
+ MAXSIZE = int((1 << 31) - 1)
+ else:
+ # It's possible to have sizeof(long) != sizeof(Py_ssize_t).
+ class X(object):
+
+ def __len__(self):
+ return 1 << 31
+ try:
+ len(X())
+ except OverflowError:
+ # 32-bit
+ MAXSIZE = int((1 << 31) - 1)
+ else:
+ # 64-bit
+ MAXSIZE = int((1 << 63) - 1)
+ del X
+
+if PY34:
+ from importlib.util import spec_from_loader
+else:
+ spec_from_loader = None
+
+
+def _add_doc(func, doc):
+ """Add documentation to a function."""
+ func.__doc__ = doc
+
+
+def _import_module(name):
+ """Import module, returning the module after the last dot."""
+ __import__(name)
+ return sys.modules[name]
+
+
+class _LazyDescr(object):
+
+ def __init__(self, name):
+ self.name = name
+
+ def __get__(self, obj, tp):
+ result = self._resolve()
+ setattr(obj, self.name, result) # Invokes __set__.
+ try:
+ # This is a bit ugly, but it avoids running this again by
+ # removing this descriptor.
+ delattr(obj.__class__, self.name)
+ except AttributeError:
+ pass
+ return result
+
+
+class MovedModule(_LazyDescr):
+
+ def __init__(self, name, old, new=None):
+ super(MovedModule, self).__init__(name)
+ if PY3:
+ if new is None:
+ new = name
+ self.mod = new
+ else:
+ self.mod = old
+
+ def _resolve(self):
+ return _import_module(self.mod)
+
+ def __getattr__(self, attr):
+ _module = self._resolve()
+ value = getattr(_module, attr)
+ setattr(self, attr, value)
+ return value
+
+
+class _LazyModule(types.ModuleType):
+
+ def __init__(self, name):
+ super(_LazyModule, self).__init__(name)
+ self.__doc__ = self.__class__.__doc__
+
+ def __dir__(self):
+ attrs = ["__doc__", "__name__"]
+ attrs += [attr.name for attr in self._moved_attributes]
+ return attrs
+
+ # Subclasses should override this
+ _moved_attributes = []
+
+
+class MovedAttribute(_LazyDescr):
+
+ def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None):
+ super(MovedAttribute, self).__init__(name)
+ if PY3:
+ if new_mod is None:
+ new_mod = name
+ self.mod = new_mod
+ if new_attr is None:
+ if old_attr is None:
+ new_attr = name
+ else:
+ new_attr = old_attr
+ self.attr = new_attr
+ else:
+ self.mod = old_mod
+ if old_attr is None:
+ old_attr = name
+ self.attr = old_attr
+
+ def _resolve(self):
+ module = _import_module(self.mod)
+ return getattr(module, self.attr)
+
+
+class _SixMetaPathImporter(object):
+
+ """
+ A meta path importer to import six.moves and its submodules.
+
+ This class implements a PEP302 finder and loader. It should be compatible
+ with Python 2.5 and all existing versions of Python3
+ """
+
+ def __init__(self, six_module_name):
+ self.name = six_module_name
+ self.known_modules = {}
+
+ def _add_module(self, mod, *fullnames):
+ for fullname in fullnames:
+ self.known_modules[self.name + "." + fullname] = mod
+
+ def _get_module(self, fullname):
+ return self.known_modules[self.name + "." + fullname]
+
+ def find_module(self, fullname, path=None):
+ if fullname in self.known_modules:
+ return self
+ return None
+
+ def find_spec(self, fullname, path, target=None):
+ if fullname in self.known_modules:
+ return spec_from_loader(fullname, self)
+ return None
+
+ def __get_module(self, fullname):
+ try:
+ return self.known_modules[fullname]
+ except KeyError:
+ raise ImportError("This loader does not know module " + fullname)
+
+ def load_module(self, fullname):
+ try:
+ # in case of a reload
+ return sys.modules[fullname]
+ except KeyError:
+ pass
+ mod = self.__get_module(fullname)
+ if isinstance(mod, MovedModule):
+ mod = mod._resolve()
+ else:
+ mod.__loader__ = self
+ sys.modules[fullname] = mod
+ return mod
+
+ def is_package(self, fullname):
+ """
+ Return true, if the named module is a package.
+
+ We need this method to get correct spec objects with
+ Python 3.4 (see PEP451)
+ """
+ return hasattr(self.__get_module(fullname), "__path__")
+
+ def get_code(self, fullname):
+ """Return None
+
+ Required, if is_package is implemented"""
+ self.__get_module(fullname) # eventually raises ImportError
+ return None
+ get_source = get_code # same as get_code
+
+ def create_module(self, spec):
+ return self.load_module(spec.name)
+
+ def exec_module(self, module):
+ pass
+
+_importer = _SixMetaPathImporter(__name__)
+
+
+class _MovedItems(_LazyModule):
+
+ """Lazy loading of moved objects"""
+ __path__ = [] # mark as package
+
+
+_moved_attributes = [
+ MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"),
+ MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"),
+ MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"),
+ MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"),
+ MovedAttribute("intern", "__builtin__", "sys"),
+ MovedAttribute("map", "itertools", "builtins", "imap", "map"),
+ MovedAttribute("getcwd", "os", "os", "getcwdu", "getcwd"),
+ MovedAttribute("getcwdb", "os", "os", "getcwd", "getcwdb"),
+ MovedAttribute("getoutput", "commands", "subprocess"),
+ MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"),
+ MovedAttribute("reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload"),
+ MovedAttribute("reduce", "__builtin__", "functools"),
+ MovedAttribute("shlex_quote", "pipes", "shlex", "quote"),
+ MovedAttribute("StringIO", "StringIO", "io"),
+ MovedAttribute("UserDict", "UserDict", "collections"),
+ MovedAttribute("UserList", "UserList", "collections"),
+ MovedAttribute("UserString", "UserString", "collections"),
+ MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"),
+ MovedAttribute("zip", "itertools", "builtins", "izip", "zip"),
+ MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"),
+ MovedModule("builtins", "__builtin__"),
+ MovedModule("configparser", "ConfigParser"),
+ MovedModule("collections_abc", "collections", "collections.abc" if sys.version_info >= (3, 3) else "collections"),
+ MovedModule("copyreg", "copy_reg"),
+ MovedModule("dbm_gnu", "gdbm", "dbm.gnu"),
+ MovedModule("dbm_ndbm", "dbm", "dbm.ndbm"),
+ MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread" if sys.version_info < (3, 9) else "_thread"),
+ MovedModule("http_cookiejar", "cookielib", "http.cookiejar"),
+ MovedModule("http_cookies", "Cookie", "http.cookies"),
+ MovedModule("html_entities", "htmlentitydefs", "html.entities"),
+ MovedModule("html_parser", "HTMLParser", "html.parser"),
+ MovedModule("http_client", "httplib", "http.client"),
+ MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"),
+ MovedModule("email_mime_image", "email.MIMEImage", "email.mime.image"),
+ MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"),
+ MovedModule("email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart"),
+ MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"),
+ MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"),
+ MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"),
+ MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"),
+ MovedModule("cPickle", "cPickle", "pickle"),
+ MovedModule("queue", "Queue"),
+ MovedModule("reprlib", "repr"),
+ MovedModule("socketserver", "SocketServer"),
+ MovedModule("_thread", "thread", "_thread"),
+ MovedModule("tkinter", "Tkinter"),
+ MovedModule("tkinter_dialog", "Dialog", "tkinter.dialog"),
+ MovedModule("tkinter_filedialog", "FileDialog", "tkinter.filedialog"),
+ MovedModule("tkinter_scrolledtext", "ScrolledText", "tkinter.scrolledtext"),
+ MovedModule("tkinter_simpledialog", "SimpleDialog", "tkinter.simpledialog"),
+ MovedModule("tkinter_tix", "Tix", "tkinter.tix"),
+ MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"),
+ MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"),
+ MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"),
+ MovedModule("tkinter_colorchooser", "tkColorChooser",
+ "tkinter.colorchooser"),
+ MovedModule("tkinter_commondialog", "tkCommonDialog",
+ "tkinter.commondialog"),
+ MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"),
+ MovedModule("tkinter_font", "tkFont", "tkinter.font"),
+ MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"),
+ MovedModule("tkinter_tksimpledialog", "tkSimpleDialog",
+ "tkinter.simpledialog"),
+ MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"),
+ MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"),
+ MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"),
+ MovedModule("urllib_robotparser", "robotparser", "urllib.robotparser"),
+ MovedModule("xmlrpc_client", "xmlrpclib", "xmlrpc.client"),
+ MovedModule("xmlrpc_server", "SimpleXMLRPCServer", "xmlrpc.server"),
+]
+# Add windows specific modules.
+if sys.platform == "win32":
+ _moved_attributes += [
+ MovedModule("winreg", "_winreg"),
+ ]
+
+for attr in _moved_attributes:
+ setattr(_MovedItems, attr.name, attr)
+ if isinstance(attr, MovedModule):
+ _importer._add_module(attr, "moves." + attr.name)
+del attr
+
+_MovedItems._moved_attributes = _moved_attributes
+
+moves = _MovedItems(__name__ + ".moves")
+_importer._add_module(moves, "moves")
+
+
+class Module_six_moves_urllib_parse(_LazyModule):
+
+ """Lazy loading of moved objects in six.moves.urllib_parse"""
+
+
+_urllib_parse_moved_attributes = [
+ MovedAttribute("ParseResult", "urlparse", "urllib.parse"),
+ MovedAttribute("SplitResult", "urlparse", "urllib.parse"),
+ MovedAttribute("parse_qs", "urlparse", "urllib.parse"),
+ MovedAttribute("parse_qsl", "urlparse", "urllib.parse"),
+ MovedAttribute("urldefrag", "urlparse", "urllib.parse"),
+ MovedAttribute("urljoin", "urlparse", "urllib.parse"),
+ MovedAttribute("urlparse", "urlparse", "urllib.parse"),
+ MovedAttribute("urlsplit", "urlparse", "urllib.parse"),
+ MovedAttribute("urlunparse", "urlparse", "urllib.parse"),
+ MovedAttribute("urlunsplit", "urlparse", "urllib.parse"),
+ MovedAttribute("quote", "urllib", "urllib.parse"),
+ MovedAttribute("quote_plus", "urllib", "urllib.parse"),
+ MovedAttribute("unquote", "urllib", "urllib.parse"),
+ MovedAttribute("unquote_plus", "urllib", "urllib.parse"),
+ MovedAttribute("unquote_to_bytes", "urllib", "urllib.parse", "unquote", "unquote_to_bytes"),
+ MovedAttribute("urlencode", "urllib", "urllib.parse"),
+ MovedAttribute("splitquery", "urllib", "urllib.parse"),
+ MovedAttribute("splittag", "urllib", "urllib.parse"),
+ MovedAttribute("splituser", "urllib", "urllib.parse"),
+ MovedAttribute("splitvalue", "urllib", "urllib.parse"),
+ MovedAttribute("uses_fragment", "urlparse", "urllib.parse"),
+ MovedAttribute("uses_netloc", "urlparse", "urllib.parse"),
+ MovedAttribute("uses_params", "urlparse", "urllib.parse"),
+ MovedAttribute("uses_query", "urlparse", "urllib.parse"),
+ MovedAttribute("uses_relative", "urlparse", "urllib.parse"),
+]
+for attr in _urllib_parse_moved_attributes:
+ setattr(Module_six_moves_urllib_parse, attr.name, attr)
+del attr
+
+Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes
+
+_importer._add_module(Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"),
+ "moves.urllib_parse", "moves.urllib.parse")
+
+
+class Module_six_moves_urllib_error(_LazyModule):
+
+ """Lazy loading of moved objects in six.moves.urllib_error"""
+
+
+_urllib_error_moved_attributes = [
+ MovedAttribute("URLError", "urllib2", "urllib.error"),
+ MovedAttribute("HTTPError", "urllib2", "urllib.error"),
+ MovedAttribute("ContentTooShortError", "urllib", "urllib.error"),
+]
+for attr in _urllib_error_moved_attributes:
+ setattr(Module_six_moves_urllib_error, attr.name, attr)
+del attr
+
+Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes
+
+_importer._add_module(Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"),
+ "moves.urllib_error", "moves.urllib.error")
+
+
+class Module_six_moves_urllib_request(_LazyModule):
+
+ """Lazy loading of moved objects in six.moves.urllib_request"""
+
+
+_urllib_request_moved_attributes = [
+ MovedAttribute("urlopen", "urllib2", "urllib.request"),
+ MovedAttribute("install_opener", "urllib2", "urllib.request"),
+ MovedAttribute("build_opener", "urllib2", "urllib.request"),
+ MovedAttribute("pathname2url", "urllib", "urllib.request"),
+ MovedAttribute("url2pathname", "urllib", "urllib.request"),
+ MovedAttribute("getproxies", "urllib", "urllib.request"),
+ MovedAttribute("Request", "urllib2", "urllib.request"),
+ MovedAttribute("OpenerDirector", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPDefaultErrorHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPRedirectHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPCookieProcessor", "urllib2", "urllib.request"),
+ MovedAttribute("ProxyHandler", "urllib2", "urllib.request"),
+ MovedAttribute("BaseHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPPasswordMgr", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPPasswordMgrWithDefaultRealm", "urllib2", "urllib.request"),
+ MovedAttribute("AbstractBasicAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPBasicAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("ProxyBasicAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("AbstractDigestAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPDigestAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("ProxyDigestAuthHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPSHandler", "urllib2", "urllib.request"),
+ MovedAttribute("FileHandler", "urllib2", "urllib.request"),
+ MovedAttribute("FTPHandler", "urllib2", "urllib.request"),
+ MovedAttribute("CacheFTPHandler", "urllib2", "urllib.request"),
+ MovedAttribute("UnknownHandler", "urllib2", "urllib.request"),
+ MovedAttribute("HTTPErrorProcessor", "urllib2", "urllib.request"),
+ MovedAttribute("urlretrieve", "urllib", "urllib.request"),
+ MovedAttribute("urlcleanup", "urllib", "urllib.request"),
+ MovedAttribute("URLopener", "urllib", "urllib.request"),
+ MovedAttribute("FancyURLopener", "urllib", "urllib.request"),
+ MovedAttribute("proxy_bypass", "urllib", "urllib.request"),
+ MovedAttribute("parse_http_list", "urllib2", "urllib.request"),
+ MovedAttribute("parse_keqv_list", "urllib2", "urllib.request"),
+]
+for attr in _urllib_request_moved_attributes:
+ setattr(Module_six_moves_urllib_request, attr.name, attr)
+del attr
+
+Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes
+
+_importer._add_module(Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"),
+ "moves.urllib_request", "moves.urllib.request")
+
+
+class Module_six_moves_urllib_response(_LazyModule):
+
+ """Lazy loading of moved objects in six.moves.urllib_response"""
+
+
+_urllib_response_moved_attributes = [
+ MovedAttribute("addbase", "urllib", "urllib.response"),
+ MovedAttribute("addclosehook", "urllib", "urllib.response"),
+ MovedAttribute("addinfo", "urllib", "urllib.response"),
+ MovedAttribute("addinfourl", "urllib", "urllib.response"),
+]
+for attr in _urllib_response_moved_attributes:
+ setattr(Module_six_moves_urllib_response, attr.name, attr)
+del attr
+
+Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes
+
+_importer._add_module(Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"),
+ "moves.urllib_response", "moves.urllib.response")
+
+
+class Module_six_moves_urllib_robotparser(_LazyModule):
+
+ """Lazy loading of moved objects in six.moves.urllib_robotparser"""
+
+
+_urllib_robotparser_moved_attributes = [
+ MovedAttribute("RobotFileParser", "robotparser", "urllib.robotparser"),
+]
+for attr in _urllib_robotparser_moved_attributes:
+ setattr(Module_six_moves_urllib_robotparser, attr.name, attr)
+del attr
+
+Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes
+
+_importer._add_module(Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"),
+ "moves.urllib_robotparser", "moves.urllib.robotparser")
+
+
+class Module_six_moves_urllib(types.ModuleType):
+
+ """Create a six.moves.urllib namespace that resembles the Python 3 namespace"""
+ __path__ = [] # mark as package
+ parse = _importer._get_module("moves.urllib_parse")
+ error = _importer._get_module("moves.urllib_error")
+ request = _importer._get_module("moves.urllib_request")
+ response = _importer._get_module("moves.urllib_response")
+ robotparser = _importer._get_module("moves.urllib_robotparser")
+
+ def __dir__(self):
+ return ['parse', 'error', 'request', 'response', 'robotparser']
+
+_importer._add_module(Module_six_moves_urllib(__name__ + ".moves.urllib"),
+ "moves.urllib")
+
+
+def add_move(move):
+ """Add an item to six.moves."""
+ setattr(_MovedItems, move.name, move)
+
+
+def remove_move(name):
+ """Remove item from six.moves."""
+ try:
+ delattr(_MovedItems, name)
+ except AttributeError:
+ try:
+ del moves.__dict__[name]
+ except KeyError:
+ raise AttributeError("no such move, %r" % (name,))
+
+
+if PY3:
+ _meth_func = "__func__"
+ _meth_self = "__self__"
+
+ _func_closure = "__closure__"
+ _func_code = "__code__"
+ _func_defaults = "__defaults__"
+ _func_globals = "__globals__"
+else:
+ _meth_func = "im_func"
+ _meth_self = "im_self"
+
+ _func_closure = "func_closure"
+ _func_code = "func_code"
+ _func_defaults = "func_defaults"
+ _func_globals = "func_globals"
+
+
+try:
+ advance_iterator = next
+except NameError:
+ def advance_iterator(it):
+ return it.next()
+next = advance_iterator
+
+
+try:
+ callable = callable
+except NameError:
+ def callable(obj):
+ return any("__call__" in klass.__dict__ for klass in type(obj).__mro__)
+
+
+if PY3:
+ def get_unbound_function(unbound):
+ return unbound
+
+ create_bound_method = types.MethodType
+
+ def create_unbound_method(func, cls):
+ return func
+
+ Iterator = object
+else:
+ def get_unbound_function(unbound):
+ return unbound.im_func
+
+ def create_bound_method(func, obj):
+ return types.MethodType(func, obj, obj.__class__)
+
+ def create_unbound_method(func, cls):
+ return types.MethodType(func, None, cls)
+
+ class Iterator(object):
+
+ def next(self):
+ return type(self).__next__(self)
+
+ callable = callable
+_add_doc(get_unbound_function,
+ """Get the function out of a possibly unbound function""")
+
+
+get_method_function = operator.attrgetter(_meth_func)
+get_method_self = operator.attrgetter(_meth_self)
+get_function_closure = operator.attrgetter(_func_closure)
+get_function_code = operator.attrgetter(_func_code)
+get_function_defaults = operator.attrgetter(_func_defaults)
+get_function_globals = operator.attrgetter(_func_globals)
+
+
+if PY3:
+ def iterkeys(d, **kw):
+ return iter(d.keys(**kw))
+
+ def itervalues(d, **kw):
+ return iter(d.values(**kw))
+
+ def iteritems(d, **kw):
+ return iter(d.items(**kw))
+
+ def iterlists(d, **kw):
+ return iter(d.lists(**kw))
+
+ viewkeys = operator.methodcaller("keys")
+
+ viewvalues = operator.methodcaller("values")
+
+ viewitems = operator.methodcaller("items")
+else:
+ def iterkeys(d, **kw):
+ return d.iterkeys(**kw)
+
+ def itervalues(d, **kw):
+ return d.itervalues(**kw)
+
+ def iteritems(d, **kw):
+ return d.iteritems(**kw)
+
+ def iterlists(d, **kw):
+ return d.iterlists(**kw)
+
+ viewkeys = operator.methodcaller("viewkeys")
+
+ viewvalues = operator.methodcaller("viewvalues")
+
+ viewitems = operator.methodcaller("viewitems")
+
+_add_doc(iterkeys, "Return an iterator over the keys of a dictionary.")
+_add_doc(itervalues, "Return an iterator over the values of a dictionary.")
+_add_doc(iteritems,
+ "Return an iterator over the (key, value) pairs of a dictionary.")
+_add_doc(iterlists,
+ "Return an iterator over the (key, [values]) pairs of a dictionary.")
+
+
+if PY3:
+ def b(s):
+ return s.encode("latin-1")
+
+ def u(s):
+ return s
+ unichr = chr
+ import struct
+ int2byte = struct.Struct(">B").pack
+ del struct
+ byte2int = operator.itemgetter(0)
+ indexbytes = operator.getitem
+ iterbytes = iter
+ import io
+ StringIO = io.StringIO
+ BytesIO = io.BytesIO
+ del io
+ _assertCountEqual = "assertCountEqual"
+ if sys.version_info[1] <= 1:
+ _assertRaisesRegex = "assertRaisesRegexp"
+ _assertRegex = "assertRegexpMatches"
+ _assertNotRegex = "assertNotRegexpMatches"
+ else:
+ _assertRaisesRegex = "assertRaisesRegex"
+ _assertRegex = "assertRegex"
+ _assertNotRegex = "assertNotRegex"
+else:
+ def b(s):
+ return s
+ # Workaround for standalone backslash
+
+ def u(s):
+ return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape")
+ unichr = unichr
+ int2byte = chr
+
+ def byte2int(bs):
+ return ord(bs[0])
+
+ def indexbytes(buf, i):
+ return ord(buf[i])
+ iterbytes = functools.partial(itertools.imap, ord)
+ import StringIO
+ StringIO = BytesIO = StringIO.StringIO
+ _assertCountEqual = "assertItemsEqual"
+ _assertRaisesRegex = "assertRaisesRegexp"
+ _assertRegex = "assertRegexpMatches"
+ _assertNotRegex = "assertNotRegexpMatches"
+_add_doc(b, """Byte literal""")
+_add_doc(u, """Text literal""")
+
+
+def assertCountEqual(self, *args, **kwargs):
+ return getattr(self, _assertCountEqual)(*args, **kwargs)
+
+
+def assertRaisesRegex(self, *args, **kwargs):
+ return getattr(self, _assertRaisesRegex)(*args, **kwargs)
+
+
+def assertRegex(self, *args, **kwargs):
+ return getattr(self, _assertRegex)(*args, **kwargs)
+
+
+def assertNotRegex(self, *args, **kwargs):
+ return getattr(self, _assertNotRegex)(*args, **kwargs)
+
+
+if PY3:
+ exec_ = getattr(moves.builtins, "exec")
+
+ def reraise(tp, value, tb=None):
+ try:
+ if value is None:
+ value = tp()
+ if value.__traceback__ is not tb:
+ raise value.with_traceback(tb)
+ raise value
+ finally:
+ value = None
+ tb = None
+
+else:
+ def exec_(_code_, _globs_=None, _locs_=None):
+ """Execute code in a namespace."""
+ if _globs_ is None:
+ frame = sys._getframe(1)
+ _globs_ = frame.f_globals
+ if _locs_ is None:
+ _locs_ = frame.f_locals
+ del frame
+ elif _locs_ is None:
+ _locs_ = _globs_
+ exec("""exec _code_ in _globs_, _locs_""")
+
+ exec_("""def reraise(tp, value, tb=None):
+ try:
+ raise tp, value, tb
+ finally:
+ tb = None
+""")
+
+
+if sys.version_info[:2] > (3,):
+ exec_("""def raise_from(value, from_value):
+ try:
+ raise value from from_value
+ finally:
+ value = None
+""")
+else:
+ def raise_from(value, from_value):
+ raise value
+
+
+print_ = getattr(moves.builtins, "print", None)
+if print_ is None:
+ def print_(*args, **kwargs):
+ """The new-style print function for Python 2.4 and 2.5."""
+ fp = kwargs.pop("file", sys.stdout)
+ if fp is None:
+ return
+
+ def write(data):
+ if not isinstance(data, basestring):
+ data = str(data)
+ # If the file has an encoding, encode unicode with it.
+ if (isinstance(fp, file) and
+ isinstance(data, unicode) and
+ fp.encoding is not None):
+ errors = getattr(fp, "errors", None)
+ if errors is None:
+ errors = "strict"
+ data = data.encode(fp.encoding, errors)
+ fp.write(data)
+ want_unicode = False
+ sep = kwargs.pop("sep", None)
+ if sep is not None:
+ if isinstance(sep, unicode):
+ want_unicode = True
+ elif not isinstance(sep, str):
+ raise TypeError("sep must be None or a string")
+ end = kwargs.pop("end", None)
+ if end is not None:
+ if isinstance(end, unicode):
+ want_unicode = True
+ elif not isinstance(end, str):
+ raise TypeError("end must be None or a string")
+ if kwargs:
+ raise TypeError("invalid keyword arguments to print()")
+ if not want_unicode:
+ for arg in args:
+ if isinstance(arg, unicode):
+ want_unicode = True
+ break
+ if want_unicode:
+ newline = unicode("\n")
+ space = unicode(" ")
+ else:
+ newline = "\n"
+ space = " "
+ if sep is None:
+ sep = space
+ if end is None:
+ end = newline
+ for i, arg in enumerate(args):
+ if i:
+ write(sep)
+ write(arg)
+ write(end)
+if sys.version_info[:2] < (3, 3):
+ _print = print_
+
+ def print_(*args, **kwargs):
+ fp = kwargs.get("file", sys.stdout)
+ flush = kwargs.pop("flush", False)
+ _print(*args, **kwargs)
+ if flush and fp is not None:
+ fp.flush()
+
+_add_doc(reraise, """Reraise an exception.""")
+
+if sys.version_info[0:2] < (3, 4):
+ # This does exactly the same what the :func:`py3:functools.update_wrapper`
+ # function does on Python versions after 3.2. It sets the ``__wrapped__``
+ # attribute on ``wrapper`` object and it doesn't raise an error if any of
+ # the attributes mentioned in ``assigned`` and ``updated`` are missing on
+ # ``wrapped`` object.
+ def _update_wrapper(wrapper, wrapped,
+ assigned=functools.WRAPPER_ASSIGNMENTS,
+ updated=functools.WRAPPER_UPDATES):
+ for attr in assigned:
+ try:
+ value = getattr(wrapped, attr)
+ except AttributeError:
+ continue
+ else:
+ setattr(wrapper, attr, value)
+ for attr in updated:
+ getattr(wrapper, attr).update(getattr(wrapped, attr, {}))
+ wrapper.__wrapped__ = wrapped
+ return wrapper
+ _update_wrapper.__doc__ = functools.update_wrapper.__doc__
+
+ def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS,
+ updated=functools.WRAPPER_UPDATES):
+ return functools.partial(_update_wrapper, wrapped=wrapped,
+ assigned=assigned, updated=updated)
+ wraps.__doc__ = functools.wraps.__doc__
+
+else:
+ wraps = functools.wraps
+
+
+def with_metaclass(meta, *bases):
+ """Create a base class with a metaclass."""
+ # This requires a bit of explanation: the basic idea is to make a dummy
+ # metaclass for one level of class instantiation that replaces itself with
+ # the actual metaclass.
+ class metaclass(type):
+
+ def __new__(cls, name, this_bases, d):
+ if sys.version_info[:2] >= (3, 7):
+ # This version introduced PEP 560 that requires a bit
+ # of extra care (we mimic what is done by __build_class__).
+ resolved_bases = types.resolve_bases(bases)
+ if resolved_bases is not bases:
+ d['__orig_bases__'] = bases
+ else:
+ resolved_bases = bases
+ return meta(name, resolved_bases, d)
+
+ @classmethod
+ def __prepare__(cls, name, this_bases):
+ return meta.__prepare__(name, bases)
+ return type.__new__(metaclass, 'temporary_class', (), {})
+
+
+def add_metaclass(metaclass):
+ """Class decorator for creating a class with a metaclass."""
+ def wrapper(cls):
+ orig_vars = cls.__dict__.copy()
+ slots = orig_vars.get('__slots__')
+ if slots is not None:
+ if isinstance(slots, str):
+ slots = [slots]
+ for slots_var in slots:
+ orig_vars.pop(slots_var)
+ orig_vars.pop('__dict__', None)
+ orig_vars.pop('__weakref__', None)
+ if hasattr(cls, '__qualname__'):
+ orig_vars['__qualname__'] = cls.__qualname__
+ return metaclass(cls.__name__, cls.__bases__, orig_vars)
+ return wrapper
+
+
+def ensure_binary(s, encoding='utf-8', errors='strict'):
+ """Coerce **s** to six.binary_type.
+
+ For Python 2:
+ - `unicode` -> encoded to `str`
+ - `str` -> `str`
+
+ For Python 3:
+ - `str` -> encoded to `bytes`
+ - `bytes` -> `bytes`
+ """
+ if isinstance(s, binary_type):
+ return s
+ if isinstance(s, text_type):
+ return s.encode(encoding, errors)
+ raise TypeError("not expecting type '%s'" % type(s))
+
+
+def ensure_str(s, encoding='utf-8', errors='strict'):
+ """Coerce *s* to `str`.
+
+ For Python 2:
+ - `unicode` -> encoded to `str`
+ - `str` -> `str`
+
+ For Python 3:
+ - `str` -> `str`
+ - `bytes` -> decoded to `str`
+ """
+ # Optimization: Fast return for the common case.
+ if type(s) is str:
+ return s
+ if PY2 and isinstance(s, text_type):
+ return s.encode(encoding, errors)
+ elif PY3 and isinstance(s, binary_type):
+ return s.decode(encoding, errors)
+ elif not isinstance(s, (text_type, binary_type)):
+ raise TypeError("not expecting type '%s'" % type(s))
+ return s
+
+
+def ensure_text(s, encoding='utf-8', errors='strict'):
+ """Coerce *s* to six.text_type.
+
+ For Python 2:
+ - `unicode` -> `unicode`
+ - `str` -> `unicode`
+
+ For Python 3:
+ - `str` -> `str`
+ - `bytes` -> decoded to `str`
+ """
+ if isinstance(s, binary_type):
+ return s.decode(encoding, errors)
+ elif isinstance(s, text_type):
+ return s
+ else:
+ raise TypeError("not expecting type '%s'" % type(s))
+
+
+def python_2_unicode_compatible(klass):
+ """
+ A class decorator that defines __unicode__ and __str__ methods under Python 2.
+ Under Python 3 it does nothing.
+
+ To support Python 2 and 3 with a single code base, define a __str__ method
+ returning text and apply this decorator to the class.
+ """
+ if PY2:
+ if '__str__' not in klass.__dict__:
+ raise ValueError("@python_2_unicode_compatible cannot be applied "
+ "to %s because it doesn't define __str__()." %
+ klass.__name__)
+ klass.__unicode__ = klass.__str__
+ klass.__str__ = lambda self: self.__unicode__().encode('utf-8')
+ return klass
+
+
+# Complete the moves implementation.
+# This code is at the end of this module to speed up module loading.
+# Turn this module into a package.
+__path__ = [] # required for PEP 302 and PEP 451
+__package__ = __name__ # see PEP 366 @ReservedAssignment
+if globals().get("__spec__") is not None:
+ __spec__.submodule_search_locations = [] # PEP 451 @UndefinedVariable
+# Remove other six meta path importers, since they cause problems. This can
+# happen if six is removed from sys.modules and then reloaded. (Setuptools does
+# this for some reason.)
+if sys.meta_path:
+ for i, importer in enumerate(sys.meta_path):
+ # Here's some real nastiness: Another "instance" of the six module might
+ # be floating around. Therefore, we can't use isinstance() to check for
+ # the six meta path importer, since the other six instance will have
+ # inserted an importer with different class.
+ if (type(importer).__name__ == "_SixMetaPathImporter" and
+ importer.name == __name__):
+ del sys.meta_path[i]
+ break
+ del i, importer
+# Finally, add the importer to the meta path import hook.
+sys.meta_path.append(_importer)
diff --git a/parrot/lib/python3.10/site-packages/threadpoolctl.py b/parrot/lib/python3.10/site-packages/threadpoolctl.py
new file mode 100644
index 0000000000000000000000000000000000000000..2a72d1b57e1d764d73052583d3c5a8e8b7697eae
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/threadpoolctl.py
@@ -0,0 +1,1280 @@
+"""threadpoolctl
+
+This module provides utilities to introspect native libraries that relies on
+thread pools (notably BLAS and OpenMP implementations) and dynamically set the
+maximal number of threads they can use.
+"""
+
+# License: BSD 3-Clause
+
+# The code to introspect dynamically loaded libraries on POSIX systems is
+# adapted from code by Intel developer @anton-malakhov available at
+# https://github.com/IntelPython/smp (Copyright (c) 2017, Intel Corporation)
+# and also published under the BSD 3-Clause license
+import os
+import re
+import sys
+import ctypes
+import itertools
+import textwrap
+from typing import final
+import warnings
+from ctypes.util import find_library
+from abc import ABC, abstractmethod
+from functools import lru_cache
+from contextlib import ContextDecorator
+
+__version__ = "3.5.0"
+__all__ = [
+ "threadpool_limits",
+ "threadpool_info",
+ "ThreadpoolController",
+ "LibController",
+ "register",
+]
+
+
+# One can get runtime errors or even segfaults due to multiple OpenMP libraries
+# loaded simultaneously which can happen easily in Python when importing and
+# using compiled extensions built with different compilers and therefore
+# different OpenMP runtimes in the same program. In particular libiomp (used by
+# Intel ICC) and libomp used by clang/llvm tend to crash. This can happen for
+# instance when calling BLAS inside a prange. Setting the following environment
+# variable allows multiple OpenMP libraries to be loaded. It should not degrade
+# performances since we manually take care of potential over-subscription
+# performance issues, in sections of the code where nested OpenMP loops can
+# happen, by dynamically reconfiguring the inner OpenMP runtime to temporarily
+# disable it while under the scope of the outer OpenMP parallel section.
+os.environ.setdefault("KMP_DUPLICATE_LIB_OK", "True")
+
+# Structure to cast the info on dynamically loaded library. See
+# https://linux.die.net/man/3/dl_iterate_phdr for more details.
+_SYSTEM_UINT = ctypes.c_uint64 if sys.maxsize > 2**32 else ctypes.c_uint32
+_SYSTEM_UINT_HALF = ctypes.c_uint32 if sys.maxsize > 2**32 else ctypes.c_uint16
+
+
+class _dl_phdr_info(ctypes.Structure):
+ _fields_ = [
+ ("dlpi_addr", _SYSTEM_UINT), # Base address of object
+ ("dlpi_name", ctypes.c_char_p), # path to the library
+ ("dlpi_phdr", ctypes.c_void_p), # pointer on dlpi_headers
+ ("dlpi_phnum", _SYSTEM_UINT_HALF), # number of elements in dlpi_phdr
+ ]
+
+
+# The RTLD_NOLOAD flag for loading shared libraries is not defined on Windows.
+try:
+ _RTLD_NOLOAD = os.RTLD_NOLOAD
+except AttributeError:
+ _RTLD_NOLOAD = ctypes.DEFAULT_MODE
+
+
+class LibController(ABC):
+ """Abstract base class for the individual library controllers
+
+ A library controller must expose the following class attributes:
+ - user_api : str
+ Usually the name of the library or generic specification the library
+ implements, e.g. "blas" is a specification with different implementations.
+ - internal_api : str
+ Usually the name of the library or concrete implementation of some
+ specification, e.g. "openblas" is an implementation of the "blas"
+ specification.
+ - filename_prefixes : tuple
+ Possible prefixes of the shared library's filename that allow to
+ identify the library. e.g. "libopenblas" for libopenblas.so.
+
+ and implement the following methods: `get_num_threads`, `set_num_threads` and
+ `get_version`.
+
+ Threadpoolctl loops through all the loaded shared libraries and tries to match
+ the filename of each library with the `filename_prefixes`. If a match is found, a
+ controller is instantiated and a handler to the library is stored in the `dynlib`
+ attribute as a `ctypes.CDLL` object. It can be used to access the necessary symbols
+ of the shared library to implement the above methods.
+
+ The following information will be exposed in the info dictionary:
+ - user_api : standardized API, if any, or a copy of internal_api.
+ - internal_api : implementation-specific API.
+ - num_threads : the current thread limit.
+ - prefix : prefix of the shared library's filename.
+ - filepath : path to the loaded shared library.
+ - version : version of the library (if available).
+
+ In addition, each library controller may expose internal API specific entries. They
+ must be set as attributes in the `set_additional_attributes` method.
+ """
+
+ @final
+ def __init__(self, *, filepath=None, prefix=None, parent=None):
+ """This is not meant to be overriden by subclasses."""
+ self.parent = parent
+ self.prefix = prefix
+ self.filepath = filepath
+ self.dynlib = ctypes.CDLL(filepath, mode=_RTLD_NOLOAD)
+ self._symbol_prefix, self._symbol_suffix = self._find_affixes()
+ self.version = self.get_version()
+ self.set_additional_attributes()
+
+ def info(self):
+ """Return relevant info wrapped in a dict"""
+ hidden_attrs = ("dynlib", "parent", "_symbol_prefix", "_symbol_suffix")
+ return {
+ "user_api": self.user_api,
+ "internal_api": self.internal_api,
+ "num_threads": self.num_threads,
+ **{k: v for k, v in vars(self).items() if k not in hidden_attrs},
+ }
+
+ def set_additional_attributes(self):
+ """Set additional attributes meant to be exposed in the info dict"""
+
+ @property
+ def num_threads(self):
+ """Exposes the current thread limit as a dynamic property
+
+ This is not meant to be used or overriden by subclasses.
+ """
+ return self.get_num_threads()
+
+ @abstractmethod
+ def get_num_threads(self):
+ """Return the maximum number of threads available to use"""
+
+ @abstractmethod
+ def set_num_threads(self, num_threads):
+ """Set the maximum number of threads to use"""
+
+ @abstractmethod
+ def get_version(self):
+ """Return the version of the shared library"""
+
+ def _find_affixes(self):
+ """Return the affixes for the symbols of the shared library"""
+ return "", ""
+
+ def _get_symbol(self, name):
+ """Return the symbol of the shared library accounding for the affixes"""
+ return getattr(
+ self.dynlib, f"{self._symbol_prefix}{name}{self._symbol_suffix}", None
+ )
+
+
+class OpenBLASController(LibController):
+ """Controller class for OpenBLAS"""
+
+ user_api = "blas"
+ internal_api = "openblas"
+ filename_prefixes = ("libopenblas", "libblas", "libscipy_openblas")
+
+ _symbol_prefixes = ("", "scipy_")
+ _symbol_suffixes = ("", "64_", "_64")
+
+ # All variations of "openblas_get_num_threads", accounting for the affixes
+ check_symbols = tuple(
+ f"{prefix}openblas_get_num_threads{suffix}"
+ for prefix, suffix in itertools.product(_symbol_prefixes, _symbol_suffixes)
+ )
+
+ def _find_affixes(self):
+ for prefix, suffix in itertools.product(
+ self._symbol_prefixes, self._symbol_suffixes
+ ):
+ if hasattr(self.dynlib, f"{prefix}openblas_get_num_threads{suffix}"):
+ return prefix, suffix
+
+ def set_additional_attributes(self):
+ self.threading_layer = self._get_threading_layer()
+ self.architecture = self._get_architecture()
+
+ def get_num_threads(self):
+ get_num_threads_func = self._get_symbol("openblas_get_num_threads")
+ if get_num_threads_func is not None:
+ return get_num_threads_func()
+ return None
+
+ def set_num_threads(self, num_threads):
+ set_num_threads_func = self._get_symbol("openblas_set_num_threads")
+ if set_num_threads_func is not None:
+ return set_num_threads_func(num_threads)
+ return None
+
+ def get_version(self):
+ # None means OpenBLAS is not loaded or version < 0.3.4, since OpenBLAS
+ # did not expose its version before that.
+ get_version_func = self._get_symbol("openblas_get_config")
+ if get_version_func is not None:
+ get_version_func.restype = ctypes.c_char_p
+ config = get_version_func().split()
+ if config[0] == b"OpenBLAS":
+ return config[1].decode("utf-8")
+ return None
+ return None
+
+ def _get_threading_layer(self):
+ """Return the threading layer of OpenBLAS"""
+ get_threading_layer_func = self._get_symbol("openblas_get_parallel")
+ if get_threading_layer_func is not None:
+ threading_layer = get_threading_layer_func()
+ if threading_layer == 2:
+ return "openmp"
+ elif threading_layer == 1:
+ return "pthreads"
+ return "disabled"
+ return "unknown"
+
+ def _get_architecture(self):
+ """Return the architecture detected by OpenBLAS"""
+ get_architecture_func = self._get_symbol("openblas_get_corename")
+ if get_architecture_func is not None:
+ get_architecture_func.restype = ctypes.c_char_p
+ return get_architecture_func().decode("utf-8")
+ return None
+
+
+class BLISController(LibController):
+ """Controller class for BLIS"""
+
+ user_api = "blas"
+ internal_api = "blis"
+ filename_prefixes = ("libblis", "libblas")
+ check_symbols = (
+ "bli_thread_get_num_threads",
+ "bli_thread_set_num_threads",
+ "bli_info_get_version_str",
+ "bli_info_get_enable_openmp",
+ "bli_info_get_enable_pthreads",
+ "bli_arch_query_id",
+ "bli_arch_string",
+ )
+
+ def set_additional_attributes(self):
+ self.threading_layer = self._get_threading_layer()
+ self.architecture = self._get_architecture()
+
+ def get_num_threads(self):
+ get_func = getattr(self.dynlib, "bli_thread_get_num_threads", lambda: None)
+ num_threads = get_func()
+ # by default BLIS is single-threaded and get_num_threads
+ # returns -1. We map it to 1 for consistency with other libraries.
+ return 1 if num_threads == -1 else num_threads
+
+ def set_num_threads(self, num_threads):
+ set_func = getattr(
+ self.dynlib, "bli_thread_set_num_threads", lambda num_threads: None
+ )
+ return set_func(num_threads)
+
+ def get_version(self):
+ get_version_ = getattr(self.dynlib, "bli_info_get_version_str", None)
+ if get_version_ is None:
+ return None
+
+ get_version_.restype = ctypes.c_char_p
+ return get_version_().decode("utf-8")
+
+ def _get_threading_layer(self):
+ """Return the threading layer of BLIS"""
+ if getattr(self.dynlib, "bli_info_get_enable_openmp", lambda: False)():
+ return "openmp"
+ elif getattr(self.dynlib, "bli_info_get_enable_pthreads", lambda: False)():
+ return "pthreads"
+ return "disabled"
+
+ def _get_architecture(self):
+ """Return the architecture detected by BLIS"""
+ bli_arch_query_id = getattr(self.dynlib, "bli_arch_query_id", None)
+ bli_arch_string = getattr(self.dynlib, "bli_arch_string", None)
+ if bli_arch_query_id is None or bli_arch_string is None:
+ return None
+
+ # the true restype should be BLIS' arch_t (enum) but int should work
+ # for us:
+ bli_arch_query_id.restype = ctypes.c_int
+ bli_arch_string.restype = ctypes.c_char_p
+ return bli_arch_string(bli_arch_query_id()).decode("utf-8")
+
+
+class FlexiBLASController(LibController):
+ """Controller class for FlexiBLAS"""
+
+ user_api = "blas"
+ internal_api = "flexiblas"
+ filename_prefixes = ("libflexiblas",)
+ check_symbols = (
+ "flexiblas_get_num_threads",
+ "flexiblas_set_num_threads",
+ "flexiblas_get_version",
+ "flexiblas_list",
+ "flexiblas_list_loaded",
+ "flexiblas_current_backend",
+ )
+
+ @property
+ def loaded_backends(self):
+ return self._get_backend_list(loaded=True)
+
+ @property
+ def current_backend(self):
+ return self._get_current_backend()
+
+ def info(self):
+ """Return relevant info wrapped in a dict"""
+ # We override the info method because the loaded and current backends
+ # are dynamic properties
+ exposed_attrs = super().info()
+ exposed_attrs["loaded_backends"] = self.loaded_backends
+ exposed_attrs["current_backend"] = self.current_backend
+
+ return exposed_attrs
+
+ def set_additional_attributes(self):
+ self.available_backends = self._get_backend_list(loaded=False)
+
+ def get_num_threads(self):
+ get_func = getattr(self.dynlib, "flexiblas_get_num_threads", lambda: None)
+ num_threads = get_func()
+ # by default BLIS is single-threaded and get_num_threads
+ # returns -1. We map it to 1 for consistency with other libraries.
+ return 1 if num_threads == -1 else num_threads
+
+ def set_num_threads(self, num_threads):
+ set_func = getattr(
+ self.dynlib, "flexiblas_set_num_threads", lambda num_threads: None
+ )
+ return set_func(num_threads)
+
+ def get_version(self):
+ get_version_ = getattr(self.dynlib, "flexiblas_get_version", None)
+ if get_version_ is None:
+ return None
+
+ major = ctypes.c_int()
+ minor = ctypes.c_int()
+ patch = ctypes.c_int()
+ get_version_(ctypes.byref(major), ctypes.byref(minor), ctypes.byref(patch))
+ return f"{major.value}.{minor.value}.{patch.value}"
+
+ def _get_backend_list(self, loaded=False):
+ """Return the list of available backends for FlexiBLAS.
+
+ If loaded is False, return the list of available backends from the FlexiBLAS
+ configuration. If loaded is True, return the list of actually loaded backends.
+ """
+ func_name = f"flexiblas_list{'_loaded' if loaded else ''}"
+ get_backend_list_ = getattr(self.dynlib, func_name, None)
+ if get_backend_list_ is None:
+ return None
+
+ n_backends = get_backend_list_(None, 0, 0)
+
+ backends = []
+ for i in range(n_backends):
+ backend_name = ctypes.create_string_buffer(1024)
+ get_backend_list_(backend_name, 1024, i)
+ if backend_name.value.decode("utf-8") != "__FALLBACK__":
+ # We don't know when to expect __FALLBACK__ but it is not a real
+ # backend and does not show up when running flexiblas list.
+ backends.append(backend_name.value.decode("utf-8"))
+ return backends
+
+ def _get_current_backend(self):
+ """Return the backend of FlexiBLAS"""
+ get_backend_ = getattr(self.dynlib, "flexiblas_current_backend", None)
+ if get_backend_ is None:
+ return None
+
+ backend = ctypes.create_string_buffer(1024)
+ get_backend_(backend, ctypes.sizeof(backend))
+ return backend.value.decode("utf-8")
+
+ def switch_backend(self, backend):
+ """Switch the backend of FlexiBLAS
+
+ Parameters
+ ----------
+ backend : str
+ The name or the path to the shared library of the backend to switch to. If
+ the backend is not already loaded, it will be loaded first.
+ """
+ if backend not in self.loaded_backends:
+ if backend in self.available_backends:
+ load_func = getattr(self.dynlib, "flexiblas_load_backend", lambda _: -1)
+ else: # assume backend is a path to a shared library
+ load_func = getattr(
+ self.dynlib, "flexiblas_load_backend_library", lambda _: -1
+ )
+ res = load_func(str(backend).encode("utf-8"))
+ if res == -1:
+ raise RuntimeError(
+ f"Failed to load backend {backend!r}. It must either be the name of"
+ " a backend available in the FlexiBLAS configuration "
+ f"{self.available_backends} or the path to a valid shared library."
+ )
+
+ # Trigger a new search of loaded shared libraries since loading a new
+ # backend caused a dlopen.
+ self.parent._load_libraries()
+
+ switch_func = getattr(self.dynlib, "flexiblas_switch", lambda _: -1)
+ idx = self.loaded_backends.index(backend)
+ res = switch_func(idx)
+ if res == -1:
+ raise RuntimeError(f"Failed to switch to backend {backend!r}.")
+
+
+class MKLController(LibController):
+ """Controller class for MKL"""
+
+ user_api = "blas"
+ internal_api = "mkl"
+ filename_prefixes = ("libmkl_rt", "mkl_rt", "libblas")
+ check_symbols = (
+ "MKL_Get_Max_Threads",
+ "MKL_Set_Num_Threads",
+ "MKL_Get_Version_String",
+ "MKL_Set_Threading_Layer",
+ )
+
+ def set_additional_attributes(self):
+ self.threading_layer = self._get_threading_layer()
+
+ def get_num_threads(self):
+ get_func = getattr(self.dynlib, "MKL_Get_Max_Threads", lambda: None)
+ return get_func()
+
+ def set_num_threads(self, num_threads):
+ set_func = getattr(self.dynlib, "MKL_Set_Num_Threads", lambda num_threads: None)
+ return set_func(num_threads)
+
+ def get_version(self):
+ if not hasattr(self.dynlib, "MKL_Get_Version_String"):
+ return None
+
+ res = ctypes.create_string_buffer(200)
+ self.dynlib.MKL_Get_Version_String(res, 200)
+
+ version = res.value.decode("utf-8")
+ group = re.search(r"Version ([^ ]+) ", version)
+ if group is not None:
+ version = group.groups()[0]
+ return version.strip()
+
+ def _get_threading_layer(self):
+ """Return the threading layer of MKL"""
+ # The function mkl_set_threading_layer returns the current threading
+ # layer. Calling it with an invalid threading layer allows us to safely
+ # get the threading layer
+ set_threading_layer = getattr(
+ self.dynlib, "MKL_Set_Threading_Layer", lambda layer: -1
+ )
+ layer_map = {
+ 0: "intel",
+ 1: "sequential",
+ 2: "pgi",
+ 3: "gnu",
+ 4: "tbb",
+ -1: "not specified",
+ }
+ return layer_map[set_threading_layer(-1)]
+
+
+class OpenMPController(LibController):
+ """Controller class for OpenMP"""
+
+ user_api = "openmp"
+ internal_api = "openmp"
+ filename_prefixes = ("libiomp", "libgomp", "libomp", "vcomp")
+ check_symbols = (
+ "omp_get_max_threads",
+ "omp_get_num_threads",
+ )
+
+ def get_num_threads(self):
+ get_func = getattr(self.dynlib, "omp_get_max_threads", lambda: None)
+ return get_func()
+
+ def set_num_threads(self, num_threads):
+ set_func = getattr(self.dynlib, "omp_set_num_threads", lambda num_threads: None)
+ return set_func(num_threads)
+
+ def get_version(self):
+ # There is no way to get the version number programmatically in OpenMP.
+ return None
+
+
+# Controllers for the libraries that we'll look for in the loaded libraries.
+# Third party libraries can register their own controllers.
+_ALL_CONTROLLERS = [
+ OpenBLASController,
+ BLISController,
+ MKLController,
+ OpenMPController,
+ FlexiBLASController,
+]
+
+# Helpers for the doc and test names
+_ALL_USER_APIS = list(set(lib.user_api for lib in _ALL_CONTROLLERS))
+_ALL_INTERNAL_APIS = [lib.internal_api for lib in _ALL_CONTROLLERS]
+_ALL_PREFIXES = list(
+ set(prefix for lib in _ALL_CONTROLLERS for prefix in lib.filename_prefixes)
+)
+_ALL_BLAS_LIBRARIES = [
+ lib.internal_api for lib in _ALL_CONTROLLERS if lib.user_api == "blas"
+]
+_ALL_OPENMP_LIBRARIES = OpenMPController.filename_prefixes
+
+
+def register(controller):
+ """Register a new controller"""
+ _ALL_CONTROLLERS.append(controller)
+ _ALL_USER_APIS.append(controller.user_api)
+ _ALL_INTERNAL_APIS.append(controller.internal_api)
+ _ALL_PREFIXES.extend(controller.filename_prefixes)
+
+
+def _format_docstring(*args, **kwargs):
+ def decorator(o):
+ if o.__doc__ is not None:
+ o.__doc__ = o.__doc__.format(*args, **kwargs)
+ return o
+
+ return decorator
+
+
+@lru_cache(maxsize=10000)
+def _realpath(filepath):
+ """Small caching wrapper around os.path.realpath to limit system calls"""
+ return os.path.realpath(filepath)
+
+
+@_format_docstring(USER_APIS=list(_ALL_USER_APIS), INTERNAL_APIS=_ALL_INTERNAL_APIS)
+def threadpool_info():
+ """Return the maximal number of threads for each detected library.
+
+ Return a list with all the supported libraries that have been found. Each
+ library is represented by a dict with the following information:
+
+ - "user_api" : user API. Possible values are {USER_APIS}.
+ - "internal_api": internal API. Possible values are {INTERNAL_APIS}.
+ - "prefix" : filename prefix of the specific implementation.
+ - "filepath": path to the loaded library.
+ - "version": version of the library (if available).
+ - "num_threads": the current thread limit.
+
+ In addition, each library may contain internal_api specific entries.
+ """
+ return ThreadpoolController().info()
+
+
+class _ThreadpoolLimiter:
+ """The guts of ThreadpoolController.limit
+
+ Refer to the docstring of ThreadpoolController.limit for more details.
+
+ It will only act on the library controllers held by the provided `controller`.
+ Using the default constructor sets the limits right away such that it can be used as
+ a callable. Setting the limits can be delayed by using the `wrap` class method such
+ that it can be used as a decorator.
+ """
+
+ def __init__(self, controller, *, limits=None, user_api=None):
+ self._controller = controller
+ self._limits, self._user_api, self._prefixes = self._check_params(
+ limits, user_api
+ )
+ self._original_info = self._controller.info()
+ self._set_threadpool_limits()
+
+ def __enter__(self):
+ return self
+
+ def __exit__(self, type, value, traceback):
+ self.restore_original_limits()
+
+ @classmethod
+ def wrap(cls, controller, *, limits=None, user_api=None):
+ """Return an instance of this class that can be used as a decorator"""
+ return _ThreadpoolLimiterDecorator(
+ controller=controller, limits=limits, user_api=user_api
+ )
+
+ def restore_original_limits(self):
+ """Set the limits back to their original values"""
+ for lib_controller, original_info in zip(
+ self._controller.lib_controllers, self._original_info
+ ):
+ lib_controller.set_num_threads(original_info["num_threads"])
+
+ # Alias of `restore_original_limits` for backward compatibility
+ unregister = restore_original_limits
+
+ def get_original_num_threads(self):
+ """Original num_threads from before calling threadpool_limits
+
+ Return a dict `{user_api: num_threads}`.
+ """
+ num_threads = {}
+ warning_apis = []
+
+ for user_api in self._user_api:
+ limits = [
+ lib_info["num_threads"]
+ for lib_info in self._original_info
+ if lib_info["user_api"] == user_api
+ ]
+ limits = set(limits)
+ n_limits = len(limits)
+
+ if n_limits == 1:
+ limit = limits.pop()
+ elif n_limits == 0:
+ limit = None
+ else:
+ limit = min(limits)
+ warning_apis.append(user_api)
+
+ num_threads[user_api] = limit
+
+ if warning_apis:
+ warnings.warn(
+ "Multiple value possible for following user apis: "
+ + ", ".join(warning_apis)
+ + ". Returning the minimum."
+ )
+
+ return num_threads
+
+ def _check_params(self, limits, user_api):
+ """Suitable values for the _limits, _user_api and _prefixes attributes"""
+
+ if isinstance(limits, str) and limits == "sequential_blas_under_openmp":
+ (
+ limits,
+ user_api,
+ ) = self._controller._get_params_for_sequential_blas_under_openmp().values()
+
+ if limits is None or isinstance(limits, int):
+ if user_api is None:
+ user_api = _ALL_USER_APIS
+ elif user_api in _ALL_USER_APIS:
+ user_api = [user_api]
+ else:
+ raise ValueError(
+ f"user_api must be either in {_ALL_USER_APIS} or None. Got "
+ f"{user_api} instead."
+ )
+
+ if limits is not None:
+ limits = {api: limits for api in user_api}
+ prefixes = []
+ else:
+ if isinstance(limits, list):
+ # This should be a list of dicts of library info, for
+ # compatibility with the result from threadpool_info.
+ limits = {
+ lib_info["prefix"]: lib_info["num_threads"] for lib_info in limits
+ }
+ elif isinstance(limits, ThreadpoolController):
+ # To set the limits from the library controllers of a
+ # ThreadpoolController object.
+ limits = {
+ lib_controller.prefix: lib_controller.num_threads
+ for lib_controller in limits.lib_controllers
+ }
+
+ if not isinstance(limits, dict):
+ raise TypeError(
+ "limits must either be an int, a list, a dict, or "
+ f"'sequential_blas_under_openmp'. Got {type(limits)} instead"
+ )
+
+ # With a dictionary, can set both specific limit for given
+ # libraries and global limit for user_api. Fetch each separately.
+ prefixes = [prefix for prefix in limits if prefix in _ALL_PREFIXES]
+ user_api = [api for api in limits if api in _ALL_USER_APIS]
+
+ return limits, user_api, prefixes
+
+ def _set_threadpool_limits(self):
+ """Change the maximal number of threads in selected thread pools.
+
+ Return a list with all the supported libraries that have been found
+ matching `self._prefixes` and `self._user_api`.
+ """
+ if self._limits is None:
+ return
+
+ for lib_controller in self._controller.lib_controllers:
+ # self._limits is a dict {key: num_threads} where key is either
+ # a prefix or a user_api. If a library matches both, the limit
+ # corresponding to the prefix is chosen.
+ if lib_controller.prefix in self._limits:
+ num_threads = self._limits[lib_controller.prefix]
+ elif lib_controller.user_api in self._limits:
+ num_threads = self._limits[lib_controller.user_api]
+ else:
+ continue
+
+ if num_threads is not None:
+ lib_controller.set_num_threads(num_threads)
+
+
+class _ThreadpoolLimiterDecorator(_ThreadpoolLimiter, ContextDecorator):
+ """Same as _ThreadpoolLimiter but to be used as a decorator"""
+
+ def __init__(self, controller, *, limits=None, user_api=None):
+ self._limits, self._user_api, self._prefixes = self._check_params(
+ limits, user_api
+ )
+ self._controller = controller
+
+ def __enter__(self):
+ # we need to set the limits here and not in the __init__ because we want the
+ # limits to be set when calling the decorated function, not when creating the
+ # decorator.
+ self._original_info = self._controller.info()
+ self._set_threadpool_limits()
+ return self
+
+
+@_format_docstring(
+ USER_APIS=", ".join(f'"{api}"' for api in _ALL_USER_APIS),
+ BLAS_LIBS=", ".join(_ALL_BLAS_LIBRARIES),
+ OPENMP_LIBS=", ".join(_ALL_OPENMP_LIBRARIES),
+)
+class threadpool_limits(_ThreadpoolLimiter):
+ """Change the maximal number of threads that can be used in thread pools.
+
+ This object can be used either as a callable (the construction of this object
+ limits the number of threads), as a context manager in a `with` block to
+ automatically restore the original state of the controlled libraries when exiting
+ the block, or as a decorator through its `wrap` method.
+
+ Set the maximal number of threads that can be used in thread pools used in
+ the supported libraries to `limit`. This function works for libraries that
+ are already loaded in the interpreter and can be changed dynamically.
+
+ This effect is global and impacts the whole Python process. There is no thread level
+ isolation as these libraries do not offer thread-local APIs to configure the number
+ of threads to use in nested parallel calls.
+
+ Parameters
+ ----------
+ limits : int, dict, 'sequential_blas_under_openmp' or None (default=None)
+ The maximal number of threads that can be used in thread pools
+
+ - If int, sets the maximum number of threads to `limits` for each
+ library selected by `user_api`.
+
+ - If it is a dictionary `{{key: max_threads}}`, this function sets a
+ custom maximum number of threads for each `key` which can be either a
+ `user_api` or a `prefix` for a specific library.
+
+ - If 'sequential_blas_under_openmp', it will chose the appropriate `limits`
+ and `user_api` parameters for the specific use case of sequential BLAS
+ calls within an OpenMP parallel region. The `user_api` parameter is
+ ignored.
+
+ - If None, this function does not do anything.
+
+ user_api : {USER_APIS} or None (default=None)
+ APIs of libraries to limit. Used only if `limits` is an int.
+
+ - If "blas", it will only limit BLAS supported libraries ({BLAS_LIBS}).
+
+ - If "openmp", it will only limit OpenMP supported libraries
+ ({OPENMP_LIBS}). Note that it can affect the number of threads used
+ by the BLAS libraries if they rely on OpenMP.
+
+ - If None, this function will apply to all supported libraries.
+ """
+
+ def __init__(self, limits=None, user_api=None):
+ super().__init__(ThreadpoolController(), limits=limits, user_api=user_api)
+
+ @classmethod
+ def wrap(cls, limits=None, user_api=None):
+ return super().wrap(ThreadpoolController(), limits=limits, user_api=user_api)
+
+
+class ThreadpoolController:
+ """Collection of LibController objects for all loaded supported libraries
+
+ Attributes
+ ----------
+ lib_controllers : list of `LibController` objects
+ The list of library controllers of all loaded supported libraries.
+ """
+
+ # Cache for libc under POSIX and a few system libraries under Windows.
+ # We use a class level cache instead of an instance level cache because
+ # it's very unlikely that a shared library will be unloaded and reloaded
+ # during the lifetime of a program.
+ _system_libraries = dict()
+
+ def __init__(self):
+ self.lib_controllers = []
+ self._load_libraries()
+ self._warn_if_incompatible_openmp()
+
+ @classmethod
+ def _from_controllers(cls, lib_controllers):
+ new_controller = cls.__new__(cls)
+ new_controller.lib_controllers = lib_controllers
+ return new_controller
+
+ def info(self):
+ """Return lib_controllers info as a list of dicts"""
+ return [lib_controller.info() for lib_controller in self.lib_controllers]
+
+ def select(self, **kwargs):
+ """Return a ThreadpoolController containing a subset of its current
+ library controllers
+
+ It will select all libraries matching at least one pair (key, value) from kwargs
+ where key is an entry of the library info dict (like "user_api", "internal_api",
+ "prefix", ...) and value is the value or a list of acceptable values for that
+ entry.
+
+ For instance, `ThreadpoolController().select(internal_api=["blis", "openblas"])`
+ will select all library controllers whose internal_api is either "blis" or
+ "openblas".
+ """
+ for key, vals in kwargs.items():
+ kwargs[key] = [vals] if not isinstance(vals, list) else vals
+
+ lib_controllers = [
+ lib_controller
+ for lib_controller in self.lib_controllers
+ if any(
+ getattr(lib_controller, key, None) in vals
+ for key, vals in kwargs.items()
+ )
+ ]
+
+ return ThreadpoolController._from_controllers(lib_controllers)
+
+ def _get_params_for_sequential_blas_under_openmp(self):
+ """Return appropriate params to use for a sequential BLAS call in an OpenMP loop
+
+ This function takes into account the unexpected behavior of OpenBLAS with the
+ OpenMP threading layer.
+ """
+ if self.select(
+ internal_api="openblas", threading_layer="openmp"
+ ).lib_controllers:
+ return {"limits": None, "user_api": None}
+ return {"limits": 1, "user_api": "blas"}
+
+ @_format_docstring(
+ USER_APIS=", ".join('"{}"'.format(api) for api in _ALL_USER_APIS),
+ BLAS_LIBS=", ".join(_ALL_BLAS_LIBRARIES),
+ OPENMP_LIBS=", ".join(_ALL_OPENMP_LIBRARIES),
+ )
+ def limit(self, *, limits=None, user_api=None):
+ """Change the maximal number of threads that can be used in thread pools.
+
+ This function returns an object that can be used either as a callable (the
+ construction of this object limits the number of threads) or as a context
+ manager, in a `with` block to automatically restore the original state of the
+ controlled libraries when exiting the block.
+
+ Set the maximal number of threads that can be used in thread pools used in
+ the supported libraries to `limits`. This function works for libraries that
+ are already loaded in the interpreter and can be changed dynamically.
+
+ This effect is global and impacts the whole Python process. There is no thread
+ level isolation as these libraries do not offer thread-local APIs to configure
+ the number of threads to use in nested parallel calls.
+
+ Parameters
+ ----------
+ limits : int, dict, 'sequential_blas_under_openmp' or None (default=None)
+ The maximal number of threads that can be used in thread pools
+
+ - If int, sets the maximum number of threads to `limits` for each
+ library selected by `user_api`.
+
+ - If it is a dictionary `{{key: max_threads}}`, this function sets a
+ custom maximum number of threads for each `key` which can be either a
+ `user_api` or a `prefix` for a specific library.
+
+ - If 'sequential_blas_under_openmp', it will chose the appropriate `limits`
+ and `user_api` parameters for the specific use case of sequential BLAS
+ calls within an OpenMP parallel region. The `user_api` parameter is
+ ignored.
+
+ - If None, this function does not do anything.
+
+ user_api : {USER_APIS} or None (default=None)
+ APIs of libraries to limit. Used only if `limits` is an int.
+
+ - If "blas", it will only limit BLAS supported libraries ({BLAS_LIBS}).
+
+ - If "openmp", it will only limit OpenMP supported libraries
+ ({OPENMP_LIBS}). Note that it can affect the number of threads used
+ by the BLAS libraries if they rely on OpenMP.
+
+ - If None, this function will apply to all supported libraries.
+ """
+ return _ThreadpoolLimiter(self, limits=limits, user_api=user_api)
+
+ @_format_docstring(
+ USER_APIS=", ".join('"{}"'.format(api) for api in _ALL_USER_APIS),
+ BLAS_LIBS=", ".join(_ALL_BLAS_LIBRARIES),
+ OPENMP_LIBS=", ".join(_ALL_OPENMP_LIBRARIES),
+ )
+ def wrap(self, *, limits=None, user_api=None):
+ """Change the maximal number of threads that can be used in thread pools.
+
+ This function returns an object that can be used as a decorator.
+
+ Set the maximal number of threads that can be used in thread pools used in
+ the supported libraries to `limits`. This function works for libraries that
+ are already loaded in the interpreter and can be changed dynamically.
+
+ Parameters
+ ----------
+ limits : int, dict or None (default=None)
+ The maximal number of threads that can be used in thread pools
+
+ - If int, sets the maximum number of threads to `limits` for each
+ library selected by `user_api`.
+
+ - If it is a dictionary `{{key: max_threads}}`, this function sets a
+ custom maximum number of threads for each `key` which can be either a
+ `user_api` or a `prefix` for a specific library.
+
+ - If None, this function does not do anything.
+
+ user_api : {USER_APIS} or None (default=None)
+ APIs of libraries to limit. Used only if `limits` is an int.
+
+ - If "blas", it will only limit BLAS supported libraries ({BLAS_LIBS}).
+
+ - If "openmp", it will only limit OpenMP supported libraries
+ ({OPENMP_LIBS}). Note that it can affect the number of threads used
+ by the BLAS libraries if they rely on OpenMP.
+
+ - If None, this function will apply to all supported libraries.
+ """
+ return _ThreadpoolLimiter.wrap(self, limits=limits, user_api=user_api)
+
+ def __len__(self):
+ return len(self.lib_controllers)
+
+ def _load_libraries(self):
+ """Loop through loaded shared libraries and store the supported ones"""
+ if sys.platform == "darwin":
+ self._find_libraries_with_dyld()
+ elif sys.platform == "win32":
+ self._find_libraries_with_enum_process_module_ex()
+ elif "pyodide" in sys.modules:
+ self._find_libraries_pyodide()
+ else:
+ self._find_libraries_with_dl_iterate_phdr()
+
+ def _find_libraries_with_dl_iterate_phdr(self):
+ """Loop through loaded libraries and return binders on supported ones
+
+ This function is expected to work on POSIX system only.
+ This code is adapted from code by Intel developer @anton-malakhov
+ available at https://github.com/IntelPython/smp
+
+ Copyright (c) 2017, Intel Corporation published under the BSD 3-Clause
+ license
+ """
+ libc = self._get_libc()
+ if not hasattr(libc, "dl_iterate_phdr"): # pragma: no cover
+ warnings.warn(
+ "Could not find dl_iterate_phdr in the C standard library.",
+ RuntimeWarning,
+ )
+ return []
+
+ # Callback function for `dl_iterate_phdr` which is called for every
+ # library loaded in the current process until it returns 1.
+ def match_library_callback(info, size, data):
+ # Get the path of the current library
+ filepath = info.contents.dlpi_name
+ if filepath:
+ filepath = filepath.decode("utf-8")
+
+ # Store the library controller if it is supported and selected
+ self._make_controller_from_path(filepath)
+ return 0
+
+ c_func_signature = ctypes.CFUNCTYPE(
+ ctypes.c_int, # Return type
+ ctypes.POINTER(_dl_phdr_info),
+ ctypes.c_size_t,
+ ctypes.c_char_p,
+ )
+ c_match_library_callback = c_func_signature(match_library_callback)
+
+ data = ctypes.c_char_p(b"")
+ libc.dl_iterate_phdr(c_match_library_callback, data)
+
+ def _find_libraries_with_dyld(self):
+ """Loop through loaded libraries and return binders on supported ones
+
+ This function is expected to work on OSX system only
+ """
+ libc = self._get_libc()
+ if not hasattr(libc, "_dyld_image_count"): # pragma: no cover
+ warnings.warn(
+ "Could not find _dyld_image_count in the C standard library.",
+ RuntimeWarning,
+ )
+ return []
+
+ n_dyld = libc._dyld_image_count()
+ libc._dyld_get_image_name.restype = ctypes.c_char_p
+
+ for i in range(n_dyld):
+ filepath = ctypes.string_at(libc._dyld_get_image_name(i))
+ filepath = filepath.decode("utf-8")
+
+ # Store the library controller if it is supported and selected
+ self._make_controller_from_path(filepath)
+
+ def _find_libraries_with_enum_process_module_ex(self):
+ """Loop through loaded libraries and return binders on supported ones
+
+ This function is expected to work on windows system only.
+ This code is adapted from code by Philipp Hagemeister @phihag available
+ at https://stackoverflow.com/questions/17474574
+ """
+ from ctypes.wintypes import DWORD, HMODULE, MAX_PATH
+
+ PROCESS_QUERY_INFORMATION = 0x0400
+ PROCESS_VM_READ = 0x0010
+
+ LIST_LIBRARIES_ALL = 0x03
+
+ ps_api = self._get_windll("Psapi")
+ kernel_32 = self._get_windll("kernel32")
+
+ h_process = kernel_32.OpenProcess(
+ PROCESS_QUERY_INFORMATION | PROCESS_VM_READ, False, os.getpid()
+ )
+ if not h_process: # pragma: no cover
+ raise OSError(f"Could not open PID {os.getpid()}")
+
+ try:
+ buf_count = 256
+ needed = DWORD()
+ # Grow the buffer until it becomes large enough to hold all the
+ # module headers
+ while True:
+ buf = (HMODULE * buf_count)()
+ buf_size = ctypes.sizeof(buf)
+ if not ps_api.EnumProcessModulesEx(
+ h_process,
+ ctypes.byref(buf),
+ buf_size,
+ ctypes.byref(needed),
+ LIST_LIBRARIES_ALL,
+ ):
+ raise OSError("EnumProcessModulesEx failed")
+ if buf_size >= needed.value:
+ break
+ buf_count = needed.value // (buf_size // buf_count)
+
+ count = needed.value // (buf_size // buf_count)
+ h_modules = map(HMODULE, buf[:count])
+
+ # Loop through all the module headers and get the library path
+ buf = ctypes.create_unicode_buffer(MAX_PATH)
+ n_size = DWORD()
+ for h_module in h_modules:
+ # Get the path of the current module
+ if not ps_api.GetModuleFileNameExW(
+ h_process, h_module, ctypes.byref(buf), ctypes.byref(n_size)
+ ):
+ raise OSError("GetModuleFileNameEx failed")
+ filepath = buf.value
+
+ # Store the library controller if it is supported and selected
+ self._make_controller_from_path(filepath)
+ finally:
+ kernel_32.CloseHandle(h_process)
+
+ def _find_libraries_pyodide(self):
+ """Pyodide specific implementation for finding loaded libraries.
+
+ Adapted from suggestion in https://github.com/joblib/threadpoolctl/pull/169#issuecomment-1946696449.
+
+ One day, we may have a simpler solution. libc dl_iterate_phdr needs to
+ be implemented in Emscripten and exposed in Pyodide, see
+ https://github.com/emscripten-core/emscripten/issues/21354 for more
+ details.
+ """
+ try:
+ from pyodide_js._module import LDSO
+ except ImportError:
+ warnings.warn(
+ "Unable to import LDSO from pyodide_js._module. This should never "
+ "happen."
+ )
+ return
+
+ for filepath in LDSO.loadedLibsByName.as_object_map():
+ # Some libraries are duplicated by Pyodide and do not exist in the
+ # filesystem, so we first check for the existence of the file. For
+ # more details, see
+ # https://github.com/joblib/threadpoolctl/pull/169#issuecomment-1947946728
+ if os.path.exists(filepath):
+ self._make_controller_from_path(filepath)
+
+ def _make_controller_from_path(self, filepath):
+ """Store a library controller if it is supported and selected"""
+ # Required to resolve symlinks
+ filepath = _realpath(filepath)
+ # `lower` required to take account of OpenMP dll case on Windows
+ # (vcomp, VCOMP, Vcomp, ...)
+ filename = os.path.basename(filepath).lower()
+
+ # Loop through supported libraries to find if this filename corresponds
+ # to a supported one.
+ for controller_class in _ALL_CONTROLLERS:
+ # check if filename matches a supported prefix
+ prefix = self._check_prefix(filename, controller_class.filename_prefixes)
+
+ # filename does not match any of the prefixes of the candidate
+ # library. move to next library.
+ if prefix is None:
+ continue
+
+ # workaround for BLAS libraries packaged by conda-forge on windows, which
+ # are all renamed "libblas.dll". We thus have to check to which BLAS
+ # implementation it actually corresponds looking for implementation
+ # specific symbols.
+ if prefix == "libblas":
+ if filename.endswith(".dll"):
+ libblas = ctypes.CDLL(filepath, _RTLD_NOLOAD)
+ if not any(
+ hasattr(libblas, func)
+ for func in controller_class.check_symbols
+ ):
+ continue
+ else:
+ # We ignore libblas on other platforms than windows because there
+ # might be a libblas dso comming with openblas for instance that
+ # can't be used to instantiate a pertinent LibController (many
+ # symbols are missing) and would create confusion by making a
+ # duplicate entry in threadpool_info.
+ continue
+
+ # filename matches a prefix. Now we check if the library has the symbols we
+ # are looking for. If none of the symbols exists, it's very likely not the
+ # expected library (e.g. a library having a common prefix with one of the
+ # our supported libraries). Otherwise, create and store the library
+ # controller.
+ lib_controller = controller_class(
+ filepath=filepath, prefix=prefix, parent=self
+ )
+
+ if filepath in (lib.filepath for lib in self.lib_controllers):
+ # We already have a controller for this library.
+ continue
+
+ if not hasattr(controller_class, "check_symbols") or any(
+ hasattr(lib_controller.dynlib, func)
+ for func in controller_class.check_symbols
+ ):
+ self.lib_controllers.append(lib_controller)
+
+ def _check_prefix(self, library_basename, filename_prefixes):
+ """Return the prefix library_basename starts with
+
+ Return None if none matches.
+ """
+ for prefix in filename_prefixes:
+ if library_basename.startswith(prefix):
+ return prefix
+ return None
+
+ def _warn_if_incompatible_openmp(self):
+ """Raise a warning if llvm-OpenMP and intel-OpenMP are both loaded"""
+ prefixes = [lib_controller.prefix for lib_controller in self.lib_controllers]
+ msg = textwrap.dedent(
+ """
+ Found Intel OpenMP ('libiomp') and LLVM OpenMP ('libomp') loaded at
+ the same time. Both libraries are known to be incompatible and this
+ can cause random crashes or deadlocks on Linux when loaded in the
+ same Python program.
+ Using threadpoolctl may cause crashes or deadlocks. For more
+ information and possible workarounds, please see
+ https://github.com/joblib/threadpoolctl/blob/master/multiple_openmp.md
+ """
+ )
+ if "libomp" in prefixes and "libiomp" in prefixes:
+ warnings.warn(msg, RuntimeWarning)
+
+ @classmethod
+ def _get_libc(cls):
+ """Load the lib-C for unix systems."""
+ libc = cls._system_libraries.get("libc")
+ if libc is None:
+ # Remark: If libc is statically linked or if Python is linked against an
+ # alternative implementation of libc like musl, find_library will return
+ # None and CDLL will load the main program itself which should contain the
+ # libc symbols. We still name it libc for convenience.
+ # If the main program does not contain the libc symbols, it's ok because
+ # we check their presence later anyway.
+ libc = ctypes.CDLL(find_library("c"), mode=_RTLD_NOLOAD)
+ cls._system_libraries["libc"] = libc
+ return libc
+
+ @classmethod
+ def _get_windll(cls, dll_name):
+ """Load a windows DLL"""
+ dll = cls._system_libraries.get(dll_name)
+ if dll is None:
+ dll = ctypes.WinDLL(f"{dll_name}.dll")
+ cls._system_libraries[dll_name] = dll
+ return dll
+
+
+def _main():
+ """Commandline interface to display thread-pool information and exit."""
+ import argparse
+ import importlib
+ import json
+ import sys
+
+ parser = argparse.ArgumentParser(
+ usage="python -m threadpoolctl -i numpy scipy.linalg xgboost",
+ description="Display thread-pool information and exit.",
+ )
+ parser.add_argument(
+ "-i",
+ "--import",
+ dest="modules",
+ nargs="*",
+ default=(),
+ help="Python modules to import before introspecting thread-pools.",
+ )
+ parser.add_argument(
+ "-c",
+ "--command",
+ help="a Python statement to execute before introspecting thread-pools.",
+ )
+
+ options = parser.parse_args(sys.argv[1:])
+ for module in options.modules:
+ try:
+ importlib.import_module(module, package=None)
+ except ImportError:
+ print("WARNING: could not import", module, file=sys.stderr)
+
+ if options.command:
+ exec(options.command)
+
+ print(json.dumps(threadpool_info(), indent=2))
+
+
+if __name__ == "__main__":
+ _main()
diff --git a/parrot/lib/python3.10/site-packages/torch-2.4.1.dist-info/RECORD b/parrot/lib/python3.10/site-packages/torch-2.4.1.dist-info/RECORD
new file mode 100644
index 0000000000000000000000000000000000000000..5457c7899509d2d4f84c921d0c9c7273a04804ea
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/torch-2.4.1.dist-info/RECORD
@@ -0,0 +1,12557 @@
+../../../bin/convert-caffe2-to-onnx,sha256=Ey65EzT7M07kLUuhew_0YWwuhV4RonSn0MVg58t5pFs,264
+../../../bin/convert-onnx-to-caffe2,sha256=miLnZl_eLJljMXaAb_Glk-htGoC5zETtXyaRAbSDPnQ,264
+../../../bin/torchrun,sha256=Sci07b3UWpvHkj200ubdTeqa9N5aBF2jDclQRv9TQKY,232
+functorch/_C.cpython-310-x86_64-linux-gnu.so,sha256=joZ2Nn7Py05iTCawqGhL2B6_QWxADoLRY1XEaNFMi3g,319920
+functorch/__init__.py,sha256=Y28_YMDp8flLTOzgZaAImTOaN6W_7PYCFOwpiqksjcI,1036
+functorch/__pycache__/__init__.cpython-310.pyc,,
+functorch/_src/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+functorch/_src/__pycache__/__init__.cpython-310.pyc,,
+functorch/_src/aot_autograd/__init__.py,sha256=SGo7gh6XGYcOxTGf5g-R8Y9AF95ICcJbQwQD6rFyrpQ,291
+functorch/_src/aot_autograd/__pycache__/__init__.cpython-310.pyc,,
+functorch/_src/eager_transforms/__init__.py,sha256=kX_52fDvSX9YX9OAwo5bjvJtrxyjEBUJ1PueW8xgsuw,291
+functorch/_src/eager_transforms/__pycache__/__init__.cpython-310.pyc,,
+functorch/_src/make_functional/__init__.py,sha256=b3y8s3KhtCqFB8lM4Pi48AwuztUt7NBK-VISZNJYYjw,235
+functorch/_src/make_functional/__pycache__/__init__.cpython-310.pyc,,
+functorch/_src/vmap/__init__.py,sha256=k8r2Esz6tB5D7U_UA0_BCDaWoOmn8JNVrRqK7nG7_fM,467
+functorch/_src/vmap/__pycache__/__init__.cpython-310.pyc,,
+functorch/compile/__init__.py,sha256=fZnNG56VBLfKlXMqX5Rj3tORQYLyxbyoA0rEoEBt3KM,756
+functorch/compile/__pycache__/__init__.cpython-310.pyc,,
+functorch/dim/__init__.py,sha256=G5MS3type77FDdaUkfOJgn4AvW3ylLoZ7NSuikxdEc4,4721
+functorch/dim/__pycache__/__init__.cpython-310.pyc,,
+functorch/dim/__pycache__/batch_tensor.cpython-310.pyc,,
+functorch/dim/__pycache__/delayed_mul_tensor.cpython-310.pyc,,
+functorch/dim/__pycache__/dim.cpython-310.pyc,,
+functorch/dim/__pycache__/magic_trace.cpython-310.pyc,,
+functorch/dim/__pycache__/op_properties.cpython-310.pyc,,
+functorch/dim/__pycache__/reference.cpython-310.pyc,,
+functorch/dim/__pycache__/tree_map.cpython-310.pyc,,
+functorch/dim/__pycache__/wrap_type.cpython-310.pyc,,
+functorch/dim/batch_tensor.py,sha256=Ez0WuVYen87Uwr-lNvvNS4DE4KyNePoT_iVHNqxCXcE,667
+functorch/dim/delayed_mul_tensor.py,sha256=B9pt_vOxrKeISz-MY6_qZBhnNKtrixs4GtUA792b7G0,2441
+functorch/dim/dim.py,sha256=CzFAkSX4ZGasNHjr2huoVNxuQYd0N4RCBfGRC7a0Pew,3398
+functorch/dim/magic_trace.py,sha256=oUxIOV2TPg0eIStZDoGt03_l_T2vFxGohnhBtL6SB-w,1329
+functorch/dim/op_properties.py,sha256=zIKVxfJK70djF5u4A7yirbaP0w2vJdLECTPOgzG5n8Q,6686
+functorch/dim/reference.py,sha256=-jus24wANmr5eeWo6uLQaric9iPUfCqobGQ2ljqxVDc,20340
+functorch/dim/tree_map.py,sha256=Rd_ECsBGK7Ln-DdD7xzKCE-WynJZXxd3Dno_Vk_mKo0,374
+functorch/dim/wrap_type.py,sha256=7PZ4HSK3TBXYoMOCHhdkip_o3ej23m4ihc3-eYPZMQE,1870
+functorch/einops/__init__.py,sha256=CW4zh8RmbocIdau3cQHmm4_hscNvSz1eEddiciLeI6A,58
+functorch/einops/__pycache__/__init__.cpython-310.pyc,,
+functorch/einops/__pycache__/_parsing.cpython-310.pyc,,
+functorch/einops/__pycache__/rearrange.cpython-310.pyc,,
+functorch/einops/_parsing.py,sha256=HPIvaKVXbxGaUS8i8HbBcLpqIKd9tKliYPKXnBOiK2s,12259
+functorch/einops/rearrange.py,sha256=sozTSLCV5Bwinl4pTLq7pEEY5TExknBo1dMwRIi10lY,8040
+functorch/experimental/__init__.py,sha256=oKN9tnpkCih0kicct1MwkKhGao2Qh7aoc5hsnqLadVE,273
+functorch/experimental/__pycache__/__init__.cpython-310.pyc,,
+functorch/experimental/__pycache__/control_flow.cpython-310.pyc,,
+functorch/experimental/__pycache__/ops.cpython-310.pyc,,
+functorch/experimental/control_flow.py,sha256=9mr45aFARZRgUcGv7E5NWXARQRp313rUvUdhu0Lw3zg,234
+functorch/experimental/ops.py,sha256=kDGcckdoYwOg9fS4JqvZnsIt8Ss9O6RGeasJSyi0OUY,57
+torch-2.4.1.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4
+torch-2.4.1.dist-info/LICENSE,sha256=YFp92GSM93TkB7L--aCc5CcbxFtpLhjVvQR7Jowth2g,483736
+torch-2.4.1.dist-info/METADATA,sha256=b8s2kY-VGaSvt1vGCAOY2IGHIDaTZbFAIeOlVufXSOU,26707
+torch-2.4.1.dist-info/NOTICE,sha256=wsx78MrsdlLCtGCopHC-oWd_JB5KuOQx3zTPF_Wp_sA,23632
+torch-2.4.1.dist-info/RECORD,,
+torch-2.4.1.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch-2.4.1.dist-info/WHEEL,sha256=oPTolxX39D9SX81DhGjP9ncZ9PHcmhO1jInNxQx689I,105
+torch-2.4.1.dist-info/entry_points.txt,sha256=xMSIP4HwaUB13rP--Tb-tzNedGSUDspggHI2VhgOsA8,297
+torch-2.4.1.dist-info/top_level.txt,sha256=MsBcfJyMU15lW1efu5w7Tzd4MenrYHiuaixbHMfAoco,25
+torch/_C.cpython-310-x86_64-linux-gnu.so,sha256=HF4NajEqWdwshYfqx5_6Pu3MQW550baIy68v_wInhHI,37857
+torch/_C/_VariableFunctions.pyi,sha256=wz8YBuYVLqV9GM1mGLOVtkdnb9PCKBvLXcf6Uct7QOQ,1139976
+torch/_C/__init__.pyi,sha256=kZIx9VeHHpPWJ7ANJM4IvOtFj_32rTyapkJqV5wI5Rw,403297
+torch/_C/_aoti.pyi,sha256=PPZXwSHuvxniCt1bYBMlws32hZ-NZfTBFHsuNLp9pZ8,613
+torch/_C/_autograd.pyi,sha256=dRngDeRfYYvZAnM-5f8Bs52sNRGDgdZZfA4hYS0Yofg,4223
+torch/_C/_cpu.pyi,sha256=LpaE3qTskSQ8xAx2soDl5g8PlbOPGIJV0iyFgEM_UsI,196
+torch/_C/_cudnn.pyi,sha256=FwKVMtP_qbhryc7MBN6zm3XIJoLMk8pWqvvQKJSx3O4,370
+torch/_C/_distributed_autograd.pyi,sha256=cbghOZXCLvvCdTx5aElr8Fwk5hYfpZ6cl2RQkXXaG9k,935
+torch/_C/_distributed_c10d.pyi,sha256=dAdLZIRuT8RCkmlFlRU4tEYswr_cqVOM8BpCZWEUqkk,18160
+torch/_C/_distributed_rpc.pyi,sha256=sCQ7ImoXk8N8Hm4rFrhRaWACW6z2UHEC--CU6uATfs0,6062
+torch/_C/_distributed_rpc_testing.pyi,sha256=Q8BsOlBlOHHASL8tPLHaXjQFR1S4-_NcCNvrLBQr2GE,1017
+torch/_C/_functions.pyi,sha256=vWT20CisChXAtpHwWwVR4uf4IpqEe01eDBVEnYMll2M,330
+torch/_C/_functorch.pyi,sha256=3YoL023LhtzmdlYM71S_UqvQGqQW7K-ElqTx4oiS6N8,3265
+torch/_C/_itt.pyi,sha256=6fhhHGYgreXbGka-VtqX9FjjPaSznfOmDHPVC171DII,169
+torch/_C/_lazy.pyi,sha256=gQyVJW09834bN3q-hiPtkumX6fybuNBhapssL6cQQGA,996
+torch/_C/_lazy_ts_backend.pyi,sha256=egcFxY_BIz-AWUgRcXkX7ArIAMiZmpV_sgppDn8UxMc,339
+torch/_C/_monitor.pyi,sha256=dZKJHgFroqeP9D_F1dGTJ19gSW-94zfIJTmDLeFp5_k,1053
+torch/_C/_nn.pyi,sha256=FA_JQd8LxVhSHdwsseEJASe5R16Bot3FYYdYh8kLG7w,4130
+torch/_C/_nvtx.pyi,sha256=04PqUeCT1UtaX9HgiOwshfu9WNHkXBLIWVPzQK_gz30,250
+torch/_C/_onnx.pyi,sha256=TaaFXCeuJAf_CNOQlrcM7cKCCqo2hTfM-COo72ya89E,738
+torch/_C/_profiler.pyi,sha256=ZbX49lt6GiLJDnELUFeAAawg-T4h32AXVFuPey0reAA,6319
+torch/_C/_verbose.pyi,sha256=vMdQYMqABMqBFxYykp8_VD0QBaubolczBmCEv-UcA00,134
+torch/_VF.py,sha256=6gWebiEvyG5GFiNTcMuigU7UAPEesYJmWKQTL_1GTrM,643
+torch/_VF.pyi,sha256=wz8YBuYVLqV9GM1mGLOVtkdnb9PCKBvLXcf6Uct7QOQ,1139976
+torch/__config__.py,sha256=jmap9bxAICCG1tSYV7J62wHyG9tzIa_cYkTQVG8aU5c,580
+torch/__future__.py,sha256=yk9l_KWsfVIzUBx9cGr-OdtWmb-pI8ZhcROAm3a_FQw,3185
+torch/__init__.py,sha256=NP0mwwRndacKamVN9gr7NisvLpiy-bjnE8h2O3qA_4M,89184
+torch/__pycache__/_VF.cpython-310.pyc,,
+torch/__pycache__/__config__.cpython-310.pyc,,
+torch/__pycache__/__future__.cpython-310.pyc,,
+torch/__pycache__/__init__.cpython-310.pyc,,
+torch/__pycache__/_appdirs.cpython-310.pyc,,
+torch/__pycache__/_classes.cpython-310.pyc,,
+torch/__pycache__/_compile.cpython-310.pyc,,
+torch/__pycache__/_custom_ops.cpython-310.pyc,,
+torch/__pycache__/_deploy.cpython-310.pyc,,
+torch/__pycache__/_guards.cpython-310.pyc,,
+torch/__pycache__/_jit_internal.cpython-310.pyc,,
+torch/__pycache__/_linalg_utils.cpython-310.pyc,,
+torch/__pycache__/_lobpcg.cpython-310.pyc,,
+torch/__pycache__/_lowrank.cpython-310.pyc,,
+torch/__pycache__/_meta_registrations.cpython-310.pyc,,
+torch/__pycache__/_namedtensor_internals.cpython-310.pyc,,
+torch/__pycache__/_ops.cpython-310.pyc,,
+torch/__pycache__/_python_dispatcher.cpython-310.pyc,,
+torch/__pycache__/_size_docs.cpython-310.pyc,,
+torch/__pycache__/_sources.cpython-310.pyc,,
+torch/__pycache__/_storage_docs.cpython-310.pyc,,
+torch/__pycache__/_streambase.cpython-310.pyc,,
+torch/__pycache__/_tensor.cpython-310.pyc,,
+torch/__pycache__/_tensor_docs.cpython-310.pyc,,
+torch/__pycache__/_tensor_str.cpython-310.pyc,,
+torch/__pycache__/_torch_docs.cpython-310.pyc,,
+torch/__pycache__/_utils.cpython-310.pyc,,
+torch/__pycache__/_utils_internal.cpython-310.pyc,,
+torch/__pycache__/_vmap_internals.cpython-310.pyc,,
+torch/__pycache__/_weights_only_unpickler.cpython-310.pyc,,
+torch/__pycache__/functional.cpython-310.pyc,,
+torch/__pycache__/hub.cpython-310.pyc,,
+torch/__pycache__/library.cpython-310.pyc,,
+torch/__pycache__/overrides.cpython-310.pyc,,
+torch/__pycache__/quasirandom.cpython-310.pyc,,
+torch/__pycache__/random.cpython-310.pyc,,
+torch/__pycache__/return_types.cpython-310.pyc,,
+torch/__pycache__/serialization.cpython-310.pyc,,
+torch/__pycache__/storage.cpython-310.pyc,,
+torch/__pycache__/torch_version.cpython-310.pyc,,
+torch/__pycache__/types.cpython-310.pyc,,
+torch/__pycache__/version.cpython-310.pyc,,
+torch/_appdirs.py,sha256=GjuBh72l3BhGE4vJSdqGj-8QHjGbkhuMYaOLchLcqOQ,26167
+torch/_awaits/__init__.py,sha256=ghtTYluOc1VWTFv0gs2t9EBjhKx6v3V5TMkAedKooSo,1683
+torch/_awaits/__pycache__/__init__.cpython-310.pyc,,
+torch/_classes.py,sha256=wZUBryAZWdt88J2yL62p-LrtbYf5HmKntQo9Ln7jBGU,1713
+torch/_compile.py,sha256=0wSuvczZ8GK78MgWzM-fBjKQmucBlrM7qOjoFs8nFqs,1304
+torch/_custom_op/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_custom_op/__pycache__/__init__.cpython-310.pyc,,
+torch/_custom_op/__pycache__/autograd.cpython-310.pyc,,
+torch/_custom_op/__pycache__/functional.cpython-310.pyc,,
+torch/_custom_op/__pycache__/impl.cpython-310.pyc,,
+torch/_custom_op/autograd.py,sha256=MXuiQXSMJM69DcMJnmIRQe6eBGvX8aWORhy0U1tmSrY,11818
+torch/_custom_op/functional.py,sha256=yg380pZCBjSJPsg1qxZJ0GaBanjEs_XP6uhllksoIFI,7952
+torch/_custom_op/impl.py,sha256=IX2fCYJnQrISYUX5zO-fhdz3T6N6H338hwMpg_qv5fQ,36453
+torch/_custom_ops.py,sha256=w-70YCygF-MfwdB0NdaqF10ZCMvocel7o7yA3uweqwQ,12804
+torch/_decomp/__init__.py,sha256=NPbuzaksOIWY_q6rPJwWFaXHAR_kRgXggcHE6rN72x4,16229
+torch/_decomp/__pycache__/__init__.cpython-310.pyc,,
+torch/_decomp/__pycache__/decompositions.cpython-310.pyc,,
+torch/_decomp/__pycache__/decompositions_for_jvp.cpython-310.pyc,,
+torch/_decomp/__pycache__/decompositions_for_rng.cpython-310.pyc,,
+torch/_decomp/decompositions.py,sha256=kG1LnzS-Y2qllBDdJgih5qbqMkWXhnxr7OJPp8ufhq4,164645
+torch/_decomp/decompositions_for_jvp.py,sha256=129HsDA1-CV5OjNOdA9O0-gAk4m4VMmNNTXbIaV_O08,11669
+torch/_decomp/decompositions_for_rng.py,sha256=yKo7P7WDe0ROiU6HQc5Om6r8x0AKG_jhLc7O30T89pY,9142
+torch/_deploy.py,sha256=Lwurz3X7Mo-PXG-ktB5twWdDt7SANnNss2l0VD4M3Yc,3534
+torch/_dispatch/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_dispatch/__pycache__/__init__.cpython-310.pyc,,
+torch/_dispatch/__pycache__/python.cpython-310.pyc,,
+torch/_dispatch/python.py,sha256=6W50vtGyDzsPmFlSVLddPPDudoDDhE9lU-M28Ljm0_w,6372
+torch/_dynamo/__init__.py,sha256=ZR9b27nLXNGBJz5bqOzriJYsDSLkA1ni67rkim5F4Bs,2876
+torch/_dynamo/__pycache__/__init__.cpython-310.pyc,,
+torch/_dynamo/__pycache__/_trace_wrapped_higher_order_op.cpython-310.pyc,,
+torch/_dynamo/__pycache__/bytecode_analysis.cpython-310.pyc,,
+torch/_dynamo/__pycache__/bytecode_transformation.cpython-310.pyc,,
+torch/_dynamo/__pycache__/cache_size.cpython-310.pyc,,
+torch/_dynamo/__pycache__/callback.cpython-310.pyc,,
+torch/_dynamo/__pycache__/code_context.cpython-310.pyc,,
+torch/_dynamo/__pycache__/codegen.cpython-310.pyc,,
+torch/_dynamo/__pycache__/compiled_autograd.cpython-310.pyc,,
+torch/_dynamo/__pycache__/comptime.cpython-310.pyc,,
+torch/_dynamo/__pycache__/config.cpython-310.pyc,,
+torch/_dynamo/__pycache__/convert_frame.cpython-310.pyc,,
+torch/_dynamo/__pycache__/create_parameter_op.cpython-310.pyc,,
+torch/_dynamo/__pycache__/current_scope_id.cpython-310.pyc,,
+torch/_dynamo/__pycache__/debug_utils.cpython-310.pyc,,
+torch/_dynamo/__pycache__/decorators.cpython-310.pyc,,
+torch/_dynamo/__pycache__/device_interface.cpython-310.pyc,,
+torch/_dynamo/__pycache__/eval_frame.cpython-310.pyc,,
+torch/_dynamo/__pycache__/exc.cpython-310.pyc,,
+torch/_dynamo/__pycache__/external_utils.cpython-310.pyc,,
+torch/_dynamo/__pycache__/funcname_cache.cpython-310.pyc,,
+torch/_dynamo/__pycache__/guards.cpython-310.pyc,,
+torch/_dynamo/__pycache__/hooks.cpython-310.pyc,,
+torch/_dynamo/__pycache__/logging.cpython-310.pyc,,
+torch/_dynamo/__pycache__/mutation_guard.cpython-310.pyc,,
+torch/_dynamo/__pycache__/output_graph.cpython-310.pyc,,
+torch/_dynamo/__pycache__/polyfill.cpython-310.pyc,,
+torch/_dynamo/__pycache__/profiler.cpython-310.pyc,,
+torch/_dynamo/__pycache__/replay_record.cpython-310.pyc,,
+torch/_dynamo/__pycache__/resume_execution.cpython-310.pyc,,
+torch/_dynamo/__pycache__/side_effects.cpython-310.pyc,,
+torch/_dynamo/__pycache__/source.cpython-310.pyc,,
+torch/_dynamo/__pycache__/symbolic_convert.cpython-310.pyc,,
+torch/_dynamo/__pycache__/tensor_version_op.cpython-310.pyc,,
+torch/_dynamo/__pycache__/test_case.cpython-310.pyc,,
+torch/_dynamo/__pycache__/test_minifier_common.cpython-310.pyc,,
+torch/_dynamo/__pycache__/testing.cpython-310.pyc,,
+torch/_dynamo/__pycache__/trace_rules.cpython-310.pyc,,
+torch/_dynamo/__pycache__/types.cpython-310.pyc,,
+torch/_dynamo/__pycache__/utils.cpython-310.pyc,,
+torch/_dynamo/_trace_wrapped_higher_order_op.py,sha256=wZc5lpZ4_sSIIcW8EChuV6gCncr1FykoxI_lLXyV6yk,4991
+torch/_dynamo/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_dynamo/backends/__pycache__/__init__.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/common.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/cudagraphs.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/debugging.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/distributed.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/inductor.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/onnxrt.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/registry.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/tensorrt.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/torchxla.cpython-310.pyc,,
+torch/_dynamo/backends/__pycache__/tvm.cpython-310.pyc,,
+torch/_dynamo/backends/common.py,sha256=RQoTCRAWf3d_ldSQuwVfHD-W0azuaQdPPwXccU6OOko,3827
+torch/_dynamo/backends/cudagraphs.py,sha256=W1QHbdRddX0NBuh54brnMdIyRj04G6HYJ4xF8er4kRw,8399
+torch/_dynamo/backends/debugging.py,sha256=lazXIzKhf3wJzCMap53PDaJuZlPbOm_oDTUlk-_SZ28,10198
+torch/_dynamo/backends/distributed.py,sha256=2yyYQAVa9xAtN1VkDFOgryVnPcDMW-7waXttevFQvbI,29990
+torch/_dynamo/backends/inductor.py,sha256=Ifkk0MeBU7qu773L9RW2mMxtFMUjrKCCMz6oyjRDiqI,404
+torch/_dynamo/backends/onnxrt.py,sha256=qIx7lClnjPox_f6MP1Vam_QfW2vno-ESFnNvU-Ys50A,1557
+torch/_dynamo/backends/registry.py,sha256=pXJIWroiQ_sZhkrOEOF8LKzWizOTcJQWE54T3x_7Xto,3452
+torch/_dynamo/backends/tensorrt.py,sha256=oMtmZB2Op6yeZvFXskMDZUATwLmgRCg4xxh3OrcVqSY,406
+torch/_dynamo/backends/torchxla.py,sha256=9FA1M0KKBIlpzkTkibFPXvCB2echrqlK-Ag0zdNy6wc,1254
+torch/_dynamo/backends/tvm.py,sha256=SFeC9eemWMit1VHd0LGwgCjE0fk_u68wFKth2kp8S-8,6948
+torch/_dynamo/bytecode_analysis.py,sha256=_DlqmYAU7qk2M1um5tez7AW3d3Jc_hrQUBvIgIpEr6E,8745
+torch/_dynamo/bytecode_transformation.py,sha256=btZ_H3sdMj7VNHVq9jrFkSETczCLt-TKvxT6viKESak,49666
+torch/_dynamo/cache_size.py,sha256=IXLpLNDmDal8YFkaQvOhSabtPVXqOQvi5PhMFZSH5AA,7262
+torch/_dynamo/callback.py,sha256=OuDQ4Gr3J2LoZf9jTNxGRDr-jF1our9HvHA8ayhzZY8,2207
+torch/_dynamo/code_context.py,sha256=Z0rMeQNLJtZ2Zd8b9inSushbU3MH5V_Yqhntu1AARHc,718
+torch/_dynamo/codegen.py,sha256=WP7iObXwzaHcV9OdeLSsu80ORhN59zI1kkp_Wb32N3U,16504
+torch/_dynamo/compiled_autograd.py,sha256=Msr1cnwhKpEkXETo46UA3X4EGlCw-ja7sSsSvnnTnTs,14709
+torch/_dynamo/comptime.py,sha256=Dwqj2zfYuUcXI2kKviwkJIgP1z6ShMFEQ5T9G6-eSww,13451
+torch/_dynamo/config.py,sha256=EPX72296pLLeBT2BNJJ-WX95C7zdkc9MObsQ7gX0E0o,20060
+torch/_dynamo/convert_frame.py,sha256=-aBZCeX0F_6FsbEmZtO5GwHyGwuHkQ48ZOaFV8v-LT8,40465
+torch/_dynamo/create_parameter_op.py,sha256=8WfxYvDHupqLgXrffBUnBVFGtVLh4O87Ie2z5dIQjUg,1561
+torch/_dynamo/current_scope_id.py,sha256=j994ZKwSYeDip_5tpjNGJqbp7AEPJ_BdJVNAzY4WBH8,637
+torch/_dynamo/debug_utils.py,sha256=IPhBukKMzZnRJ3vCnEUCk4cqhL5_bfRH9bzYYV2xPKw,26570
+torch/_dynamo/decorators.py,sha256=3cVS9k2qujEYIJcS3Dwuzq-ryxERAEmAHfeD4ktX9eU,11516
+torch/_dynamo/device_interface.py,sha256=ai_ihkeSJ26IvLwyg5NHlmZuDupyrnSLhDmdis-auQg,11272
+torch/_dynamo/eval_frame.py,sha256=pwz5jGXJ8Gp2cV5Fs7PfSP8eqlKy3rBfp48lOo59DgY,60405
+torch/_dynamo/exc.py,sha256=UWgx9OIboczgHoIHASJJdKnRwNq5jBC2QlOW6cdXwx4,11430
+torch/_dynamo/external_utils.py,sha256=Dgp6v-kJpPQ67yEd5vn7lirsUCqO3HyJl3qs9dhY88s,3112
+torch/_dynamo/funcname_cache.py,sha256=ihD1_mUEvzub5_D30nndlPZf9DJRrwj4hBPcaWD-i94,1759
+torch/_dynamo/guards.py,sha256=JNboi4slK5-H2oPKDJIGrReHoYqElBpCp8-x2EsJdwU,109120
+torch/_dynamo/hooks.py,sha256=TJ7ASly13VsYGHcbSxHwFyQ7YcN_ZBlztgQNYABlxco,292
+torch/_dynamo/logging.py,sha256=g6JEQSe63uioWt3cJ91uVsvRW0cnxUcLehKmJA_qGDQ,1595
+torch/_dynamo/mutation_guard.py,sha256=p0FzcOwSp6emKQeBBa03alZOOvJPOx3RwcXNOHPxHOA,4170
+torch/_dynamo/output_graph.py,sha256=QZir9oMmMXnjcStIsEO151IkXP_gXu6semXfIdSLPuI,86837
+torch/_dynamo/polyfill.py,sha256=RyRA-76WhcLnC3tbr5_uzR2549iiqN8O4fQekfxhHg8,1480
+torch/_dynamo/profiler.py,sha256=lJPaUfMNLrYZTWs5QoXodgIaq-f4lk1yOdfVzUAmnh0,4878
+torch/_dynamo/replay_record.py,sha256=Lz0u3L-pMBO4uyDIur5MXBHdZFxVkfJGqituZMTlN3g,3336
+torch/_dynamo/repro/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_dynamo/repro/__pycache__/__init__.cpython-310.pyc,,
+torch/_dynamo/repro/__pycache__/after_aot.cpython-310.pyc,,
+torch/_dynamo/repro/__pycache__/after_dynamo.cpython-310.pyc,,
+torch/_dynamo/repro/after_aot.py,sha256=ROC4Adafg5zqcrn0F7a92e5VhnN2MnZ7EN9x1Th9v9k,32889
+torch/_dynamo/repro/after_dynamo.py,sha256=5QeolMapNFN2RgOJFYVJq4A425E85Ge-vqNSN05WNwk,19599
+torch/_dynamo/resume_execution.py,sha256=_n1G0tL03FpLPUaiFKhR9OFYO5sT6yv1XXkkoSGfqgw,27651
+torch/_dynamo/side_effects.py,sha256=I4URWLZhT_0eODFuBr23etntvHa5DB1cAeILAL8k7Sk,22574
+torch/_dynamo/source.py,sha256=VtyH7qUn7XWYffd_y0oSYZa2ZOG9TLAHb08KO7mB0A0,19855
+torch/_dynamo/symbolic_convert.py,sha256=Ye9mamHrv7-yQMNc3mkgyq_y440iqL6ZD_ejxrbT9aE,117402
+torch/_dynamo/tensor_version_op.py,sha256=xyxQIyeRSqtZpNCn2NpsfhiJChFCVUL2o4l4hTJmTjo,2127
+torch/_dynamo/test_case.py,sha256=6sJa_xAWKv9X53hUYweea1RQU-R50TxW1qLeJq0Mki4,1976
+torch/_dynamo/test_minifier_common.py,sha256=tGQcv6kVFXTBGxnxRjCB8ac-Mj9XYPCJpnI94iFOOOc,9764
+torch/_dynamo/testing.py,sha256=qA3f7YkWR-kErsojqlUSmFlFR5UQ81FGYJU4OhQTrtI,11309
+torch/_dynamo/trace_rules.py,sha256=yYvgfk4eOfmzgoSrh3Gn7jh0i4mLJ7K2zuobY0tFg30,139654
+torch/_dynamo/types.py,sha256=C31ibDlv3BOqCTU4m3jKhiepx4ifuCpmN7Tb9EabvLs,2297
+torch/_dynamo/utils.py,sha256=VOOVLpVmtHwHQ5exxk2odf5YXi4sGvNXf0dTFy5Q3wo,90589
+torch/_dynamo/variables/__init__.py,sha256=ekeR33OprNJ9dU-Lffps8_JJho9i3Svtyc1J8hFBs_Y,4408
+torch/_dynamo/variables/__pycache__/__init__.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/base.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/builder.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/builtin.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/constant.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/ctx_manager.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/dicts.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/distributed.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/functions.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/higher_order_ops.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/iter.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/lazy.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/lists.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/misc.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/nn_module.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/optimizer.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/script_object.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/sdpa.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/tensor.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/torch.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/torch_function.cpython-310.pyc,,
+torch/_dynamo/variables/__pycache__/user_defined.cpython-310.pyc,,
+torch/_dynamo/variables/base.py,sha256=pCKtCa7a9LVkTdDWz01Q_ro4DP68s8B2cOh_22m4w4c,11268
+torch/_dynamo/variables/builder.py,sha256=wnnlZNp91eBwinN642PJNe6SvHNk8peAP2UQ3glYzHc,102935
+torch/_dynamo/variables/builtin.py,sha256=tInwslMFSjPs9_a-7ICV14iqasAPGbG-zfslmBBsZHY,75189
+torch/_dynamo/variables/constant.py,sha256=HwTnyB0Ja7BYWKymPbFtxx6gfs8HzBiAVon0jgGGEes,8818
+torch/_dynamo/variables/ctx_manager.py,sha256=szpw0WO0u484F3lFJ31bca-0OEX5ur5WbRcSAbgcBGc,34054
+torch/_dynamo/variables/dicts.py,sha256=uR9SsOMvTCFqPBhW4CAQzq_Yqy3V_q5e9SOAk2Z4dYM,34580
+torch/_dynamo/variables/distributed.py,sha256=mVHt74f8c8vnM9PdtRImJrFOyPZwAWTZmvv6wyzzdH8,13638
+torch/_dynamo/variables/functions.py,sha256=9zGnYLHDdMyiM7z8TWtXvEyxrmatomm4eorzSLkSokk,39057
+torch/_dynamo/variables/higher_order_ops.py,sha256=xXWxnrQ1VhP0BCVl_pqDHzqU6js2q1uJJnQol1BymPI,69149
+torch/_dynamo/variables/iter.py,sha256=euKhneeQX2FfJAfPUaghVVkRZB8RL1XSLmbPHmF9pZY,9785
+torch/_dynamo/variables/lazy.py,sha256=LeiTyJ3NEhwJVqGlgIVDWbaaKtUnYK797mfA0AVI7kM,4539
+torch/_dynamo/variables/lists.py,sha256=rZgmgT0r3tgdv21qa0HMGIzQMMzHMFPXFbteIcadkWg,27965
+torch/_dynamo/variables/misc.py,sha256=hgvhcFQ09HJCehRNQf6UHg08udOAwckzKWV-aQOBvcY,41760
+torch/_dynamo/variables/nn_module.py,sha256=kObtVc_sBgNOfxdNuouNaJ-LzINvChDoVpSt2hgNLwA,39540
+torch/_dynamo/variables/optimizer.py,sha256=6Rlq-GRte-U4lsNWIieDaYO5UHxU7LQ9y_ScqQFp2dU,14021
+torch/_dynamo/variables/script_object.py,sha256=XEt75xa78XZjko8yhRopwj091LL-GN_IZOycfOGXGmg,2774
+torch/_dynamo/variables/sdpa.py,sha256=FFTY58rOaV2mRv8eW2eGZ8BbVuhXQdP96fCjJXnMnXI,2861
+torch/_dynamo/variables/tensor.py,sha256=63pUV5QA6yIseVNBqh_uJhbbs14gMzvCYNhX0Mfv600,49154
+torch/_dynamo/variables/torch.py,sha256=iokd_qVxwcf2LRELbimm7s0QBttXFR3r_bckeifSbpw,39313
+torch/_dynamo/variables/torch_function.py,sha256=X439O-nCnkcKWTRhYryJx7gkYL57ivzEgFO56qCJCJ8,11044
+torch/_dynamo/variables/user_defined.py,sha256=aKHQZqoxwE44lmEagndyYXvu1yUcPWl2BKH9-KI9KQQ,42037
+torch/_export/__init__.py,sha256=b_SWFU4aRKZAYYsEHjHfg0WYlqExdIgIvdHAVWla7wA,16876
+torch/_export/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/__pycache__/converter.cpython-310.pyc,,
+torch/_export/__pycache__/error.cpython-310.pyc,,
+torch/_export/__pycache__/exported_program.cpython-310.pyc,,
+torch/_export/__pycache__/non_strict_utils.cpython-310.pyc,,
+torch/_export/__pycache__/pass_base.cpython-310.pyc,,
+torch/_export/__pycache__/tools.cpython-310.pyc,,
+torch/_export/__pycache__/utils.cpython-310.pyc,,
+torch/_export/__pycache__/verifier.cpython-310.pyc,,
+torch/_export/__pycache__/wrappers.cpython-310.pyc,,
+torch/_export/converter.py,sha256=FuBpeiSIXhSdphC3RTFm_LZ5MXLRa-BTrzGVGA-lC5I,21602
+torch/_export/db/__init__.py,sha256=a3XxW1RcNAPwEVaI2g11hpnJvSHxGUFsGmDAWfDnLP8,206
+torch/_export/db/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/db/__pycache__/case.cpython-310.pyc,,
+torch/_export/db/__pycache__/gen_example.cpython-310.pyc,,
+torch/_export/db/__pycache__/logging.cpython-310.pyc,,
+torch/_export/db/case.py,sha256=7CVXUvzXDtQtQrv8UTUaVH03fmHm4FTqLmuUdr4mfaA,5327
+torch/_export/db/examples/__init__.py,sha256=q0loqIbovl9Doe9a1s4xwWxTghFv2TorFe0WU8mdCLo,1291
+torch/_export/db/examples/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/assume_constant_result.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/autograd_function.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/class_method.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_branch_class_method.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_branch_nested_function.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_branch_nonlocal_variables.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_closed_over_variable.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_operands.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/cond_predicate.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/constrain_as_size_example.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/constrain_as_value_example.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/decorator.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dictionary.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_assert.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_constructor.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_if_guard.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_map.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_round.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_slicing.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/dynamic_shape_view.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/fn_with_kwargs.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/list_contains.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/list_unpack.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/model_attr_mutation.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/nested_function.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/null_context_manager.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/optional_input.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/pytree_flatten.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/scalar_output.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/specialized_attribute.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/static_for_loop.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/static_if.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/tensor_setattr.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/torch_sym_min.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/type_reflection_method.cpython-310.pyc,,
+torch/_export/db/examples/__pycache__/user_input_mutation.cpython-310.pyc,,
+torch/_export/db/examples/assume_constant_result.py,sha256=2YgbjETgo1SJOMFyOuTTBMQww4tUSa0a46hiI_dtAHQ,601
+torch/_export/db/examples/autograd_function.py,sha256=-6fL8IyN94DHdWM1Pfmp2k0EaMpXse7akq196UKpcfE,620
+torch/_export/db/examples/class_method.py,sha256=UXFuTugHgpXjAFrqaUs97kBzHoujrpZJ351omQAF0RA,537
+torch/_export/db/examples/cond_branch_class_method.py,sha256=FlZdVR_vQhJjzEwMKbnzyd7THyGCkeQlwf08fVd2BVc,1370
+torch/_export/db/examples/cond_branch_nested_function.py,sha256=7RdZpNVURsPyYaYmzOdMqGkdpyKEqJxVsv_Xe8nBO2g,1400
+torch/_export/db/examples/cond_branch_nonlocal_variables.py,sha256=MDg-cvlmWkWmrobyD_GTTgWxvQt1z_BxI4mOekbTNgs,1937
+torch/_export/db/examples/cond_closed_over_variable.py,sha256=vKDjRFevOGlSujgy9tuSdgh4olB2rslAG7kraLWn45M,584
+torch/_export/db/examples/cond_operands.py,sha256=gKkd1lqLlB0DkbgcxtxuDERmq32su5REOTr9rVPnGKI,962
+torch/_export/db/examples/cond_predicate.py,sha256=ajSDxOoB_QmvFI70Y21dmianTCi305zPuEbyPHov8po,773
+torch/_export/db/examples/constrain_as_size_example.py,sha256=K8NikSAiWTJYkiMh4lX3sUH0SuwRQbw3GzUP25i-rbY,737
+torch/_export/db/examples/constrain_as_value_example.py,sha256=Vb-0tR_B5V2kg0F4tjESzW0cT5Xonehhk86f1KtO-so,788
+torch/_export/db/examples/decorator.py,sha256=sKl9pLa0n08h1yIchgJiSvVKoUqxYPBmxvflz6gdpIs,529
+torch/_export/db/examples/dictionary.py,sha256=iUJVqjOZ4o6Q2IY9V-RZ1tFGqYulfsBOqfZUGVvPxPI,505
+torch/_export/db/examples/dynamic_shape_assert.py,sha256=9EG4tHWwMjDhNOgMV5xOvZiSeAEa9_aG6h8djkbenhE,543
+torch/_export/db/examples/dynamic_shape_constructor.py,sha256=B5_Vf3vv_wfyyomN7So6lAh1bkEYLWpjWqLBUV545_8,484
+torch/_export/db/examples/dynamic_shape_if_guard.py,sha256=LCM0x6VqFz6BVaB2kawFvgvvl3keU2RoY7ZD61TpNdE,601
+torch/_export/db/examples/dynamic_shape_map.py,sha256=0rZoTpAAMLjxjiRFK9nN5hn9ZE1vX4Q9pH5ccx1vUuY,550
+torch/_export/db/examples/dynamic_shape_round.py,sha256=Fy9yWRumoMh7WEYYEkvrqTPPDunHB_OvOM61JFcOCMs,592
+torch/_export/db/examples/dynamic_shape_slicing.py,sha256=FsWpCGMSl0nsycX7XdRYmHMqOV3yhgs36O5jWCIWFTg,481
+torch/_export/db/examples/dynamic_shape_view.py,sha256=dSbCQRBFar_uEHRskm977K9TASxk1fZGcD7ApP_-WTU,540
+torch/_export/db/examples/fn_with_kwargs.py,sha256=ZXt8FRoQvAxnnq5XK2BlYQHvEWVEkIAvAXjnT1m8mMU,898
+torch/_export/db/examples/list_contains.py,sha256=wqRSgyk0KA056e8RIKOryXkC1wb-xjx1D9nHADL5m8Q,576
+torch/_export/db/examples/list_unpack.py,sha256=xADoMRJ6ByVYWA0KqgHkWPgbM66GjPabjnTzeqjCy34,694
+torch/_export/db/examples/model_attr_mutation.py,sha256=HxWFk9R98kCoqcWbsmNAs90uuNwo_afoFFlS61EQSuQ,665
+torch/_export/db/examples/nested_function.py,sha256=f1weVRRAlFteHLxLWGwIhlkzPJ7Mn1Xce08maahCf9k,588
+torch/_export/db/examples/null_context_manager.py,sha256=f7nsPIAhIXaivKkxoM3oPdVyvks7TDk4O9iwf1Swcqw,572
+torch/_export/db/examples/optional_input.py,sha256=CmpK1d9au-rQXX9ztvssfsoeTqWIGeqDfxDP0jnIswM,470
+torch/_export/db/examples/pytree_flatten.py,sha256=Uv0Xx5bptz3-RNDtnj2EW1RiwdZrzgrfvnNdswKJeOE,524
+torch/_export/db/examples/scalar_output.py,sha256=2J6dtlHsgb-rtA6Zd-2jUHvMepptOFPurb5MunRt5xg,584
+torch/_export/db/examples/specialized_attribute.py,sha256=7eRpsQGbd3NYKCFhc1EYX1cVjtwn09oPswtVTyn-Pso,550
+torch/_export/db/examples/static_for_loop.py,sha256=PNRBRI8qturH3Yd73m6K2CpGG2vs33qlw2f59jolsno,511
+torch/_export/db/examples/static_if.py,sha256=m7r6B1jc0utsYu1nf2lOjPoP_2vtP5TXLgyyGvVgFfU,501
+torch/_export/db/examples/tensor_setattr.py,sha256=ierqHZcSkiQIHxoxpQ0uEGeSbHmxMHuUuCkpmMI9Gjk,439
+torch/_export/db/examples/torch_sym_min.py,sha256=arL0Qh4aNzkDTkZHDRTBnSLQqjGGqbLzRDfwNmwQNCo,428
+torch/_export/db/examples/type_reflection_method.py,sha256=ZplUIQEO-GRI_n1zakdKl-p_r3GTsuQZhy94iW1DE8w,903
+torch/_export/db/examples/user_input_mutation.py,sha256=xynHC5lPmkApaB9TKJjk0yjjA52d-XGR_PP8GT9TCP8,399
+torch/_export/db/gen_example.py,sha256=5j-ObT4SYqZ_HwJJwcs1hlq2zaAw97pqUFrJPtIDntQ,582
+torch/_export/db/logging.py,sha256=rrFzlPkXlJ8f4-TBMYPtLxJYoRXCCotwA8j7ZilWeSc,85
+torch/_export/error.py,sha256=OjvFCTGZVLlBtbTvaL4xDbBAizynfhwO_2fONObaISk,1770
+torch/_export/exported_program.py,sha256=D6BLivixZKT4ZICZWyBuKyv0SuNuXYBTXSGuZhCNGqU,1457
+torch/_export/non_strict_utils.py,sha256=EHycIg2Ps4FBR7PmYZt9VjPNqujlTsfl9FFVVDlYeTA,19537
+torch/_export/pass_base.py,sha256=sase2VgZsBQvsKUwCV1RDpOcWuQFlZbt8f3NB73pSNM,17522
+torch/_export/pass_infra/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_export/pass_infra/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/pass_infra/__pycache__/node_metadata.cpython-310.pyc,,
+torch/_export/pass_infra/__pycache__/proxy_value.cpython-310.pyc,,
+torch/_export/pass_infra/node_metadata.py,sha256=r0lYig_aW6VXdmVm9q4oGJywPgwt6fHuZJNfb3mCAtI,782
+torch/_export/pass_infra/proxy_value.py,sha256=i7ywxFZvzNTNXwoUUou0fW1ZfY3tNo_bA7WpVhftMyo,1167
+torch/_export/passes/__init__.py,sha256=78MzFjtaVabk1z2X12WMIlmtkjYaFmgNJlDCTCepNt8,88
+torch/_export/passes/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/passes/__pycache__/_node_metadata_hook.cpython-310.pyc,,
+torch/_export/passes/__pycache__/add_runtime_assertions_for_constraints_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/collect_tracepoints_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/constant_folding.cpython-310.pyc,,
+torch/_export/passes/__pycache__/functionalize_side_effectful_ops_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/lift_constants_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/remove_runtime_assertions.cpython-310.pyc,,
+torch/_export/passes/__pycache__/replace_set_grad_with_hop_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/replace_sym_size_ops_pass.cpython-310.pyc,,
+torch/_export/passes/__pycache__/replace_view_ops_with_view_copy_ops_pass.cpython-310.pyc,,
+torch/_export/passes/_node_metadata_hook.py,sha256=c_goZjJLIJ3xqcU_v6durFFgNM6yz05xPvGZmN9hsMQ,2433
+torch/_export/passes/add_runtime_assertions_for_constraints_pass.py,sha256=Uily5CD4z_1IQu73K6rpWh18IjKS2YWKVvv0_oioCmM,10319
+torch/_export/passes/collect_tracepoints_pass.py,sha256=AoLeVDrG8gmdC2lcjdfq5EaujHpxXfzotxR256TLqRA,4506
+torch/_export/passes/constant_folding.py,sha256=Rxqh-8xXxiX8HeyD7xgp_BO3yMIHDMI1EKItOr3X1vg,10802
+torch/_export/passes/functionalize_side_effectful_ops_pass.py,sha256=GnA_6u6UTHFjhv0J3hGrQiJhR2iSwQDyJb0s5QKVHjc,3272
+torch/_export/passes/lift_constants_pass.py,sha256=enTkz05SJOuy75Z5hCpsEHPAwUp63Q0KOSnw0CaCD20,12959
+torch/_export/passes/remove_runtime_assertions.py,sha256=BnZOajU7kYkee43CiQA3DYJhiQJc_fV2di2PlV-5ckk,1067
+torch/_export/passes/replace_set_grad_with_hop_pass.py,sha256=HNZjq4XlSoZKrkb3lP6uN2lypBYtMGtqUM_sFI-BWcA,7307
+torch/_export/passes/replace_sym_size_ops_pass.py,sha256=aokTCGH1MZ27h7rPYxUSEsLEpalGWgzBDI1oMVDZFDk,637
+torch/_export/passes/replace_view_ops_with_view_copy_ops_pass.py,sha256=lO_LfShSnRwAmsVmvlCYammd6AHUcP6-hcv6o977UUU,2715
+torch/_export/serde/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_export/serde/__pycache__/__init__.cpython-310.pyc,,
+torch/_export/serde/__pycache__/schema.cpython-310.pyc,,
+torch/_export/serde/__pycache__/schema_check.cpython-310.pyc,,
+torch/_export/serde/__pycache__/serialize.cpython-310.pyc,,
+torch/_export/serde/__pycache__/union.cpython-310.pyc,,
+torch/_export/serde/__pycache__/upgrade.cpython-310.pyc,,
+torch/_export/serde/schema.py,sha256=-gHQKYdQwQGTD0G2K0ICyzG2d1tljK5TiL4BWqQTKqs,8324
+torch/_export/serde/schema.yaml,sha256=q-t5ElqE10OSCCMvJvxIkslUfcaSLG6pHtbUuCjaL38,7413
+torch/_export/serde/schema_check.py,sha256=ICCN7ZCvNyXiqM_5ES8SXAnyZoN8Q4qqZrEmHQZ82hI,10274
+torch/_export/serde/serialize.py,sha256=4b4jJE0dV1qpzfx_4h5IgIqBhD5-yTIcvmhmrZvSWko,113953
+torch/_export/serde/union.py,sha256=1foTKUd72rsAj7GKfwpuBQ8Rg3lhPGA_m0TSfhcWI0w,2014
+torch/_export/serde/upgrade.py,sha256=-RWWwMggBmaxaaMOpVgQXiTPMyEnHcnjWVhQLm01C64,229
+torch/_export/tools.py,sha256=03X3RTyNbuU73zKmJIC2Cnv5UerHx8GJGFnqWiNy79M,4394
+torch/_export/utils.py,sha256=K794E26jporSe1hVeRP8gQ0ty9k4qpP7HisqUABRauc,23314
+torch/_export/verifier.py,sha256=1ebrGUkdOTVmlMG6q7kKL-mVGtJ20zRbiTasK_0N6Lo,17434
+torch/_export/wrappers.py,sha256=40vCIRPvCG3ookxDHg5FmsA8OevTp9KksI4yAmtzmow,4066
+torch/_functorch/__init__.py,sha256=a3XxW1RcNAPwEVaI2g11hpnJvSHxGUFsGmDAWfDnLP8,206
+torch/_functorch/__pycache__/__init__.cpython-310.pyc,,
+torch/_functorch/__pycache__/aot_autograd.cpython-310.pyc,,
+torch/_functorch/__pycache__/apis.cpython-310.pyc,,
+torch/_functorch/__pycache__/autograd_function.cpython-310.pyc,,
+torch/_functorch/__pycache__/batch_norm_replacement.cpython-310.pyc,,
+torch/_functorch/__pycache__/benchmark_utils.cpython-310.pyc,,
+torch/_functorch/__pycache__/compile_utils.cpython-310.pyc,,
+torch/_functorch/__pycache__/compilers.cpython-310.pyc,,
+torch/_functorch/__pycache__/config.cpython-310.pyc,,
+torch/_functorch/__pycache__/deprecated.cpython-310.pyc,,
+torch/_functorch/__pycache__/eager_transforms.cpython-310.pyc,,
+torch/_functorch/__pycache__/functional_call.cpython-310.pyc,,
+torch/_functorch/__pycache__/fx_minifier.cpython-310.pyc,,
+torch/_functorch/__pycache__/make_functional.cpython-310.pyc,,
+torch/_functorch/__pycache__/partitioners.cpython-310.pyc,,
+torch/_functorch/__pycache__/pyfunctorch.cpython-310.pyc,,
+torch/_functorch/__pycache__/python_key.cpython-310.pyc,,
+torch/_functorch/__pycache__/pytree_hacks.cpython-310.pyc,,
+torch/_functorch/__pycache__/top_operators_github_usage.cpython-310.pyc,,
+torch/_functorch/__pycache__/utils.cpython-310.pyc,,
+torch/_functorch/__pycache__/vmap.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__init__.py,sha256=a3XxW1RcNAPwEVaI2g11hpnJvSHxGUFsGmDAWfDnLP8,206
+torch/_functorch/_aot_autograd/__pycache__/__init__.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/autograd_cache.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/collect_metadata_analysis.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/dispatch_and_compile_graph.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/functional_utils.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/input_output_analysis.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/jit_compile_runtime_wrappers.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/logging_utils.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/runtime_wrappers.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/schemas.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/subclass_utils.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/traced_function_transforms.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/__pycache__/utils.cpython-310.pyc,,
+torch/_functorch/_aot_autograd/autograd_cache.py,sha256=R-5f2qPePfXvQwb4idqpAKZxx1VlWDgTSJ9a3fg1mTk,5792
+torch/_functorch/_aot_autograd/collect_metadata_analysis.py,sha256=o51om_UC8DshE5UnOCBkCpaJw5MZ48qmh3JM_gtZBsI,39092
+torch/_functorch/_aot_autograd/dispatch_and_compile_graph.py,sha256=wzJ3UZeIcp_ScOdFGCRSk60S054zG1XxaGkoShg9s8E,11786
+torch/_functorch/_aot_autograd/functional_utils.py,sha256=qFm38MYyn7hZfGo0pQeNvszOv6kduIYR2Bv0AyrA3e8,21639
+torch/_functorch/_aot_autograd/input_output_analysis.py,sha256=JqE--aqkU0AaCf2zBy9EvLaUZAG6tNswWGOWdmFHrEE,20661
+torch/_functorch/_aot_autograd/jit_compile_runtime_wrappers.py,sha256=rdwIbAphf9ZhQkY6nwouXm6jQ1ecdYK1CZl1GYF4e2A,25711
+torch/_functorch/_aot_autograd/logging_utils.py,sha256=nm7IiSBfEigMp5OmwLn0xthFD8bVeADe-CVzONG8HHI,4653
+torch/_functorch/_aot_autograd/runtime_wrappers.py,sha256=m3jFxYHTytgjf7VvRjFgFUCZTcnhQhIpxv_35aZIqBs,88584
+torch/_functorch/_aot_autograd/schemas.py,sha256=TCu0cqYjNHPkL-GNqi8_XrG8bNNONPQQ45IJ_pcuOuE,30648
+torch/_functorch/_aot_autograd/subclass_utils.py,sha256=7OkiIcSkmdu8tzJ_q_LBBOOIzBuEzq4jzp-7KLMDxws,13923
+torch/_functorch/_aot_autograd/traced_function_transforms.py,sha256=-OgySmCFXNFqHaX4SZKF57NreWNV3SgS0bdEtPIwhBE,37394
+torch/_functorch/_aot_autograd/utils.py,sha256=G1eJmoNn-KZVd-cmoDMMQPnUa-Nztwr4c_soaMKdJ0s,11016
+torch/_functorch/aot_autograd.py,sha256=wIWdbgqf44Wo9o80KOVzy57Y0LuUBHiUKuMukBOuzu4,60546
+torch/_functorch/apis.py,sha256=dS1X8p-QYsMHD5NSnfP1TZOBt9fQrQFs7cHJ_AwMv5M,19085
+torch/_functorch/autograd_function.py,sha256=_S-rfDu_pHA-LMB4SrQGhzCqzXJsqfFWFia4HCh3bao,26754
+torch/_functorch/batch_norm_replacement.py,sha256=Y4GBjzLbYQdGNubVgVP88nErsTcrZm_FxDiMB6QLwjQ,876
+torch/_functorch/benchmark_utils.py,sha256=EQ2tfzx8JeQWx-ev7CJCvsnJ9RPump47oIitjOzlcj8,6278
+torch/_functorch/compile_utils.py,sha256=0Pm8XkYXmAnVeo07v_pqBmklDRQHxM46UFWA9Tp5NnM,4120
+torch/_functorch/compilers.py,sha256=O-ofkZkhO-8Q5dhXvUA2rcST2V0w9dF3or8v9BV0Ld4,14046
+torch/_functorch/config.py,sha256=rS2-CscFkllF12fjP7dyvyeOlSQRihsCcW8nQYCwdLU,8381
+torch/_functorch/deprecated.py,sha256=XVlS8_tc7PmxeCMS1vMH6tig-K7eiGufcRSYIZSlqBk,5210
+torch/_functorch/eager_transforms.py,sha256=wHEj1kZIfFAMWGnfcHsk-KSVGfK7kuu2k85gyxnanwU,72290
+torch/_functorch/functional_call.py,sha256=RA61C8G60a5c4pwDv0aF1EjlYBl6coy7nv4l5SmHA90,10403
+torch/_functorch/fx_minifier.py,sha256=SPGVY3Mq-ABdU65kYrQIprLAGlNYqtPNhti4Gj5L2rk,17367
+torch/_functorch/make_functional.py,sha256=BSvITTfKRKiMEh-4NzS6Q5gXAImkfZ2HDgBZxeYooYQ,22786
+torch/_functorch/partitioners.py,sha256=tNDZzSEjY9tPBUmEeB_RI_C3kIFz6yhkNGkrM7-itXU,66841
+torch/_functorch/pyfunctorch.py,sha256=x1WKdP968gnjizhNJVL9U9UNTJpOrv5G9JhUWDnsTH8,10358
+torch/_functorch/python_key.py,sha256=XeK60e2ghM_8DbldP9RZD7_E8duOKB-7JF9qNC_w324,441
+torch/_functorch/pytree_hacks.py,sha256=dWzTSKcqGhK4zHgmgJbyis2kzB69OH71GP_YCDBDbp0,698
+torch/_functorch/top_operators_github_usage.py,sha256=LX8Cww-o03mmVZ9Fa5GwAertEFPp_qaaZE3kGVAbHWY,21440
+torch/_functorch/utils.py,sha256=qz6PSbGY3JwHIM4xs_aVkGM4amBD3Knb1LZ6VayskWo,975
+torch/_functorch/vmap.py,sha256=G2fqYGg-4Kz62hy_J26CR4EV7juG3SlRHjZndp46yRg,18887
+torch/_guards.py,sha256=x4mlOlo4k_Tvapn1LXr7l2yRcnblzIszvECb6_CHMO0,29771
+torch/_higher_order_ops/__init__.py,sha256=MwXkevP9A0qQRCqRLiF2DylUDzoVtYWCA-H_-KaLpbg,126
+torch/_higher_order_ops/__pycache__/__init__.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/associative_scan.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/auto_functionalize.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/cond.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/effects.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/flex_attention.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/map.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/out_dtype.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/strict_mode.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/torchbind.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/triton_kernel_wrap.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/utils.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/while_loop.cpython-310.pyc,,
+torch/_higher_order_ops/__pycache__/wrap.cpython-310.pyc,,
+torch/_higher_order_ops/associative_scan.py,sha256=S2Qwl5Ney-7Vtvr02y4IfYVzescq3Siqvr4MsvTgHWc,7385
+torch/_higher_order_ops/auto_functionalize.py,sha256=VpLaOT3vhbA_d_u9FpM4GjKqU5EPoEBWjFufHVeD_uo,9279
+torch/_higher_order_ops/cond.py,sha256=dUso-s_7MGrI88EHEDv4_ktKlElWCdbKhzR6CQkt6ZM,14238
+torch/_higher_order_ops/effects.py,sha256=OHfzMz8HklpMhYlVcjPsWplox4Q-3XY-xNSUQmPSPj4,7438
+torch/_higher_order_ops/flex_attention.py,sha256=okbIOegsqSvqDX3wG4NntX1E37Kfm8FcQ3wtRyJgVoE,25480
+torch/_higher_order_ops/map.py,sha256=4XRmF5VXaNNdljxwI57DMUrSNqzN5MXgPuIGtvEfQIs,13072
+torch/_higher_order_ops/out_dtype.py,sha256=YYtbjLhcTPCe7ZwzuGgThfA15USHjIaeDth5XxytaWc,5877
+torch/_higher_order_ops/strict_mode.py,sha256=ihazrJbS-YS_PFKuKb5vnaJ3F4ytUhQaLYTf4s7SwuY,2874
+torch/_higher_order_ops/torchbind.py,sha256=zhIQzhpC92XuZFqQ27YY5jQ0a1Q0Vk6_vjuTYdiW8to,4707
+torch/_higher_order_ops/triton_kernel_wrap.py,sha256=RWyuJskj5fepbZ65jfI0BjBr33n9nWAIJpWM8kdPcYA,28857
+torch/_higher_order_ops/utils.py,sha256=Kf16eUe0OKlZQTu5qVsx8cpMCm7sG7rVuX4SA8sIbQ4,7872
+torch/_higher_order_ops/while_loop.py,sha256=NE6Icz33218tCyh6PF9cDL_l0mCOZrsp0_gWwLGGBCw,10493
+torch/_higher_order_ops/wrap.py,sha256=TSZNg6_mUTkhQmqgr352hK27Hc1vsqOOGqelpSgF84M,8527
+torch/_inductor/__init__.py,sha256=iCDuK61O8-L4DYXhPFyGZQi9Tms0iPnIbcmVoYXPnKw,5009
+torch/_inductor/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/__pycache__/async_compile.cpython-310.pyc,,
+torch/_inductor/__pycache__/autotune_process.cpython-310.pyc,,
+torch/_inductor/__pycache__/bounds.cpython-310.pyc,,
+torch/_inductor/__pycache__/codecache.cpython-310.pyc,,
+torch/_inductor/__pycache__/comm_analysis.cpython-310.pyc,,
+torch/_inductor/__pycache__/comms.cpython-310.pyc,,
+torch/_inductor/__pycache__/compile_fx.cpython-310.pyc,,
+torch/_inductor/__pycache__/config.cpython-310.pyc,,
+torch/_inductor/__pycache__/constant_folding.cpython-310.pyc,,
+torch/_inductor/__pycache__/cpp_builder.cpython-310.pyc,,
+torch/_inductor/__pycache__/cudagraph_trees.cpython-310.pyc,,
+torch/_inductor/__pycache__/cudagraph_utils.cpython-310.pyc,,
+torch/_inductor/__pycache__/debug.cpython-310.pyc,,
+torch/_inductor/__pycache__/decomposition.cpython-310.pyc,,
+torch/_inductor/__pycache__/dependencies.cpython-310.pyc,,
+torch/_inductor/__pycache__/exc.cpython-310.pyc,,
+torch/_inductor/__pycache__/freezing.cpython-310.pyc,,
+torch/_inductor/__pycache__/fx_utils.cpython-310.pyc,,
+torch/_inductor/__pycache__/graph.cpython-310.pyc,,
+torch/_inductor/__pycache__/hooks.cpython-310.pyc,,
+torch/_inductor/__pycache__/index_propagation.cpython-310.pyc,,
+torch/_inductor/__pycache__/inductor_prims.cpython-310.pyc,,
+torch/_inductor/__pycache__/ir.cpython-310.pyc,,
+torch/_inductor/__pycache__/lowering.cpython-310.pyc,,
+torch/_inductor/__pycache__/metrics.cpython-310.pyc,,
+torch/_inductor/__pycache__/mkldnn_lowerings.cpython-310.pyc,,
+torch/_inductor/__pycache__/ops_handler.cpython-310.pyc,,
+torch/_inductor/__pycache__/optimize_indexing.cpython-310.pyc,,
+torch/_inductor/__pycache__/pattern_matcher.cpython-310.pyc,,
+torch/_inductor/__pycache__/quantized_lowerings.cpython-310.pyc,,
+torch/_inductor/__pycache__/remote_cache.cpython-310.pyc,,
+torch/_inductor/__pycache__/scheduler.cpython-310.pyc,,
+torch/_inductor/__pycache__/select_algorithm.cpython-310.pyc,,
+torch/_inductor/__pycache__/sizevars.cpython-310.pyc,,
+torch/_inductor/__pycache__/subgraph_lowering.cpython-310.pyc,,
+torch/_inductor/__pycache__/test_case.cpython-310.pyc,,
+torch/_inductor/__pycache__/test_operators.cpython-310.pyc,,
+torch/_inductor/__pycache__/utils.cpython-310.pyc,,
+torch/_inductor/__pycache__/virtualized.cpython-310.pyc,,
+torch/_inductor/__pycache__/wrapper_benchmark.cpython-310.pyc,,
+torch/_inductor/async_compile.py,sha256=YJrubELBEEOJ393Na6jPp7P6qZom1N-V2bMcaeYleQ8,8078
+torch/_inductor/autotune_process.py,sha256=qXCRBvZB00XqUoemycPw8x4uN-mbwteb5MrKzYxGZBY,29202
+torch/_inductor/bounds.py,sha256=XHraLkxBSwIFCLKjP24Vl9S_LxPvulWSvCW0eXxr0mU,5484
+torch/_inductor/codecache.py,sha256=NQxAYxluJvSDRq0gU01Yf-e0hcXXauRIwRuHco8fCjg,125291
+torch/_inductor/codegen/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/codegen/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/aoti_hipify_utils.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/codegen_device_driver.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/common.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_gemm_template.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_micro_gemm.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_template.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_template_kernel.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_utils.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_wrapper_cpu.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cpp_wrapper_cuda.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/cuda_combined_scheduling.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/memory_planning.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/multi_kernel.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/simd.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/triton.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/triton_foreach.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/triton_split_scan.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/triton_utils.cpython-310.pyc,,
+torch/_inductor/codegen/__pycache__/wrapper.cpython-310.pyc,,
+torch/_inductor/codegen/aoti_hipify_utils.py,sha256=Tu2nsgIiggmhhLFWAjs83vpoSy5SfD2_mnD4SBoU2sI,673
+torch/_inductor/codegen/aoti_runtime/implementation.cpp,sha256=R0tMSxOAV_i2FiyTsL-BAetlwfFh0VSNu8HR_fGJPMA,3062
+torch/_inductor/codegen/aoti_runtime/interface.cpp,sha256=kgdAcedjoKkBx6CB6rXvrc4W2qrvH9JzgqLTXrXHL_Q,12901
+torch/_inductor/codegen/codegen_device_driver.py,sha256=C7WSUAp3KBDcA8PKMwxe28CjnpqQn2EGY6ulrh4Ldq0,3401
+torch/_inductor/codegen/common.py,sha256=6ZyY3X7R9hhPC1f4hlzK1QoucdI0tUfQdn0vsQHzqXA,69310
+torch/_inductor/codegen/cpp.py,sha256=fJci2FBm52GTJjCM3vvHziMUfPAlCXXT5gzgjM14fuo,165498
+torch/_inductor/codegen/cpp_gemm_template.py,sha256=Ke-opsdmB2ftBJS2xKYlvtmGQshk_G7t9uJIibz1rk4,17172
+torch/_inductor/codegen/cpp_micro_gemm.py,sha256=oNz8TPGTtHLrPc8LML1r1-v_IGpgJMfZm2gDNmmq4Ds,12744
+torch/_inductor/codegen/cpp_prefix.h,sha256=GqjkgoTK3EilJdHSYrV8J9N5gO_RZ3HBxprgy3ugNag,12352
+torch/_inductor/codegen/cpp_template.py,sha256=aoHHmk-CTaEGbTgk4Lh8HZJ04zShdgI7v-TXBSHHeEE,3613
+torch/_inductor/codegen/cpp_template_kernel.py,sha256=aJE_qpmIMqyAKjGtRJpThdLnVtA6ZohICP3IdrFDWic,12193
+torch/_inductor/codegen/cpp_utils.py,sha256=iPs8GxW51iEU7TRrhMrgoPaJJ4eKMomYAuSFpnp9S5Y,10012
+torch/_inductor/codegen/cpp_wrapper_cpu.py,sha256=XA-RaUGvKWEkBAVhlWXrVR_wjUKzYoGywv1il2E0pnk,108115
+torch/_inductor/codegen/cpp_wrapper_cuda.py,sha256=2J8OAcTVSKwqzUiKb6se7vy3ILLw2zPQFxYeZSSqIqQ,9594
+torch/_inductor/codegen/cuda/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/codegen/cuda/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cuda_cpp_scheduling.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cuda_env.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cuda_kernel.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cuda_template.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cutlass_epilogue_gen.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/cutlass_utils.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/device_op_overrides.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/__pycache__/gemm_template.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/cuda_cpp_scheduling.py,sha256=6LP2HSZbkVYBNo5CnjLWOz_1z1kqgYEqWdLShUadIzU,3873
+torch/_inductor/codegen/cuda/cuda_env.py,sha256=OrUkPTXE6gRYerpl-a4irWsanN1eORemLPHKD5Abu48,1137
+torch/_inductor/codegen/cuda/cuda_kernel.py,sha256=LEj0mkQhSuiZP77SfzjiQGScgr1s_6RpK9nfcs8gDI8,13591
+torch/_inductor/codegen/cuda/cuda_template.py,sha256=sbYZhBZ-JDEZyznjdWMs_h3o-dh_usI0_ahEAUYq52g,8502
+torch/_inductor/codegen/cuda/cutlass_epilogue_gen.py,sha256=wnAxGMjaBUjeYIhIDvpuia_zOkeBgJVAi1YFUEYVN-Y,14478
+torch/_inductor/codegen/cuda/cutlass_lib_extensions/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/codegen/cuda/cutlass_lib_extensions/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/cutlass_lib_extensions/__pycache__/gemm_operation_extensions.cpython-310.pyc,,
+torch/_inductor/codegen/cuda/cutlass_lib_extensions/gemm_operation_extensions.py,sha256=h7E5wZzNF8FKP1poikp2w7khnnqCpaYn68GrvcAWJ-o,9801
+torch/_inductor/codegen/cuda/cutlass_utils.py,sha256=0Mq76AJvFOVe-KcuDkYjC7Mw6bQgxv0SVqtwpgdMNAI,12065
+torch/_inductor/codegen/cuda/device_op_overrides.py,sha256=r1Fjm3aXSqxe-kn15TJ1G1U17hTce2RyWmuDbexLfBk,591
+torch/_inductor/codegen/cuda/gemm_template.py,sha256=d54ZA1bPcb_PpC6TtcAEJKIijniGiWhKWCJyoHV_Nyo,41367
+torch/_inductor/codegen/cuda_combined_scheduling.py,sha256=yZNs1GZFIkuI9RHuburfIp-mY6X808INGQpaYd7tDbY,3158
+torch/_inductor/codegen/memory_planning.py,sha256=JN4cYdGltWUOocEO0weivdLrqqctB5QahJmEO3TAJc0,24920
+torch/_inductor/codegen/multi_kernel.py,sha256=JidBmvTtRtyVhN3I0xQYKZPB0s_7H4YTPeHOwvKJjK4,14917
+torch/_inductor/codegen/simd.py,sha256=xuyJ3kQGm3ngReepVdU7MM6ndU-hSE7n4UsujYq7MaQ,66608
+torch/_inductor/codegen/triton.py,sha256=LwEFpZ9uNBwuimleAuGS4mA6bvMebpFMi23TO5pGI1o,97615
+torch/_inductor/codegen/triton_foreach.py,sha256=on9QYdCdIjP42KiPm3tvEOtDPwfHD8u9_6OgeFDUtFg,9337
+torch/_inductor/codegen/triton_split_scan.py,sha256=NZvFt2U1g-uG7lbZ_PDXsg_VykSiPprUSzh8GzGActw,6468
+torch/_inductor/codegen/triton_utils.py,sha256=cRromo8BFGzrBq-e2Iq3upVKLbIiFWSWMjGL0486Pmg,5408
+torch/_inductor/codegen/wrapper.py,sha256=_NcWbBczNTgd2GfppVonHbpfbMw4690edAquRZaSn2U,66497
+torch/_inductor/codegen/xpu/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/codegen/xpu/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/codegen/xpu/__pycache__/device_op_overrides.cpython-310.pyc,,
+torch/_inductor/codegen/xpu/device_op_overrides.py,sha256=aewx5sDrT8iSswEiafQteP_oJn_r26ppc5rh4h7CZdQ,584
+torch/_inductor/comm_analysis.py,sha256=aLqFU1IE2vYomF2cS5WMMCvdQQ1E4xLaAbJNOvb3zPc,8286
+torch/_inductor/comms.py,sha256=5Qu2B1-uyLH7BiPts4R9sOMw-K6dca05oG5ITzZqAFI,14610
+torch/_inductor/compile_fx.py,sha256=SZ7DFfgRQyazPptarv_ZrRCVmZl3DND9mmJoka3SpKQ,59831
+torch/_inductor/compile_worker/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/compile_worker/__main__.py,sha256=dSi2wwrmDenQ_5PG28nk6KlbCLejO35lcQmBrrnQoAE,1261
+torch/_inductor/compile_worker/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/compile_worker/__pycache__/__main__.cpython-310.pyc,,
+torch/_inductor/compile_worker/__pycache__/subproc_pool.cpython-310.pyc,,
+torch/_inductor/compile_worker/__pycache__/watchdog.cpython-310.pyc,,
+torch/_inductor/compile_worker/subproc_pool.py,sha256=R0RPs8KRnr5awTmFjbMEzrFsSYfyqBOnSl1qur12UIs,8489
+torch/_inductor/compile_worker/watchdog.py,sha256=nq7pEJfYP9XF5TDE-7pNTSLDnMHZJOek24Znqzvmb-k,1246
+torch/_inductor/config.py,sha256=qQLdqLBOMDZmph2TFUR6f9IRS9-BWIjOEjwrVJn6GsQ,34443
+torch/_inductor/constant_folding.py,sha256=0n7BK5tt5h4o-qPL0pG0DgzaZEB4nUdsYTEkaiFCkxw,9627
+torch/_inductor/cpp_builder.py,sha256=e2xDE2ZPK29B-YHKa-1IG9Rn7M_MZjmdZ6rc6gmLtj0,38618
+torch/_inductor/cudagraph_trees.py,sha256=QoGJyJx4OOXzXRLNDcj8uJd-3gJ4cnVrq66GTQEqiWk,91264
+torch/_inductor/cudagraph_utils.py,sha256=LDcnBoEkIALn0ohfPEKt5IO77Bvn5hc8RxBYfgsTGLE,5648
+torch/_inductor/debug.py,sha256=HCertmgFJDhkMYS-riK81_r1aVGfRwLNAmySUTzAeuQ,21509
+torch/_inductor/decomposition.py,sha256=FepMLobafjlkLuJHcn5qDL6nhKRArXq7LPwkx3i9l1A,24281
+torch/_inductor/dependencies.py,sha256=b4mYrRcOiBqeBx5_0IFUWQHlPW8ndbtpVvNMjTazpHI,21359
+torch/_inductor/exc.py,sha256=R2ksK4VWsDwZ3UYTjgudi_j3NPslsXVQFNjiff4lRlU,2788
+torch/_inductor/freezing.py,sha256=SQYYkvaDufzUpPSXeNoJYgLOhNwV3x21xES0aw6gfME,9769
+torch/_inductor/fx_passes/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/fx_passes/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/binary_folding.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/ddp_fusion.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/decompose_mem_bound_mm.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/dedupe_symint_uses.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/efficient_conv_bn_eval.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/freezing_patterns.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/fuse_attention.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/group_batch_fusion.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/joint_graph.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/micro_pipeline_tp.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/misc_patterns.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/mkldnn_fusion.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/numeric_utils.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/pad_mm.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/post_grad.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/pre_grad.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/quantization.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/reinplace.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/replace_random.cpython-310.pyc,,
+torch/_inductor/fx_passes/__pycache__/split_cat.cpython-310.pyc,,
+torch/_inductor/fx_passes/binary_folding.py,sha256=G3OydcCMPOZHlSg4L1I__HZFBJwMrn6Wa05GX2qkWxw,10603
+torch/_inductor/fx_passes/ddp_fusion.py,sha256=OVwKmTQlWq4fDSQOKZYi69mjf5cwL6eYA6MgHH0nLR0,20865
+torch/_inductor/fx_passes/decompose_mem_bound_mm.py,sha256=9bc1lWifuM85BUY5jGK4AdsovGarLocA1rgNJlFqF-o,4768
+torch/_inductor/fx_passes/dedupe_symint_uses.py,sha256=NVfT7s-FQhoKX9f-zbdHJnpzW04eAN_EuNSuBhCuLE4,2458
+torch/_inductor/fx_passes/efficient_conv_bn_eval.py,sha256=5guh4lNet1Rj_4nXbnsUdz2BKD_V4ilI77EyM0ekBVk,10999
+torch/_inductor/fx_passes/freezing_patterns.py,sha256=y3flGmbmt8K437C0tOkdzF0gX8SXKlZ9m6AVyEpWfNc,6583
+torch/_inductor/fx_passes/fuse_attention.py,sha256=DEHDegqe-97WD2oG3h71FDAQw694dQENBlc-aXX8yKU,29651
+torch/_inductor/fx_passes/group_batch_fusion.py,sha256=sTnBxqUx1Q5vZazDia5ueOl6Zt8S5DLtDqSSVkmvKbU,48426
+torch/_inductor/fx_passes/joint_graph.py,sha256=8m5tWMRE1seeagANQlj7VgCKb_n9_nArWBPD0t_Ix0E,17440
+torch/_inductor/fx_passes/micro_pipeline_tp.py,sha256=vrJDPYE7HF10hV_Fk4fTCEok12WCtrBxWx5DPhXFcww,14610
+torch/_inductor/fx_passes/misc_patterns.py,sha256=vZk65f0AdObZhmzPFp4eSpcWdJiB71fdSnLNLgjAKw4,4763
+torch/_inductor/fx_passes/mkldnn_fusion.py,sha256=3V3kEWaAR5wSSwwvPLvq2QFUGkr_iGCqiIJjfC3-_VY,48999
+torch/_inductor/fx_passes/numeric_utils.py,sha256=kle6htbpQKm59MfeWBrz3oCuPQT4ptSl095Z9iRSEW0,7220
+torch/_inductor/fx_passes/pad_mm.py,sha256=YhUl3iPv6HPIZa8nFJfkYEtfK0kgdTaWO_iXGk5GDKQ,21827
+torch/_inductor/fx_passes/post_grad.py,sha256=zKU93Q2RVkFQc7PEk0mwUo6Dtf6CmCPzbgRw2LWc_7g,35449
+torch/_inductor/fx_passes/pre_grad.py,sha256=gEFxEHQGUuueJUKFBYx72mHZcZEvyvWiwG9_xALUPKs,27903
+torch/_inductor/fx_passes/quantization.py,sha256=MCYOro5uMBmeUkmxEQ4l3GvQzw-9R0Qp2DZpSDvXQUE,94815
+torch/_inductor/fx_passes/reinplace.py,sha256=nm0q0NdBVUxkhOnDsPBmn-123LIjoRr4B026n7eP_Ws,20482
+torch/_inductor/fx_passes/replace_random.py,sha256=Y8cQAlVHo0CmJeGxrbjS6WVYZHo2XPbMNataZeLIY9c,3907
+torch/_inductor/fx_passes/serialized_patterns/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_1.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_10.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_11.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_12.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_13.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_14.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_15.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_16.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_17.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_18.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_19.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_2.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_3.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_4.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_5.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_6.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_7.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_8.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/_sfdp_pattern_9.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/addmm_pattern.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/bmm_pattern.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/__pycache__/mm_pattern.cpython-310.pyc,,
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_1.py,sha256=mfiDYbifL-bBBMWhnJYSEWl_1-pLY9i0oBtrSp64V8k,11161
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_10.py,sha256=do1sh0dYNR59rvUYfx3VVssWO39IZR7747BG2SDwb3g,14200
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_11.py,sha256=OtF9-4aPCqGomdvgLKAJAEnRx03hz3O6KVytXzM3ivM,13971
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_12.py,sha256=cK3LG2Q2YtHF4AC95fRF38am9ZlyLMp1Y-V-4XXVKGg,15241
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_13.py,sha256=riABFHI0voaPFScteVIoRtutwwEpguztjTuG-u97_Iw,7846
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_14.py,sha256=o9ST0KHnzKp6jQNc_4Ifqz4dXIkWOru2GmqZ15qFOUk,14307
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_15.py,sha256=dcky-P2Hky7E9GR70s82FgxiwYkNGLV12l_IsP76Tzk,16037
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_16.py,sha256=IVlXH1GGw1oEdfqGmJqADzI2V-RYRvy4ZwVbVVft7R8,43580
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_17.py,sha256=vQMlkIzW7B3jPbKZVal-HKr3luFEyoEzXuHjc2Cq5gI,17265
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_18.py,sha256=UvjClFasyH7-RPb4xZni4EEJ0cTBv3YfznAYfNXW_Ic,32720
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_19.py,sha256=73FaGLvS6u5X_GaJfwvVkGlPCb6fYYzuDNwJAigf5zE,14030
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_2.py,sha256=LvFtEWyMQ9laLxtXS_cd1OCrc1O1icTQ7yXiTQGriXk,11171
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_3.py,sha256=n14Di7_dlRvkxfK_50n2DYOEbjC-bqDzpCorJNEhbsw,12431
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_4.py,sha256=srq-S9xsoUIUvuLV-wXxikxLrqSGaS8BAqt_UfQh9eI,12395
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_5.py,sha256=xj5RejgSZy9Oh9sIuMKVHeeEWYFUAku9VmSt8AbPyTg,11397
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_6.py,sha256=TX8RkTQLt1EhePpSHkHcpzKAGSdgxJxVRNW9SjRMQF0,12625
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_7.py,sha256=O-cfVWDDfrPDcdJbd0sySeWAOIMaJeHXnSRVREpR20I,15420
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_8.py,sha256=cSfm0SGhnIl5_bQ99_k8Sq8WvivPlF-Cm346QmmDh0g,14188
+torch/_inductor/fx_passes/serialized_patterns/_sfdp_pattern_9.py,sha256=CFn6CWUrkd7Iaut3sHsUQix4u9CUJyh0UGz39e866TQ,15428
+torch/_inductor/fx_passes/serialized_patterns/addmm_pattern.py,sha256=VyTxQS2yILWJNoWZ85QDqr7trPRy9dl_nmlyDFS69q0,1842
+torch/_inductor/fx_passes/serialized_patterns/bmm_pattern.py,sha256=qd_4tLdmx1o2QOpWYs7a2-RHItbEL3bjmhme7xzF--4,1256
+torch/_inductor/fx_passes/serialized_patterns/mm_pattern.py,sha256=-Qph-N1XH_S5sWph_D4_D5lsdZUkjOUVFdLaHY00WFo,1244
+torch/_inductor/fx_passes/split_cat.py,sha256=BP3f7M5X5W40lqY-cSyKqNHNreSCUcUDalTPamHULlk,66910
+torch/_inductor/fx_utils.py,sha256=yDiM-zO7kwhUFhlpRUR_q5Ct-TEs1YwDd7q0N4gNkpk,8907
+torch/_inductor/graph.py,sha256=LQ627m_yvGwBC8Me0rdBV0Jjv3iPJbDJTgLJE66xoFU,72874
+torch/_inductor/hooks.py,sha256=B3IV6wWpWzONma39iMXIfYjsI5q1epOMbu3cAZEXqdA,644
+torch/_inductor/index_propagation.py,sha256=uLi6BmnLqG6GsHzzAHnIysatwu8rvdobkMerX5bRooU,12326
+torch/_inductor/inductor_prims.py,sha256=BC6HwnZLtb7ynbA-TBFt5-q3-hRM1A8ZqvCO_tu3a-8,4581
+torch/_inductor/ir.py,sha256=r-57Kaxhf3WJliMqLxwT4lfd74feDZJ-swchysnll_0,287255
+torch/_inductor/kernel/__init__.py,sha256=H6IReWIOt8twLwq3VA3cggOOQd5_EDJ7o48hU5K0RAM,57
+torch/_inductor/kernel/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/bmm.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/conv.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/flex_attention.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/mm.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/mm_common.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/mm_plus_mm.cpython-310.pyc,,
+torch/_inductor/kernel/__pycache__/unpack_mixed_mm.cpython-310.pyc,,
+torch/_inductor/kernel/bmm.py,sha256=-xnIn1FfPgj-TuMNm7WmRhNuEWBWbBod6hvMMpR69VE,6807
+torch/_inductor/kernel/conv.py,sha256=v7GPmgX4nqupyOG8XzJAtr_Iliik_s9_5napF1JMhgw,14793
+torch/_inductor/kernel/flex_attention.py,sha256=ZGk9ZjyMUFoKZjXoum4R8nbVBdnCXbWIxCSd6o2-_6s,29905
+torch/_inductor/kernel/mm.py,sha256=VpZQCE447p4d_ncUqpUAuP_FUu5V75g6cNvMTGuR2KQ,15834
+torch/_inductor/kernel/mm_common.py,sha256=-6ltMDELTehA8ibBVbR6veAWMkwJvZy3OcgfDzBkFDo,10376
+torch/_inductor/kernel/mm_plus_mm.py,sha256=8uGvuVzwZ7hZaVLlw4ZbHsEA70_KEapJlHCp6CEw-GM,7762
+torch/_inductor/kernel/unpack_mixed_mm.py,sha256=F0RoaJodJuIJcMoJBP7la3jVgoqkocp-F74eHWR7fHc,2961
+torch/_inductor/lowering.py,sha256=2GVZArD9bxcnM_Pya04O4FcruPuR55haan30MdcXRHU,200424
+torch/_inductor/metrics.py,sha256=ThOyFS4BRo3CugXndEqzgc0VVlEuOVLSJDO8kqy6tnE,12786
+torch/_inductor/mkldnn_lowerings.py,sha256=Dqj1jMODUvtBvAnPqecS0jHJmadyEyaxPRkfRI1ECEM,15207
+torch/_inductor/ops_handler.py,sha256=Y-LS68CjJCGqRaFsZDoBdQ1Jmrzie8xjiAA3zXLGMpo,28210
+torch/_inductor/optimize_indexing.py,sha256=kH8PCq9GQa_05fRUQ1Ixwbs3KTx4bFGPfAgVrmKJ8oQ,3942
+torch/_inductor/pattern_matcher.py,sha256=D9712ulLjRtsEm_1ofLF4KcuNeNxaS7-lw8KqQ9rdJk,67978
+torch/_inductor/quantized_lowerings.py,sha256=Vo0WN7O6JijJ-h-DWFpxJSEDfdm4M8x4QVqPYBaokAM,789
+torch/_inductor/remote_cache.py,sha256=NCKz7pkRPyQpZHDvMfQQvkSKHbHulP_GxOShJzGDeQQ,1073
+torch/_inductor/runtime/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_inductor/runtime/__pycache__/__init__.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/compile_tasks.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/coordinate_descent_tuner.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/hints.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/runtime_utils.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/triton_helpers.cpython-310.pyc,,
+torch/_inductor/runtime/__pycache__/triton_heuristics.cpython-310.pyc,,
+torch/_inductor/runtime/compile_tasks.py,sha256=CucXTiOm_a8KnLFzqKukb4g-h2tQA7IjjqPSpxOVJ4I,2016
+torch/_inductor/runtime/coordinate_descent_tuner.py,sha256=7N0FxCcD3gCpd-df8UVmAuXi3cBff58ytXdV7RxRRxs,10346
+torch/_inductor/runtime/hints.py,sha256=ewMV0Qn7QDpfWCdmhL0yHxZijONgFrf6NdMwbJU0h3Q,4948
+torch/_inductor/runtime/runtime_utils.py,sha256=1700nkH6Z3FwJ49s5r-sKKxtm68qK7NnQKocJ8NwrsY,5366
+torch/_inductor/runtime/triton_helpers.py,sha256=WBUtPdw0kQmGyCegvILfagtexPOjKBeuMOwzdfOrz1Y,11328
+torch/_inductor/runtime/triton_heuristics.py,sha256=Qbjl6Qf3tz3IM9cqp9RsquLrHmCJ1wQEUyX1wdNIdRE,63209
+torch/_inductor/scheduler.py,sha256=yMSneVifKR5fxbF3L-fKZCKIuhhXNvLN9B3wyV4pk6A,112124
+torch/_inductor/select_algorithm.py,sha256=Sw4SuXhaZwdAv9h5R16g3uBWgObOAjLh1RWuM4ddf-4,59005
+torch/_inductor/sizevars.py,sha256=U8oFkyRCLT4BBFaLUfTx2eYTxOgWlpaqUgocnujOBJg,31315
+torch/_inductor/subgraph_lowering.py,sha256=lZ1SAa5MbcLo-CgA7jtTuEuV6Xta2YtlaRBd3KbuS_4,4354
+torch/_inductor/test_case.py,sha256=Jcib1TCU4FiVIeUMQEsxXwnDauoBd7Xx754jQ4GolxI,995
+torch/_inductor/test_operators.py,sha256=_6FvF4kOCJAQwPE-UyfSv3EFMHw4WOuTDpSUKu4KeTw,815
+torch/_inductor/utils.py,sha256=G7AeUBL4Bs32zhB2IPhJLZAleTVunA4zcJH_yGLspNA,57042
+torch/_inductor/virtualized.py,sha256=dTZq_uXVUpNN6xvvt1R63KTuV1ykEF21229bhzAciPM,11804
+torch/_inductor/wrapper_benchmark.py,sha256=T_j5qrAlj3sADQRzTw500cIgD28M-9vXS0j066EDmX0,10142
+torch/_jit_internal.py,sha256=cOQqq5Kotb7KyFj9natQm0wOIuGr4pfdUDh3zmvgyD0,53410
+torch/_lazy/__init__.py,sha256=-G_4G2fNEeb-Pu-5TPWzuFSm5ut9birUN0sXH-47XmU,1810
+torch/_lazy/__pycache__/__init__.cpython-310.pyc,,
+torch/_lazy/__pycache__/closure.cpython-310.pyc,,
+torch/_lazy/__pycache__/computation.cpython-310.pyc,,
+torch/_lazy/__pycache__/config.cpython-310.pyc,,
+torch/_lazy/__pycache__/debug.cpython-310.pyc,,
+torch/_lazy/__pycache__/device_context.cpython-310.pyc,,
+torch/_lazy/__pycache__/extract_compiled_graph.cpython-310.pyc,,
+torch/_lazy/__pycache__/ir_cache.cpython-310.pyc,,
+torch/_lazy/__pycache__/metrics.cpython-310.pyc,,
+torch/_lazy/__pycache__/tensor_factory_functions.cpython-310.pyc,,
+torch/_lazy/__pycache__/ts_backend.cpython-310.pyc,,
+torch/_lazy/closure.py,sha256=-OGOXxz6581h2EZPQrt59zobSs3uqfn4ZOlX6U_nnOs,5444
+torch/_lazy/computation.py,sha256=qGyb2-6Mk9HtK1ekYjC-RaRAFG8sUEAazCoO4BuCM1U,919
+torch/_lazy/config.py,sha256=sVrnixPoC3UnnFXsE0bGt5YiRapFAhb89lq1k_uh2-0,447
+torch/_lazy/debug.py,sha256=LOZyiVd9aFg1xYiUwq-FKA1jMxuGDyU0KcTpor81r1s,738
+torch/_lazy/device_context.py,sha256=mEcwR4cs2YXS6VgywLSCvoeGkY2BSg2tLnvNr9UDz-0,661
+torch/_lazy/extract_compiled_graph.py,sha256=ZtbEfp_RRdHVrbdHwj3WiQj5WmYQkHCk0J4NLxPL8ko,8434
+torch/_lazy/ir_cache.py,sha256=HcW7N_L3ff-7_dDnpTsuh0ZQHWU-CSkawOriqQQCoL4,348
+torch/_lazy/metrics.py,sha256=XT4Y9Loj4sLSAjhIVBiZ6pKrUXFNd4yBi1YvFoCm7to,545
+torch/_lazy/tensor_factory_functions.py,sha256=wHMqBuDC4QG-jntdqJzJaQ1WGyc1gBpMpGbK5oHOkh4,1367
+torch/_lazy/ts_backend.py,sha256=BfAAT0WhImXNRhQp3Pfbp1tLuKuy7UBt4OziWTEYi9o,163
+torch/_library/__init__.py,sha256=OrV4WynLK03o0fqACSTvq2Fiay0oeBXw-JdFKj8Gb5Q,201
+torch/_library/__pycache__/__init__.cpython-310.pyc,,
+torch/_library/__pycache__/abstract_impl.cpython-310.pyc,,
+torch/_library/__pycache__/autograd.cpython-310.pyc,,
+torch/_library/__pycache__/custom_ops.cpython-310.pyc,,
+torch/_library/__pycache__/fake_class_registry.cpython-310.pyc,,
+torch/_library/__pycache__/infer_schema.cpython-310.pyc,,
+torch/_library/__pycache__/simple_registry.cpython-310.pyc,,
+torch/_library/__pycache__/utils.cpython-310.pyc,,
+torch/_library/abstract_impl.py,sha256=ReW1UiRzb4elB2MqqxDR2mHvFjkbMoKtmRloSdp4D8I,7889
+torch/_library/autograd.py,sha256=zAz_s5ir4LBxOecTDBiqlicuMi7FW_hYnfEfeHuzYNY,8231
+torch/_library/custom_ops.py,sha256=ju6U3GcdWqMc-ZsnIaAFs7lCMg3KuzfTCvdvysGVi_A,23244
+torch/_library/fake_class_registry.py,sha256=V5cFL4zVNC9lwvz-x7JdolpQqNudrknqFdCaZWSYKyY,10842
+torch/_library/infer_schema.py,sha256=Kfxe2zWFlqSLyLr75DmTJYxHUTuQRRTxNcGA7OLzRwo,5863
+torch/_library/simple_registry.py,sha256=FHLdZpKYHYgJ-okB3V0JCkBsxQo4ViewALl2Cxjx66I,1413
+torch/_library/utils.py,sha256=z7oXhamWnrLJRiayLCDXcyngVf-MjjHA8_YwrkEF-kM,8507
+torch/_linalg_utils.py,sha256=InOR0y1t1DIXsNxXvJWbqMy9-m5QwZ6VLu4SAT3T-o8,5139
+torch/_lobpcg.py,sha256=GO7GuBPHAZzQjYG_70u0Jj11nwlr84Y_CWIk-adL80o,43679
+torch/_logging/__init__.py,sha256=jOLp0GYA7l-UKRQUNuDH7l2z_O80lf-9oUK3AXNj5HA,738
+torch/_logging/__pycache__/__init__.cpython-310.pyc,,
+torch/_logging/__pycache__/_internal.cpython-310.pyc,,
+torch/_logging/__pycache__/_registrations.cpython-310.pyc,,
+torch/_logging/__pycache__/structured.cpython-310.pyc,,
+torch/_logging/_internal.py,sha256=R6T4NvnUqMLqwRrf9QDs1h8OuYzkJxRNhhiuyLvMgF8,39777
+torch/_logging/_registrations.py,sha256=SmbEhgSLhv8gECGX6hnK2ptfAHk7yNOdSuOQNpGLuYM,5391
+torch/_logging/structured.py,sha256=VndrbHzHPdLk6UQNabSY64z8HqkGD0bSATFwFNXhV48,873
+torch/_lowrank.py,sha256=vde4q1yy74mryEW_3Ahryv2_3XGhCWPgHf6UQIPZ5OM,10544
+torch/_meta_registrations.py,sha256=PqxFBHjjqMaaDwxSTUFhbxL_MXxDlJhNjAEERj7z2Ts,190920
+torch/_namedtensor_internals.py,sha256=Ep2vBstTPoA1FpNK1VVbQ-gfeDAm_ALD5DR2RgEea9E,5289
+torch/_numpy/__init__.py,sha256=SnDBM3mHZrOJfrbK39ahT0S1Lh65v6BU9j96GQlqGEM,557
+torch/_numpy/__pycache__/__init__.cpython-310.pyc,,
+torch/_numpy/__pycache__/_binary_ufuncs_impl.cpython-310.pyc,,
+torch/_numpy/__pycache__/_casting_dicts.cpython-310.pyc,,
+torch/_numpy/__pycache__/_dtypes.cpython-310.pyc,,
+torch/_numpy/__pycache__/_dtypes_impl.cpython-310.pyc,,
+torch/_numpy/__pycache__/_funcs.cpython-310.pyc,,
+torch/_numpy/__pycache__/_funcs_impl.cpython-310.pyc,,
+torch/_numpy/__pycache__/_getlimits.cpython-310.pyc,,
+torch/_numpy/__pycache__/_ndarray.cpython-310.pyc,,
+torch/_numpy/__pycache__/_normalizations.cpython-310.pyc,,
+torch/_numpy/__pycache__/_reductions_impl.cpython-310.pyc,,
+torch/_numpy/__pycache__/_ufuncs.cpython-310.pyc,,
+torch/_numpy/__pycache__/_unary_ufuncs_impl.cpython-310.pyc,,
+torch/_numpy/__pycache__/_util.cpython-310.pyc,,
+torch/_numpy/__pycache__/fft.cpython-310.pyc,,
+torch/_numpy/__pycache__/linalg.cpython-310.pyc,,
+torch/_numpy/__pycache__/random.cpython-310.pyc,,
+torch/_numpy/_binary_ufuncs_impl.py,sha256=2ARnfWfW0QTkfv3gXU_YjD6qCiJs6-UaFKAoOFJLeHI,2418
+torch/_numpy/_casting_dicts.py,sha256=6CfnghmEYKTMO6bs-DCmI2dUP2eWiY9UaBL6LdiA_VE,42477
+torch/_numpy/_dtypes.py,sha256=vA1enP8uKq8exmJPc4z-BlgCMS4GJYY4nuTkZBFzGgA,10326
+torch/_numpy/_dtypes_impl.py,sha256=ub1dc3recbKXxkq5X7T-97zurCouuanzRc0Qy40tY0s,5906
+torch/_numpy/_funcs.py,sha256=i-TO7VrfmbP21G5Hm2DLm10r3KyGDUeDoGfjsOHUzi0,2096
+torch/_numpy/_funcs_impl.py,sha256=1pH-9qF6-h1Mb2cg35fzE6CFm8jxqXH8hgdWEb0JDng,59204
+torch/_numpy/_getlimits.py,sha256=QRUbPnrehERJA9Wk01SdUaF1F2FhksfgpewYN6SmtgE,269
+torch/_numpy/_ndarray.py,sha256=vUX9GX_XRUDv27aeGOhFUhCrYeNrAHyEVTbF_6ame58,16633
+torch/_numpy/_normalizations.py,sha256=_rg63BQYxklxNELJD6In60RgyfgxW9GrcBPrGV3VEvo,8248
+torch/_numpy/_reductions_impl.py,sha256=2VPqrcKmmHRupogz2c7lh9Z6HJDdEsiKn5BuBhNjGO0,11799
+torch/_numpy/_ufuncs.py,sha256=CJoWG7TWKRZ2tM7JV3qsZXpAYlB2iRzfogs7721xGl0,8366
+torch/_numpy/_unary_ufuncs_impl.py,sha256=cd5mngyMI7ltNESj9nCYJBRyslyg_Hb6ELCNIlhW6gQ,1750
+torch/_numpy/_util.py,sha256=wMJCkcmdgAcP--3bMVVzHf3NW7MY1kDyrjabrHscMCI,7547
+torch/_numpy/fft.py,sha256=lqeN-889bRRT8VjzgAaXoK9aAz8wdQdoiUSVN-oIhRQ,2805
+torch/_numpy/linalg.py,sha256=DV3U74reWhgh8vO-JasLZ7AO0sJ1lmh94sBozXrQMjc,5582
+torch/_numpy/random.py,sha256=yWr3GUftkX9_FZ10phn_V5SWy1gbzpZpnSqVQgqlhwo,4650
+torch/_numpy/testing/__init__.py,sha256=MvxIGX8BvdId3cKxdiTqEd6uWu5nc-fhKXUTJgtiXjU,374
+torch/_numpy/testing/__pycache__/__init__.cpython-310.pyc,,
+torch/_numpy/testing/__pycache__/utils.cpython-310.pyc,,
+torch/_numpy/testing/utils.py,sha256=Hjv_6o5rbS6IzqMGCYneoppOjLzjRNqUq6q9jRqW9pM,76336
+torch/_ops.py,sha256=vxo38owRdY-o7Qm_3vELsi-X1TntMZiRA-XkQ8YA6dw,52807
+torch/_prims/__init__.py,sha256=xn_5hA_wEi5okHaC8agWIqS-z7mGB6RQ-u1DPyezMzI,85217
+torch/_prims/__pycache__/__init__.cpython-310.pyc,,
+torch/_prims/__pycache__/context.cpython-310.pyc,,
+torch/_prims/__pycache__/debug_prims.cpython-310.pyc,,
+torch/_prims/__pycache__/executor.cpython-310.pyc,,
+torch/_prims/__pycache__/rng_prims.cpython-310.pyc,,
+torch/_prims/context.py,sha256=IcU4ujAIltFkF1P7BE5xnn8u-2ixgnvrKKpPr57J8g4,5486
+torch/_prims/debug_prims.py,sha256=BQK2cErc8igpHc2p47HJE7WSsRJz9qvOAwq9stp4Gps,1888
+torch/_prims/executor.py,sha256=hiwETKpR7yQ_89aI48hP161qUth1zrcxjJF1wb0C-yY,1664
+torch/_prims/rng_prims.py,sha256=Eq1gGJ1BqOwCtuQnW9Oe7QMCbbgxnACWiJyvYriC6tk,9348
+torch/_prims_common/__init__.py,sha256=YcxCtKAcT_Ivyr4rwaoU2EVybZ_LZHVSBVUZbgYA7XI,64968
+torch/_prims_common/__pycache__/__init__.cpython-310.pyc,,
+torch/_prims_common/__pycache__/wrappers.cpython-310.pyc,,
+torch/_prims_common/wrappers.py,sha256=wZ-k2ND8FvcnDXnGJvxQB1pYVITzeR_iy7VDScPnuQQ,15670
+torch/_python_dispatcher.py,sha256=UjZo3pzvQwJ1lPwjRpP99zFikyS5UUaPXBUDyT7ILsI,7127
+torch/_refs/__init__.py,sha256=2HgThNDgtf_QpvsYPMNfKz3iFH1c4J78SaFoshsIee0,207771
+torch/_refs/__pycache__/__init__.cpython-310.pyc,,
+torch/_refs/__pycache__/_conversions.cpython-310.pyc,,
+torch/_refs/__pycache__/fft.cpython-310.pyc,,
+torch/_refs/_conversions.py,sha256=Nqr2921zRNJ0D9ZptJ9wrAGt5BPHM9syMwXKqradlhE,3533
+torch/_refs/fft.py,sha256=VEF1PU4Ckt6J4inqB9Eqh9RI0rff55XfiskfRuaoYPA,17953
+torch/_refs/linalg/__init__.py,sha256=GjgL_zLVK6-VPSO0rpbluRJ665uvQjBHIkyMHJ_mYCU,10501
+torch/_refs/linalg/__pycache__/__init__.cpython-310.pyc,,
+torch/_refs/nn/__init__.py,sha256=TxVn7Qjs3VBg36A_3dasco_AQPZtK4HebdViKMirE8U,49
+torch/_refs/nn/__pycache__/__init__.cpython-310.pyc,,
+torch/_refs/nn/functional/__init__.py,sha256=FBZSbgMmJTeTRWP_i5LkQ4mS_7KJMjIO6-QpFZZ9N3Q,40975
+torch/_refs/nn/functional/__pycache__/__init__.cpython-310.pyc,,
+torch/_refs/special/__init__.py,sha256=2w2YEP47bhqYEVfWDiPtOnUVuIiTSQ3gcZSvzuSBq0E,6790
+torch/_refs/special/__pycache__/__init__.cpython-310.pyc,,
+torch/_size_docs.py,sha256=a9eJ9LdmD6fxUucakpXOitwcvUh7MstBnLUiyJInpo4,908
+torch/_sources.py,sha256=JiN2_s9ljGqWXqYWNTI0Nhi7J9HCa9GvUavkYb6yVzo,4454
+torch/_storage_docs.py,sha256=6suYJWnbZn3rduSxB_pRGHUz9kyOPozOJ4Qvj8MDxbc,1384
+torch/_streambase.py,sha256=XA5sIHyX4jNjwuKgdCLSkZMJg-OAQCEbA8R3HWC_PW4,1108
+torch/_strobelight/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_strobelight/__pycache__/__init__.cpython-310.pyc,,
+torch/_strobelight/__pycache__/cli_function_profiler.cpython-310.pyc,,
+torch/_strobelight/__pycache__/compile_time_profiler.cpython-310.pyc,,
+torch/_strobelight/cli_function_profiler.py,sha256=aMD5ISlMJAbPvI6kWtinABMnFVhCL3ZxStj7orpjJls,11477
+torch/_strobelight/compile_time_profiler.py,sha256=KikWNC50Z2MHlaXNccCIC3MImDsw6YCArok3da_-n-o,6197
+torch/_subclasses/__init__.py,sha256=5F35O3CJ9XnkaHcD8NWjnNVGGw5WabjXSUy-UdlpXOE,376
+torch/_subclasses/__pycache__/__init__.cpython-310.pyc,,
+torch/_subclasses/__pycache__/fake_impls.cpython-310.pyc,,
+torch/_subclasses/__pycache__/fake_tensor.cpython-310.pyc,,
+torch/_subclasses/__pycache__/fake_utils.cpython-310.pyc,,
+torch/_subclasses/__pycache__/functional_tensor.cpython-310.pyc,,
+torch/_subclasses/__pycache__/meta_utils.cpython-310.pyc,,
+torch/_subclasses/__pycache__/schema_check_mode.cpython-310.pyc,,
+torch/_subclasses/fake_impls.py,sha256=SGhyZm1DbwFNEWSfrxKlCCURLqVmtXkYOll8UXElSFM,39331
+torch/_subclasses/fake_tensor.py,sha256=wpxTK_me3hj7Pzikqh0LafhBUM7ggdal1qiLdeRoLIs,83041
+torch/_subclasses/fake_utils.py,sha256=KzlzeSxI1Do0iAI6cl3_dtZHDZ7lIQlJV8uiI3MLuzc,7201
+torch/_subclasses/functional_tensor.py,sha256=PL618gJjyeslnpdnHHvfdYzDCLGEeJgRwqd1osKnx_w,32709
+torch/_subclasses/meta_utils.py,sha256=MEbUBUH-NOdtzAb3lFFqN8yaQ5pg9iWvu4DYyZ1qBzw,74444
+torch/_subclasses/schema_check_mode.py,sha256=TtSaDyDTAida7XNanfhJ6F_F9mpPrAiFETlvH5dpE6s,8646
+torch/_tensor.py,sha256=y8CMBSOfhB2d7mWvzC8e_hnlNRWvy0yt1rWcjUw293k,61143
+torch/_tensor_docs.py,sha256=uNgP5CNaveYgjGowcX4s-fSVWdRz4Lwv8Bu558m4wcg,142354
+torch/_tensor_str.py,sha256=7bKOAkWhI0v4DWBhUazebIxkvJQS_YleKvniDq0SAsU,26814
+torch/_torch_docs.py,sha256=A2xrSQNojYnG24-HEPbWMmJqdGwIHPNHOO6qUXdA_mA,417580
+torch/_utils.py,sha256=beBndOJJpy7jZ7hCzta9rI6Mv42tI6Wi_z0IYBIAgCA,36966
+torch/_utils_internal.py,sha256=gGGOqCzsBFeq3zs8AYgHsFtRUYo8ztTblM2iey6r7dM,7340
+torch/_vendor/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/_vendor/__pycache__/__init__.cpython-310.pyc,,
+torch/_vendor/packaging/__init__.py,sha256=EhCMuCSz60IgQJ93b_4wJyAoHpU9J-uddG4QaMT0Pu4,496
+torch/_vendor/packaging/__pycache__/__init__.cpython-310.pyc,,
+torch/_vendor/packaging/__pycache__/_structures.cpython-310.pyc,,
+torch/_vendor/packaging/__pycache__/version.cpython-310.pyc,,
+torch/_vendor/packaging/_structures.py,sha256=q3eVNmbWJGG_S0Dit_S3Ao8qQqz_5PYTXFAKBZe5yr4,1431
+torch/_vendor/packaging/version.py,sha256=XjRBLNK17UMDgLeP8UHnqwiY3TdSi03xFQURtec211A,16236
+torch/_vmap_internals.py,sha256=9p9Fnd5YvlLLHHv0ekPS8x6B6OW3v6JxumC_8HfetO8,9436
+torch/_weights_only_unpickler.py,sha256=0ttH57-gN55XXvXG49xv8JZJAPA0cqRCgpx_TMi4A1I,14660
+torch/amp/__init__.py,sha256=OuEdgK_zzuRWo5_vfM_VhTooVAm1BXTBkUWxLkY6zlU,181
+torch/amp/__pycache__/__init__.cpython-310.pyc,,
+torch/amp/__pycache__/autocast_mode.cpython-310.pyc,,
+torch/amp/__pycache__/grad_scaler.cpython-310.pyc,,
+torch/amp/autocast_mode.py,sha256=o76bwjLxadaBNrdr0RhXG4Jeoj1cb2IO-IT52SR39ok,21595
+torch/amp/grad_scaler.py,sha256=8U8IDuRtMIgY1288exl0zYEI1SyaziFEVhTNtHckOcI,30177
+torch/ao/__init__.py,sha256=YSrGgApiNgWhy1EOLLkGpxiDrf0a2wXYqMkRgRNpdfo,425
+torch/ao/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/__init__.py,sha256=Fn8I8VxsGQCZzOtcqEbU77aFrGxLUmVfNS7nPwU2kyY,526
+torch/ao/nn/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/__init__.py,sha256=l9VYXWnvoNzGJH1Ee3tJqCCV18Fpgbmk1h4xGXrNgxA,946
+torch/ao/nn/intrinsic/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/modules/__init__.py,sha256=sTYCkbIbcGxUiQAz2-QyNH8I3BnUQ3jflkmKA9RPr-k,883
+torch/ao/nn/intrinsic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/modules/__pycache__/fused.cpython-310.pyc,,
+torch/ao/nn/intrinsic/modules/fused.py,sha256=zOD2sZtzYK-tuN8gzf4s1w3PCWDewWV_oI78GnExnlk,9277
+torch/ao/nn/intrinsic/qat/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/intrinsic/qat/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/qat/modules/__init__.py,sha256=k99vQqwhgrdNcCFhUs9xb82U_Y1G4LCTbkZJ3gaEgNI,546
+torch/ao/nn/intrinsic/qat/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/qat/modules/__pycache__/conv_fused.cpython-310.pyc,,
+torch/ao/nn/intrinsic/qat/modules/__pycache__/linear_fused.cpython-310.pyc,,
+torch/ao/nn/intrinsic/qat/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/ao/nn/intrinsic/qat/modules/conv_fused.py,sha256=ou1cRDuJMUGXR1TqTGHoSTa6cR38mx6B8XDBGqWShGs,30203
+torch/ao/nn/intrinsic/qat/modules/linear_fused.py,sha256=dgPLmAi7XjHcEbseMyTU6S02GB37axA85xCoj7302ps,6354
+torch/ao/nn/intrinsic/qat/modules/linear_relu.py,sha256=3w1kGMzXzHGPp8FVl01RIFwXUBTHDIvXOsBslmes52Y,1679
+torch/ao/nn/intrinsic/quantized/__init__.py,sha256=O3rBvt2CAwEO2NsKTgloNap0AovxGVyvbwJ1wKwDNaU,235
+torch/ao/nn/intrinsic/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/dynamic/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/intrinsic/quantized/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/dynamic/modules/__init__.py,sha256=WXj7xEgWXEBFBM_KR3XB6HkVPWj6ZO1wtrgY2XoRinw,82
+torch/ao/nn/intrinsic/quantized/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/dynamic/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/dynamic/modules/linear_relu.py,sha256=WtowAWTZhUHpwRlJnTMV4eYTqapmSOjh76T6t447bbg,1956
+torch/ao/nn/intrinsic/quantized/modules/__init__.py,sha256=sZsrH-au4x7UFRPKA0j0jrLtmoNKPVr40f0c0alCmfs,408
+torch/ao/nn/intrinsic/quantized/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/modules/__pycache__/bn_relu.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/modules/__pycache__/conv_add.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/modules/__pycache__/conv_relu.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/ao/nn/intrinsic/quantized/modules/bn_relu.py,sha256=OKbIsungQ6uevQuuI6eQxxuHJ3fKIkq6jgyYAjJ8UyI,2986
+torch/ao/nn/intrinsic/quantized/modules/conv_add.py,sha256=Rp8nFQav8JLZZvdTW0l1S1PjAout3oToc5BG2r4CdOQ,3905
+torch/ao/nn/intrinsic/quantized/modules/conv_relu.py,sha256=gNXbUK6fWoWPvl-lQrcJLqHGJ1m9VWCbUJA7iQzzgpw,7542
+torch/ao/nn/intrinsic/quantized/modules/linear_relu.py,sha256=yjyeWlHO5sQhIQ_CUW2KIpt-h1p7EKWAH4ST58XAjjI,6718
+torch/ao/nn/qat/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/qat/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/qat/dynamic/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/qat/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/qat/dynamic/modules/__init__.py,sha256=juJpue0ixFC8Vq3-HlcHdDRBPTd7H2jLGvdyQFwQzgk,49
+torch/ao/nn/qat/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/qat/dynamic/modules/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/qat/dynamic/modules/linear.py,sha256=CFdm6ixmT2l1hFUMK8YrugisH6vPNo4j1oTQ1uR-Q7g,960
+torch/ao/nn/qat/modules/__init__.py,sha256=BQBQxFIl4cZ2EExGYlcrCoNXkS9LaVBjim_Arr48f34,261
+torch/ao/nn/qat/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/qat/modules/__pycache__/conv.cpython-310.pyc,,
+torch/ao/nn/qat/modules/__pycache__/embedding_ops.cpython-310.pyc,,
+torch/ao/nn/qat/modules/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/qat/modules/conv.py,sha256=OUE7fM_LOGpTkfa1QwDdbwr2pwuFNU93-dlhpD3S7k0,9752
+torch/ao/nn/qat/modules/embedding_ops.py,sha256=neYHHHU_V0Q7GdTZYe2Do9HAr0a3r58VcVSI1GAoPJU,7151
+torch/ao/nn/qat/modules/linear.py,sha256=EmvZwV4AkXDEMtOeUd06JKn5uKLltlWEV0COPTTh7bE,2935
+torch/ao/nn/quantizable/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/quantizable/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantizable/modules/__init__.py,sha256=DOrFHIHns-vtkT8MLwFMujkq5QsW2XXKu7cjQuxkPZc,160
+torch/ao/nn/quantizable/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantizable/modules/__pycache__/activation.cpython-310.pyc,,
+torch/ao/nn/quantizable/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/ao/nn/quantizable/modules/activation.py,sha256=L8iBKXPfoDgNoAdJt4wJrolht2Rsiglr5pI0t8FCwXE,22543
+torch/ao/nn/quantizable/modules/rnn.py,sha256=Txq0YgChuO0VEMmmYOTVvQZlq3V58UvLdxpKroLzlQs,17238
+torch/ao/nn/quantized/__init__.py,sha256=dhO5H4qKeWJIqKbmuJA31y6Jc4_E07_0uZCz2Ut7Eag,685
+torch/ao/nn/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/__pycache__/functional.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/ao/nn/quantized/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/modules/__init__.py,sha256=99bhbZ0L1o_qTGVoVbx9lAOgA0YKxaeG15QQ9rpUWhU,384
+torch/ao/nn/quantized/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/modules/__pycache__/conv.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/modules/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/ao/nn/quantized/dynamic/modules/conv.py,sha256=zn8mkhO0xTHuzXbyCnNkwEO-PkG3K6qU0PVCCDQ_yA8,16894
+torch/ao/nn/quantized/dynamic/modules/linear.py,sha256=N14IRKTjoHWV8S5bX7Y0LD7_K7umdE0NGq20N4tDxmw,6036
+torch/ao/nn/quantized/dynamic/modules/rnn.py,sha256=6HrjGLQIl7IvkZpBYhv-NoHERpCosXnPzu49Nl36rH8,48846
+torch/ao/nn/quantized/functional.py,sha256=eFpiQx3tD5oKsrlPNJ3AwwIPAwfnDL9ribEWzlaszag,29306
+torch/ao/nn/quantized/modules/__init__.py,sha256=bo9gW0_iZQDKH9ZqauoeH8oJNbQVHqxQw6-4WexvM9Q,4398
+torch/ao/nn/quantized/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/activation.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/batchnorm.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/conv.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/dropout.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/embedding_ops.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/functional_modules.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/normalization.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/__pycache__/utils.cpython-310.pyc,,
+torch/ao/nn/quantized/modules/activation.py,sha256=mb6IGQjtmP7511bIHJrQlArNA1Cs_1aHAFgJ0LnfYC0,11592
+torch/ao/nn/quantized/modules/batchnorm.py,sha256=VBU_85h-AI1hMb4JTCazbkFpTGoQ2XSFHuhzscP3VzU,4154
+torch/ao/nn/quantized/modules/conv.py,sha256=lGVSPcKTCeS160eJl3EWV_fcvw38mPGjHRKCZMzjqS0,39757
+torch/ao/nn/quantized/modules/dropout.py,sha256=N-ui81rZQMi23K_DkK1iXPJVhXOh_lJYZnRc2jOgwyQ,804
+torch/ao/nn/quantized/modules/embedding_ops.py,sha256=9QhN2qoOeg73lNJwiZYFQxMGmtW-DZZTp3kjzg7AqMY,13629
+torch/ao/nn/quantized/modules/functional_modules.py,sha256=siim8kySS_0bNdYhZzltJKMbV2ooDpEVNXgavu3z-1A,9075
+torch/ao/nn/quantized/modules/linear.py,sha256=9OuXyEjV3TS1znqoUlpvl11onWBIrcvfn_RF03QOWZc,13093
+torch/ao/nn/quantized/modules/normalization.py,sha256=m5k--b81OrrbDGgMo90UQfeObqC-w5oLK70TkyIg_L8,8278
+torch/ao/nn/quantized/modules/rnn.py,sha256=vHDgw8zJoyuu4Zp2Xf14MpHt4JeKQ49DlGz5JzNBFP4,1865
+torch/ao/nn/quantized/modules/utils.py,sha256=kz3E0HxsW5pcXW8uPGWQVJHT7lDIycUC1QGXVumO9Ks,4606
+torch/ao/nn/quantized/reference/__init__.py,sha256=hfW9rcoKb1oV77KPD3samTqjHeCr3_b3Ww2ugN0bbYs,283
+torch/ao/nn/quantized/reference/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__init__.py,sha256=xgZZdRMMIQzFeTjpIAkhOmHdg0ORESL0HTw2Vt6lzDA,464
+torch/ao/nn/quantized/reference/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__pycache__/conv.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__pycache__/sparse.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/__pycache__/utils.cpython-310.pyc,,
+torch/ao/nn/quantized/reference/modules/conv.py,sha256=w8CSEdmGHfmPXyNJvUtO2wlMBIfTt5QY_Be2Qd1V9WE,13486
+torch/ao/nn/quantized/reference/modules/linear.py,sha256=3H9xcyyrp59hjg-sp8Q6X_5_YmU6VfoDsjK8zC50NU4,2210
+torch/ao/nn/quantized/reference/modules/rnn.py,sha256=1LQjd1Hw7G5aIt_TwT8KareG_OjmD08bO0ej72l7MFg,27245
+torch/ao/nn/quantized/reference/modules/sparse.py,sha256=YB90QNaJjEXEJxf9j0AEBBMFINKj2oscXVS8X4-W1RY,4253
+torch/ao/nn/quantized/reference/modules/utils.py,sha256=FnNnsaaeGdziZvwwT4oZxK23OY8ik7phJy-Ull3Cgx0,14314
+torch/ao/nn/sparse/__init__.py,sha256=PfB-tgPOelyV_0eb_ipJK4LzPHwB5Z-wfJXeE_O3AK4,24
+torch/ao/nn/sparse/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/__init__.py,sha256=KLvIbffZ6qZTRFGIl0Exw6hChjE107oSFy-ttvyJ7kE,186
+torch/ao/nn/sparse/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/__pycache__/utils.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/dynamic/__init__.py,sha256=PRt6lakWjibZNw_RaC826K3mGgh0L_aBBFvCxmOEWLY,56
+torch/ao/nn/sparse/quantized/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/dynamic/__pycache__/linear.cpython-310.pyc,,
+torch/ao/nn/sparse/quantized/dynamic/linear.py,sha256=tGWe509e342CWWmsjZlB99SrFT5IeyV7trx8quLIMQk,6097
+torch/ao/nn/sparse/quantized/linear.py,sha256=w9hDM3yS20cBhInHba1dvcFqrYlrxHpRY11Vdr28ekA,8605
+torch/ao/nn/sparse/quantized/utils.py,sha256=qVWRBCmWq_PYqy3gaqRiNbWEy_9lXdEBJ1lO8CJOiys,1742
+torch/ao/ns/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/ns/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/ns/__pycache__/_numeric_suite.cpython-310.pyc,,
+torch/ao/ns/__pycache__/_numeric_suite_fx.cpython-310.pyc,,
+torch/ao/ns/_numeric_suite.py,sha256=vIPDJkft49XVQW47japiQ69vhzDssvi545gR-4-Le0c,19554
+torch/ao/ns/_numeric_suite_fx.py,sha256=qTa5Cei_sTGZ05UGDky7Kd_DUskPp8q6FBL473A3bk4,40734
+torch/ao/ns/fx/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/ns/fx/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/graph_matcher.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/graph_passes.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/mappings.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/n_shadows_utils.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/ns_types.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/pattern_utils.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/qconfig_multi_mapping.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/utils.cpython-310.pyc,,
+torch/ao/ns/fx/__pycache__/weight_utils.cpython-310.pyc,,
+torch/ao/ns/fx/graph_matcher.py,sha256=bvk588DiyC0sU2THOKmTjIC0KR6fikg4JzXwUwJ_qBY,19256
+torch/ao/ns/fx/graph_passes.py,sha256=LFDupUZt_a5H_0Is7RR3RGppl8uvJR9vlovnwSMuM3Q,40765
+torch/ao/ns/fx/mappings.py,sha256=Pd81Elf46aNYvVPkWj9Vaj6bvo_CuJLRURXV0n4wOuQ,18260
+torch/ao/ns/fx/n_shadows_utils.py,sha256=Odo7vcdu6cH4O9sPpKFoynqRAcmacN41rkeAYLm_awQ,50055
+torch/ao/ns/fx/ns_types.py,sha256=ao4-hZJNKzPW6HzqJy7ilGNkYHikUFhd14dBgOEP_0A,2355
+torch/ao/ns/fx/pattern_utils.py,sha256=KLZ6dO_7u8OkCkhDSE_u3lkmaMIDSWH4dOdprpc1tFs,8284
+torch/ao/ns/fx/qconfig_multi_mapping.py,sha256=IiTr9gBTXx2kXjuvxSMUCcR4kJfslg1ARhgqQ7qvkF8,10141
+torch/ao/ns/fx/utils.py,sha256=a4yd7vUu0Is7VeISPO41UuxaEX4e660p56sD9UuRq0o,20563
+torch/ao/ns/fx/weight_utils.py,sha256=Sz6gc8gC_C-P3LuMLcZSfMxxCBFTtkO_SQcVCf9Do6o,11225
+torch/ao/pruning/__init__.py,sha256=qUqyaa2zDF9bM4l8suXQw6WfDSQ5nbQM7nodu59PiU4,715
+torch/ao/pruning/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/__pycache__/_mappings.cpython-310.pyc,,
+torch/ao/pruning/_experimental/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/_experimental/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/activation_sparsifier/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/_experimental/activation_sparsifier/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/activation_sparsifier/__pycache__/activation_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/_experimental/activation_sparsifier/activation_sparsifier.py,sha256=K9EM3rJkoaOgozX5zozlPR7oDA_Te6cxJXSNTAamoDU,18249
+torch/ao/pruning/_experimental/data_scheduler/__init__.py,sha256=BPYua3ba-QGK8fmcEOxzMkRUdQ6qaKxqIO1vh4_EWq4,91
+torch/ao/pruning/_experimental/data_scheduler/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_scheduler/__pycache__/base_data_scheduler.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_scheduler/base_data_scheduler.py,sha256=W1zAkVF02GXEkynq34AOcfx1Fiud7SHVKzvuKMuGOUE,7411
+torch/ao/pruning/_experimental/data_sparsifier/__init__.py,sha256=CDr9hH7eg9bmbrdFM2E_COpX4eP8IkGOpaQeONAlybs,173
+torch/ao/pruning/_experimental/data_sparsifier/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/__pycache__/base_data_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/__pycache__/data_norm_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/__pycache__/quantization_utils.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/base_data_sparsifier.py,sha256=PzGbdmMEvJapCsJqBh9-XYMTSgh9494nIRmqyatCKWY,13073
+torch/ao/pruning/_experimental/data_sparsifier/data_norm_sparsifier.py,sha256=Tv1AFwjZmC1zlkh0l31dCZLOKvBGZif_ZmeMWJNSvOo,7527
+torch/ao/pruning/_experimental/data_sparsifier/lightning/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/_experimental/data_sparsifier/lightning/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/__pycache__/_data_sparstity_utils.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/__pycache__/data_sparsity.cpython-310.pyc,,
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/_data_sparstity_utils.py,sha256=ghsyCoFC4etu6VoOSRtTWPuuCpu3o5n_QJ5HwNHVzT0,1617
+torch/ao/pruning/_experimental/data_sparsifier/lightning/callbacks/data_sparsity.py,sha256=QdCfJSd5LafzOh07XzfdhD_vPRSwpzF1W26ArDkgAg0,6538
+torch/ao/pruning/_experimental/data_sparsifier/quantization_utils.py,sha256=dqOTtz2lhBOO4L8MGTo51f3WlAy2ngdcLgbNve3DE8k,5993
+torch/ao/pruning/_experimental/pruner/FPGM_pruner.py,sha256=Ep0x3jJc3XveAoGDj5MGIkONmXnHSvn8MwHEQR5UBZ0,3415
+torch/ao/pruning/_experimental/pruner/__init__.py,sha256=xomRxvLKj_PF8JMKHpiJALkJ7w-djJIt1oj5I65bgg0,273
+torch/ao/pruning/_experimental/pruner/__pycache__/FPGM_pruner.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/base_structured_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/lstm_saliency_pruner.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/match_utils.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/parametrization.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/prune_functions.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/__pycache__/saliency_pruner.cpython-310.pyc,,
+torch/ao/pruning/_experimental/pruner/base_structured_sparsifier.py,sha256=bnwjSKcgts0_8oDSAj5pl0OiB4K5K6N2ww-A_whNHmU,10867
+torch/ao/pruning/_experimental/pruner/lstm_saliency_pruner.py,sha256=jU6QxnOQlUHgq069eBqhDS4P8wgIG0RD078_Vd7lPQQ,2093
+torch/ao/pruning/_experimental/pruner/match_utils.py,sha256=yW06wMrPlHzLMoLo6KyL54BRa7rnjzXiD590Sk963_Y,1967
+torch/ao/pruning/_experimental/pruner/parametrization.py,sha256=av719urkjxCSmcHo2ZUWCyLhdam0rY3MrEQ3EgW_Szs,1845
+torch/ao/pruning/_experimental/pruner/prune_functions.py,sha256=kT6wVfsHk5GPKk-V3E3GyMC3MW6n3GkAtyudXkdLE2g,19019
+torch/ao/pruning/_experimental/pruner/saliency_pruner.py,sha256=gvqDtyI8nRzPtJAb0nZMLtkVdnFAF527wtgS36H4itg,1370
+torch/ao/pruning/_mappings.py,sha256=81a0OkUMV_6hOd1wDzRGPlHRr4rhcOZhzCG-lpLfVd0,593
+torch/ao/pruning/scheduler/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/scheduler/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/scheduler/__pycache__/base_scheduler.cpython-310.pyc,,
+torch/ao/pruning/scheduler/__pycache__/cubic_scheduler.cpython-310.pyc,,
+torch/ao/pruning/scheduler/__pycache__/lambda_scheduler.cpython-310.pyc,,
+torch/ao/pruning/scheduler/base_scheduler.py,sha256=w8l4QFkGPQPhg1DmUVy8OkdY9ux1Y6ufZ36ADPrNIEk,6338
+torch/ao/pruning/scheduler/cubic_scheduler.py,sha256=XbKxZ88_-9R2n1RiwAgBeiYOOX2ep8vuK4Bg8nLEdWU,3900
+torch/ao/pruning/scheduler/lambda_scheduler.py,sha256=Q8zNOKSiSaMjHp_OrYLmpq_-wkG387mK-3MvTDlzMGM,2045
+torch/ao/pruning/sparsifier/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/pruning/sparsifier/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/pruning/sparsifier/__pycache__/base_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/sparsifier/__pycache__/nearly_diagonal_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/sparsifier/__pycache__/utils.cpython-310.pyc,,
+torch/ao/pruning/sparsifier/__pycache__/weight_norm_sparsifier.cpython-310.pyc,,
+torch/ao/pruning/sparsifier/base_sparsifier.py,sha256=1mLRjyKjVKroBDAqoU-v7fCMK3-ne24lRtUR42Rj90Q,13789
+torch/ao/pruning/sparsifier/nearly_diagonal_sparsifier.py,sha256=yICOe8hY2v0KD2fxvuOeUxrFIxX608OTenM5VTXhbJg,2216
+torch/ao/pruning/sparsifier/utils.py,sha256=xcEfs0vO0SPV6ldW-Hh3SqUnrHC0MMvrl6hZCiABKGA,4813
+torch/ao/pruning/sparsifier/weight_norm_sparsifier.py,sha256=DiYglO-vKrSZMHwvwAtB3K9Y3b69njBUmXwCUjnyuFg,8880
+torch/ao/quantization/__init__.py,sha256=rAb29krfcXMn-KlLn1JYsKZ4Un6AYnt4Mez_2WSMtKU,6496
+torch/ao/quantization/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/_correct_bias.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/_equalize.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/_learnable_fake_quantize.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/fake_quantize.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/fuse_modules.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/fuser_method_mappings.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/observer.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/qconfig.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/qconfig_mapping.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quant_type.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quantization_mappings.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quantize.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quantize_fx.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quantize_jit.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/quantize_pt2e.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/stubs.cpython-310.pyc,,
+torch/ao/quantization/__pycache__/utils.cpython-310.pyc,,
+torch/ao/quantization/_correct_bias.py,sha256=FaaBRRrApNyMGs_B6exyV57X6Z5rGJkuk9iwZVmurlw,5401
+torch/ao/quantization/_equalize.py,sha256=aDLrvCM-meQsRWcGxP394wYN00HCr4a0WWuwg4_IbU4,6981
+torch/ao/quantization/_learnable_fake_quantize.py,sha256=RryT1dN9Gvkl3pYpxSWoa4Z0zl9MJPhTEwtSDP4S8Dg,7473
+torch/ao/quantization/backend_config/__init__.py,sha256=k1xaNCxYKyGefvUWwxgb8eTKKEJh8Z-9XUOeQgDO0S4,889
+torch/ao/quantization/backend_config/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/_common_operator_config_utils.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/_qnnpack_pt2e.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/backend_config.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/executorch.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/fbgemm.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/native.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/observation_type.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/onednn.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/qnnpack.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/tensorrt.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/utils.cpython-310.pyc,,
+torch/ao/quantization/backend_config/__pycache__/x86.cpython-310.pyc,,
+torch/ao/quantization/backend_config/_common_operator_config_utils.py,sha256=Lj1IuNkGyBHG7p0wfJw4AR8IlEwwT4eIeJxe42MfS4A,27100
+torch/ao/quantization/backend_config/_qnnpack_pt2e.py,sha256=tyB_KcnN7XKIMCSokJProL-0kpcqNNPpXWYw8hkWGFo,6333
+torch/ao/quantization/backend_config/backend_config.py,sha256=zRF9KhIwBDznhGTz-NthAHwUeVCUhmYOj5kHRbC2kho,30524
+torch/ao/quantization/backend_config/executorch.py,sha256=9bjVtmnOhgXUzHT3Xx5FZQiU2Sd1qp5tanRtPZ87Wjk,16953
+torch/ao/quantization/backend_config/fbgemm.py,sha256=358ATueA22LrpHct9AvA-FQrQ2oo6WSC5MTQzsLmcVE,4123
+torch/ao/quantization/backend_config/native.py,sha256=iwz-J8kw-q4pT5rrGd3L6pQ4W2rxEB0UwUFo02soCAQ,8075
+torch/ao/quantization/backend_config/observation_type.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/quantization/backend_config/onednn.py,sha256=nkDt0jXuZJbiTaJjF_Lacg01rBPxNPDjAzbFKi19m3Q,19177
+torch/ao/quantization/backend_config/qnnpack.py,sha256=7RvYtsyjrfVs9LDju0srKxzWQzY-4K9K9XNEdQujAao,5339
+torch/ao/quantization/backend_config/tensorrt.py,sha256=VeIKBvf9jSIaoeeCGF5Sq9I97aM_zDRbxl2rLPrX6-o,2910
+torch/ao/quantization/backend_config/utils.py,sha256=BovJno54_t_iV0Dynnx0U7fscDDPtOe5PHEI3UgWhvk,12369
+torch/ao/quantization/backend_config/x86.py,sha256=qdEh3Nj2sMY6kUWT3nSJfiRSfBPfeSRMCmQPYbaN3uE,3784
+torch/ao/quantization/fake_quantize.py,sha256=RmyFnPo7Zr6S66lTSDdphkr6yb2VeFWMksdbU7Yz1mM,24545
+torch/ao/quantization/fuse_modules.py,sha256=NHqyMdlJ4F3sIQ_YXPB_v-A6TNiKn3D0YN5SQNZoTwo,6775
+torch/ao/quantization/fuser_method_mappings.py,sha256=Q4E8lFUtXL13x4sZx7v-dm7V_U-MQh8aQpYFlc723no,10292
+torch/ao/quantization/fx/__init__.py,sha256=XcWhBskMMnQCJmz6ezLX7JFcyBUuNNyn8VCzY1OCz4A,81
+torch/ao/quantization/fx/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/_decomposed.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/_equalize.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/_lower_to_native_backend.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/convert.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/custom_config.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/fuse.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/fuse_handler.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/graph_module.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/lower_to_fbgemm.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/lower_to_qnnpack.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/lstm_utils.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/match_utils.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/pattern_utils.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/prepare.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/qconfig_mapping_utils.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/quantize_handler.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/tracer.cpython-310.pyc,,
+torch/ao/quantization/fx/__pycache__/utils.cpython-310.pyc,,
+torch/ao/quantization/fx/_decomposed.py,sha256=BWYXIr0QpUZaltes2Zotwjb7t_8oux_XasYFr6eoIvU,41028
+torch/ao/quantization/fx/_equalize.py,sha256=wCZPOHkWmLfpggv7JoAlFLFdONyXg-hbkHfnVe2PRzY,37072
+torch/ao/quantization/fx/_lower_to_native_backend.py,sha256=AbUPFTn34mZne78kIqvFFRyFnM7Ak8LmQ0FaT6rcVvY,51870
+torch/ao/quantization/fx/_model_report/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/quantization/fx/_model_report/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/fx/_model_report/__pycache__/detector.cpython-310.pyc,,
+torch/ao/quantization/fx/_model_report/__pycache__/model_report.cpython-310.pyc,,
+torch/ao/quantization/fx/_model_report/__pycache__/model_report_observer.cpython-310.pyc,,
+torch/ao/quantization/fx/_model_report/__pycache__/model_report_visualizer.cpython-310.pyc,,
+torch/ao/quantization/fx/_model_report/detector.py,sha256=mEqNEDm-CNV4T5a9CcYQq32d2RSefCQqbf7ZDBBa4YE,73839
+torch/ao/quantization/fx/_model_report/model_report.py,sha256=6R1CBwQEIEAwCivT9Dtn5aY2l2IS8GAQVjQi0W1oSBw,28804
+torch/ao/quantization/fx/_model_report/model_report_observer.py,sha256=7-xygFbTy8Bu73j0FTex8tkGKxoiMyA2YdIB6b90Dtg,11832
+torch/ao/quantization/fx/_model_report/model_report_visualizer.py,sha256=CATnP9bI4MHk-zfzuSHSSesXSAYrHXMrXI8I1KKtzns,32133
+torch/ao/quantization/fx/convert.py,sha256=wttgXOjrBTlk_NLDbKR5JAfvNc2GpBkMcE3TCrmgNEk,55856
+torch/ao/quantization/fx/custom_config.py,sha256=GOKqE7am1VrBW2a3lvLYVyDeeWZY-z03cA2OcgPlL7c,20720
+torch/ao/quantization/fx/fuse.py,sha256=_dEvmEm6V0BXezOiy5rsQ_PX0SE0lm4gmY9z_4q8PNo,6694
+torch/ao/quantization/fx/fuse_handler.py,sha256=mffqyuoOXV2GZFrlLXSAhF2IYbQqd6IcTw0jU8if550,4715
+torch/ao/quantization/fx/graph_module.py,sha256=NR2ggrZnyTNimMiOf2W2U9pPaSpAnlNH8oWmha9wjBU,5906
+torch/ao/quantization/fx/lower_to_fbgemm.py,sha256=R_Ipce4L8BkkjFaus66sILJpdHB7mqOMY-KuoxzFrk0,532
+torch/ao/quantization/fx/lower_to_qnnpack.py,sha256=C-y4Es9ZKShs1VIIeFLhG2xj2dIy7f_sXqgsTUN0RVE,541
+torch/ao/quantization/fx/lstm_utils.py,sha256=GNeGCiMgnGCFwbt9YbzpJ6nF5LdbwuhxMdBm_atFuK0,9328
+torch/ao/quantization/fx/match_utils.py,sha256=f7aNIbK7cnsd50WpBWY6A9O-PDBUBsXV5hsdvsBBwEU,9143
+torch/ao/quantization/fx/pattern_utils.py,sha256=gxAyhG6ct371t4XPvIooZ_QP_aXIxJRnt5A-OYNSufs,3527
+torch/ao/quantization/fx/prepare.py,sha256=ZKJZhCj_8E8_Jm99u9Il3pybIN1cob2a73t9LtuhlO8,83396
+torch/ao/quantization/fx/qconfig_mapping_utils.py,sha256=JkSW1ixEUz0qKnG3nSot3eeRpFVZkYFMu2VpMkyqzwE,14816
+torch/ao/quantization/fx/quantize_handler.py,sha256=bWYEYvD5282JV49EIotLHWw4jBarc-QEWV-ZhTg4Vxc,7215
+torch/ao/quantization/fx/tracer.py,sha256=vcj2ZcSjwaaCkjtcPAj-8kmJaau_YzvJpht8x0Ptm1g,1657
+torch/ao/quantization/fx/utils.py,sha256=qM8aVqFh7mr1__reERymZYhxi2wFwoD0QobCWSdFqWM,37040
+torch/ao/quantization/observer.py,sha256=a0UShiRPwABBEoKfwB_1GSBFKWSqrUxY625B9J4QuNM,67158
+torch/ao/quantization/pt2e/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/ao/quantization/pt2e/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/duplicate_dq_pass.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/export_utils.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/generate_numeric_debug_handle.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/graph_utils.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/port_metadata_pass.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/prepare.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/qat_utils.cpython-310.pyc,,
+torch/ao/quantization/pt2e/__pycache__/utils.cpython-310.pyc,,
+torch/ao/quantization/pt2e/duplicate_dq_pass.py,sha256=WhoNneGgs-6FsnvQLxV-j3UDJW5AfVy9Fkvh-A6nV00,3068
+torch/ao/quantization/pt2e/export_utils.py,sha256=Cl6O2tDAkeH9FjV6ypLNp29DKVFbENPimii1Lqj2-BE,7380
+torch/ao/quantization/pt2e/generate_numeric_debug_handle.py,sha256=XtIhI0Zy9ANI0VD3sQm0Hjd4M7w_ADWC1FwK-mJsotk,584
+torch/ao/quantization/pt2e/graph_utils.py,sha256=pPUaXEN7arvl9CCMTZFoz3lMdtgK8Go26Ta75scH18M,3914
+torch/ao/quantization/pt2e/port_metadata_pass.py,sha256=JdfgAwirvOKzbC6e_oxZlXi1dWg-nVhmrc1_GYCU-2Y,8960
+torch/ao/quantization/pt2e/prepare.py,sha256=2Db8xaQc3Y0swzr85DVKMbvKYZ2qSaPJ5V264nF2_Mc,20600
+torch/ao/quantization/pt2e/qat_utils.py,sha256=Rg5Dik7__uqXno20BBQXaT-NC9nuui2_btDtIrSgj1o,33472
+torch/ao/quantization/pt2e/representation/__init__.py,sha256=sWVndHoPQ6CNaIiUCKpBx4EbvVdTmVplU0-Sf9BZoLU,109
+torch/ao/quantization/pt2e/representation/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/pt2e/representation/__pycache__/rewrite.cpython-310.pyc,,
+torch/ao/quantization/pt2e/representation/rewrite.py,sha256=NF8ulg7quOYp42UYXjB40EwExtAc12g77ynJLTA3ks0,26352
+torch/ao/quantization/pt2e/utils.py,sha256=aARCUaPoyi5FQ167UQPPM0hmegiGhlhohNujTkaGGKc,22016
+torch/ao/quantization/qconfig.py,sha256=zlqh14hUwcCHk80k9jb0664tcrHVuuptPercc6NkRdw,25961
+torch/ao/quantization/qconfig_mapping.py,sha256=jUiQM-EvqeG4sSNjy0ry51CCStnmoY_RNOnZU14GlsI,14625
+torch/ao/quantization/quant_type.py,sha256=wj7Mk-f4BncrM0yqsP9XTHqIEjECt9iZiMlEQ41NXWw,755
+torch/ao/quantization/quantization_mappings.py,sha256=IH5K1tK9wx6o1em45SX60x77fJcMMJ_HTHzsHLyDbbI,13878
+torch/ao/quantization/quantize.py,sha256=61I1-aikjQ4-FIchW189Fp4OPQhQhmzuU7NGUcJVDl8,29703
+torch/ao/quantization/quantize_fx.py,sha256=-EGeBqSHZiqVswXUT3WFdiF8xB-evgvwBmYMR_oC48g,32190
+torch/ao/quantization/quantize_jit.py,sha256=4B4GQilzRsrWl7V_1XqhOQsa9IYlC-ah3PN5M3M6Vco,14632
+torch/ao/quantization/quantize_pt2e.py,sha256=BIJ7-3xDpGeNcxTvywCGMibLfKMx9zEflhmWq7ZZ31o,9260
+torch/ao/quantization/quantizer/__init__.py,sha256=dgmk3-EJMR3k-Ytcpsm6IBUqk9LDsve3btFoGAHaDSc,454
+torch/ao/quantization/quantizer/__pycache__/__init__.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/composable_quantizer.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/embedding_quantizer.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/quantizer.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/utils.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/x86_inductor_quantizer.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/xnnpack_quantizer.cpython-310.pyc,,
+torch/ao/quantization/quantizer/__pycache__/xnnpack_quantizer_utils.cpython-310.pyc,,
+torch/ao/quantization/quantizer/composable_quantizer.py,sha256=AQFed6p_8SCrn4l3kDSt-rLrICGLhyUy00SbwdU2jv0,2992
+torch/ao/quantization/quantizer/embedding_quantizer.py,sha256=SUejpkG6to3Kr_egBYknit5AJI3fgUXCMHTUk4UeWGw,3477
+torch/ao/quantization/quantizer/quantizer.py,sha256=CLu7ptz7jPHbu8Dgpr3Avufq_FccShjIVMED6ZvOa7M,5674
+torch/ao/quantization/quantizer/utils.py,sha256=XLSPhllaBgjqcjpr261LUsFmiTgXO3iHGnX6dP8HlGM,1900
+torch/ao/quantization/quantizer/x86_inductor_quantizer.py,sha256=IzQNOnzVIavGftlMQtFu9GaiB7fDrS5HPwfMGkcDo0s,51654
+torch/ao/quantization/quantizer/xnnpack_quantizer.py,sha256=PWjhDlNIgZcFcpFlNyikLhhoAamvPQgo46ug2MdQRXo,17102
+torch/ao/quantization/quantizer/xnnpack_quantizer_utils.py,sha256=_PvYsjOmybifD5nKWelJVRTOAwq2hsL9ZiC_lROj9To,40593
+torch/ao/quantization/stubs.py,sha256=JCTt_CS9ygLrni2MOLoG-BTFttz1fEDwT4D5wYfH0vE,2037
+torch/ao/quantization/utils.py,sha256=obIiDFSTSpachLdH8hlHJCb_023c0p1vYPGUBNTwnMQ,27893
+torch/autograd/__init__.py,sha256=h7UfFq0-TFJ4Cp6RYYWGOg5Pn3Q2F1clYp2YXiNKK4A,22380
+torch/autograd/__pycache__/__init__.cpython-310.pyc,,
+torch/autograd/__pycache__/anomaly_mode.cpython-310.pyc,,
+torch/autograd/__pycache__/forward_ad.cpython-310.pyc,,
+torch/autograd/__pycache__/function.cpython-310.pyc,,
+torch/autograd/__pycache__/functional.cpython-310.pyc,,
+torch/autograd/__pycache__/grad_mode.cpython-310.pyc,,
+torch/autograd/__pycache__/gradcheck.cpython-310.pyc,,
+torch/autograd/__pycache__/graph.cpython-310.pyc,,
+torch/autograd/__pycache__/profiler.cpython-310.pyc,,
+torch/autograd/__pycache__/profiler_legacy.cpython-310.pyc,,
+torch/autograd/__pycache__/profiler_util.cpython-310.pyc,,
+torch/autograd/__pycache__/variable.cpython-310.pyc,,
+torch/autograd/_functions/__init__.py,sha256=sdKJj6Dia1vNRSolyufzRKdn5qHkgCBCUI3OBm-PGW0,36
+torch/autograd/_functions/__pycache__/__init__.cpython-310.pyc,,
+torch/autograd/_functions/__pycache__/tensor.cpython-310.pyc,,
+torch/autograd/_functions/__pycache__/utils.cpython-310.pyc,,
+torch/autograd/_functions/tensor.py,sha256=NmnX3cFC_5zyXNxPW75WrhdnvhJ-0X9MLPo4xVEQ1W4,2177
+torch/autograd/_functions/utils.py,sha256=P-0ZjGaBNWvC_GPa97alBYOybjs_GY4XxnbaI_zenwU,2057
+torch/autograd/anomaly_mode.py,sha256=CWXoAheZHt9sabv-PfVf54wT231ve0HGkCgkYvoM7Uw,4837
+torch/autograd/forward_ad.py,sha256=AYzgqhUvneFgNai4d_3y__gWpFSDrrEC66FvgCFyzzY,7690
+torch/autograd/function.py,sha256=Qh925e0lpREFR7U893eDt9FPdAWvfKFa2HEY5fguRLY,33272
+torch/autograd/functional.py,sha256=a4CQEWi7eSsHbOfJdLqp02GYRHcekhRcVjuHcT46efs,52305
+torch/autograd/grad_mode.py,sha256=10EDQtvQdu07ONT7XGSAnub8oSAhlf0AAxtGCAwoukc,12999
+torch/autograd/gradcheck.py,sha256=RJKD6nMxydQiwuiOVt_9HEtz_XioujCklxShBe1BmO0,90661
+torch/autograd/graph.py,sha256=LfEB2NXmmPzCnWlYrfWLpqUqDDZg-8UH7NpM2ZF6w7E,27323
+torch/autograd/profiler.py,sha256=ltNxF2nl7vghb6wYy54CdKdGkkCX2L0iOp0J4sXnm5U,45426
+torch/autograd/profiler_legacy.py,sha256=0KTH1lFQVuiSZBRCcIkTJNRHgQTIHblWIQ2JIVjzkKM,11544
+torch/autograd/profiler_util.py,sha256=23BIcb8-8-t8Vg4sRL3L3IW64YNh6Df3VNS_9LjzlUI,39094
+torch/autograd/variable.py,sha256=N0cAiO8ZPZ6rtRtU-hJYH_6NVt-zun16CmO_KrZV7-0,391
+torch/backends/__init__.py,sha256=CfZtQRGBXkNjd-RMLBYzzck7pjMbN_AsDAGQ6TuWmnk,1720
+torch/backends/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/_coreml/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/backends/_coreml/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/_coreml/__pycache__/preprocess.cpython-310.pyc,,
+torch/backends/_coreml/preprocess.py,sha256=vLY7IopoQM6DjGmZVYxcRZW1CePU5MK0yCEMQ06KQK0,4247
+torch/backends/_nnapi/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/backends/_nnapi/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/_nnapi/__pycache__/prepare.cpython-310.pyc,,
+torch/backends/_nnapi/__pycache__/serializer.cpython-310.pyc,,
+torch/backends/_nnapi/prepare.py,sha256=RQbnVeFPStdZOBI5T8yQjxB4vQb7FNPcFkdHM0DKHBg,6545
+torch/backends/_nnapi/serializer.py,sha256=RjvdYPHnq_SLZneaSk8tT1CO9iYSjIZKjhH2FBZX9mQ,82935
+torch/backends/cpu/__init__.py,sha256=eXEopiEO61M4MV-A4RBSHSKcKzg1xFK8YJbNbPGDgp8,298
+torch/backends/cpu/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/cuda/__init__.py,sha256=3cR6W9F67FSaEGoQ8EUKuxGMlstEHZ_szZnGkkndAiw,14504
+torch/backends/cuda/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/cudnn/__init__.py,sha256=sEZpZ1G87slQMoyGEgzFSUOuFk3FZh4HKQs3NSCyZq0,6602
+torch/backends/cudnn/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/cudnn/__pycache__/rnn.cpython-310.pyc,,
+torch/backends/cudnn/rnn.py,sha256=2RP5j57yv2iWj7cN2dbDa3rKDRO7IhMirulefRgMjqs,2060
+torch/backends/mha/__init__.py,sha256=GSRB9qHmMJ4GSB4ke2qF6so_qI7YXQZx83sk6dejvCI,715
+torch/backends/mha/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/mkl/__init__.py,sha256=IxRqKwR_STL0QASEkBXrVjt-t-mS4SuOZB2ku5eluY8,1782
+torch/backends/mkl/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/mkldnn/__init__.py,sha256=w71iwP4aCfUeqVBq8x2dECpkJFjgPW-j4bp39Q36GuM,2961
+torch/backends/mkldnn/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/mps/__init__.py,sha256=21MEdFBPRTnmBgjWgHCPIuFXBHJRaOO520PtmjbAOQ4,1677
+torch/backends/mps/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/nnpack/__init__.py,sha256=-5O7wU30KMKPC2Gi5jhOx5X6zZJ-6AsgtIBV_JVQWwY,836
+torch/backends/nnpack/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/openmp/__init__.py,sha256=h6ebEMpGQavTuGZ3eJVK4JMUMMUgTYcrmvHxh_Fcgy8,157
+torch/backends/openmp/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/opt_einsum/__init__.py,sha256=kXTO5fFQmoEAbSb2-7KypWsnd3WmB0wxQkVxzxQCUm0,3451
+torch/backends/opt_einsum/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/quantized/__init__.py,sha256=nqfl7kWwLy4yRxNWTln5RiailNpFy2mIvqNaJP41_P0,1885
+torch/backends/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/xeon/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/backends/xeon/__pycache__/__init__.cpython-310.pyc,,
+torch/backends/xeon/__pycache__/run_cpu.cpython-310.pyc,,
+torch/backends/xeon/run_cpu.py,sha256=JSW6DZFTHDcaKCmDG_ycKLfRUgodtnHxYgWw4vx7ntg,37558
+torch/backends/xnnpack/__init__.py,sha256=BNL7CNyTlaTNxu4JVDE8VZgiu16mRO6JpZeQ0Ns3Nr8,702
+torch/backends/xnnpack/__pycache__/__init__.cpython-310.pyc,,
+torch/bin/protoc,sha256=M5CHOy2lbBOXrew3KPFYjFHhgvFbEj07TU8kjTHB9No,5330888
+torch/bin/protoc-3.13.0.0,sha256=M5CHOy2lbBOXrew3KPFYjFHhgvFbEj07TU8kjTHB9No,5330888
+torch/bin/torch_shm_manager,sha256=Dg3zQDukdI85K4zF61ZdFTtO3lyTh0L1fxVl9SQM8Ws,80456
+torch/compiler/__init__.py,sha256=5QBYguUa2NUscoAV9nqpokm19xh2PDOuXy3aUPwgmao,9470
+torch/compiler/__pycache__/__init__.cpython-310.pyc,,
+torch/contrib/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/contrib/__pycache__/__init__.cpython-310.pyc,,
+torch/contrib/__pycache__/_tensorboard_vis.cpython-310.pyc,,
+torch/contrib/_tensorboard_vis.py,sha256=qACmgpnhedP3UNkhkQ4wWIFRIJD6RJTiiXBE2JMi1Pw,5943
+torch/cpu/__init__.py,sha256=QoCsZxiaaviChndn5MUcdr7ayJBColVR1Y08ee9zWyQ,3872
+torch/cpu/__pycache__/__init__.cpython-310.pyc,,
+torch/cpu/amp/__init__.py,sha256=E_HPtKk9IO3AW-gyneT7K5wtjnFZHx9GkvH424D_kb8,72
+torch/cpu/amp/__pycache__/__init__.cpython-310.pyc,,
+torch/cpu/amp/__pycache__/autocast_mode.cpython-310.pyc,,
+torch/cpu/amp/__pycache__/grad_scaler.cpython-310.pyc,,
+torch/cpu/amp/autocast_mode.py,sha256=KqNnY0VoELQLIZc6VaWalOHQ4FO_mmj3MMcv0X0Ixdw,1520
+torch/cpu/amp/grad_scaler.py,sha256=ZWtyG-zKZSz0Vx1v9KhJoM4qe8319Y_L-olzsyD4DvA,957
+torch/cuda/__init__.py,sha256=zsRmS80IRol2Y0m5f-pdAeAM5v21bw1jhA6uumI3jrA,50935
+torch/cuda/__pycache__/__init__.cpython-310.pyc,,
+torch/cuda/__pycache__/_gpu_trace.cpython-310.pyc,,
+torch/cuda/__pycache__/_memory_viz.cpython-310.pyc,,
+torch/cuda/__pycache__/_sanitizer.cpython-310.pyc,,
+torch/cuda/__pycache__/_utils.cpython-310.pyc,,
+torch/cuda/__pycache__/comm.cpython-310.pyc,,
+torch/cuda/__pycache__/error.cpython-310.pyc,,
+torch/cuda/__pycache__/graphs.cpython-310.pyc,,
+torch/cuda/__pycache__/jiterator.cpython-310.pyc,,
+torch/cuda/__pycache__/memory.cpython-310.pyc,,
+torch/cuda/__pycache__/nccl.cpython-310.pyc,,
+torch/cuda/__pycache__/nvtx.cpython-310.pyc,,
+torch/cuda/__pycache__/profiler.cpython-310.pyc,,
+torch/cuda/__pycache__/random.cpython-310.pyc,,
+torch/cuda/__pycache__/sparse.cpython-310.pyc,,
+torch/cuda/__pycache__/streams.cpython-310.pyc,,
+torch/cuda/__pycache__/tunable.cpython-310.pyc,,
+torch/cuda/_gpu_trace.py,sha256=Xoewdq6BtoNF5PI-wKafc3PRKHb2Na1MHbgQi-Xr8YI,2383
+torch/cuda/_memory_viz.py,sha256=VN33YC95l1RAswOG_pyK4KmmLDT0xaf64sYxmlu53kg,24931
+torch/cuda/_sanitizer.py,sha256=D_JkLT0PFr1lWx5S6lnSaqV9g2zBgw5lYXvKMQKl5FA,22395
+torch/cuda/_utils.py,sha256=_lWqK6eEa4-odb_CBYKyWjUY-iVr3vZwWHNqeTS9mVM,1597
+torch/cuda/amp/__init__.py,sha256=2GI7qU_dzMroeeoyC9Crwg28-jpIp7xCYMa39nWMlHE,266
+torch/cuda/amp/__pycache__/__init__.cpython-310.pyc,,
+torch/cuda/amp/__pycache__/autocast_mode.cpython-310.pyc,,
+torch/cuda/amp/__pycache__/common.cpython-310.pyc,,
+torch/cuda/amp/__pycache__/grad_scaler.cpython-310.pyc,,
+torch/cuda/amp/autocast_mode.py,sha256=4qkKXYB5yFdzQJ9u-2CYbTGdcHNMxsurLfuE4MxQhVI,2818
+torch/cuda/amp/common.py,sha256=8qzGfSMhm12IShMZ-fo8slYrF7oENwZ3yBkAyNCfJgA,229
+torch/cuda/amp/grad_scaler.py,sha256=8evL16v7CQdUCycwEfitWw03rR-uoLaSzRPLGEUcROk,1072
+torch/cuda/comm.py,sha256=g4kiETMiMDJ5ufrlym1JdITVMuZLogs8HiwaC111U0Q,343
+torch/cuda/error.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/cuda/graphs.py,sha256=Wlxr4wtTHmtSZH71r13f2wXeBgjxQBfLR2FasMH49Eo,21758
+torch/cuda/jiterator.py,sha256=Gn2sABltKZPe33sju4pPrUjOS0YEahetS0JvIMAmrvw,6833
+torch/cuda/memory.py,sha256=HIK5Mde2QbV4VmwbUC3EOkECQWr5Qtm-jyI_VnQSKvA,36523
+torch/cuda/nccl.py,sha256=Z_1NOA-o9-pWG6KwEDMgIhBtXOE7UtPdEX94cLP8xHU,4550
+torch/cuda/nvtx.py,sha256=pjYtSyZ_zU1MrRU5i_Cu5IEIupbYKXsbeXLjwPKcgY8,2442
+torch/cuda/profiler.py,sha256=JS6qpXfsNASPMG_4myZ2y4GTbwhGDOS2RNmIqRLPXiM,1693
+torch/cuda/random.py,sha256=iNRb4uRC583hs7SbepXrqVy3xR-GtIyXpP_QEV-25YQ,5282
+torch/cuda/sparse.py,sha256=H912FRisikGM9SSVDQQq-YX5TNIilBYBZs1AwmIv3GQ,67
+torch/cuda/streams.py,sha256=R0d3J-fwwHpuiFLG_PTBsfGwA3JFLEGWgjll48lDYi8,8410
+torch/cuda/tunable.py,sha256=4GQza0imWhbjbMVI7_rxZSncBDmYK79mWEsQakRdW7A,10211
+torch/distributed/__init__.py,sha256=uFQzB6RZQSz3Ap2dAMZRO-oTV6pKIBNuKOi5D4fiAt0,4526
+torch/distributed/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/__pycache__/_composable_state.cpython-310.pyc,,
+torch/distributed/__pycache__/_functional_collectives.cpython-310.pyc,,
+torch/distributed/__pycache__/_functional_collectives_impl.cpython-310.pyc,,
+torch/distributed/__pycache__/_state_dict_utils.cpython-310.pyc,,
+torch/distributed/__pycache__/argparse_util.cpython-310.pyc,,
+torch/distributed/__pycache__/c10d_logger.cpython-310.pyc,,
+torch/distributed/__pycache__/collective_utils.cpython-310.pyc,,
+torch/distributed/__pycache__/constants.cpython-310.pyc,,
+torch/distributed/__pycache__/device_mesh.cpython-310.pyc,,
+torch/distributed/__pycache__/distributed_c10d.cpython-310.pyc,,
+torch/distributed/__pycache__/launch.cpython-310.pyc,,
+torch/distributed/__pycache__/logging_handlers.cpython-310.pyc,,
+torch/distributed/__pycache__/remote_device.cpython-310.pyc,,
+torch/distributed/__pycache__/rendezvous.cpython-310.pyc,,
+torch/distributed/__pycache__/run.cpython-310.pyc,,
+torch/distributed/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/_composable/__init__.py,sha256=m_X5LTwtmai9gMvopIlzj-N32YkCV1aTokhVNgUf8LU,162
+torch/distributed/_composable/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_composable/__pycache__/checkpoint_activation.cpython-310.pyc,,
+torch/distributed/_composable/__pycache__/contract.cpython-310.pyc,,
+torch/distributed/_composable/__pycache__/fully_shard.cpython-310.pyc,,
+torch/distributed/_composable/__pycache__/replicate.cpython-310.pyc,,
+torch/distributed/_composable/checkpoint_activation.py,sha256=r2e3T0WsAMFoWTA4GXcQHd4Tbw6XqjI4zQV1Bhd1fNI,3362
+torch/distributed/_composable/contract.py,sha256=YgUoX7NIRHbxrU_p_PgftvneBdFLyoO6Wjh7xK3To5U,7400
+torch/distributed/_composable/fsdp/__init__.py,sha256=sIx93iGzCKEai-Pk4xlLrxxcFs6tCBtzuYdhdmf9ZfY,156
+torch/distributed/_composable/fsdp/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_api.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_collectives.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_common.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_init.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_param.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_param_group.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/_fsdp_state.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/__pycache__/fully_shard.cpython-310.pyc,,
+torch/distributed/_composable/fsdp/_fsdp_api.py,sha256=AUD1HMRxW8PYfPqNt131KG9F-u2FzMJIkdAWIuuluSU,3636
+torch/distributed/_composable/fsdp/_fsdp_collectives.py,sha256=qegjzo72xX4mR92CgXjv-fFwIVSY62L9GxjbcrfoChw,13912
+torch/distributed/_composable/fsdp/_fsdp_common.py,sha256=aL1lUiNjg3FBkQ_9glG5XsNPnFqOKcpQy8g8GHe6pdo,4951
+torch/distributed/_composable/fsdp/_fsdp_init.py,sha256=OBlKJVQdIQEqVDflbSfCLP0z8NMBcJc-wIpvNrer5bo,6076
+torch/distributed/_composable/fsdp/_fsdp_param.py,sha256=0WT4PRyBtPcUM-AB9uxj51yF4F2Q4FG4gjgyuv75za8,29639
+torch/distributed/_composable/fsdp/_fsdp_param_group.py,sha256=r4qOWUoPruCvE7jNyCBfizWvLxdY9SQb5oMXMSzxXn4,24425
+torch/distributed/_composable/fsdp/_fsdp_state.py,sha256=3at1TKyw4d0KD5LHq-qGtw1FexwPEP_Z24KKf89iHwA,11527
+torch/distributed/_composable/fsdp/fully_shard.py,sha256=LxOqrul9PE_Iyn1NbImEsiLYcGmF52KOSp1sGZUF4Dw,15216
+torch/distributed/_composable/fully_shard.py,sha256=OTd5fybi3MMq6NiZ74vrCm5s8ix9dsTfCWZFCMOdVPU,5193
+torch/distributed/_composable/replicate.py,sha256=LzSQdZ2MbcnF5cmbTiaoCcZ7g8UgNvny24xrYd-MO90,8967
+torch/distributed/_composable_state.py,sha256=LV7Lb610CsRZ7SxFp7mLz-5K0cwu7LP5aKil_ouDKsg,1124
+torch/distributed/_cuda_p2p/__init__.py,sha256=WXfI9idp8tM_9ecHCsE3aaEHcPYuibmBl8SWFTtxHLc,16883
+torch/distributed/_cuda_p2p/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_functional_collectives.py,sha256=oiMQ48w7b_iqvbn95WoG8p8NT69qqS4cIcHV6KjgxqQ,42183
+torch/distributed/_functional_collectives_impl.py,sha256=yAqArmVKFbH6RUAbYupslyDq312NrgLSp56Q-C1pfmY,3228
+torch/distributed/_shard/__init__.py,sha256=wSp5Aq8q4aICaAb7LZaEZAMtO4EGpRcqWfrF6g9EqWs,108
+torch/distributed/_shard/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/_utils.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/common_op_utils.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/metadata.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/op_registry_utils.cpython-310.pyc,,
+torch/distributed/_shard/__pycache__/sharder.cpython-310.pyc,,
+torch/distributed/_shard/_utils.py,sha256=Js6Vzz5BHfpef7wDF_dxFsORwd2UQuhXLKN0XC9ge_A,1104
+torch/distributed/_shard/api.py,sha256=JXTq07q_kgZcfpOkx2lQOjGYds4qTPvag6zZGpkDDaA,12287
+torch/distributed/_shard/checkpoint/__init__.py,sha256=zdck2v7HC1TVZW137OYkwdxJZc0zvA1i0W0Rq5JxKWQ,584
+torch/distributed/_shard/checkpoint/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/common_op_utils.py,sha256=RbEz0cfa_ukCkVWYBD2N06zdGnWGMPSi0NDq-ZEY3rE,2176
+torch/distributed/_shard/metadata.py,sha256=Y0rbJRiixtgWvlPs7oFqLpCN9FOfFttLdpw5FwyCR0c,2206
+torch/distributed/_shard/op_registry_utils.py,sha256=cXdqhPHseU3HF5XC0zF6yDR-BgCuR05-iPTDK1MDZtY,1018
+torch/distributed/_shard/sharded_optim/__init__.py,sha256=q0lya6lbOt4HUujeftvTaKyprAKtU_wff9xq4t6RdRM,1857
+torch/distributed/_shard/sharded_optim/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharded_optim/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_shard/sharded_optim/api.py,sha256=hE3xn2Yg4qbPOGZkBrAPN71GsiJhLLhmvfXAl7vxaeE,4210
+torch/distributed/_shard/sharded_tensor/__init__.py,sha256=2h1DmdWXHzxrvfBIYpdOLskFiLhiXT4kDlE7xe_9n_o,19554
+torch/distributed/_shard/sharded_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/logger.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/logging_handlers.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/metadata.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/reshard.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/shard.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__init__.py,sha256=lOaER0hNB_XR9GIjdcKC8HBm2DeHsMsMwVd5MaOzS8I,480
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/_common.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/binary_cmp.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/init.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/misc_ops.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/__pycache__/tensor_ops.cpython-310.pyc,,
+torch/distributed/_shard/sharded_tensor/_ops/_common.py,sha256=6oKAkgJmmg5PX8PJgJ7vrdsmgkm9XVk2gc4Zl1WWtLc,4190
+torch/distributed/_shard/sharded_tensor/_ops/binary_cmp.py,sha256=4QCj3_8cN1S77Fk9rEinGJNSZUKh2eEzBPbtIBBSxBg,2669
+torch/distributed/_shard/sharded_tensor/_ops/init.py,sha256=8LZ5J5lVBk8Vo8IWvuXEcN_P86frXkEWOdCISffoEnc,5466
+torch/distributed/_shard/sharded_tensor/_ops/misc_ops.py,sha256=8Bz64pR2fGYPv_EqlznrK05l48t0_tPMogmNuzSZ1XI,505
+torch/distributed/_shard/sharded_tensor/_ops/tensor_ops.py,sha256=9aogcEktlog06M_IeS6Sc4vNgk2qW5fSTPzqqPFEw-g,7733
+torch/distributed/_shard/sharded_tensor/api.py,sha256=3D76gqe2vL1e4VChT9EsCnb2LnCYHpDwT6FDF9YvOoA,51678
+torch/distributed/_shard/sharded_tensor/logger.py,sha256=uo_Lbobg-lIwEG2r9ArKbK-aGdsgxhwR17nsC-9a9ss,1123
+torch/distributed/_shard/sharded_tensor/logging_handlers.py,sha256=nfWJ7C4I3VkGNoVR9CH5yKIGYxAPa0KC8KQ_KAwFs8Y,388
+torch/distributed/_shard/sharded_tensor/metadata.py,sha256=fXFIfrLDqsX-thhQDjnlafND0GfVL82_GyPXhY2t9g0,2918
+torch/distributed/_shard/sharded_tensor/reshard.py,sha256=FTGBcjd8VVPWXHuGJaZPaNM2KpMQfTVVangoos4yII4,10813
+torch/distributed/_shard/sharded_tensor/shard.py,sha256=UHOPvrbJoBWwZRjFQC_EARMNSA_bK7Odm8tBIyqEp1A,2366
+torch/distributed/_shard/sharded_tensor/utils.py,sha256=POnmWZ5OKYxPPNHuDhVm1z2pKcSyYnLDB36OLnhZztA,9249
+torch/distributed/_shard/sharder.py,sha256=QbZeSUAbIdVfDUeNZyyy-l8BqbKy8L-UeTa88Ac0RNw,911
+torch/distributed/_shard/sharding_plan/__init__.py,sha256=62qINZKfvhOJgUZf_iRtigeyYCvHpDamhz34lP2rBn8,59
+torch/distributed/_shard/sharding_plan/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharding_plan/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_shard/sharding_plan/api.py,sha256=H6lY8HkUJM17qk1iCpAtbOrJ4g7CuaV5umDRIYCCYYA,3664
+torch/distributed/_shard/sharding_spec/__init__.py,sha256=V1cjoJfbIyos11lcp8wpTiE0TadNRzX0UrrELu8PmnM,300
+torch/distributed/_shard/sharding_spec/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/__pycache__/_internals.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/__pycache__/chunk_sharding_spec.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/_internals.py,sha256=3WInyzUlwr-06Rne7v5WD5GSH6uowfACbG0IHhckZms,7944
+torch/distributed/_shard/sharding_spec/api.py,sha256=MoZJadpao4SnZCFeHwOX64dGgWFfLq9FJb3gkJ5wtYM,9815
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec.py,sha256=b3m3468PZWx2uf_LP_O6mxMrb9XjJYjD8j_GH9N30NQ,8849
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/__pycache__/_common.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/__pycache__/embedding.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/__pycache__/embedding_bag.cpython-310.pyc,,
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/_common.py,sha256=5I4n8vJ2TEFRQnyGglsgiI4IMhWJtiu0e_7Z7fiU0bU,13029
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/embedding.py,sha256=vCSV8WXu8DSO9BQon8hNE8mf4xiqbTAvNv6o_3jpj-U,11209
+torch/distributed/_shard/sharding_spec/chunk_sharding_spec_ops/embedding_bag.py,sha256=MbwwHTcGrkbIrzEKoEZ7HWLY9N4fOiO6GMHjVmRQhZU,18325
+torch/distributed/_sharded_tensor/__init__.py,sha256=PKv6UCpk6a3kNcEoNVQc5448ytDFGX6zGZFcqtDm7WQ,608
+torch/distributed/_sharded_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_sharding_spec/__init__.py,sha256=6aQirm1GovFw3L_RYarnG5mzufI-DziNtV5xCH0Ui-Y,643
+torch/distributed/_sharding_spec/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_spmd/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/_spmd/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/batch_dim_utils.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/comm_tensor.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/config.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/data_parallel.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/distribute.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/experimental_ops.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/gm_transformation.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/graph_optimization.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/graph_utils.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/iter_graph_module.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/log_utils.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/parallel_mode.cpython-310.pyc,,
+torch/distributed/_spmd/__pycache__/partial_lower.cpython-310.pyc,,
+torch/distributed/_spmd/api.py,sha256=0K1f0gSSw8mzbFx4hhxi9PW7200h0_o3Rt1NnxPF2HE,21020
+torch/distributed/_spmd/batch_dim_utils.py,sha256=ShSBAcwZ8o_jllrEVObOKzHIYt693Gym8mOsEfDqsoQ,7871
+torch/distributed/_spmd/comm_tensor.py,sha256=rPyWWTclw6reu9aOFqN3OYWJhBWsqlZZ5ZQXKTXlXcE,10305
+torch/distributed/_spmd/config.py,sha256=rmEj46zkM_kef48fthoEHcooU4WxOL8L-1xOfrG5Kk0,906
+torch/distributed/_spmd/data_parallel.py,sha256=RbTXBv2CGu4QyZrNSFoeQm6Q1JrTiR6KlsGcxwTwPwc,37807
+torch/distributed/_spmd/distribute.py,sha256=ce9epd7QZXo4Q1vY5l1MoWxV1aWdTNLeDwZ4spbZySI,29852
+torch/distributed/_spmd/experimental_ops.py,sha256=WvtdWj5RSuWsm3IL_9ZAeCov4RajeRkaZrcRHcHbNAc,17081
+torch/distributed/_spmd/gm_transformation.py,sha256=8fQDvTQaHq8SjeykfgtYb6qKnElbCMNaxcDaIU2xYd8,1829
+torch/distributed/_spmd/graph_optimization.py,sha256=4CoyVc_mytfTf2ygFTtMLkpWrQUKENKGyGzfNRwE6xc,37857
+torch/distributed/_spmd/graph_utils.py,sha256=91uExNFiQAt8H7sLuILmMaSyLNz2W9NAfwSc_TeLd7o,4927
+torch/distributed/_spmd/iter_graph_module.py,sha256=gciBCwufluywH0IOhF1Y8tpsQ0OMicG-bpP8ifZKsJU,32314
+torch/distributed/_spmd/log_utils.py,sha256=YE3mt9cuj7XNMNqu8tuA-daAL0vXPWN5138aZSNQ8Uw,2344
+torch/distributed/_spmd/parallel_mode.py,sha256=Hm89wGx0K2Eemrd8Oyl8AjKGUl87MEuwJwUYdigo6Z8,7952
+torch/distributed/_spmd/partial_lower.py,sha256=X7ukG9DK0u1ZU4ry1F9De6unkunWTY-8nIlGbCLW4WE,9899
+torch/distributed/_state_dict_utils.py,sha256=sq_SUFRqMMgihJ7-8JR8GwrUJGNW9-1mY19kcK5t1UA,23846
+torch/distributed/_tensor/__init__.py,sha256=EictpS6OAZzE84kbWmgNKHZ5OyvgQdjJ4ehmcYV17uw,13735
+torch/distributed/_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_collective_utils.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_dispatch.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_op_schema.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_redistribute.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_sharding_prop.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_tp_conv.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/_utils.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/api.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/device_mesh.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/placement_types.cpython-310.pyc,,
+torch/distributed/_tensor/__pycache__/random.cpython-310.pyc,,
+torch/distributed/_tensor/_collective_utils.py,sha256=2pCndxJ9ucJx5pef6u_cCBHav4DHfnOtGtIpz2StI08,12523
+torch/distributed/_tensor/_dispatch.py,sha256=pQrlZjtVXezTTmToFOnAQ0fgZQL1Y2ZrtLO7a4JCfBM,17301
+torch/distributed/_tensor/_op_schema.py,sha256=VRxs_gOz-TYvpSX6eURW7p8zWAv3mShEZ2TgA6xjFHQ,16946
+torch/distributed/_tensor/_redistribute.py,sha256=0QhKko8o35xkzBkImQQcamycMv8v1pWe11voj4u4n9Y,13186
+torch/distributed/_tensor/_sharding_prop.py,sha256=fN0cJJnVI-Zf4voqHKP1YbbksYkn5mM6fxkkWF1nb84,21153
+torch/distributed/_tensor/_tp_conv.py,sha256=VjnfQ8PkoHw0saPJrYbHi6C5v7GfquzSjcLnXzWULic,10164
+torch/distributed/_tensor/_utils.py,sha256=x_b8v0tf6VpltoBrU_W1uqZxHmO7LoirWRS6xakc7j0,9455
+torch/distributed/_tensor/api.py,sha256=xLcpAjP-wX9u7TcEOYmQ6znQKMsHWg_gSkuWcpm7E-w,35101
+torch/distributed/_tensor/debug/__init__.py,sha256=q9iLQABZpFy5Hu_d0SOS4S0_QGihtpiU5N7vzskCPPo,542
+torch/distributed/_tensor/debug/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_tensor/debug/__pycache__/_op_coverage.cpython-310.pyc,,
+torch/distributed/_tensor/debug/__pycache__/comm_mode.cpython-310.pyc,,
+torch/distributed/_tensor/debug/__pycache__/visualize_sharding.cpython-310.pyc,,
+torch/distributed/_tensor/debug/_op_coverage.py,sha256=mYFA3ayj_hAHfGMS085z1OBmGWNi02uO4IzX2smiIhM,3168
+torch/distributed/_tensor/debug/comm_mode.py,sha256=r0qryjsIownx6JPTqFwJvtNXOJaAsFMxxyRrM28hTAE,6780
+torch/distributed/_tensor/debug/visualize_sharding.py,sha256=J9OPOGRx7EnARSViiqF2BnM_yHH94ssmrjb6DsL0tqg,6439
+torch/distributed/_tensor/device_mesh.py,sha256=UvmlUwYHy1bh-FyCVUtUPgVZoGJVmoWTl7EjzhW86HE,143
+torch/distributed/_tensor/experimental/__init__.py,sha256=O5z_ag1cXrJWnCEIkjOiFNQTj8lsYfV11NEt01aHfEw,503
+torch/distributed/_tensor/experimental/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_tensor/experimental/__pycache__/attention.cpython-310.pyc,,
+torch/distributed/_tensor/experimental/__pycache__/local_map.cpython-310.pyc,,
+torch/distributed/_tensor/experimental/__pycache__/tp_transform.cpython-310.pyc,,
+torch/distributed/_tensor/experimental/attention.py,sha256=2II2VUbtYwtEogBYOS--BcOGyH1q6ipJH4ZpqnQ2tJc,20760
+torch/distributed/_tensor/experimental/local_map.py,sha256=-1AUkbivb2QT8KkTGDBOq2zNFJVlDhfhYtoLsKhjRVY,10371
+torch/distributed/_tensor/experimental/tp_transform.py,sha256=5pEgzduo85mqht3tLeVoUGm1nFtRl0fuh-Whqve97SM,20297
+torch/distributed/_tensor/ops/__init__.py,sha256=FpW_UGJUbqKHEfm8S54cNEQseoKya4eRbZ50yEOQTQo,418
+torch/distributed/_tensor/ops/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/basic_strategy.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/common_rules.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/conv_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/embedding_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/experimental_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/math_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/matrix_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/pointwise_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/random_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/tensor_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/_tensor/ops/__pycache__/view_ops.cpython-310.pyc,,
+torch/distributed/_tensor/ops/basic_strategy.py,sha256=k4Vo74o7YpydsP3dU5NU34YgKDLfCAHoi6kDh-gC0mM,6623
+torch/distributed/_tensor/ops/common_rules.py,sha256=KlmlYGs9VU6Ql2XvajrXB8UrniRJXi-_a2Li6GSuz5c,12029
+torch/distributed/_tensor/ops/conv_ops.py,sha256=mrpqmuu1pXAwqgnplu7cbIEaVt4SRW86C15MkKgnecY,3291
+torch/distributed/_tensor/ops/embedding_ops.py,sha256=gCX5jOwqLex10cUlEyworD-zwa2jzDpMYCj47SI28ek,9346
+torch/distributed/_tensor/ops/experimental_ops.py,sha256=ftSlIsE-IxtEqdU2FjnSfR-yJsi_85fIh8p0aIKm3EU,1642
+torch/distributed/_tensor/ops/math_ops.py,sha256=vOEbkZ1dJTXbAYy3UO6hv1XA3P0DGy4MPtGpl7ZmTxY,39799
+torch/distributed/_tensor/ops/matrix_ops.py,sha256=6oYrqBNadrdJrTpIIllrqchOi5gu_9yYWIAt6drVy9Y,21758
+torch/distributed/_tensor/ops/pointwise_ops.py,sha256=1PT9bnQhqRVJrkY3mUtuR29OLnlgXEbOZHP27abKwS4,19735
+torch/distributed/_tensor/ops/random_ops.py,sha256=tgUW2mmEWp_sxD_tJikLH42ZBLS4kYyPFfU-g7x6OuU,1086
+torch/distributed/_tensor/ops/tensor_ops.py,sha256=1RN8kZXy7rAQj3I_Izt2kDwEv-kIbieIVi0adyQlwMY,30089
+torch/distributed/_tensor/ops/utils.py,sha256=5I3yn-1_k_UKQs51ThPpli17Xllr743az_XVENrBnts,10287
+torch/distributed/_tensor/ops/view_ops.py,sha256=iCqC-dTmfhCuP-WWxn79KG-P7M4EA4lOPItfm_VVyMI,22835
+torch/distributed/_tensor/placement_types.py,sha256=P69-KxoyIv5_ltrqTN16r5pf8w6a4Q9Cx9zi2bmObE4,26542
+torch/distributed/_tensor/random.py,sha256=FTzTa7jhxJb0Zjy7cNzqVaFDUTGvdrkivFSqCJ0BQCw,15696
+torch/distributed/_tools/__init__.py,sha256=d46iFLG9j3jN7HZkwEu99Wt9svzuP-wmZtpZEl7g5cg,42
+torch/distributed/_tools/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/_tools/__pycache__/memory_tracker.cpython-310.pyc,,
+torch/distributed/_tools/memory_tracker.py,sha256=7z93cs0dLCR27CW-sXbswAgoxoPufn5NmEcqUTcNBuw,11526
+torch/distributed/algorithms/__init__.py,sha256=FSx7ffbFnhrQvyCoO261CVdljZDFcjnCduv6eiZHqFE,77
+torch/distributed/algorithms/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/__pycache__/join.cpython-310.pyc,,
+torch/distributed/algorithms/_checkpoint/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/algorithms/_checkpoint/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/_checkpoint/__pycache__/checkpoint_wrapper.cpython-310.pyc,,
+torch/distributed/algorithms/_checkpoint/checkpoint_wrapper.py,sha256=XyhncUSnF6f5DIoxY9jWw5H8jqI1_F6KbrF1S_nRFww,12209
+torch/distributed/algorithms/_comm_hooks/__init__.py,sha256=4jm0yFOaLYG7lA-2gV2vvGlvcZj3SlBFU7p6EtgfIUE,131
+torch/distributed/algorithms/_comm_hooks/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/_comm_hooks/__pycache__/default_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/_comm_hooks/default_hooks.py,sha256=NfMLWaCgupcsHUH-w9cyXU-EZleyt_Jigf5rJgTX_9w,7594
+torch/distributed/algorithms/_optimizer_overlap/__init__.py,sha256=zuKlfE0DcQCZm0av9HrJZfXH6R5AzV2K3xrEAAgoVsk,52
+torch/distributed/algorithms/_optimizer_overlap/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/_optimizer_overlap/__pycache__/optimizer_overlap.cpython-310.pyc,,
+torch/distributed/algorithms/_optimizer_overlap/optimizer_overlap.py,sha256=KkDqeGnyKuet3gb7_cUQOTX8RXEwIlxWVocS9vIx8vo,3750
+torch/distributed/algorithms/_quantization/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/algorithms/_quantization/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/_quantization/__pycache__/quantization.cpython-310.pyc,,
+torch/distributed/algorithms/_quantization/quantization.py,sha256=hcKuFI-Xn3r9yRmeh9EnYcwP3bTl8gM6JwFFhdAE4zg,5587
+torch/distributed/algorithms/ddp_comm_hooks/__init__.py,sha256=zoG80uYSKJji6j8fFtTe7R04Xghczdo9ZWix5Bh5LK8,3593
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/ddp_zero_hook.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/debugging_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/default_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/mixed_precision_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/optimizer_overlap_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/post_localSGD_hook.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/powerSGD_hook.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/__pycache__/quantization_hooks.cpython-310.pyc,,
+torch/distributed/algorithms/ddp_comm_hooks/ddp_zero_hook.py,sha256=ZeAK5Jujj9jLHJ1FIycZKoeG5Lpk_iypFrYW-3qbvog,19564
+torch/distributed/algorithms/ddp_comm_hooks/debugging_hooks.py,sha256=Iz6pC-X8bzevET3sdTfpzNzuV4ersJe1pJWYsfryDWI,1114
+torch/distributed/algorithms/ddp_comm_hooks/default_hooks.py,sha256=YbEpZ3smddlcNaArAdd8LyDCah-HKrGeYBX6XlXSssY,8623
+torch/distributed/algorithms/ddp_comm_hooks/mixed_precision_hooks.py,sha256=5vWhvKgKb19_DRo8Awia72sx_GgVtkq3oSV3aODdOHw,3395
+torch/distributed/algorithms/ddp_comm_hooks/optimizer_overlap_hooks.py,sha256=gYeb0s5JiHHxATnJYwkkoXGHkDrRiNrDMXNJ-przFjs,6102
+torch/distributed/algorithms/ddp_comm_hooks/post_localSGD_hook.py,sha256=zf1PWcUYMVtgYSlNSJwT2EDAmWpuTn7ZMnbjHx-ntqY,5152
+torch/distributed/algorithms/ddp_comm_hooks/powerSGD_hook.py,sha256=dD7yWaFjJy6BGrss-obEQLflFg6e-WUsBQGSTRlr9Kg,40261
+torch/distributed/algorithms/ddp_comm_hooks/quantization_hooks.py,sha256=Ce1gjdaZljeWe5PmiVIhn4g3B0_jeKOghQRGHxapJcc,8224
+torch/distributed/algorithms/join.py,sha256=v92tv9lLhljUEs5lb8VdkZ45PIHTN3_Pys9TCHyN8j8,13375
+torch/distributed/algorithms/model_averaging/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/algorithms/model_averaging/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/algorithms/model_averaging/__pycache__/averagers.cpython-310.pyc,,
+torch/distributed/algorithms/model_averaging/__pycache__/hierarchical_model_averager.cpython-310.pyc,,
+torch/distributed/algorithms/model_averaging/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/algorithms/model_averaging/averagers.py,sha256=DQLhl4X9b6Gw4TXbWgwe--g7socu518IBaxbE9uccWo,5226
+torch/distributed/algorithms/model_averaging/hierarchical_model_averager.py,sha256=_gnjVNyzG1ExHaZPfM_qFqC5_DOXj7JVUJ2DywO1fjY,9634
+torch/distributed/algorithms/model_averaging/utils.py,sha256=imiw30agobbsFId_WD_e3aPLcrffmjsuouua-vn5ykY,3043
+torch/distributed/argparse_util.py,sha256=NFxjw2asYt06aFffcu6rhJpC3FFthwKLu9wvWEm_qQU,3903
+torch/distributed/autograd/__init__.py,sha256=KPkarNWObe3vNrSAJXnzriub0fCiXiiDoJbREAFYA2Q,1657
+torch/distributed/autograd/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/c10d_logger.py,sha256=3xs74hEAYtWg-Y0gwjWoatJjNdizRiSoBngA-nJeRVs,3310
+torch/distributed/checkpoint/__init__.py,sha256=tFaRRe6lAKQZHoIGHvNGf7iJJHDmRwlNu1FzHKYp8Qk,594
+torch/distributed/checkpoint/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_checkpointer.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_dedup_save_plans.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_dedup_tensors.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_fsspec_filesystem.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_nested_dict.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_sharded_tensor_utils.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_storage_utils.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/_traverse.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/api.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/default_planner.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/filesystem.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/format_utils.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/logger.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/logging_handlers.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/metadata.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/optimizer.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/planner.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/planner_helpers.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/resharding.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/staging.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/state_dict.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/state_dict_loader.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/state_dict_saver.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/stateful.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/storage.cpython-310.pyc,,
+torch/distributed/checkpoint/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/checkpoint/_checkpointer.py,sha256=PMd53KDgEEwnaWclZyCPcNHXEO001R7ZpqH7zlqHDOs,3668
+torch/distributed/checkpoint/_dedup_save_plans.py,sha256=xs51YjzbrB535wS_mMlLOdKcOplLFgIDiJX6ZBsLa5s,2337
+torch/distributed/checkpoint/_dedup_tensors.py,sha256=pUUJoDdsPUs28SHVyBqPcpPc1QqW1fP32lyyEa3t6wM,2002
+torch/distributed/checkpoint/_fsspec_filesystem.py,sha256=DllNAH7wsGuf1itjFMnw4Howi9yIukeskx7EYy63rm0,4246
+torch/distributed/checkpoint/_nested_dict.py,sha256=j46dN7WEKAw2YV461gDlBFrV1sOnlgWjvVI1vlxKit8,1816
+torch/distributed/checkpoint/_sharded_tensor_utils.py,sha256=PACmxAQ8MQgI2O-6CBTE1aDzlrXp2023cx6XNjCTpI0,4143
+torch/distributed/checkpoint/_storage_utils.py,sha256=A6jBGDcYaZoll5vNh_xcSA0jUL5ZXmmD_NoidW6a0Ak,1422
+torch/distributed/checkpoint/_traverse.py,sha256=utpfhp6PRQpC-4BeGD0mvGrLizan_RT641M7AhjgoW0,5472
+torch/distributed/checkpoint/api.py,sha256=O7KLSm7C7qWUrxXupdKTlgpq8MU8EissK9w64u_s7Uw,1449
+torch/distributed/checkpoint/default_planner.py,sha256=EQE4yql5_LW7QRf1AzKxS_J3krHJWDwOzKjJLh92elQ,18201
+torch/distributed/checkpoint/filesystem.py,sha256=zPkw9lD5y5aBgRSChdvkbfg6RyODX9cbF-Oq3dsPcdM,25844
+torch/distributed/checkpoint/format_utils.py,sha256=Z-sIZY5hHg_AZiVDtkvz0vT0f1k0FNbXJHAcWju8yBY,10164
+torch/distributed/checkpoint/logger.py,sha256=5IXVYUadoWoJT19oQh47rTucFkjkceoxHcFBTEEZMvY,2711
+torch/distributed/checkpoint/logging_handlers.py,sha256=n2LWmU-hbTZ5jJwEKBKkZJiqjzIYaAkCBdTbc_XhAi8,244
+torch/distributed/checkpoint/metadata.py,sha256=Lbc5U3wpnwFLo3WXjGUqMOYgz5ywYzWJAkAXQFQg0xI,5528
+torch/distributed/checkpoint/optimizer.py,sha256=MK_bXX_Y_q1e_OGLTZ4FWEaHx-1lVbf4wHy8-DoX52s,12965
+torch/distributed/checkpoint/planner.py,sha256=LeWjnb2Sko1KHt0XVjBxlIfUNjfRoO12fQJxSd2VYDc,16126
+torch/distributed/checkpoint/planner_helpers.py,sha256=RqUXU-8PBYflamy80vr54pJmZrNV866hPH93fjDdbtw,11417
+torch/distributed/checkpoint/resharding.py,sha256=1H0HSFJELnDAD2l-hM3m2dNUyC5-kLflkS8w8jphrS4,2325
+torch/distributed/checkpoint/staging.py,sha256=PpzJAq9h7GIr2mhR6DlPBRjZsFGOY0RE-7pwgv3xKIk,4926
+torch/distributed/checkpoint/state_dict.py,sha256=8aylRHtPuFtio8pBwoIvqERWe-XLPW4Q1RYtO0Lx8tg,51657
+torch/distributed/checkpoint/state_dict_loader.py,sha256=ATJu1W-Sl3POSbcinQLdj4OuqwTMQqrFKpZ1bCmCtfI,11593
+torch/distributed/checkpoint/state_dict_saver.py,sha256=oW7gvoei2Ab3RQtRvM5eEqHCMwrOMGNhknyySHaR1SQ,12590
+torch/distributed/checkpoint/stateful.py,sha256=wr5Iby0bbQyvnS6ONSZC-B74Ay4X32xypTadZC2sFKw,1067
+torch/distributed/checkpoint/storage.py,sha256=YTsfiGEwcjLHPILeSJLBvl2CMJpqgwxlVXRmOjRgszY,9861
+torch/distributed/checkpoint/utils.py,sha256=qnO8aS3GpzeYlY0PSxcYAVOfVZhQfYzeqXYS-NUZ600,14779
+torch/distributed/collective_utils.py,sha256=nzzr9rddeLevK0e_pv1fvZyBekQLT3OF2AcKPNPKbZ8,7250
+torch/distributed/constants.py,sha256=B1TcHTtqsrH_766_aUv-HmXvT22yUWdufw9brUEtgzg,1226
+torch/distributed/device_mesh.py,sha256=-umqI8SksnFTW7kn69VMANJF-QQysVOXd57QK6is3h4,32194
+torch/distributed/distributed_c10d.py,sha256=kZLLZUPt_ilm-QVfsWi4VuKFUHUK4-bSkgnCUfHrDow,183343
+torch/distributed/elastic/__init__.py,sha256=QMPilFK2QkDj895i4fqrtE5bzyO55GJkV4t4EM_1Qzw,3654
+torch/distributed/elastic/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/__pycache__/control_plane.cpython-310.pyc,,
+torch/distributed/elastic/agent/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/elastic/agent/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/agent/server/__init__.py,sha256=p6OmZ3UC2RN276H3JLUZm0ygZ1GBWRcOOq4OQwozTo4,1401
+torch/distributed/elastic/agent/server/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/agent/server/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/agent/server/__pycache__/health_check_server.cpython-310.pyc,,
+torch/distributed/elastic/agent/server/__pycache__/local_elastic_agent.cpython-310.pyc,,
+torch/distributed/elastic/agent/server/api.py,sha256=d-W09MFvOXxwZcrYNZhrJoc33n9g41SyShLLbFrFOXo,35545
+torch/distributed/elastic/agent/server/health_check_server.py,sha256=bPmJC4Ag-XCxhbbw5BbVjt6Qm11Zs6g1DJswr4PR0Wg,1678
+torch/distributed/elastic/agent/server/local_elastic_agent.py,sha256=XkaxVvZFDm7YjiwlRM0rftlzdp3lVXs0dKFB0D1Qsas,16088
+torch/distributed/elastic/control_plane.py,sha256=Twr6DYJEwJ5if3sFE4wUOjCkiv8HatWV_RTUd1Nybz8,1167
+torch/distributed/elastic/events/__init__.py,sha256=HUVFeUQqsNLVe_Gtp4GiSKXk-oudJ5qIPuhE8M746sk,3933
+torch/distributed/elastic/events/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/events/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/events/__pycache__/handlers.cpython-310.pyc,,
+torch/distributed/elastic/events/api.py,sha256=gF-_KNfuBRHbNuSvzg0eOZHRfw4WJwNzrXxpgUQIxT4,3252
+torch/distributed/elastic/events/handlers.py,sha256=MZLZ2QRkTo6n_XZq-9NY8cSPjOjJoPyfs3grPOLigIc,580
+torch/distributed/elastic/metrics/__init__.py,sha256=sQF4-0Bdg0nyhP-uBQ_y9GQ4j2FmE1L4_KUfU8IeXK0,4880
+torch/distributed/elastic/metrics/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/metrics/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/metrics/api.py,sha256=0v7WbhB8aHohiP9N8RnXvgxq9RoP4BBTr3tYl1lIq2M,5646
+torch/distributed/elastic/multiprocessing/__init__.py,sha256=oq6vcFOHUCJRmYQjBJRlMrRcJAeTuJux19YshsgMXWY,7431
+torch/distributed/elastic/multiprocessing/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/__pycache__/redirects.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/__pycache__/tail_log.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/api.py,sha256=zEd-23bqba1r2dfq2neStI-YFo3el-u7Lg_qXQZvr04,32879
+torch/distributed/elastic/multiprocessing/errors/__init__.py,sha256=lMMnPk1uPpaO5LoTs1UPTxn2al-furkATJl4Gfy8cpM,14302
+torch/distributed/elastic/multiprocessing/errors/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/errors/__pycache__/error_handler.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/errors/__pycache__/handlers.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/errors/error_handler.py,sha256=1V6ceco7RwHzSUvaZSqxANTpY9lgLjKP8bqqKOH5_FY,6508
+torch/distributed/elastic/multiprocessing/errors/handlers.py,sha256=sGLuBZ1F0I6guZXyYOlCMwwHh8u-MNY7Dps8lLDByF8,473
+torch/distributed/elastic/multiprocessing/redirects.py,sha256=dRM1zWiLnQg8xwLWyXb6P-MtPQKbe_cjCYjbZ0z4BQY,2763
+torch/distributed/elastic/multiprocessing/subprocess_handler/__init__.py,sha256=2UH2P5DnqmbJD9Rw8m7qGLkSIEj_Q4qQRASk-1L1xPI,522
+torch/distributed/elastic/multiprocessing/subprocess_handler/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/subprocess_handler/__pycache__/handlers.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/subprocess_handler/__pycache__/subprocess_handler.cpython-310.pyc,,
+torch/distributed/elastic/multiprocessing/subprocess_handler/handlers.py,sha256=YDUzCS4dFEsUtJycVd2lrZwSs3qvxpRary5Ix3mRMbA,786
+torch/distributed/elastic/multiprocessing/subprocess_handler/subprocess_handler.py,sha256=-i9PZMMwnwNkP8syEQ-xeyCzL5RR4fJvww66y3Ntjt8,2429
+torch/distributed/elastic/multiprocessing/tail_log.py,sha256=vmlUQG8cYLytb6szj0I6Mvgu2hw2fY8FrFfyJQHnlao,4919
+torch/distributed/elastic/rendezvous/__init__.py,sha256=tY9Lyz9yABthgk_FtrHUzdmDSElMX7OtzFM-nk7rg1w,6244
+torch/distributed/elastic/rendezvous/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/c10d_rendezvous_backend.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/dynamic_rendezvous.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/etcd_rendezvous.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/etcd_rendezvous_backend.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/etcd_server.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/etcd_store.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/registry.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/static_tcp_rendezvous.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/elastic/rendezvous/api.py,sha256=-9DbzOfgMSeLZAwZe1EQ2-ApG9syiaoM-4sNENXhXc0,12460
+torch/distributed/elastic/rendezvous/c10d_rendezvous_backend.py,sha256=7HeJrCmhrF_T2Dk5lXnttrL4x5tuEbJEPqyaiM5NVq8,10863
+torch/distributed/elastic/rendezvous/dynamic_rendezvous.py,sha256=eVfXr55XEYvXg76MNg5c65r9bvWkWc0eEraZdEnef98,45801
+torch/distributed/elastic/rendezvous/etcd_rendezvous.py,sha256=OBTF3GlElvtEHlzaW_zaeW5-UUv8vj_02wf4hUSqFAM,43011
+torch/distributed/elastic/rendezvous/etcd_rendezvous_backend.py,sha256=v8brE3eIPpoKSXxLpth87TYTIBJjf7h9T8CJ6puyRog,7434
+torch/distributed/elastic/rendezvous/etcd_server.py,sha256=F0bXlgX9UYLCQbyvbUQHxYzHvU5Fp6uxmVtbZpe4irk,8436
+torch/distributed/elastic/rendezvous/etcd_store.py,sha256=fsfQ2ijISOok2wtRvpzfumhb7BaJarCeUCkazg1BKLk,6954
+torch/distributed/elastic/rendezvous/registry.py,sha256=w5XlCcQdE3Vuojo3qJsmJyqdydTYeOMOpbTmIcxHA5Q,2233
+torch/distributed/elastic/rendezvous/static_tcp_rendezvous.py,sha256=dtd1X-fcwUTQyIj3l6MaO4ghibsBgwk5IWR7CL5apes,3662
+torch/distributed/elastic/rendezvous/utils.py,sha256=nPYtXLWkIScAQE_RK5tP-NMhcq3bLN1fFUYzkrNa_Ic,8382
+torch/distributed/elastic/timer/__init__.py,sha256=GYolVqGTBcFKb-3J1qBNs_57oS_hinySSCymd2hRryk,1708
+torch/distributed/elastic/timer/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/timer/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/timer/__pycache__/debug_info_logging.cpython-310.pyc,,
+torch/distributed/elastic/timer/__pycache__/file_based_local_timer.cpython-310.pyc,,
+torch/distributed/elastic/timer/__pycache__/local_timer.cpython-310.pyc,,
+torch/distributed/elastic/timer/api.py,sha256=lDir3fFn9yD-ciRk-jzxYvrlQH0P6Ur9a7kPMnKThDE,9672
+torch/distributed/elastic/timer/debug_info_logging.py,sha256=6oZNtEDYrt8L39A3J_jVQM3au6wwQMDrcwiCJZRDxEI,639
+torch/distributed/elastic/timer/file_based_local_timer.py,sha256=D2JUr7B4WFdDBVBh5KD7DJs5gJbbRpxOO190CnfInGU,14512
+torch/distributed/elastic/timer/local_timer.py,sha256=8cBzToycogEC_Ntl8drgP9jUkW9eeZMUP2hQHl2Xs6M,4309
+torch/distributed/elastic/utils/__init__.py,sha256=ztvtzgzf5pR1ixbbYfY0lGx85VhyhJuHH8er7-XNVpE,318
+torch/distributed/elastic/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/utils/__pycache__/api.cpython-310.pyc,,
+torch/distributed/elastic/utils/__pycache__/distributed.cpython-310.pyc,,
+torch/distributed/elastic/utils/__pycache__/log_level.cpython-310.pyc,,
+torch/distributed/elastic/utils/__pycache__/logging.cpython-310.pyc,,
+torch/distributed/elastic/utils/__pycache__/store.cpython-310.pyc,,
+torch/distributed/elastic/utils/api.py,sha256=AbWf1QIenzn9YVkPrRZispFc61jhf-LvRWawFCMya5s,1716
+torch/distributed/elastic/utils/data/__init__.py,sha256=tF96JUuxZmWRkvGOzP7tbZT6s8CKNz29F6O_OYTcL3o,372
+torch/distributed/elastic/utils/data/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/elastic/utils/data/__pycache__/cycling_iterator.cpython-310.pyc,,
+torch/distributed/elastic/utils/data/__pycache__/elastic_distributed_sampler.cpython-310.pyc,,
+torch/distributed/elastic/utils/data/cycling_iterator.py,sha256=XmmZOf2ZvWOdMtd9DMKyw9oqgDE786yL7eV3WPASnE8,1403
+torch/distributed/elastic/utils/data/elastic_distributed_sampler.py,sha256=RjGv37NESgrl2AmsIczmbovYAjtOOadzEdTqKqr4i90,2483
+torch/distributed/elastic/utils/distributed.py,sha256=LH6ML4XgcEuZzqxaUl3ZWwh11y0VVW2KdETgVP7VIGI,5151
+torch/distributed/elastic/utils/log_level.py,sha256=1pOw0YanV5aPrMGwqkATk8OTXm6iLF2iuUYKbUf1b6Q,339
+torch/distributed/elastic/utils/logging.py,sha256=mckRPREG5SeNhbx8l2x3ys-cNYbR3tN0MjO3jENxw1U,2262
+torch/distributed/elastic/utils/store.py,sha256=AcfmyR4nGKGG76_E4GPHncTQKB-0B7i6dw5rWYcl6vk,3919
+torch/distributed/fsdp/__init__.py,sha256=E6Efha39xJvdMn-5MFP7pBf9ITWCqfRRaNym7dvfYrc,938
+torch/distributed/fsdp/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_common_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_debug_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_dynamo_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_exec_order_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_flat_param.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_fsdp_extensions.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_init_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_limiter_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_optim_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_runtime_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_shard_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_state_dict_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_trace_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_traversal_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_unshard_param_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/_wrap_utils.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/api.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/fully_sharded_data_parallel.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/sharded_grad_scaler.cpython-310.pyc,,
+torch/distributed/fsdp/__pycache__/wrap.cpython-310.pyc,,
+torch/distributed/fsdp/_common_utils.py,sha256=mibuGyVNmXiAQhZZjP3Od6qpW1mxmI0S-WGDXkkVrz0,22308
+torch/distributed/fsdp/_debug_utils.py,sha256=yKZMGtiYJJbLy04d92yvtLj1IcT-WqTadtiSYIKQxh8,5705
+torch/distributed/fsdp/_dynamo_utils.py,sha256=KMPZ7fapnSDPkhe7EWV_MuPniiY9-5WNS4KXZ-qQCnA,2674
+torch/distributed/fsdp/_exec_order_utils.py,sha256=_DzM2rHs2kzwPR3JOuWbv2mLz-kApJcO2ItuOJBzYlU,16122
+torch/distributed/fsdp/_flat_param.py,sha256=SZNQYpQlr5N-DP9It8VWz9m4_H8zJt53wbj-zWILik4,120745
+torch/distributed/fsdp/_fsdp_extensions.py,sha256=UIEZ9Yn58M0Hkpx-jdARqzISbqQGEodX2mHwOYwJOzY,4970
+torch/distributed/fsdp/_init_utils.py,sha256=h2z3SgRXiHmvOWM2gNABM_7rGHD6F7mLdv5l3_AZbJc,45132
+torch/distributed/fsdp/_limiter_utils.py,sha256=DHelPE9Dk2OSuSW_i4xogTRUV6_rK95A2VOWBS8fOYg,1101
+torch/distributed/fsdp/_optim_utils.py,sha256=Q6iwjH-JjxyIjOW7qRPy6H9MeZiNNzUb2jJYMVwZSyo,86954
+torch/distributed/fsdp/_runtime_utils.py,sha256=JhEZl_fL62meQkWwCbMPlMQzBVZZBNBczUFAAUdpIV8,66283
+torch/distributed/fsdp/_shard_utils.py,sha256=Eq-AZw5nVdniEXVZL2MKOWnB4XoxqMe2xT_w5X-q5AA,4366
+torch/distributed/fsdp/_state_dict_utils.py,sha256=ZxBeS1kuETqLohMC94A6wWCi8-ktn7-S7klkLKGQE74,34238
+torch/distributed/fsdp/_trace_utils.py,sha256=Wq4mlIEsltT_BwE-VkAS5s2PeQPdlusPs3woHgG8MYU,10603
+torch/distributed/fsdp/_traversal_utils.py,sha256=scEaKCmS4eUIOs0nUEDDAE5C23BPi8eSsNF5ngQ_yVE,4641
+torch/distributed/fsdp/_unshard_param_utils.py,sha256=z_gyea1AqUH_Rh09-MtmUUndInjSeKIys46YweEQpAw,11496
+torch/distributed/fsdp/_wrap_utils.py,sha256=grTqL4cMQSWg4AsbEwFMHKYvFcK72Gtls1HG5Op6e3g,10926
+torch/distributed/fsdp/api.py,sha256=WUsu5jwRQ6R3Tci0tWOAczmXXmIM5XLqFEOpHGQRtIw,18880
+torch/distributed/fsdp/fully_sharded_data_parallel.py,sha256=yoOdMP2hLgsS3qk04fG_mYvYDtcW6OTIiSdpGpuxxqM,99345
+torch/distributed/fsdp/sharded_grad_scaler.py,sha256=knTnt43ZZXZfOE7rojXmF_g_KpJTM_PqWDkbWW5Z1_k,17551
+torch/distributed/fsdp/wrap.py,sha256=QZiWXExBj9IcnSefcSsbcHYLN35LHXlvUl8neEA3w78,22631
+torch/distributed/launch.py,sha256=Yrg9dknLJ63CthE0XyKNvRIq-N6txLsn4bJOzKzY5do,7610
+torch/distributed/launcher/__init__.py,sha256=6_8OrtT4YsaDG4MGEH2I8TXcokQQZKyYkahGOFRUYFg,349
+torch/distributed/launcher/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/launcher/__pycache__/api.cpython-310.pyc,,
+torch/distributed/launcher/api.py,sha256=oqzYpPlRTvMlZl4d3ZsJtcCMLPnxJaWtXzBidt8WruI,10963
+torch/distributed/logging_handlers.py,sha256=nfWJ7C4I3VkGNoVR9CH5yKIGYxAPa0KC8KQ_KAwFs8Y,388
+torch/distributed/nn/__init__.py,sha256=CDVu-SnwRQGyzKp37_uPHzbCAHA8amiVLyuGgTVYxyM,142
+torch/distributed/nn/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/nn/__pycache__/functional.cpython-310.pyc,,
+torch/distributed/nn/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/nn/api/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/nn/api/__pycache__/remote_module.cpython-310.pyc,,
+torch/distributed/nn/api/remote_module.py,sha256=G7OKHPvk3maee3H0pVVj8DBueUI12EyFG2meCCbmvoU,31253
+torch/distributed/nn/functional.py,sha256=-V64nDZ7_O1NK6C4lgNen9CF78bLL7cvHIo8XNhLo8Y,15091
+torch/distributed/nn/jit/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/nn/jit/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/nn/jit/__pycache__/instantiator.cpython-310.pyc,,
+torch/distributed/nn/jit/instantiator.py,sha256=RAphnHZOQTNWTXlWugYKciPpRmSFS5SkogdNCVdW234,5459
+torch/distributed/nn/jit/templates/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/nn/jit/templates/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/nn/jit/templates/__pycache__/remote_module_template.cpython-310.pyc,,
+torch/distributed/nn/jit/templates/remote_module_template.py,sha256=D_GFa70DG1KY1GwGwFAqvCC9gE9CwZSe1BJ-jHc2YMw,3463
+torch/distributed/optim/__init__.py,sha256=s0ZKcuwwE9olCcHWchc7gznrtAwUDHRw3CvO52E7DQg,1761
+torch/distributed/optim/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/apply_optimizer_in_backward.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_adadelta.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_adagrad.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_adam.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_adamax.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_adamw.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_rmsprop.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_rprop.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/functional_sgd.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/named_optimizer.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/optimizer.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/post_localSGD_optimizer.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/utils.cpython-310.pyc,,
+torch/distributed/optim/__pycache__/zero_redundancy_optimizer.cpython-310.pyc,,
+torch/distributed/optim/apply_optimizer_in_backward.py,sha256=rkhwDr-87m5DExg6DCbcmUwAgxFdHjynPa_Ojaz-kUU,5184
+torch/distributed/optim/functional_adadelta.py,sha256=GSwIJK9vXE5qK-v4XAx4qtcKllvyPs6jU_0G7RPu6TU,3774
+torch/distributed/optim/functional_adagrad.py,sha256=Zhg7ZbrCdChDlVZYrwdFDfbpmUen_0bVWd40S47jb54,4125
+torch/distributed/optim/functional_adam.py,sha256=kpCYBVJu1W7NVZ70L5CznaBNG4dea547LZVeD4Z9UGg,7253
+torch/distributed/optim/functional_adamax.py,sha256=iWSeiXv9RP9BHs9pbFD28UyYBzuBFL-S5Z03lrVT8EM,4479
+torch/distributed/optim/functional_adamw.py,sha256=8Mn7SZCRO8U9TmI4wuvXZovwO_1Gjau6-AkRqJx3tDk,7373
+torch/distributed/optim/functional_rmsprop.py,sha256=2eSwaWsGhyIf0DIwpu-5xCtnBtJU1ZT3y1QcEspZ8FU,4505
+torch/distributed/optim/functional_rprop.py,sha256=FOpwMXZYeM89hUHr_FJHK09Vk9X4NLjpHIlaPUiUBWg,3666
+torch/distributed/optim/functional_sgd.py,sha256=xoQc60cM19UhT3JykIbOiG7UjcM03gL_AKGcl4Rk8Jo,5759
+torch/distributed/optim/named_optimizer.py,sha256=3sLTpStBjsu2ABiibeETjWoqzQlRDYoAbDsMyViEo3k,13993
+torch/distributed/optim/optimizer.py,sha256=JDYHojI6TqQbfiBXqt_hztZkz4BFdP-vHrpaC6Pj9io,9826
+torch/distributed/optim/post_localSGD_optimizer.py,sha256=sz6bLYaqHrVJAv8h8mhPUDMnsbxeoVAytRsTyVJ45QA,4414
+torch/distributed/optim/utils.py,sha256=_TugbYXd_l_NN8AFrvjs3e0cieLGgKdmKSiN09AH9eM,2264
+torch/distributed/optim/zero_redundancy_optimizer.py,sha256=B8onlt5EcCyxoPgaPAqT4Y4vIrrgU6TWfHtIn_bwrXY,71925
+torch/distributed/pipelining/_IR.py,sha256=4ShwrF192Is8sg4oPVQPQ-YLkD_KV67z9qXrEbyy544,48387
+torch/distributed/pipelining/__init__.py,sha256=87xJcYjJBpWQsKKCJiwzcDbeRho9Eh5UuWvVt3vrJlM,486
+torch/distributed/pipelining/__pycache__/_IR.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/_backward.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/_debug.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/_unflatten.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/_utils.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/microbatch.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/schedules.cpython-310.pyc,,
+torch/distributed/pipelining/__pycache__/stage.cpython-310.pyc,,
+torch/distributed/pipelining/_backward.py,sha256=ihbV-j-G3rs3v1bCjRf3K-zw5NrnVhtSJW6y06HQgU0,4288
+torch/distributed/pipelining/_debug.py,sha256=ziWAcOgfK2I65E9NVb1oZO5u239YHt4q4tjPs5mU048,557
+torch/distributed/pipelining/_unflatten.py,sha256=DX6WCH2Jaf9BCE54D8t7GUf8u_t4-AVnAWfLi5zB-IQ,741
+torch/distributed/pipelining/_utils.py,sha256=pK2dA2hPwPTMUGQ_DOEka30KpObHOdOpadwKXmjyNww,2611
+torch/distributed/pipelining/microbatch.py,sha256=YGmttiwuf2WZCE_qBuaazt2HPIOA3L7GG98a933IJ94,16193
+torch/distributed/pipelining/schedules.py,sha256=0XafG6AKE2K1LPJewDkrEUdii4RNY3DJeWGKBLcwkBg,38139
+torch/distributed/pipelining/stage.py,sha256=xhaRnAHtNZmO7QwoUfcD2vTOcm7F__GEaCOP5NBZJJM,51234
+torch/distributed/remote_device.py,sha256=zTcUa5wHJkrQzSY3eHNjupYOOiy-TynFneiQgALbHvY,4710
+torch/distributed/rendezvous.py,sha256=4lL7jhZ7Qf23n8vCi_3FVRLiy6Ww2U5TTdfrA78FcZo,9759
+torch/distributed/rpc/__init__.py,sha256=sd7AJf9kQS_22xdo6PSCV6EcWrGtpTAN0heRFvsgFcY,9723
+torch/distributed/rpc/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/_utils.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/api.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/backend_registry.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/constants.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/functions.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/internal.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/options.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/rref_proxy.cpython-310.pyc,,
+torch/distributed/rpc/__pycache__/server_process_global_profiler.cpython-310.pyc,,
+torch/distributed/rpc/_testing/__init__.py,sha256=ZUPrjdZgGFFY0cbtqNuLG45GiV4bcqt8Re2TK4QKVyg,498
+torch/distributed/rpc/_testing/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/rpc/_testing/__pycache__/faulty_agent_backend_registry.cpython-310.pyc,,
+torch/distributed/rpc/_testing/faulty_agent_backend_registry.py,sha256=3yoQSMvMzdjXPrOoJjyz4XN7Owv_H0m8VmdE1JtSPik,1667
+torch/distributed/rpc/_utils.py,sha256=wA_yXSPiSNMymwQ_dFwjjeLid6OG9s5L3_whc8OW0s0,1561
+torch/distributed/rpc/api.py,sha256=GyQJ5p0tL9NCWW0Myc7YmU5y7leyc2gPkjA0MwXU5zo,36930
+torch/distributed/rpc/backend_registry.py,sha256=oujZ72wUNq9-wciShOhuu6IO2hHYB4ICCxDZqhjNMPQ,16292
+torch/distributed/rpc/constants.py,sha256=q2cZRiFvagx_AOD1k0EtLBuHf4kvbLQplYYZUdQrdlc,829
+torch/distributed/rpc/functions.py,sha256=WgGQNESLSvD2OIp9yGygmfn9QIwns7pBl1wbQJoIlZM,7270
+torch/distributed/rpc/internal.py,sha256=Una8VrNMfOG9RJrpz9sbsQsNM7ena1G9HzDg78b3pms,11095
+torch/distributed/rpc/options.py,sha256=8enaDsOckC2zNJtiE34DMQLwQPSQrv0mCLsIsC7onwo,7071
+torch/distributed/rpc/rref_proxy.py,sha256=nZxHbLQwPU9GsvgcwTfZyui0FcJieZLDEq_tibTMgGg,2659
+torch/distributed/rpc/server_process_global_profiler.py,sha256=XVHQiwxZGVe5dUVYTL3WZX3N_X0m4G8QEQTq6PEcXe4,8323
+torch/distributed/run.py,sha256=BhHqdz3h9q2Zu2l0U-hNs7DpZyXmjW-UX-6_uCLWYXc,34083
+torch/distributed/tensor/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/distributed/tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__init__.py,sha256=_4j5vsk-nYACd32ylD1G9g2_zctNJkb6Cyi75zUHEN4,580
+torch/distributed/tensor/parallel/__pycache__/__init__.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/_data_parallel_utils.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/_utils.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/api.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/ddp.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/fsdp.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/input_reshard.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/loss.cpython-310.pyc,,
+torch/distributed/tensor/parallel/__pycache__/style.cpython-310.pyc,,
+torch/distributed/tensor/parallel/_data_parallel_utils.py,sha256=-u-GpXwzI7t_uukJxXEyExTRWREOGBtYNJvc37SCKZc,1521
+torch/distributed/tensor/parallel/_utils.py,sha256=W1OzdyeF5JN51C9Z7qYKGQEZcqch2rXPmdrHsSwZc74,2179
+torch/distributed/tensor/parallel/api.py,sha256=G96-amwm08IMGkPp5TXCi9bS2xljQ6F-E8C0W-OdPPk,5155
+torch/distributed/tensor/parallel/ddp.py,sha256=Ej6bQP6N_WVey3eFyMMYlHgzYO8JB7zAIx23Gzg3B4o,3559
+torch/distributed/tensor/parallel/fsdp.py,sha256=CzD5YwbwU6-9BrKaUiDM03OM_IGUd_GNMp27mGW3JSk,13680
+torch/distributed/tensor/parallel/input_reshard.py,sha256=_y2jwAq-cpjdzMNE33F0d7lC7YbE2wAJd2Kt4IeyyjE,3748
+torch/distributed/tensor/parallel/loss.py,sha256=JqhEaSSwrb4J-fti21LPJWEysh8ixHO1cgfiiLZOQYc,17606
+torch/distributed/tensor/parallel/style.py,sha256=QjlExg3V2bN81OLJbHkNO0LUWQMGVvxEK-tbhE2CmJ0,26597
+torch/distributed/utils.py,sha256=M7crggtEo7ltiaOGc391PVSpYzk2iqGO-vCRFfIHpNs,12405
+torch/distributions/__init__.py,sha256=bYWu3MQ0KUytopIxl4WqDEjZV-eAWG779zUSKQA1v9s,6035
+torch/distributions/__pycache__/__init__.cpython-310.pyc,,
+torch/distributions/__pycache__/bernoulli.cpython-310.pyc,,
+torch/distributions/__pycache__/beta.cpython-310.pyc,,
+torch/distributions/__pycache__/binomial.cpython-310.pyc,,
+torch/distributions/__pycache__/categorical.cpython-310.pyc,,
+torch/distributions/__pycache__/cauchy.cpython-310.pyc,,
+torch/distributions/__pycache__/chi2.cpython-310.pyc,,
+torch/distributions/__pycache__/constraint_registry.cpython-310.pyc,,
+torch/distributions/__pycache__/constraints.cpython-310.pyc,,
+torch/distributions/__pycache__/continuous_bernoulli.cpython-310.pyc,,
+torch/distributions/__pycache__/dirichlet.cpython-310.pyc,,
+torch/distributions/__pycache__/distribution.cpython-310.pyc,,
+torch/distributions/__pycache__/exp_family.cpython-310.pyc,,
+torch/distributions/__pycache__/exponential.cpython-310.pyc,,
+torch/distributions/__pycache__/fishersnedecor.cpython-310.pyc,,
+torch/distributions/__pycache__/gamma.cpython-310.pyc,,
+torch/distributions/__pycache__/geometric.cpython-310.pyc,,
+torch/distributions/__pycache__/gumbel.cpython-310.pyc,,
+torch/distributions/__pycache__/half_cauchy.cpython-310.pyc,,
+torch/distributions/__pycache__/half_normal.cpython-310.pyc,,
+torch/distributions/__pycache__/independent.cpython-310.pyc,,
+torch/distributions/__pycache__/inverse_gamma.cpython-310.pyc,,
+torch/distributions/__pycache__/kl.cpython-310.pyc,,
+torch/distributions/__pycache__/kumaraswamy.cpython-310.pyc,,
+torch/distributions/__pycache__/laplace.cpython-310.pyc,,
+torch/distributions/__pycache__/lkj_cholesky.cpython-310.pyc,,
+torch/distributions/__pycache__/log_normal.cpython-310.pyc,,
+torch/distributions/__pycache__/logistic_normal.cpython-310.pyc,,
+torch/distributions/__pycache__/lowrank_multivariate_normal.cpython-310.pyc,,
+torch/distributions/__pycache__/mixture_same_family.cpython-310.pyc,,
+torch/distributions/__pycache__/multinomial.cpython-310.pyc,,
+torch/distributions/__pycache__/multivariate_normal.cpython-310.pyc,,
+torch/distributions/__pycache__/negative_binomial.cpython-310.pyc,,
+torch/distributions/__pycache__/normal.cpython-310.pyc,,
+torch/distributions/__pycache__/one_hot_categorical.cpython-310.pyc,,
+torch/distributions/__pycache__/pareto.cpython-310.pyc,,
+torch/distributions/__pycache__/poisson.cpython-310.pyc,,
+torch/distributions/__pycache__/relaxed_bernoulli.cpython-310.pyc,,
+torch/distributions/__pycache__/relaxed_categorical.cpython-310.pyc,,
+torch/distributions/__pycache__/studentT.cpython-310.pyc,,
+torch/distributions/__pycache__/transformed_distribution.cpython-310.pyc,,
+torch/distributions/__pycache__/transforms.cpython-310.pyc,,
+torch/distributions/__pycache__/uniform.cpython-310.pyc,,
+torch/distributions/__pycache__/utils.cpython-310.pyc,,
+torch/distributions/__pycache__/von_mises.cpython-310.pyc,,
+torch/distributions/__pycache__/weibull.cpython-310.pyc,,
+torch/distributions/__pycache__/wishart.cpython-310.pyc,,
+torch/distributions/bernoulli.py,sha256=XzA7NxeZGNmMczHh8OY-sfk-FakQP99iBRo1IFrxQio,4198
+torch/distributions/beta.py,sha256=Utn4Nv5a-09top9WGgwSSHOg_yFqdojiyxvuLqeRVa8,3697
+torch/distributions/binomial.py,sha256=nFcUPmeLrklPENPpCEBRwxNFS-Vd1AGVZ8bEdPYAUsU,6004
+torch/distributions/categorical.py,sha256=9PfDb0eeif3ufWBngrruuQ-Qo-z5qKlsIhKMSzB0CHM,5804
+torch/distributions/cauchy.py,sha256=5gkjbkpBzMXUHndN4B_vzPPWn8GJfg41YHTcTm9YjVI,2955
+torch/distributions/chi2.py,sha256=BCjEDdMS_pjaoVljWWN1DcE9dsB51aX8vHufNnnszKI,1001
+torch/distributions/constraint_registry.py,sha256=m4sztJfOA6YtWaTtwOyGrC8KNgFdvjtHkCEDea9d4C0,10328
+torch/distributions/constraints.py,sha256=wc-kXaQ3guJnFQm4i_fkNKjAbvtYo8gS8S8l2L0iyIM,18642
+torch/distributions/continuous_bernoulli.py,sha256=74AqYibsZFxVNkxdcuRfCPYNVkaDZ1_IgjYVSrUqcBQ,8715
+torch/distributions/dirichlet.py,sha256=DKRkxHI1yF8VFPfLt5I5cDly9U5iI-K5o46MUT0a4Uk,4198
+torch/distributions/distribution.py,sha256=oxHGs_iAt4OvoABv_BijRlLSH7fe8__COmU7ubEI25U,12405
+torch/distributions/exp_family.py,sha256=HIr7kJZgamaE-KT-5ERx8TeHPuLmwZfzX1LoRiPLW8c,2380
+torch/distributions/exponential.py,sha256=D7BXfLUGe0vfKO-0fTCrXKgiZLHUafv_4G4dc27iDJA,2465
+torch/distributions/fishersnedecor.py,sha256=yjOw3fCPp5lqRfJjjDaIdCwLBYIOUH8YA-pIEr87qfo,3461
+torch/distributions/gamma.py,sha256=Gb_W2VSEG9OKaN1kOpg9ga85aVMWvBEbJn_Yh948M98,3633
+torch/distributions/geometric.py,sha256=e_9No2LCRRFNQO661XQH4hRZ6anpo5oDDnt1r-hjr0I,4679
+torch/distributions/gumbel.py,sha256=-QbePkTLbBuh07bDfK7ASeEXlNZGx4_4JukO0mra9C8,2797
+torch/distributions/half_cauchy.py,sha256=cNV_A27FnESwH3cVDDniCs_y2QWcQaZINw2uWdIabqo,2422
+torch/distributions/half_normal.py,sha256=83rxd28I1YPMUP-bopvxEtyhNdwOhteVZ6B79XxnVcs,2187
+torch/distributions/independent.py,sha256=hSg18K9d9bsexa3n_kAiMpIg9ddf0H_OwtczF-Cw3Mk,4632
+torch/distributions/inverse_gamma.py,sha256=q7KVvP47lWx2IK0BoDFnD3pRKP8reB3pG1YKU2mpNhk,2505
+torch/distributions/kl.py,sha256=d7lLBgYhP43iQGQn37-Xub2ZPGMKXQ2cQ9btZD3euoM,31730
+torch/distributions/kumaraswamy.py,sha256=b0RNryHPJ_rEL827UsrxNZJwxJ6cel5b5s2jomSfL8o,3522
+torch/distributions/laplace.py,sha256=HfYiu3GEgx88_Kk1foqWcftq1WDr8i6a4kNtOZhnZcw,3259
+torch/distributions/lkj_cholesky.py,sha256=sAK5Lm9a6uZyTjB0e6AStiucTGewdOiablF-Nkb6Vm4,6400
+torch/distributions/log_normal.py,sha256=KHLoKguuDSC66engquhPYlt_Nq7TXRx8s8OPtATCmUY,1956
+torch/distributions/logistic_normal.py,sha256=TjGbwu2CwygfvQUYIEIIx7w-FmZlC7OhN9v6iWkkxKQ,1976
+torch/distributions/lowrank_multivariate_normal.py,sha256=rkuDu5SDbLoYyamGyu_H_e5rIDg-dDiMK_99sLOmy5E,9807
+torch/distributions/mixture_same_family.py,sha256=lMFIzwjRu66pZVkBdel59EFfLlzLiMr1SKVHrUlGHXY,8488
+torch/distributions/multinomial.py,sha256=yx6VpmsIvRyGaE80Is_KPuoy3WuXYfUlQNDZVpSk27g,5427
+torch/distributions/multivariate_normal.py,sha256=Ek5FXcHQIE8um87rcwq7XrHi8U58k_RC9wF2jXPNk8M,10773
+torch/distributions/negative_binomial.py,sha256=IcuNuTm4zmvoKi5DKNcS_WMCwm5qf3cIxXprHuCD-NM,4698
+torch/distributions/normal.py,sha256=CPWXkAUZ_zk9PMGXSqWqGFmQh791fVynM8QzR6KMmTI,3576
+torch/distributions/one_hot_categorical.py,sha256=RIRiO-rwQWs3pKTewAMk0oCMi64RiBjuW41uRWcgx3U,4707
+torch/distributions/pareto.py,sha256=f3cA3m-ErkuPcz8A77VHrHjtfKUtRipQNzEs3PBHX7c,2202
+torch/distributions/poisson.py,sha256=56_ReTWrxXjnhMqZWjEwlS1F2E9ILfeGLyvKzm6gFTU,2244
+torch/distributions/relaxed_bernoulli.py,sha256=FR1z3wbc1mGNQ0COQZc--Y1sm7JZHdP6J6BLnJGxAvc,5397
+torch/distributions/relaxed_categorical.py,sha256=Pc88Ey4YscpcxJehxvJ2cYqU1R1bzxl4EP0hyvYjNJo,5192
+torch/distributions/studentT.py,sha256=rL6GyjauSF_XiEalxpNu6JYoubSwfcK3288tWD7pj7c,3883
+torch/distributions/transformed_distribution.py,sha256=pPQMvdJfzGaUWQNfN9HCU9AsO58Td2WLJ4wUSsG8ijY,8639
+torch/distributions/transforms.py,sha256=kJDzfjM5JuKBlVrB_h2VrdIEyzG5uTnqAHYtHzsGvKg,40961
+torch/distributions/uniform.py,sha256=4BP4pyI7NVA-zM-L0wJtt6gtf-GnpFuj19DmBU5GA_M,3267
+torch/distributions/utils.py,sha256=AXOQmTiBIiWSfWM6Wlq2pvFJFal93peY43VAEDGIaU8,7060
+torch/distributions/von_mises.py,sha256=jWcr8aDKGWlBpOVah7jFhDQUDYw9eFzE7dwihcdlTDA,6088
+torch/distributions/weibull.py,sha256=wgxSuLO6tbnzUReVJ8h0zIS5Fo6Hvo53vBi_nX2taow,3096
+torch/distributions/wishart.py,sha256=5efYbSjVaCSspSBhFV8N8PTeYrS7UUpVE8Udm7TOiOY,13648
+torch/export/__init__.py,sha256=M-iVJrRWE03-XHciwisFBk_GaSabxnQLP0Dw0v9IFEo,11980
+torch/export/__pycache__/__init__.cpython-310.pyc,,
+torch/export/__pycache__/_remove_auto_functionalized_pass.cpython-310.pyc,,
+torch/export/__pycache__/_remove_effect_tokens_pass.cpython-310.pyc,,
+torch/export/__pycache__/_safeguard.cpython-310.pyc,,
+torch/export/__pycache__/_trace.cpython-310.pyc,,
+torch/export/__pycache__/_tree_utils.cpython-310.pyc,,
+torch/export/__pycache__/_unlift.cpython-310.pyc,,
+torch/export/__pycache__/custom_obj.cpython-310.pyc,,
+torch/export/__pycache__/dynamic_shapes.cpython-310.pyc,,
+torch/export/__pycache__/exported_program.cpython-310.pyc,,
+torch/export/__pycache__/graph_signature.cpython-310.pyc,,
+torch/export/__pycache__/unflatten.cpython-310.pyc,,
+torch/export/_remove_auto_functionalized_pass.py,sha256=UNTauECcIi3gVudIepGG_O8heOrUDtKJqQCkWH3Tktg,3656
+torch/export/_remove_effect_tokens_pass.py,sha256=RMjJZPwbATV2TZgE9ypkj_xBM8pl9UvIJIFAz0dGUBQ,4874
+torch/export/_safeguard.py,sha256=7peuxoS51C1SC2h-4XAVDbZIu772gPUzRRTrDCzo14Q,1956
+torch/export/_trace.py,sha256=M9ZSrmNkEWkxR26WB79Xd_7WRtvcgriBkOLf6bjQEJA,59629
+torch/export/_tree_utils.py,sha256=E2SxZ08IqAl-CZXmZU21V38GdPeV5gGanWQlJnQ3K74,2230
+torch/export/_unlift.py,sha256=rRSzU7ggLbHmmmkH_B9KTXmhxe31P9vlt9fdd_OUc6g,10746
+torch/export/custom_obj.py,sha256=H6j0qawn-qiMlmafZDdjAuOOQY7YvQ7pbhiFW71hOMY,296
+torch/export/dynamic_shapes.py,sha256=MqikE3V3fPttXRp9tNPwNxWpaR1mWvE8CmJd4AsrWiY,40957
+torch/export/exported_program.py,sha256=WGU0Rlj4pQwIf3iHEst-y58WMOP0rl46tSQUpffcQD0,34261
+torch/export/graph_signature.py,sha256=6O4OjIDPWeGy1p8Q-IeU6B6thbxvF8w2LTltJq1fBD0,18407
+torch/export/unflatten.py,sha256=Q6pYZoA1uealRtnTfsB8qb8AaOVG7n49lxp0eoI6I8g,44965
+torch/fft/__init__.py,sha256=X8JNOgYQ0V9PEDWhiqOr7WKJvcb4SXKLkMOb6XWB2i8,55060
+torch/fft/__pycache__/__init__.cpython-310.pyc,,
+torch/func/__init__.py,sha256=Ww3pIuyf3N97iQ9lRRhFOK0jdfzpZ6PKnTjuEJPjieI,397
+torch/func/__pycache__/__init__.cpython-310.pyc,,
+torch/functional.py,sha256=1lvyFl9qaXkN5EJx1hiVR96sNgZHWAAVj24Yy6bvtKs,85648
+torch/futures/__init__.py,sha256=UN75-zDBROrczLgMPz7v4ljXDLH7z_5_YPBNCA01DKU,14419
+torch/futures/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/__init__.py,sha256=vKm-N5rNFuUID7okSpz4LxhGgNeOnHyPcAM3q54AvQo,3810
+torch/fx/__init__.pyi,sha256=wzQLHIhlG_Kn0oDU_nauEn0eVkx33QYN8Fch_Ag7K5c,465
+torch/fx/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/__pycache__/_compatibility.cpython-310.pyc,,
+torch/fx/__pycache__/_lazy_graph_module.cpython-310.pyc,,
+torch/fx/__pycache__/_pytree.cpython-310.pyc,,
+torch/fx/__pycache__/_symbolic_trace.cpython-310.pyc,,
+torch/fx/__pycache__/_utils.cpython-310.pyc,,
+torch/fx/__pycache__/annotate.cpython-310.pyc,,
+torch/fx/__pycache__/config.cpython-310.pyc,,
+torch/fx/__pycache__/graph.cpython-310.pyc,,
+torch/fx/__pycache__/graph_module.cpython-310.pyc,,
+torch/fx/__pycache__/immutable_collections.cpython-310.pyc,,
+torch/fx/__pycache__/interpreter.cpython-310.pyc,,
+torch/fx/__pycache__/node.cpython-310.pyc,,
+torch/fx/__pycache__/operator_schemas.cpython-310.pyc,,
+torch/fx/__pycache__/proxy.cpython-310.pyc,,
+torch/fx/__pycache__/subgraph_rewriter.cpython-310.pyc,,
+torch/fx/__pycache__/tensor_type.cpython-310.pyc,,
+torch/fx/__pycache__/traceback.cpython-310.pyc,,
+torch/fx/_compatibility.py,sha256=FNgcGma74WqSw2a-lO0IWNbkUxy5i4YRyDaWMLC_Eds,1033
+torch/fx/_lazy_graph_module.py,sha256=z_fiINVZJX6C9gN7lm3Tl3qW48dSN5LwAxNbCph_W4I,7172
+torch/fx/_pytree.py,sha256=D0rpvZnzyQG-YrDCr_5cIlIPCs9Q3X74JZF_5FejxB8,3502
+torch/fx/_symbolic_trace.py,sha256=ndXw1dajLRsUNn51OXjcMKMeUD3uMoQYglOSo4Q19iM,47670
+torch/fx/_utils.py,sha256=9IEpVTl4kvKyFgD4OLuteA0hidQTeIpx2M8NIDSSlAI,1539
+torch/fx/annotate.py,sha256=_hGpWwSEMKyq3Jt8hPHEdy7NuGU6b5zMNR1TtVBhpy8,956
+torch/fx/config.py,sha256=Vq4ADVOR87qBcbL9BMOX7DObs6TJQGEIiT3LivH4mkg,328
+torch/fx/experimental/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/experimental/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/_backward_state.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/_config.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/_sym_dispatch_mode.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/accelerator_partitioner.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/const_fold.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/debug.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/graph_gradual_typechecker.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/merge_matmul.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/meta_tracer.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/normalize.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/optimization.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/partitioner_utils.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/proxy_tensor.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/recording.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/refinement_types.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/rewriter.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/schema_type_annotation.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/sym_node.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/symbolic_shapes.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/unify_refinements.cpython-310.pyc,,
+torch/fx/experimental/__pycache__/validator.cpython-310.pyc,,
+torch/fx/experimental/_backward_state.py,sha256=TzC9Uin0ccyk7oG5z7HQPhRP6I0_6-HC28DOXpzUZzE,967
+torch/fx/experimental/_config.py,sha256=C_e4HQI04n5-KtIxGAtLYt8XiusTzN1ydQaZK9KUKQU,3268
+torch/fx/experimental/_sym_dispatch_mode.py,sha256=sFgKAkkEaX9xzEv5HojtsbNqKz0OjUsfIoMJZOjYOtc,1969
+torch/fx/experimental/accelerator_partitioner.py,sha256=qo3mSQyIllnjU1xiRhtEmYNj2i4CN17LymOiwiMyxxw,47965
+torch/fx/experimental/const_fold.py,sha256=sWHQeHMyOmsnhWOcWb45MFA-wHeqhEIFjEVIS33HXkQ,11965
+torch/fx/experimental/debug.py,sha256=D4leGqNwCBRKaxJwekeClZucw7e7SOgk7s69Setn-AY,832
+torch/fx/experimental/graph_gradual_typechecker.py,sha256=04LjHGsFMcLbiUFs0he5MBxaIJKHHd-r38XzxuIwF_k,32337
+torch/fx/experimental/merge_matmul.py,sha256=Z1P0sGI_auCaqMXUfZgR9OR9woVAwXz9XGJv6__jmVg,6008
+torch/fx/experimental/meta_tracer.py,sha256=GHkX8a-bGRujxzKkyrXb_vi-UBoBuRaJ5AVR6gKKZA4,10052
+torch/fx/experimental/migrate_gradual_types/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/experimental/migrate_gradual_types/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/constraint.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/constraint_generator.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/constraint_transformation.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/operation.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/transform_to_z3.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/util.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/__pycache__/z3_types.cpython-310.pyc,,
+torch/fx/experimental/migrate_gradual_types/constraint.py,sha256=XVgMSA__kdy2bPQYFF9MZbIeuimT9KRVI6VjP1kXyxI,16400
+torch/fx/experimental/migrate_gradual_types/constraint_generator.py,sha256=HPL8tiOFeZuQ9dRj5Vrf_LZ14TtP9Pkbacj_7Jhevj0,47561
+torch/fx/experimental/migrate_gradual_types/constraint_transformation.py,sha256=5Vuh8jmrg1w5b6vPkV1MVQqhfTnGFmV_PYjAbC5ws5w,39376
+torch/fx/experimental/migrate_gradual_types/operation.py,sha256=-UL0xa0Ah1zRLpFjZ933xEBTGWYF36UVYYVyqJojGqU,287
+torch/fx/experimental/migrate_gradual_types/transform_to_z3.py,sha256=au4qT2IFd9BC7Gyn4KeArCto2T0T-vvkPB6A-CyQaBw,14731
+torch/fx/experimental/migrate_gradual_types/util.py,sha256=52Wvf-TgcrHDv_kohz8qwkLcJz2SAdBtb_qNortyR6Q,1348
+torch/fx/experimental/migrate_gradual_types/z3_types.py,sha256=w27YOUiMJ0idGox7f76kMPtOp7mKYqb_TQuOFlb5kX4,806
+torch/fx/experimental/normalize.py,sha256=FvgpiTI2wueIXOj_EyUPFMC0pn-ChaNz_kBoXM9OFDI,5505
+torch/fx/experimental/optimization.py,sha256=_Ci-ZJqaKdaYR8NVz0FG6Ij3rM2ObxKpH0kiBd1xEq4,16693
+torch/fx/experimental/partitioner_utils.py,sha256=DfqcJ_2WwyzuDotFtqmIOP2YJkgBQ7ZTEhqhUeVpWjM,12397
+torch/fx/experimental/proxy_tensor.py,sha256=ARk3B-m9tgMr2h1lV3vqvc7YMarOhmQuvxB9i0CUfOY,59967
+torch/fx/experimental/recording.py,sha256=F9zW4Xlwl-AzPAEs3BbarR8xZGhlVE_2LuJRtdApliU,18801
+torch/fx/experimental/refinement_types.py,sha256=gWtNx5TwHQWEpTj6G6jRrJf31nfd3UpWDG7zaHKyTVA,432
+torch/fx/experimental/rewriter.py,sha256=Wvj_ff480lMehuccpyI3cymNuzGje4I978H6nK4-yYc,5275
+torch/fx/experimental/schema_type_annotation.py,sha256=JjT2GdMbNEdkMVGGp255fuuw1V7vDMm409HKc73oUpE,5027
+torch/fx/experimental/sym_node.py,sha256=ufyv83h1Z55rFfgUHPhIVBxaZKBiD5LuC2aX8jQ3utg,47578
+torch/fx/experimental/symbolic_shapes.py,sha256=eBBgC_j83KwxTBbWZJVf8_Cvn-nVFtJ1fYVeTUHAFhg,245283
+torch/fx/experimental/unification/__init__.py,sha256=JSX_I7TpG_gVkuwRSoZquk9ND-shjCgrTEQytg9krq0,196
+torch/fx/experimental/unification/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/core.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/dispatch.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/match.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/more.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/unification_tools.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/utils.cpython-310.pyc,,
+torch/fx/experimental/unification/__pycache__/variable.cpython-310.pyc,,
+torch/fx/experimental/unification/core.py,sha256=9bNyxJn_2KZp7qBSIkCaII193npNkJJfPGFI7YLA748,2734
+torch/fx/experimental/unification/dispatch.py,sha256=Lkd0aJd7o8XM6GcnBmhK7O1HUlbQ_xKKdiZfj0Wo24U,191
+torch/fx/experimental/unification/match.py,sha256=N9n0wpLujF6dOFkQDOSdJk4jZsRq1BsIZ1cKMxlLD1k,3392
+torch/fx/experimental/unification/more.py,sha256=DMIUCCkGKr2au34vuhc9mymQTr_H5ze59ZRSvLSdmfY,2944
+torch/fx/experimental/unification/multipledispatch/__init__.py,sha256=zm7LfTwHQ3IoYiEBKKDFz8BH_m_8AfQ3zwjTRoH15ho,145
+torch/fx/experimental/unification/multipledispatch/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/__pycache__/conflict.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/__pycache__/core.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/__pycache__/dispatcher.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/__pycache__/utils.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/__pycache__/variadic.cpython-310.pyc,,
+torch/fx/experimental/unification/multipledispatch/conflict.py,sha256=SxopAG9TPDEWRO7sf_MgsPfUsiG8K2LSt8QAQy3DAlM,4164
+torch/fx/experimental/unification/multipledispatch/core.py,sha256=uJeQtblgvXf0n-FBMLCgnX_J6jMMo4l2LMnNNiTB4YY,2697
+torch/fx/experimental/unification/multipledispatch/dispatcher.py,sha256=JVDp2vpFzSUuFh0gANxPlccwbcm73bJcKtAoX_TWT7A,13830
+torch/fx/experimental/unification/multipledispatch/utils.py,sha256=hCPD3qaRg24A9T3GqCv5zu-MIgc5MJMhg9rgB4pcj9o,3803
+torch/fx/experimental/unification/multipledispatch/variadic.py,sha256=cl8IyYlTHi4Z3Cy1e1omtsoCUuCdDa-MjHgok5k6XRs,2969
+torch/fx/experimental/unification/unification_tools.py,sha256=4UE_xgijcf2Jf1Abw-91-sJq8e5LozlRkEHHg_tSqug,10571
+torch/fx/experimental/unification/utils.py,sha256=YlYPisDtnJnExvv8amQhH2RqHV5jrwbTspkrm0VAemU,2945
+torch/fx/experimental/unification/variable.py,sha256=zX5FkKHnFscXyBKD_UPEDDdHDTG7EGsgKCt5bEsbojU,2063
+torch/fx/experimental/unify_refinements.py,sha256=cAJNsYRzFe8n72E7Atfo-2fVUunBCKreUeMrqvt_rZQ,3148
+torch/fx/experimental/validator.py,sha256=wMxTXzfHR_6mp5TXNQAD_ehXStNQ_Nfem9o1h6ZFDGk,31474
+torch/fx/graph.py,sha256=jAaCYmhkcTgp_JzuWzQGQEOliaktRJM3Ew2QRhgb7xo,71119
+torch/fx/graph_module.py,sha256=QzZuQxF_XANhrAanneoZDl8mv5IZ6qlDfml1_JuTAUM,36923
+torch/fx/immutable_collections.py,sha256=CwhL084SR_jreY-Rl1C5qYa2FjAD7oAVRye6W-yJ_Vo,2987
+torch/fx/interpreter.py,sha256=fyY9ApZt2sfhdVJsoQdnaGYt_wCYHtqZ0anm6tpiIEA,21734
+torch/fx/node.py,sha256=cBX9Q-Z8GhDxADsiZmUcQUba51WvgHWYdlzHYG2KuZs,32564
+torch/fx/operator_schemas.py,sha256=dBnartZZER8aJyFPaJgrqHIu1XKD4-3aypWAAFEk9wg,20395
+torch/fx/passes/__init__.py,sha256=q1f9dqRWGQW86rvLjYtm89AqNw5ElllAyEA9u5ZOs3s,330
+torch/fx/passes/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/__pycache__/annotate_getitem_nodes.cpython-310.pyc,,
+torch/fx/passes/__pycache__/fake_tensor_prop.cpython-310.pyc,,
+torch/fx/passes/__pycache__/graph_drawer.cpython-310.pyc,,
+torch/fx/passes/__pycache__/graph_manipulation.cpython-310.pyc,,
+torch/fx/passes/__pycache__/graph_transform_observer.cpython-310.pyc,,
+torch/fx/passes/__pycache__/net_min_base.cpython-310.pyc,,
+torch/fx/passes/__pycache__/operator_support.cpython-310.pyc,,
+torch/fx/passes/__pycache__/param_fetch.cpython-310.pyc,,
+torch/fx/passes/__pycache__/pass_manager.cpython-310.pyc,,
+torch/fx/passes/__pycache__/reinplace.cpython-310.pyc,,
+torch/fx/passes/__pycache__/runtime_assert.cpython-310.pyc,,
+torch/fx/passes/__pycache__/shape_prop.cpython-310.pyc,,
+torch/fx/passes/__pycache__/split_module.cpython-310.pyc,,
+torch/fx/passes/__pycache__/split_utils.cpython-310.pyc,,
+torch/fx/passes/__pycache__/splitter_base.cpython-310.pyc,,
+torch/fx/passes/__pycache__/tools_common.cpython-310.pyc,,
+torch/fx/passes/annotate_getitem_nodes.py,sha256=E0brWyfqEc0ZcKl5-Y2Ab-1SBhIOrc_d_QJbuVf4KFs,1953
+torch/fx/passes/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/passes/backends/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/backends/__pycache__/cudagraphs.cpython-310.pyc,,
+torch/fx/passes/backends/cudagraphs.py,sha256=795UvzZRSpOxkw8kqxeZnWW05pEcr-Wn3Vs7UbsNXLc,2067
+torch/fx/passes/dialect/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/passes/dialect/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/dialect/common/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/passes/dialect/common/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/dialect/common/__pycache__/cse_pass.cpython-310.pyc,,
+torch/fx/passes/dialect/common/cse_pass.py,sha256=-skVnIcZtsYVVVLA7bfhtaFxyOX7yGtOjtjxWoC8Hzg,4938
+torch/fx/passes/fake_tensor_prop.py,sha256=6F83wRe0GLp4kSVjjERCrUfO_xqaZMX-K_yb2Nk13nk,2692
+torch/fx/passes/graph_drawer.py,sha256=NxEDbbxXxY_mVA6jhECOHojSvoR5da4-U28pcRXJZ80,16730
+torch/fx/passes/graph_manipulation.py,sha256=mwabj4CeQTS6-oAoUu0JqA6gayTU8p4s6Mo3kfKTtqw,4008
+torch/fx/passes/graph_transform_observer.py,sha256=fMWBPS1K55MrBPipvDrH8HUNKM-bNRDlIyVWOT2I0Is,2891
+torch/fx/passes/infra/__init__.py,sha256=edegnIAKakNdSXu64OLBr7POgNQUF2NDlOhK6y5Aftw,28
+torch/fx/passes/infra/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/infra/__pycache__/partitioner.cpython-310.pyc,,
+torch/fx/passes/infra/__pycache__/pass_base.cpython-310.pyc,,
+torch/fx/passes/infra/__pycache__/pass_manager.cpython-310.pyc,,
+torch/fx/passes/infra/partitioner.py,sha256=xcZaUYuqkrrGihQpWcMHt4N0foW2_WU3bSG1oIwKxfE,15847
+torch/fx/passes/infra/pass_base.py,sha256=pE_nYHu5sQ9SBmVBBvY_wvUkE4vyU51Os9bhA5ZJrhE,2517
+torch/fx/passes/infra/pass_manager.py,sha256=e5zBFVdeFvtLlkrYL29hgbkG3cyAv8nVVqh5sZGZaBQ,10356
+torch/fx/passes/net_min_base.py,sha256=0bZcLNK9Xyx8ZdY4mH7ILvTQGNVmW5JSS8BTxg3xpw8,34239
+torch/fx/passes/operator_support.py,sha256=v_o0FZm0xGNSuStPtKppafHfXMWwd1xSb3cia-6VRa8,7729
+torch/fx/passes/param_fetch.py,sha256=1W-DYjVRHQ99zk0djbwv66epYBJl7gBoTWbO1ejkrzg,3527
+torch/fx/passes/pass_manager.py,sha256=JoJNWadKgp60x0_8533PEOTydhBUhWYBnj-BRL74uic,7244
+torch/fx/passes/reinplace.py,sha256=iBUYLK1Xh_l-5oTtR1ME3QpQ1cCzZm_vPSFdMrFuKXM,33301
+torch/fx/passes/runtime_assert.py,sha256=94DU3hjzOVx76yn3wHw20CD1KlFOKtwaxwVFyCFcemw,17303
+torch/fx/passes/shape_prop.py,sha256=kZkdB7-JVVd0DPAMeDM4kB7Mqaf9RJQxJvDl9hMJnI0,7213
+torch/fx/passes/split_module.py,sha256=tzXz9qqAnXAV8mfV5cWcKy2V92EP1ROIA0YL7hVRRpw,22009
+torch/fx/passes/split_utils.py,sha256=Jst3S0vczsXHImdbVWzPsAnHmjGzKIxWVzqJb7EVk3U,11243
+torch/fx/passes/splitter_base.py,sha256=iWjbe1bQDljMdgrUFVAMC3MFHG5RElKcHHL-oChzAek,32686
+torch/fx/passes/tests/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/fx/passes/tests/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/tests/__pycache__/test_pass_manager.cpython-310.pyc,,
+torch/fx/passes/tests/test_pass_manager.py,sha256=eUjb15IskaC7b-_Lm_DAA4zs_KL9WAcjPaPSTZosUpA,1899
+torch/fx/passes/tools_common.py,sha256=32KI-z7mcdsJDXqEXwMGDW9cqjzj4IbW5hRYIRdjiLU,11123
+torch/fx/passes/utils/__init__.py,sha256=e6gxht-nNUZK2J_E0AkiEpa6UdKlXJA5cwwiu5XbXVc,74
+torch/fx/passes/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/fx/passes/utils/__pycache__/common.cpython-310.pyc,,
+torch/fx/passes/utils/__pycache__/fuser_utils.cpython-310.pyc,,
+torch/fx/passes/utils/__pycache__/matcher_utils.cpython-310.pyc,,
+torch/fx/passes/utils/__pycache__/matcher_with_name_node_map_utils.cpython-310.pyc,,
+torch/fx/passes/utils/__pycache__/source_matcher_utils.cpython-310.pyc,,
+torch/fx/passes/utils/common.py,sha256=kIPBtKCmGKsdtA2FCDReU-0XQkzyeczygJMjoDVofDQ,3139
+torch/fx/passes/utils/fuser_utils.py,sha256=1LillzkGpAPz2AaDKFF_OuzBcmT98R55gRX7p2TAasc,8801
+torch/fx/passes/utils/matcher_utils.py,sha256=ONbUWk1kZ_Qo11uitRLDBTdpRszq3KJ15NaEcZY76QM,17015
+torch/fx/passes/utils/matcher_with_name_node_map_utils.py,sha256=J9Lu-ZdtvUypvldLBcAXZvQdmKbXg0A4uNsEM1wYVuE,4164
+torch/fx/passes/utils/source_matcher_utils.py,sha256=z0YUIfNT5alVG8Uz77Fa2Rn-w6WBRGzwlMJo_1m0Vns,4819
+torch/fx/proxy.py,sha256=mnZzmSCu-KFRkG-phLObJPcW4od0f2XCIlrcfwI0XoI,22501
+torch/fx/subgraph_rewriter.py,sha256=MqA-iJ8_FKo32cFqJdI8hWZQjmG_mAmlzzdMbvRor2A,13764
+torch/fx/tensor_type.py,sha256=ZWDCs5egzZtLX8fGvVhyVUbvoufC6g8RimaDjgYigzY,2959
+torch/fx/traceback.py,sha256=tawUZRFPgswZz4OJ2mU7fJoDhM_0X1KKYbY3zea_gkk,3425
+torch/hub.py,sha256=dbIkdqrql_ycggzEjjFJM3dk6AyNGgxy-2dEZUSO1aI,32768
+torch/include/ATen/ATen.h,sha256=mkjW3p2EH-mgdyzM_Nn8t3Mu9IneuDNjDyNHTlRYSrg,1107
+torch/include/ATen/AccumulateType.h,sha256=oGsNg1qidiANCOWaXDWl2SlC_QCPCl2b788YldBgXLU,5466
+torch/include/ATen/ArrayRef.h,sha256=Oj53usfNJkz8L3fSOjmE20rpC0NUjhOVz4bmu68R28w,44
+torch/include/ATen/Backend.h,sha256=uKLWU9cBX4ldaPyhSACkAAe1BDHaJFKAS8yVHexzEuo,43
+torch/include/ATen/Backtrace.h,sha256=iQwNYKFPK-sNKn5Ngwy2vzkESKV84wJSLIQD1O7GGxg,46
+torch/include/ATen/BlasBackend.h,sha256=nsHKIgeHZxX-rj83dwSAXXY5Vd-Tu9piyXjN_orjKPk,608
+torch/include/ATen/CPUApplyUtils.h,sha256=mXDQF4MV8JMJ8ALxcWi_uoZdLn_6obxh6ONJ2gpT98g,10203
+torch/include/ATen/CPUFixedAllocator.h,sha256=ePZtym2ZPfh0EldwpzgFn23DohoHWM9Yx4Q5UJkUUnc,845
+torch/include/ATen/CPUFunctions.h,sha256=4cBJuS_SSe9gkWBaqJv2I4TNOtatWw0_kUy8nYYXAH8,1949
+torch/include/ATen/CPUFunctions_inl.h,sha256=tp79KvqwhxbdF8Db8slx21SrZlXPBziymreti14plH8,26958
+torch/include/ATen/CPUGeneratorImpl.h,sha256=VMassFySBdfiXrmrioTLDX0fzHIDu6NIPF6UJgEblXM,1538
+torch/include/ATen/CUDAFunctions.h,sha256=WjTAkU2Xu4Ngb6b2rGorhNx5ZqgohX1cEC881uL_Nnk,1950
+torch/include/ATen/CUDAFunctions_inl.h,sha256=eLjgQ1VU_CX2hWK6KQBEDHHSrkqynPXZBDj4fj2ZvO0,32432
+torch/include/ATen/CachedTensorUtils.h,sha256=A7gaS6-sexogUv0aYx8H9EYbRZxvaNXyNtgy4ovaZfM,1007
+torch/include/ATen/CollapseDims.h,sha256=YcFbH1j-lkxTcwHr5trswl3WJEZTp8VcW6sfsm11_oA,2560
+torch/include/ATen/CompositeExplicitAutogradFunctions.h,sha256=BJpZzuYLgLK--GQfTXH-YcFtW2869S79UUuxSib_sTE,1971
+torch/include/ATen/CompositeExplicitAutogradFunctions_inl.h,sha256=YH81is4hYrysHWGxq9y1Z8n_OfCMhpE8bCYSeiCgRUg,39752
+torch/include/ATen/CompositeExplicitAutogradNonFunctionalFunctions.h,sha256=K9KLMEQh9VPe0LEvW82v3FdxONqEUpv9L_I4EgTCzmA,1984
+torch/include/ATen/CompositeExplicitAutogradNonFunctionalFunctions_inl.h,sha256=jnt23hMGJcAgfx6SBp52_mLThvBI-AzDPfKFsWEIsPU,26244
+torch/include/ATen/CompositeImplicitAutogradFunctions.h,sha256=3REKnKqUvdXDA9PDGmmx3B2Lu3ta__eBQX55ntQI5IM,1971
+torch/include/ATen/CompositeImplicitAutogradFunctions_inl.h,sha256=pA-xa0acJeyuIbrBPAL4qyBsnkTRhugsZo7XgjpBY5w,34931
+torch/include/ATen/CompositeImplicitAutogradNestedTensorFunctions.h,sha256=R2Nb5wbr3bbfOSiqLZtJa2JazDXnbg2XX-xUn0aZQkU,1983
+torch/include/ATen/CompositeImplicitAutogradNestedTensorFunctions_inl.h,sha256=zPpmzVcthe0efVJmcYnz1EnWbn04TkoWlfsQ2-qlH-s,1126
+torch/include/ATen/Config.h,sha256=MXlRzKP69Hf0ljLkhCdDa5uUYcGhKUPR4fi6QC5Qgr0,737
+torch/include/ATen/Context.h,sha256=kuOGcYuL02k326VyiXNSuWtfTCii8fuii5CAEjDx4Rc,19917
+torch/include/ATen/DLConvertor.h,sha256=DIYUBdOoY8W9hlxJYiq1YManGWfiWcdZW0a-508Y_OI,834
+torch/include/ATen/Device.h,sha256=woU2HH6ul-aOLsILb-xFTxGbtA7mGnaMaJzzB-CrlBI,42
+torch/include/ATen/DeviceAccelerator.h,sha256=o5hQjmU88YiB_VQsit3usx3bEvPzhCbzmcQwlzaTowg,932
+torch/include/ATen/DeviceGuard.h,sha256=at91zfYhlNgKrX2ZCkpBAh0vnC2pjEFWkwIsZgdHxqA,1185
+torch/include/ATen/DimVector.h,sha256=hDtEu7TLm-rmIlopY3DudvGcP7BopSyWYAoce6SRrKM,46
+torch/include/ATen/Dimname.h,sha256=ODvWq78JatYnrvxjZb8taxy-nOBOC6VE0sZnSpxiwFs,31
+torch/include/ATen/Dispatch.h,sha256=Fyn3eM3PrYamv_qjasg-Xrav0e0Ct23Zj6673-MytRk,39757
+torch/include/ATen/Dispatch_v2.h,sha256=Kgf3eSoKmq9YRhFlgvrfJYcPt2OMGi5o3U4Mmr7tvGM,36313
+torch/include/ATen/DynamicLibrary.h,sha256=4MJsQ_OZ5MndH29Hi_FTPdxEEuCvMJM8LJdcHwqFMDE,572
+torch/include/ATen/EmptyTensor.h,sha256=MLJHx9sP2vhkh9tqmFoqDd9EntAKknkHPt5ga8jDE1c,4750
+torch/include/ATen/ExpandBase.h,sha256=nUXXodL4QrMGHb0xV9QpDjEJsG67gD6GHosIfNnrfxA,914
+torch/include/ATen/ExpandUtils.h,sha256=UdxWRwrcETePKrPwQecwjzN_D47ngEzpRUWlJfbwdhI,16305
+torch/include/ATen/Formatting.h,sha256=u9t8xVe-WAEXzWvHqFJ93K566ukel9wsbLhSEUeEqyc,34
+torch/include/ATen/FuncTorchTLS.h,sha256=1Rh_Sl0r0UOMpwzcl6_P1GEJXBgAtIGra6xE5t_B69o,1816
+torch/include/ATen/FunctionalStorageImpl.h,sha256=BhcvSvru7AEpBM4rt_TTqwE38SxOMig-VDQH3ouWJPw,7668
+torch/include/ATen/FunctionalTensorWrapper.h,sha256=imP9GD47Yb_JtxN6z-cRWcBDCHom6XHnVX6P2bK8vPY,17242
+torch/include/ATen/Functions.h,sha256=fMx4MJohElDFIKeOLQQswD8LYqvu_ahn-UPA4mRApG4,54016
+torch/include/ATen/Generator.h,sha256=KBeu-DIZBnbAWTvlDIPNIA7PMY3wFODHbAR0l-kToLc,46
+torch/include/ATen/InferSize.h,sha256=BRUyp1KisQtIMXrzV6ahIspOqV4s46Yj6YwJZ0fz_TM,2653
+torch/include/ATen/InitialTensorOptions.h,sha256=Hwbswfmyx2diKA1DCTPukc246Fnm7kn_MOVXQmVrVDw,439
+torch/include/ATen/Layout.h,sha256=l9TpZf-gLtmQbbV7_dn0UFiOuV88PVS7V047YMCtM-A,42
+torch/include/ATen/LegacyBatchedFallback.h,sha256=QNBsZOnkz1buoh0I2HhKGyf3uxGh8NGcHq-AtADej7U,974
+torch/include/ATen/LegacyBatchedTensorImpl.h,sha256=LER0yf8y39WWD3WR27q_nJMXlAP6tf-026WbS3iRIHs,5559
+torch/include/ATen/LegacyVmapMode.h,sha256=w8ZTj-VP5xE5NMHEAGXqZE64gMm-i141FiOdWdNQU7Q,927
+torch/include/ATen/LegacyVmapTransforms.h,sha256=g0lBIYJ793Z5bMsvchyDxfExUt14w8ghWbjB-6t3nfU,7815
+torch/include/ATen/LinalgBackend.h,sha256=8FGeL3F7EUk5i_VVs5SHukfJhAQuXi7WtN5BNXXhDlw,719
+torch/include/ATen/MapAllocator.h,sha256=2QCORbUN5qqX8-3v9nwlCo0ldhiVo7BeVZyrvhPdEi4,3315
+torch/include/ATen/MatrixRef.h,sha256=vmdP82p5zmjixhn083cm68XzABVdVYG7Gq84DQWHQGw,2903
+torch/include/ATen/MemoryOverlap.h,sha256=VMIgtWjB4dUQORQL0AwDnVO7KBVmGYqQTaGhESKS5FM,1287
+torch/include/ATen/MetaFunctions.h,sha256=-j9AVqBE9r11XDj4Jp9l_1ywN8dTWXGDhRnhe_VGcYI,1950
+torch/include/ATen/MetaFunctions_inl.h,sha256=pj5beI6eLLXZo6MeMZbQECljJ_5-4nafgy8NEasix68,15848
+torch/include/ATen/MethodOperators.h,sha256=zUlTJXKFi8LTThmkJ1ChMr33vmdTqoZoLjtMMeQUr7Q,15445
+torch/include/ATen/NamedTensor.h,sha256=DMs7TFFl5X2V_3sRIg9-qaiiC94x9s0n0SEdYf2SaHE,35
+torch/include/ATen/NamedTensorUtils.h,sha256=mRgsW1SX69p4hvA52QJpwVSw34x4JtFqnIBdBOzKIPA,6816
+torch/include/ATen/NativeFunctions.h,sha256=bduHMjxtD-IvI5Zs9EFch5lPYOtcUYHKPryxLADqN8w,59589
+torch/include/ATen/NativeMetaFunctions.h,sha256=ItUDnUOAxBCDZ2TPAyWFf88FhgvNix8aAjZOuD9wPTs,56129
+torch/include/ATen/NestedTensorImpl.h,sha256=ny6fOf9Ah0DYzrMr5sTPyeGENXQePzGBeZdY21jhQzE,10222
+torch/include/ATen/NumericUtils.h,sha256=qHKlKqE502GATTuCdtI2Gme_QIKmrUQKJTt9QTIqByg,5086
+torch/include/ATen/OpMathType.h,sha256=mbrJU6cZdNFX-dJu_Je1FedoQCcHJsWRZjTIsZV8Lf0,1504
+torch/include/ATen/OpaqueTensorImpl.h,sha256=yelm7W9LY4haAf1jOqA_au0wkZkEgY3QMZHv0E6GbVU,6163
+torch/include/ATen/Operators.h,sha256=zeeMd550nr2zaiWoD5Ut27Tc2_BBZS1ZJ3IGHKU7E8o,57732
+torch/include/ATen/PTThreadPool.h,sha256=X2FolpcFacvui54S5s9CQPBQ5gvbG8VoF5sH1jkGtkI,391
+torch/include/ATen/PadNd.h,sha256=3JsvcDMvpdMZYbxJchOajFJ9dSZkJPMRqoUteVexHGo,593
+torch/include/ATen/Parallel-inl.h,sha256=P18LiFR88qOlKWs3Eq6bp_K3si6VmNvy02kYsIT3tHM,2293
+torch/include/ATen/Parallel.h,sha256=1F6lCULV5R9bkPI24TxX-m6YDBtBNO66EfgS6TS4BRM,4743
+torch/include/ATen/ParallelFuture.h,sha256=-VXbafsV86rduj8z2iD-VgPvFTiguQksGZWbjEUIflE,292
+torch/include/ATen/ParallelNative.h,sha256=5mm6FAj_i1f_XUv_uG8mwyE9Vuveg2xzOYu2UoOvXPk,354
+torch/include/ATen/ParallelOpenMP.h,sha256=VHE3xZuh-I2ijBlTBpsVUIAUfMpO3XQeajMJ7t0I-ao,1283
+torch/include/ATen/PythonTorchFunctionTLS.h,sha256=cYU_y4UtOz_UF1r0zctoFbUkR2Q0M-AJU7yJp12KtP8,1146
+torch/include/ATen/RedispatchFunctions.h,sha256=0aaxhH3p8fTLg3d4HhJBxQhz4SkVvOeUbaP201ETdm0,2186630
+torch/include/ATen/RegistrationDeclarations.h,sha256=Zcs91KV_ESU8EtN5xx4oi2KAUjhbTpg_bBjhjLPLpls,847190
+torch/include/ATen/SavedTensorHooks.h,sha256=j5_tVVxrtWytaxwciNQXEHHBK4qdbv6S-jYYR1SXgm0,1772
+torch/include/ATen/Scalar.h,sha256=4uRhX5Y1wZouuAi4M8BriFoqJziRckfzIh1o7E3YS9k,44
+torch/include/ATen/ScalarOps.h,sha256=LAi47PbpJGUvoS3TObNAzA3mzkKbRCs8mA0XWuTPJBM,1595
+torch/include/ATen/ScalarType.h,sha256=YpUjgU8zTuDmlNt8pnUpNYjKVs-sJ-YUs4enjKJr72k,129
+torch/include/ATen/SequenceNumber.h,sha256=kkx0_BUyfdTbwboiGso0GwMNJG_KMxCjjibslHit6M0,333
+torch/include/ATen/SmallVector.h,sha256=b0zRaURtL0paOFhxGgB4flh3HczjPSX6gQ_GQzOOtHs,47
+torch/include/ATen/SparseCsrTensorImpl.h,sha256=mO4litPuIqLgmHKOQLdwZcrRB8ZdEyCfK52JPs35u2I,7109
+torch/include/ATen/SparseCsrTensorUtils.h,sha256=OxMKxGYhOClxDUrXMzRkMO0cBwj5tw65jB7muchiMnk,16504
+torch/include/ATen/SparseTensorImpl.h,sha256=lrnp7H_3_vYSUBi4LdZS25r24J7cxRQCG-s2Ke9fHu0,15281
+torch/include/ATen/Storage.h,sha256=EgzD3SO1khvg7pZDcTsqoI0FFSlsZobb6FadLbAhJ5c,43
+torch/include/ATen/StorageUtils.h,sha256=2YW2GztTWHfE493VWxPhtJDvHpExCtwFl69ZTwk_OzM,1308
+torch/include/ATen/Tensor.h,sha256=ercOzXbYX_U4x-QpJ9H5rNwZ8kR6vku_MYQlzRInW28,44
+torch/include/ATen/TensorAccessor.h,sha256=0oPU5QjZ5q_5qJ54cCEa18Zas4Z_IMTVAT09j39idII,51
+torch/include/ATen/TensorGeometry.h,sha256=EXJGUyagrTcaj22uEDZQlNmsfBP8C1zZd33cR3zsTXA,4273
+torch/include/ATen/TensorIndexing.h,sha256=4YTxtfT4LNjZK-ySwBeLWOONowmWmWO6P6w2PE6_Kuw,23871
+torch/include/ATen/TensorIterator.h,sha256=c8JTMFxFXqKGhQGXwMYRrMp6h7XuHX9Q_aKz46ekY3c,38542
+torch/include/ATen/TensorIteratorInternal.h,sha256=AJwnjP_kN7rvQREEyoH2iOcRTow0xL6Vp5_NCWXntQI,1931
+torch/include/ATen/TensorMeta.h,sha256=nGgmEZS3d9bjDtv7T7BTf-LgohiSy9TmlWTJySFv378,4864
+torch/include/ATen/TensorNames.h,sha256=O492vZXH2YzIkKs08vpwRf0cvsguCXNZ8EZIvDsTUuk,2571
+torch/include/ATen/TensorOperators.h,sha256=OT8Pkg6DXXZDZoPjIHEBetJgsNyoTzBGB618lzzVxak,2554
+torch/include/ATen/TensorOptions.h,sha256=0YGOolxkjb6QzEmeZ6xuo0bamoTct5GvrHAtPoMH-fU,49
+torch/include/ATen/TensorSubclassLikeUtils.h,sha256=p7V6KDu8J2WGyakpXy2vZ7vu0oGdsB2VGDospDvVaWc,3212
+torch/include/ATen/TensorUtils.h,sha256=ytjTPAxmSIj4FdOpMG47kMtcQ8WwakFLtAxadkJtzOo,5958
+torch/include/ATen/ThreadLocalPythonObjects.h,sha256=EqG46_18Hph7JIFewnv3wiJlY4j1uowbGNa3JR23xUM,607
+torch/include/ATen/ThreadLocalState.h,sha256=9ZxJFdvL7tQ3TKq_sDadEg8ps_XZsbi_fxHBLr0nUr4,3806
+torch/include/ATen/TracerMode.h,sha256=QigJ0TulTga8gPinbwvwtZgUwi9xQmOUAwureQzsQeI,5522
+torch/include/ATen/TypeDefault.h,sha256=1KUqlbYBvhQj6kuRqvVwK3GpVoCgYWNIYGvEv35vUPQ,666
+torch/include/ATen/Utils.h,sha256=J8ozoc9oo1ZgCdHnl_Nl6_4pFfWzWl6hWYCAKok7DLI,3569
+torch/include/ATen/Version.h,sha256=sTW04hFh7RGM5RkbXoQKLDcwTP4Ks7GNDyTLr3tQJdY,384
+torch/include/ATen/VmapGeneratedPlumbing.h,sha256=TxLiqoEXSmnC3K6m_93Qc8GeF6PTvOshwBEtts2Bz34,1857400
+torch/include/ATen/WrapDimUtils.h,sha256=QkNV0g_RpjyzIYPz_v6NwbuP9bFzhgWjMNiDbFmGXOU,4845
+torch/include/ATen/WrapDimUtilsMulti.h,sha256=in5mUs8tc_KbXMQSrnIHNA5ZSAr0mG1pYPN1gxsKdVg,1082
+torch/include/ATen/autocast_mode.h,sha256=v7kV1x547b2481vc_kMFmRB7t524CxVIOaOXzmGzNVg,38565
+torch/include/ATen/ceil_div.h,sha256=TtkKnqzlAlpfznlNBIDaNUHxD8q1QRERVklj-VEm5Q4,497
+torch/include/ATen/code_template.h,sha256=S57xOHweK7LsCnjawbYGEpyi68gdoSaoGnSrX92ALbA,6863
+torch/include/ATen/core/ATenGeneral.h,sha256=dcnASl2yEZMXGYbsBQkH1W-KLBoQTSSoEfujumNJHjM,45
+torch/include/ATen/core/ATenOpList.h,sha256=aTsrO4WWb4s2HIBiOyha28F9RXajxvzINAGv3eQ5AEs,246
+torch/include/ATen/core/ATen_fwd.h,sha256=dj37GXi3sI-7Hoz4M4JLEHO2wh-cIENzENiDcYIZqn8,1024
+torch/include/ATen/core/ATen_pch.h,sha256=RTFebKocSHUxO6GjXDqGendNDulyNfjHVR0i6_D96rs,5250
+torch/include/ATen/core/Array.h,sha256=FuocCsn_DODTuCNUEKiEJSvpowX0wS6gI0KAQOPJqs0,890
+torch/include/ATen/core/Backtrace.h,sha256=Vi1LiTrJX5BY0ADLxoJkwC7H27H30tTPM89xZ04A5GU,59
+torch/include/ATen/core/CachingHostAllocator.h,sha256=hxfkj1Y4vVkVKssZeIPGRLKbVb0NNN-lRP0BVfm6pAg,13017
+torch/include/ATen/core/CheckMemoryFormat.h,sha256=W93aSN6x6PvW0aNoDv-eqYm26oPkEXiHtEZKWvNnBGY,852
+torch/include/ATen/core/DeprecatedTypeProperties.h,sha256=CCHYGMiKiIY2LR7xVlHYrIztBDFrKy0T0kYXV1Kd0XQ,3879
+torch/include/ATen/core/DeprecatedTypePropertiesRegistry.h,sha256=BGXyKbHymMH77T9GtghhRz-FVnQThWT5WWLvuEqXfxE,844
+torch/include/ATen/core/Dict.h,sha256=EQsx5wmvEELrIHe_sEPHCZnE0S9uiFfxz-3VTuFunik,13240
+torch/include/ATen/core/Dict_inl.h,sha256=TYaiTIQJTvbfFym-bs8xc7W-7h_NsPdMAJ-OjqBx0NY,7518
+torch/include/ATen/core/DimVector.h,sha256=yOKoGLTzpQNSO-5Dc1iemVnT6Aa9mnjwtT6JpBhOfXs,279
+torch/include/ATen/core/Dimname.h,sha256=rVlePecFCCecKdkd7DkhCgY4yXKXlUT_S5O5NmjTdk0,1178
+torch/include/ATen/core/DistributionsHelper.h,sha256=Ml4qZyynBQPt98mGT-hEE7R7t8A0X12FjYnnqCJ0REI,12578
+torch/include/ATen/core/Formatting.h,sha256=Lmglbd4dcMvnHyAPeCHJXwujSNFZFMRg4w9CD1kwbrM,700
+torch/include/ATen/core/Generator.h,sha256=lZme09d3Xrc7WzCMhidsnLlFBEAGHHWoI2XCpslFxDU,6406
+torch/include/ATen/core/GeneratorForPrivateuseone.h,sha256=NJalyQExfXlcGAY2UNYSMFSVxrT8rUKk-jVISMBwYwM,1071
+torch/include/ATen/core/IListRef.h,sha256=ML06cxR46qoCiHdTEQh4p1ao9uarv8APP23CUF37SU4,20938
+torch/include/ATen/core/IListRef_inl.h,sha256=lGlCGKnpPN0OiEUqA_Lm3uGPm-GlkNLcCv5x_Gmq2VU,6104
+torch/include/ATen/core/LegacyTypeDispatch.h,sha256=OtpiQhk03P4M9Cxv7lihyc7sTNkEvbgyJSCyHzwh1dA,4857
+torch/include/ATen/core/List.h,sha256=1G9sNA9CLD3iYdhHigGifAa0kNRLoQsAr9wAgzXat6Y,16031
+torch/include/ATen/core/List_inl.h,sha256=D-YiR3tzpR1Xgjf7-3PcKB_XunUw6V7RvvBn3p2FMPQ,10900
+torch/include/ATen/core/MT19937RNGEngine.h,sha256=UE78lVAVtnNeB_XkGLD08Qaj-mW678NMmy7tf8qNKH8,6510
+torch/include/ATen/core/NamedTensor.h,sha256=CDKMy2r4uTR6q-3t8y6sVDjgPGBp-3qwib9KexCJCbc,5031
+torch/include/ATen/core/NestedIntSymNodeImpl.h,sha256=blmqXs2bYw-gVV_vlcSDaO5xZ9KLJNnJ4eTkL71I-YE,5972
+torch/include/ATen/core/PhiloxRNGEngine.h,sha256=nT1duXK3nsHoOuMt-HEOAGl_1vau4X5HYn9xNj8tY5g,7814
+torch/include/ATen/core/PythonFallbackKernel.h,sha256=qBpI58DEY8_NW4FhjePCgxHeEpVC6ubdtubhAN39j8Q,506
+torch/include/ATen/core/PythonOpRegistrationTrampoline.h,sha256=xedhMKWYJL6qkxzBlAICSiJGHLjX_QUlU9hwTcjHSJI,595
+torch/include/ATen/core/QuantizerBase.h,sha256=qwPle1oeJZQYaDzFfsKpMI60msE9wzMPI14PA7DZlCE,2677
+torch/include/ATen/core/Range.h,sha256=v_kVnAoeiHq0eRTodrFqDV8nudjBOX1mwhdeiDrJRt4,418
+torch/include/ATen/core/Reduction.h,sha256=mrCDtCU9J2CCzD7EWxvijtEmbGxwn1Szr_pC8zkQmbI,399
+torch/include/ATen/core/Scalar.h,sha256=6_8TdN11df5vabWQCR30zjSFTLQbwnsUMTWfzKaM_sM,29
+torch/include/ATen/core/ScalarType.h,sha256=o6WgbV6_nD4gO6tVJo7Hx_NQfeXC-iB3TFXbfRusbBI,33
+torch/include/ATen/core/Tensor.h,sha256=7bT_jBE26NiDvifZrkla6bpwosowJviXHofTeYpULCE,2222
+torch/include/ATen/core/TensorAccessor.h,sha256=ARJVCXj2PB2ELRDmed74TSiKeP8VmBIl0Q-GL-fAKkY,10525
+torch/include/ATen/core/TensorBase.h,sha256=-sePtJiprdfxr9OwGGKtUFQ8VFz21tDNNzNUuNk7NSQ,38082
+torch/include/ATen/core/TensorBody.h,sha256=nEQl_jRcuWyVRcD-od9YFK-56o9R60qYjcI9ctU_4dk,290307
+torch/include/ATen/core/TorchDispatchUtils.h,sha256=3tcAGN8KCcYH3eUGWfN0nAwBLFGHOou7su1Cd19EMWQ,468
+torch/include/ATen/core/TransformationHelper.h,sha256=d7p_LKAoxSWPjPDPsmNU9xoqkzaeC4LI98Ccococe0U,6854
+torch/include/ATen/core/UndefinedTensorImpl.h,sha256=gC73nEbVD9sYFdMxGPovAHH997995eRiDYXO3S1y5Uo,42
+torch/include/ATen/core/UnsafeFromTH.h,sha256=bQyv5mA6MEL7f6hp0LIQYaHBaQVilgt_frmUzNCD28c,708
+torch/include/ATen/core/VariableHooksInterface.h,sha256=-p0SCmkGH27Sb1MHzDd2sUUGJidjzrE7UynyPhKt9jI,3538
+torch/include/ATen/core/Variadic.h,sha256=ybiXfI9v-uojD-RMQVKXDLxm3w3c7g1tqy_zJrOHxCY,2380
+torch/include/ATen/core/Vitals.h,sha256=iw-VWol1buZdO9MAO1YhDHxuw0BEA-uCAHRVCNWJ9XA,2309
+torch/include/ATen/core/alias_info.h,sha256=nk_ndcIKgjcGxJ8sko4IzWfY0JGzIk8XYaZwAdfjHxM,4160
+torch/include/ATen/core/aten_interned_strings.h,sha256=0rTigGcNbOrn3Qkw4YryzMOMSHk1bncZnirE6lKFx78,55084
+torch/include/ATen/core/blob.h,sha256=y91p9AVk6o9Kx-pDHrB9l3Y19LG0JKeeImZ7DDreL8I,5251
+torch/include/ATen/core/boxing/BoxedKernel.h,sha256=SY8En44wDTk8vtWO1CzPUdokN5x3YWehacJoJLx7N4c,7924
+torch/include/ATen/core/boxing/BoxedKernel_impl.h,sha256=pHz9otw_XAcNlLX2jXtkIUjqT1Wg8q_W9a4oRvfTkRE,3261
+torch/include/ATen/core/boxing/KernelFunction.h,sha256=zlMsCxeqK-s61TSYYKWP9_zzqCMPzQwM4q9rs6Q8o94,8535
+torch/include/ATen/core/boxing/KernelFunction_impl.h,sha256=Mnw3NYV4P2XzFcDxoR_gePnr9yic5At4uPie30JZflc,10690
+torch/include/ATen/core/boxing/OperatorKernel.h,sha256=fkeWwwDc-UjCqu10E0K69Jdf5h5Uay_BXsEv1Do8wHs,692
+torch/include/ATen/core/boxing/impl/WrapFunctionIntoFunctor.h,sha256=AvWOZxgDAqErgFwkc1s2wVMod8j4lBv5H4aW6XIQZBk,1313
+torch/include/ATen/core/boxing/impl/WrapFunctionIntoRuntimeFunctor.h,sha256=nIpD8XFNKEIJdR6RgF9d3-N0uOSBgqKYIzBw6P0iBVs,1454
+torch/include/ATen/core/boxing/impl/boxing.h,sha256=nvRouHSDhF3-X4aVumkNkH_dKCmdKJgQYnM0Y15w_qk,13425
+torch/include/ATen/core/boxing/impl/make_boxed_from_unboxed_functor.h,sha256=jyuLcWdtrKGHfm1rH6gvI9XFe3t0wOTosuma7W5pBbA,31223
+torch/include/ATen/core/boxing/impl/test_helpers.h,sha256=4Mm5y1fbiG2WAz-hExEm-JmEUd38iktQenClw64q2Qc,4296
+torch/include/ATen/core/builtin_function.h,sha256=MPy6hWQrRiS7YH41KwT0BVgD_hMbab5bsr18gbbF0sQ,2044
+torch/include/ATen/core/class_type.h,sha256=XJX-46s-ZhxuGNRct5WVoNHanbjwcQ4cqyztq4JgaxY,14051
+torch/include/ATen/core/custom_class.h,sha256=K5zORoYA965P8p4mtrEBnTXN7HzMA1x7KECVMrvTPG8,744
+torch/include/ATen/core/dispatch/CppSignature.h,sha256=_TpTmgWGkSTiqcKevLVZOJMdDZsekVjcXUdiYvpTDEc,2455
+torch/include/ATen/core/dispatch/DispatchKeyExtractor.h,sha256=LvHZs_0ScFKOJmaaGs9LymNpgKKERtqWtDG6b9VOLUI,9669
+torch/include/ATen/core/dispatch/Dispatcher.h,sha256=NSm2xRMr9cuqw53E8F2yjbddKFcTYnj4fpu4Nx5id9g,33567
+torch/include/ATen/core/dispatch/ObservedOperators.h,sha256=GKoSUqGxIkIkNOO415E5tOFAUr33uxrk_tL1vWpo6G4,329
+torch/include/ATen/core/dispatch/OperatorEntry.h,sha256=MUARA6Tk-17MoMCi7Zx4ehim704o3S5prYjJVggZBLs,12898
+torch/include/ATen/core/dispatch/OperatorOptions.h,sha256=Kzc_qB8w3bMoyojv5RuhPcPaSRd64V_etw_n4blnHIQ,923
+torch/include/ATen/core/dispatch/RegistrationHandleRAII.h,sha256=e-Mj1D2ucxcOFm_VvYWsNuRxasim7WyrfkXvlfSTIhY,858
+torch/include/ATen/core/dynamic_type.h,sha256=citdP69cDvliWmNwF9AS41a3gYoyRVlxEfONwxtCF0g,10412
+torch/include/ATen/core/enum_tag.h,sha256=tZGEsJTRZNp2OrLKMeCKKFiu8esM-MaB-k9BxWhpR5o,455
+torch/include/ATen/core/enum_type.h,sha256=T_m_Ij8oJQAlhvAsXkgMymZ-9a7i_W0WPt-QeclLlXM,2765
+torch/include/ATen/core/function.h,sha256=_3XLK9tzWbQAvFxMwSPdmIMFSAIWYcWDF4JvOZNKHv8,3455
+torch/include/ATen/core/function_schema.h,sha256=Eld8E-BJxc5LxagFDIbCvokD3-JDLHWUA_-1WqmQUH8,23943
+torch/include/ATen/core/function_schema_inl.h,sha256=0vcLm8PFgfqvOmh6DeQXwrgD-NgxjEv9OovwYt_avlU,14988
+torch/include/ATen/core/functional.h,sha256=nQru70dgD4D1U6H27oL3mFRbFigON0XwekO7-6bgoVA,1464
+torch/include/ATen/core/grad_mode.h,sha256=uhkLSjH7WfIVojVuftgyWZ92HPS41dQiwclS9Sk4QOQ,210
+torch/include/ATen/core/interned_strings.h,sha256=PeeZu7oW-61TJN6WKlbbiH1bHkpjYdjg3sxonKbtnS4,13369
+torch/include/ATen/core/interned_strings_class.h,sha256=9oF2TEI8EKu5wcse3CzAyR3eD3vAYGOlrTyZ1FhV7-w,722
+torch/include/ATen/core/ivalue.h,sha256=2_pB2jh8-ZuJm8InBe6fuXtCLR1G4IACQPyBxVf3diE,51121
+torch/include/ATen/core/ivalue_inl.h,sha256=lVMkXYXacGoQgSWRV7GjJGWmNfkP1kAiJd1xji9cz8s,86672
+torch/include/ATen/core/ivalue_to.h,sha256=8EZ5vbME27AVJ8AiBbT7jcvxzWCvGlTNS_12MWCdXK4,756
+torch/include/ATen/core/jit_type.h,sha256=_6Tsgb-SWxn52C9U8FIXYDdmQKwG_jt9Li5o59Ys66U,71825
+torch/include/ATen/core/jit_type_base.h,sha256=F6217TTfzNlgKefLxTf_WSTfpeiWyIk3iXXlxuJF3Jk,23101
+torch/include/ATen/core/op_registration/adaption.h,sha256=R--_LD1PxrecO5xzYLR_Df_bSZeaz15ODDBSvxapdiM,3201
+torch/include/ATen/core/op_registration/infer_schema.h,sha256=ZJhAv7rZUsG4_SG8MhnSUgPhwy_54m0A6Rh8DQEuHrA,6781
+torch/include/ATen/core/op_registration/op_allowlist.h,sha256=2K-zPwiBAzTNsa0-db0xatdI2h0IgcUpZlj2jNakzvk,6891
+torch/include/ATen/core/op_registration/op_registration.h,sha256=SMEKdd9KcP6rBubGKGV1oa4PSQAlCUdGuqdjDjQ4LCw,28639
+torch/include/ATen/core/operator_name.h,sha256=cazVuqc9MlEbs5jZjH18T2xn7donGKYRQ44Q2pXeuHk,3018
+torch/include/ATen/core/qualified_name.h,sha256=0dN_w0uzEKRTrRVkIifW685vE2MZRte5XrQJeMnluZo,4373
+torch/include/ATen/core/rref_interface.h,sha256=jZQZJUsGdWaWYl527FztgPaG3bvh2pGu7_5oovdsZ6M,1143
+torch/include/ATen/core/stack.h,sha256=t0wImnAXwyLuqXdTLCMnRn7mtnVUkWsaXmOS6qNHf_A,6228
+torch/include/ATen/core/symbol.h,sha256=2biKjnmqHB4tRsXCmK_ioN6RcBq_DCUN9ntusaosqj4,5874
+torch/include/ATen/core/type_factory.h,sha256=SUgeuP5s3d4XP0GKMviJP5VZdQrssZ1I38CfLH6duSs,3252
+torch/include/ATen/core/type_ptr.h,sha256=bLQzZcfOt8jjfhoed9oBvy18T-afIhYAl2JDPce5EJM,1218
+torch/include/ATen/core/typeid.h,sha256=kuExuy1u5A34ATIuUUgf_aPWYvKKXQwfE0OLtHs8hhM,29
+torch/include/ATen/cpp_custom_type_hack.h,sha256=j_wxuMgOWKLv9uotd8SW3Fm3QMyvVU9XQQePdrao1fM,5430
+torch/include/ATen/cpu/FlushDenormal.h,sha256=QqfyFZmXGzLL1WuhGhc7SWsNq6-TARAJufstsTuMjQw,537
+torch/include/ATen/cpu/Utils.h,sha256=mBjkmoFsgRjKIpW2pY9Ey_g0n2_U5TWUe3kYBxILvyc,268
+torch/include/ATen/cpu/vec/functional.h,sha256=PznpXDxQCMjC8FX6vXq8opByq5PY1JElx5blu6kIttA,102
+torch/include/ATen/cpu/vec/functional_base.h,sha256=ySKq6zaYVSipNHv5mkyvfdXGVoxbjROtX8uuHCTEROM,13047
+torch/include/ATen/cpu/vec/functional_bfloat16.h,sha256=V-9mMXiSH0er9dYY7_vqdomTkIveLx02EPQbBsMHfX4,24678
+torch/include/ATen/cpu/vec/intrinsics.h,sha256=9qCBxPS6Bk0QQ94mj8OVlZ5f-cHuq31J0waxvnsQfcg,1880
+torch/include/ATen/cpu/vec/vec.h,sha256=THgzw89WYyXflSsqA-qvwfFV39r-i4t8mkS-xkUk1e4,1284
+torch/include/ATen/cpu/vec/vec256/missing_vld1_neon.h,sha256=iUZEGw4kcopg806wRIVP-R5Z8YWxRpUTqXauRcy8yKY,13559
+torch/include/ATen/cpu/vec/vec256/missing_vst1_neon.h,sha256=1bgQ5STR5_8v-jf2MPYWv9b-q8Px_aUKcI_BKN18BTs,282
+torch/include/ATen/cpu/vec/vec256/vec256.h,sha256=iPsfoqrvFfaBUU-NVVYkgzEEJVl-17nVZP5X2ilRrLo,10940
+torch/include/ATen/cpu/vec/vec256/vec256_bfloat16.h,sha256=nbkEUy4Igbv-v2vxuNiFg7zAGi_-_o0J_neqPBDko8k,42100
+torch/include/ATen/cpu/vec/vec256/vec256_complex_double.h,sha256=JEWUrPxLryRNQuwkqbQeMe0y7Pw03PkbmZhArRpBk5U,18141
+torch/include/ATen/cpu/vec/vec256/vec256_complex_float.h,sha256=ha4rm-pgFEzviGrV-cptYrfCAoKVUMMyR83tmeu4V7c,19946
+torch/include/ATen/cpu/vec/vec256/vec256_convert.h,sha256=HSyv5ghQFzwHwmp2mPg-ZP4VbcDWWlF0ng6Ba-hI3O4,6181
+torch/include/ATen/cpu/vec/vec256/vec256_double.h,sha256=X0CunD1eASIHpmpTI7TM_VOuIrjQ1TaUIapF5UCrq0w,14639
+torch/include/ATen/cpu/vec/vec256/vec256_float.h,sha256=qhLqL_tJLCsc26oAVgbzCGgX0QkJbwu3ieN8OiTbR-4,22266
+torch/include/ATen/cpu/vec/vec256/vec256_float_neon.h,sha256=6T1JovBorVg_HNxgA26banED_Yv8bdyFwU_PMOR0JnU,29784
+torch/include/ATen/cpu/vec/vec256/vec256_half_neon.h,sha256=-6YB11k9dB2chtnPglPYtum2VTktoRenTrNxJkYtdIU,28888
+torch/include/ATen/cpu/vec/vec256/vec256_int.h,sha256=iWYrk6DByQxZYpz2rDxM1aXMVlyoJE7CV5EOcc3fHJQ,60607
+torch/include/ATen/cpu/vec/vec256/vec256_mask.h,sha256=36v46y9H_438Ml_U5BC-KsLl500ZaatgcX7GSoN86tQ,2863
+torch/include/ATen/cpu/vec/vec256/vec256_qint.h,sha256=-zgvDrxIBtEfyNCL33715MsGJ7UadcgWfTKOGxOhsaI,47158
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_bfloat16_vsx.h,sha256=BBlP5r-I2q2DRRJtU2TR810coROiLtZqRm8Es5F0-1g,2113
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_common_vsx.h,sha256=JXWFwf8ksihkmePgOVKaNqOIY-O3FOCzoZlLYGOSF7U,8052
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_complex_double_vsx.h,sha256=0PTtwIGWFV0XsaaiaYGfjkcixP4ArnTcR-L3xTJx84Y,19024
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_complex_float_vsx.h,sha256=rGcSSc3ikxZgE2lDvm67b93jjItRI-rJPDJLgEooPrM,21570
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_double_vsx.h,sha256=JKY3C9_bwbgUdOtq5pnBxu4Z-I3vxLEvwKh_Zr3Bnp4,15749
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_float_vsx.h,sha256=wTo0ZrqNEn7xGlMfX3t2AbYVmkvRaTFK4ngSHeHnMTw,16148
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_int16_vsx.h,sha256=gATHTuaCdhiXBL9jcYT8AjBw0tRRRX8EM0NroqA2vsc,14087
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_int32_vsx.h,sha256=l8fsXA1LXuf3lqYk-T76yomlJ1Rqz2rillVwkTKOaB0,11916
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_int64_vsx.h,sha256=4SHB7QXJKHp4iKUv8P9BxFmMoIQh0NT3nXcmZIs-kTo,10175
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_qint32_vsx.h,sha256=FUbSCUbg35o7cplLJNEKqw5yPT8h9PkDXUiJMvGFVaU,9779
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_qint8_vsx.h,sha256=CYG9BVSc_z2TI2RRrvkgoZSo96F7qVkywJhSdjdeRO0,16696
+torch/include/ATen/cpu/vec/vec256/vsx/vec256_quint8_vsx.h,sha256=54-fw8KFM_pQ91vroQkfCeQXkU0IGx8osU2HDbxtAy0,17379
+torch/include/ATen/cpu/vec/vec256/vsx/vsx_helpers.h,sha256=YTXDZsKMSfQN8eN37sxnTDzEtfVUlkNEXutDTvwb6RE,20059
+torch/include/ATen/cpu/vec/vec256/zarch/vec256_zarch.h,sha256=BRdu3bHytT0FPxpZLB5qnmLAa_bPws9vp59SoZHprnE,86333
+torch/include/ATen/cpu/vec/vec512/vec512.h,sha256=zRRkwqyBTtYGxscOT3CW7ljpy4wPpUFpBebU2Booxjk,9997
+torch/include/ATen/cpu/vec/vec512/vec512_bfloat16.h,sha256=zMX4lScaUck3Q7y6XUuW8Ht96POQr-YFAW9MwPw5EEQ,62511
+torch/include/ATen/cpu/vec/vec512/vec512_complex_double.h,sha256=fjGML-2OMRIsvrX-L1oRLnORfWY6j0W1u-mhbGniGoI,23502
+torch/include/ATen/cpu/vec/vec512/vec512_complex_float.h,sha256=dItkV5yfUS9aAldrT-k3IpLKMHaVQ7u3yiNeE7oiItg,43696
+torch/include/ATen/cpu/vec/vec512/vec512_convert.h,sha256=rb9DvTsFZ-ADPzVC-2LyKitzifK5vGRlEExZBhOZTng,5035
+torch/include/ATen/cpu/vec/vec512/vec512_double.h,sha256=2dsxghULHLVJol3UGnSM_326PJDlxHTgaAoJ3YsSft0,16570
+torch/include/ATen/cpu/vec/vec512/vec512_float.h,sha256=japIGybDB1QSy1XlHw37OMj4-slLVBeYzst7Xx-A4DQ,29409
+torch/include/ATen/cpu/vec/vec512/vec512_int.h,sha256=0NVe0x-6pdlxtM4RDA6Cy2AhsJTogrG_H6v9IadMXIo,54499
+torch/include/ATen/cpu/vec/vec512/vec512_mask.h,sha256=LAgfcMkMP56w47wpv0BKLXCdblauoOpA6vUlJte2Sy8,5039
+torch/include/ATen/cpu/vec/vec512/vec512_qint.h,sha256=3KrKU1f3Fqczk42pkVr7ipyLr6XyTcVpjQvDZu093jg,50198
+torch/include/ATen/cpu/vec/vec_base.h,sha256=r7ANF0UFcWfIWN4uWGOQine5vRoWFGVsodahtLCUZS8,41659
+torch/include/ATen/cpu/vec/vec_convert.h,sha256=k_Lf4d90SLuwYe4nL7HIcJjhRRPk-1MnLzhjC1Td0Yw,1887
+torch/include/ATen/cpu/vec/vec_half.h,sha256=UuK6ECbFwsYk2WkxuY9lDq4O3LQEQdpTsldHzZne3Qg,1388
+torch/include/ATen/cpu/vec/vec_mask.h,sha256=Uxqvi2fHbTXUs8pKllHOoosPMHeQyyehC070KO0bRXc,8983
+torch/include/ATen/cpu/vec/vec_n.h,sha256=uT9_ULA6_sbpNjE95fbb0zBTx4KIeLPg3BjrdKYTODU,11748
+torch/include/ATen/cpu/vml.h,sha256=E9OeTgsVJl0tDFjUVWZ44d5PouXQ-qUO_BD6i5XhPR4,6099
+torch/include/ATen/cuda/ATenCUDAGeneral.h,sha256=hzsZuf9MUxBbRSSpsefJgyxO9RnmYcnfdKYOKFEfIwE,190
+torch/include/ATen/cuda/ApplyGridUtils.cuh,sha256=OznX8USe4TdDRxZMO2O0VH7wlbxOY6wkGOdw1Ycdpfo,1309
+torch/include/ATen/cuda/AsmUtils.cuh,sha256=LQzRGYOe3jlVaNogJAUH-v9fldTuGQQshcNNeU4JzD4,3394
+torch/include/ATen/cuda/Atomic.cuh,sha256=443ddaBbPsM5aKHaUpgQl3YaL653gsZM9QeWKZtXlRU,26818
+torch/include/ATen/cuda/CUDAApplyUtils.cuh,sha256=QRPaDCmeCNrozKO-m9OcJEoIYgJHvxAdB1dMOYIoyN8,20446
+torch/include/ATen/cuda/CUDABlas.h,sha256=tnxe70e_Q65Xov1lsnZQ-lQpgbYNkKI29Z1VbpNI6i0,12981
+torch/include/ATen/cuda/CUDAConfig.h,sha256=cwpliAylvjcwIGEyIpqB86v-He9quxJ3mWEKmJk-N84,886
+torch/include/ATen/cuda/CUDAContext.h,sha256=Ig-8EeKPP61vhcGchq20bULnvd-b4RkqJE-PGXs0qcY,238
+torch/include/ATen/cuda/CUDAContextLight.h,sha256=OeYfVcdlORwN4mZW7rBZ72F3pPELQGgeNh2df_xxz6E,2598
+torch/include/ATen/cuda/CUDADataType.h,sha256=TrpXjoBwEwrNSL0hRXzvA7WeGnOOTOPYFdYCR9K_aJU,2878
+torch/include/ATen/cuda/CUDADevice.h,sha256=1n4a7Uxt4i3pixkfEVCh0fiz8ExGeaeQ-kdUzFp4Dlo,532
+torch/include/ATen/cuda/CUDAEvent.h,sha256=rzfasmTXGpFCEpvFXcbaU_IVyvaOAiSV2Is3SPqTWrw,7091
+torch/include/ATen/cuda/CUDAGeneratorImpl.h,sha256=g6YxOlxxz-xTpBQTKJ3JKxuXuSM1dwuAvTxB4U5IndU,6098
+torch/include/ATen/cuda/CUDAGraph.h,sha256=LLCP_g1U-nD8DWaq2TKJsjhZoUF1dlONHCfvIG5y3kY,3246
+torch/include/ATen/cuda/CUDAGraphsUtils.cuh,sha256=H7Aua86TJFzkOo53LTu4SZsRpAPD9Yf3qOGWeYEpdG0,1901
+torch/include/ATen/cuda/CUDASparse.h,sha256=Ix0CX2HkVzmNEs8iWRZIR14qrFJMkyjs_L4Kcl5Jpoc,2596
+torch/include/ATen/cuda/CUDASparseBlas.h,sha256=2fSHeA4LmKmiEfrU4l0mVKS_3WxkG2k4uTrp4Lr9cdc,12703
+torch/include/ATen/cuda/CUDASparseDescriptors.h,sha256=i1I1uMnbWe1teZL8oZvIhLW_v3rRVZJgl4uBsNhB-lk,9381
+torch/include/ATen/cuda/CUDATensorMethods.cuh,sha256=cyQq_CW-cqTVYG5n2yQKI552IDhMnlGZqFPurRzdUk4,270
+torch/include/ATen/cuda/CUDAUtils.h,sha256=agWW0ofbSjZFEJyLb5rueLR4p0-4S6Z-AN8trrvch40,416
+torch/include/ATen/cuda/CachingHostAllocator.h,sha256=-ROtzya7ddyCPTHfIr44zUyZVTcBWMcYZeInuGF8-Mc,1326
+torch/include/ATen/cuda/DeviceUtils.cuh,sha256=M6xUbeOJBa9xF8gPLhSG7AIMDbK4e9B1avhM2eXLXXU,3280
+torch/include/ATen/cuda/EmptyTensor.h,sha256=wRp8R6rCIp9BYFFHNrZWyux9sQf0boSKI1SJIP-fW_k,1206
+torch/include/ATen/cuda/Exceptions.h,sha256=ItOrCvrhFoJK-VA3H7WNAgj3sfgrTonqquVE2vrTrpg,9894
+torch/include/ATen/cuda/NumericLimits.cuh,sha256=Pucf4S3VEL-sT52Es3G9iXpX9WUXGjwR1-RvN1-6Hww,5214
+torch/include/ATen/cuda/PeerToPeerAccess.h,sha256=EMjud2nmOSYQsodrAYW_N6ph8zsRXYRPjrAn-s1NrZo,239
+torch/include/ATen/cuda/PhiloxCudaState.h,sha256=9ChfldlFF4J6Qcr7VNBtrQ_-jKVoQquIOuJKLYPXz0k,85
+torch/include/ATen/cuda/PhiloxUtils.cuh,sha256=pVnvthsuIHgFnebV4_gj01KXpuo3Fgddc3cWi1uswzE,95
+torch/include/ATen/cuda/PinnedMemoryAllocator.h,sha256=bfqZXydAQC59Kv3VBwTvVyUVoK2aazh9Qoh9Qvo9m94,245
+torch/include/ATen/cuda/ScanUtils.cuh,sha256=OolU3qBsTJupQmcl407sFTkepxZ7gdUO5xi1i1iBQxI,2027
+torch/include/ATen/cuda/Sleep.h,sha256=yDtfwQXKe_TyuXKwZhqb_vQI1l9Wc_J2VPvl2MrHL_c,319
+torch/include/ATen/cuda/ThrustAllocator.h,sha256=JgK1MhDwoM1x_OSXcRaZqE6WmZ3DonmAWc0Z8WKiEyg,505
+torch/include/ATen/cuda/cub.cuh,sha256=2mNAefKQZLGZTx1ygzLhesMEK8ymJ6c1DqsU-tD-gNo,15148
+torch/include/ATen/cuda/cub.h,sha256=whK5xvYlfQeK_qRNFGaECPI23eYfJZ4rdZl3IoyCfX0,3368
+torch/include/ATen/cuda/cub_definitions.cuh,sha256=oZ_AOGaE8MaiagHPLDyoI39QhX23HNMwnOyKAMRck1U,1452
+torch/include/ATen/cuda/detail/CUDAHooks.h,sha256=oWPRhsQ1hTS7P6gO0phpd82V8mPxGlBx0lQZwKGTvVI,2372
+torch/include/ATen/cuda/detail/DeviceThreadHandles.h,sha256=F57VRaNBgNlvDq618YLluy14j3zFypTm7YIxseW_Ep8,7008
+torch/include/ATen/cuda/detail/IndexUtils.cuh,sha256=QsNiULyx5AnY9QiQwxLDxOHWAyKGCynWM22UOXa65e8,872
+torch/include/ATen/cuda/detail/IntegerDivider.cuh,sha256=qPJfE_dg2VjrM8lgNt7YVA7ltRg-X1qt92XJCSW-w_o,4019
+torch/include/ATen/cuda/detail/KernelUtils.h,sha256=6B57xlTkXWn5KX9uMJzDpU6w11OVyLNsufwj1pcRDl4,1523
+torch/include/ATen/cuda/detail/LazyNVRTC.h,sha256=mxEGFOoO7658DXR0jEe_TtUN0UShNHVM7xokcFufs3c,220
+torch/include/ATen/cuda/detail/OffsetCalculator.cuh,sha256=95SweK3n8bOBlLqLEaJNKQpuZbOrbW6F_PUUD1VzHm8,4431
+torch/include/ATen/cuda/detail/PhiloxCudaStateRaw.cuh,sha256=C5cTz2SWfNtFPyRjRaOtI85GHe6XuoOIXEDr5GStRjA,1358
+torch/include/ATen/cuda/detail/TensorInfo.cuh,sha256=Oq02D7A8aFXr0A1f5IG8vUa5arVyGiLJwI1B2sFhpIk,3239
+torch/include/ATen/cuda/detail/UnpackRaw.cuh,sha256=pMSjIYoTq_pLkG-Tvwlzd2nagrp3gSJlCpI_yXPYnhM,1462
+torch/include/ATen/cuda/jiterator.h,sha256=yfP0SBXGIcp0aZq4N5TqNF8XDSmIqgENZeGac4xd9ik,960
+torch/include/ATen/cuda/jiterator_impl.h,sha256=YFtIS1JFU5M1a3OiFYuWWjZPG2BzZPAAJwr-TWNnhFo,7112
+torch/include/ATen/cuda/llvm_jit_strings.h,sha256=xBnyc1FWrmVgnFrIS-tvwHdINw5reXg7j1W6wAHsa7c,428
+torch/include/ATen/cuda/tunable/GemmCommon.h,sha256=yvWbG147MOXOY1PEI-TSTBT2DDYoEhesdDWTokSCqNI,8957
+torch/include/ATen/cuda/tunable/GemmHipblaslt.h,sha256=v2CQps29r5XfKdGb31yBmm0ER31YAXnrClMOHlpf5mI,16302
+torch/include/ATen/cuda/tunable/GemmRocblas.h,sha256=XIH_6tbY6dZoWk8Dk-f__wVt1ANPdgPaTsVrWIOmm9E,10198
+torch/include/ATen/cuda/tunable/StreamTimer.h,sha256=KPKVTHwA0Kfd7zdzpBmu_L-TLGK_QccBSXy6kXSvkIA,776
+torch/include/ATen/cuda/tunable/Tunable.h,sha256=KqoC7tpY0qVY8kw2nZQyVvgUtQ81iY5x1T7i7qp7tno,7477
+torch/include/ATen/cuda/tunable/TunableGemm.h,sha256=GuT8dGNFJqvL9aAPgJsZpyFvZdS-L8eTOfOBZCwDSmI,10309
+torch/include/ATen/cuda/tunable/TunableOp.h,sha256=denqPuswzRm6uALr9iIclGHimSaDgGG6gfCYvlCHGEo,10456
+torch/include/ATen/cudnn/Descriptors.h,sha256=tHa-Ba-paTTVUU39hy1sIYGyvWTJT8L98hmfIU47aHg,14381
+torch/include/ATen/cudnn/Exceptions.h,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/include/ATen/cudnn/Handle.h,sha256=TuMzX-lyr4_V_qekHi39lJeLx-Gm0V4XDET-Qxo1z7k,205
+torch/include/ATen/cudnn/Handles.h,sha256=y6xfj3ZCKYNVzohfiFqsqeNSeXCpHSVqtB7a5WLhF3g,44
+torch/include/ATen/cudnn/Types.h,sha256=vyaGyS9Fbez77D-02fpsAcsj7P82KXOJmJBQoaETECU,322
+torch/include/ATen/cudnn/Utils.h,sha256=OAADb_jWUmykKpMTWDgCOz5LotXGjbuzIgO_9mVF4qw,577
+torch/include/ATen/cudnn/cudnn-wrapper.h,sha256=jN_nEntbXSmalFO91iIdjHawvefbEahucG8oHZGy6-8,493
+torch/include/ATen/detail/AcceleratorHooksInterface.h,sha256=62_FZGE8JAGix5eYRIBUhmVNDLgZIN4I25BX4z5BikA,1347
+torch/include/ATen/detail/CUDAHooksInterface.h,sha256=PR8ZN6PCvpsmLTk-qQrVT9R2Nqyqbi7kejoOMfRSocE,7249
+torch/include/ATen/detail/FunctionTraits.h,sha256=hXxkxMEEYleExSPSUbTNXcan2bjV888M3A88DCo0PAY,3075
+torch/include/ATen/detail/HIPHooksInterface.h,sha256=B_nFiCwRfxSNGrHQDdQ5pq0ANZclapjuvUI2OvQXxmY,1883
+torch/include/ATen/detail/IPUHooksInterface.h,sha256=7qE902FJwvpkgiX8WQO-RpZTzOjOf-o-wdANa_95oSI,942
+torch/include/ATen/detail/MAIAHooksInterface.h,sha256=lCNtkT2AKuXuq_GKk3Pkl_4KabMVtmnpJiiqlZwO6Bk,909
+torch/include/ATen/detail/MPSHooksInterface.h,sha256=P-rMGziLGFCX6iCvMl3ym775S1jptT2gCxRfLQUjSHg,3095
+torch/include/ATen/detail/MTIAHooksInterface.h,sha256=Y5VuM0FCJUWiGddU4O9VkVuGMPSHQqJeTE5aDI8Z0vs,2711
+torch/include/ATen/detail/PrivateUse1HooksInterface.h,sha256=5KNaSeoDtmr5ZI83CYZ8VP63zkfew8BFYFlr-MkzKhM,1968
+torch/include/ATen/detail/XPUHooksInterface.h,sha256=z7MsPY-TjjwAlpn8LNR2yefGuuV1f8_QVlXE2uwfY1A,2638
+torch/include/ATen/div_rtn.h,sha256=sPoWObIG7LtKrAxw_5aTCP-bqVotCNujmu_P0kzgN-g,211
+torch/include/ATen/dlpack.h,sha256=Ez2J0vriZJ6zhxAB8gyW1LYpbHaQ9Z65KkQgIbu9RzU,6854
+torch/include/ATen/functorch/ADInterpreters.h,sha256=-29jJLOGOyQb3oEA9TC5VEJig-INBgJiYAoh1GpUWX0,1560
+torch/include/ATen/functorch/BatchRulesHelper.h,sha256=_XeS0nbx1dnle7MYaPDLE4LAxI4Tm_uxFhVKe-mlbCo,18347
+torch/include/ATen/functorch/BatchedFallback.h,sha256=bVftski7cdzVm1XocpesCC01mKpuw10BK7f_MDUlV3U,3439
+torch/include/ATen/functorch/BatchedTensorImpl.h,sha256=vNojQh677EbClhZ7HrSk-uLtNxFalT4F3IoR2UAyN2w,6380
+torch/include/ATen/functorch/BatchingMetaprogramming.h,sha256=enOI3mOiGHkDt0lyD4-psit0pfUdi0DN0VdoSwBM3K4,4940
+torch/include/ATen/functorch/DynamicLayer.h,sha256=WUQcUCYlEnJKC1w51nsA838EQjjeSVBHjvb2SnrlEP8,5472
+torch/include/ATen/functorch/FunctionalizeInterpreter.h,sha256=1wgCr1aYCHCafvUISKOkRq4UKq32Xb2Bu5vAVhejnOs,907
+torch/include/ATen/functorch/Interpreter.h,sha256=PAA8sdDztw8P4UVuow5WxX3WhZI2KXgjGzzoMlc8MlY,7893
+torch/include/ATen/functorch/LegacyVmapTransforms.h,sha256=jq0i0UfU-lzmvclKqLfsTlxi3lkeF84dQ5l1VepHUEk,8252
+torch/include/ATen/functorch/Macros.h,sha256=KVN3mhngmrlRkvlHdP-X28YRu4zrvfxVBW_j9PFoR-w,50
+torch/include/ATen/functorch/PlumbingHelper.h,sha256=lTju3rlE9wu17Qi82Mv55Kmq2oKUGjP0p2W9dhF6hI8,2838
+torch/include/ATen/functorch/TensorWrapper.h,sha256=oHUF3f9ZTersfTNQoYzshKiaUZq8aCnMxr9M74mO754,4021
+torch/include/ATen/functorch/VmapInterpreter.h,sha256=n_Qh7KijuFE9YImBryejjToM735303IN1K9LbwchexA,957
+torch/include/ATen/hip/impl/HIPAllocatorMasqueradingAsCUDA.h,sha256=47pJM09o3ljXjP-_iBQsXkMe1FMcdDU7dT18E1L9Pw8,997
+torch/include/ATen/hip/impl/HIPCachingAllocatorMasqueradingAsCUDA.h,sha256=lwoGk5s7GA1FSagtjE0T1C0xEnhNbWWia9TOu3sbkg0,517
+torch/include/ATen/hip/impl/HIPGuardImplMasqueradingAsCUDA.h,sha256=FvAU4Me4Qe3SwCLBqJkxDacWqrxk6ggHNIRzQdHSoM4,14815
+torch/include/ATen/hip/impl/HIPStreamMasqueradingAsCUDA.h,sha256=Xev7D_h7zcX4gIS8tdAUSguenUBHVaak5MFMbE6Bj_I,4514
+torch/include/ATen/jit_macros.h,sha256=P9m1lVGf1syAvF20g-tKHFIc8eGCp8gO2rV5Fem9gfc,230
+torch/include/ATen/jiterator_macros.h,sha256=X8fFoFw_LAws7_Hw5k1APlSvvu03ahBZhGYQ_Qpfvi8,1506
+torch/include/ATen/miopen/Descriptors.h,sha256=fzctcbp90QDQfAYScC4ExDxavJJq5YQdPAH25i-_BOE,4761
+torch/include/ATen/miopen/Exceptions.h,sha256=iphmGt4foYp-oHbK3ZLW3vblofLb83gNnHY506HS5o8,1076
+torch/include/ATen/miopen/Handle.h,sha256=X4mpxUvHXTiqmtmKlD-cPHYMHb5u-XF0U2tPJr5k_0c,141
+torch/include/ATen/miopen/Types.h,sha256=P1iunZ2QG0vFpb1QON-4Dn199S_I5rppfdoJmnjNAiQ,233
+torch/include/ATen/miopen/Utils.h,sha256=-NuO-vc2fpcO3dLawvuoRnXRibX8W0qzYxW-31BCQGo,401
+torch/include/ATen/miopen/miopen-wrapper.h,sha256=F3RQZuVLB6BxC5084QGXs1o3vrehQdZpnzQ4TE5fLLc,41
+torch/include/ATen/mps/EmptyTensor.h,sha256=TPxQrwpwwGBHACMgiVKrtE6Q_oxMOFR-CclSREAelWQ,760
+torch/include/ATen/mps/IndexKernels.h,sha256=EABNuk3-tTqLXWC5srqs92aN9EE9IonJNDgFA6_hQQU,29132
+torch/include/ATen/mps/MPSAllocator.h,sha256=jARA23d6PVUPPOzCYtnxXvf0A6dE1ivB6L8X2bl-vNI,18484
+torch/include/ATen/mps/MPSAllocatorInterface.h,sha256=vG4G1oX5WOFSn5yN24z6rM6EP4o71krvCBHFT5ZMc-A,2606
+torch/include/ATen/mps/MPSDevice.h,sha256=cVOgvl9rUUBUH7H0R-32OU-pxNZ7nnLpnpJVYZ6hhHE,2101
+torch/include/ATen/mps/MPSEvent.h,sha256=T2uUFjesoudny-Hnns8A7WJBqMQZwURJdldbyku-aws,3547
+torch/include/ATen/mps/MPSGeneratorImpl.h,sha256=MoH1bFMjhmr4lEHfZ8TlHu7lQfnfPX27F8VS-s-FLa4,1554
+torch/include/ATen/mps/MPSGuardImpl.h,sha256=p2e6HAKsCryHF9o8M7a_-NJBwMFlLG7QY4LxvOxr_fY,4963
+torch/include/ATen/mps/MPSHooks.h,sha256=lw0QjXth3vuiLStYWsRWpS3Rg5mmMwL3MIZLmsnjClo,1903
+torch/include/ATen/mps/MPSProfiler.h,sha256=wy7wAY9SDr7DR__qpbmt0AM2TAk-GkVh63D3O9Ixqwg,17003
+torch/include/ATen/mps/MPSStream.h,sha256=4mrco9iXBmZEfrsD0qfYb5UsbMtyMXkGRN9pu72Vjsc,4273
+torch/include/ATen/native/Activation.h,sha256=jrY1U9O_XM8qRedGQmon5nXXZK1-7761XvtvqqN69qU,4270
+torch/include/ATen/native/AdaptivePooling.h,sha256=XOUmQ1rgKS26V64Tjz4GQsLgEzumWbXeIT6GBacszhg,2436
+torch/include/ATen/native/AmpKernels.h,sha256=5-R_s1Rh1YgWB87s_wCyU2XRH6vpaMHCr1SeH6RaSqk,619
+torch/include/ATen/native/BatchLinearAlgebra.h,sha256=rVosasmbUxBIjnxBcc-ODrtfFlKWcxSmCRvw7CbbZ2Q,9933
+torch/include/ATen/native/BinaryOps.h,sha256=SM3XVUlHxwsSoyjF_NdSGX9jDVSm-kIEpjBgv8ICdUQ,5993
+torch/include/ATen/native/BucketizationUtils.h,sha256=4tqNZKROjLx22dpvRl1Rrv4XQSV1lc5Gz0OTuR-Vjxc,7789
+torch/include/ATen/native/CPUBlas.h,sha256=b4eaz8SCBcppJoS55axTw-5dJbrSSC_hrECMySI8NZc,5909
+torch/include/ATen/native/CPUFallback.h,sha256=D4r0mmVwRoFTzMjiA2tAY8NVH12W-X58yykQ14T_loE,2326
+torch/include/ATen/native/CanUse32BitIndexMath.h,sha256=gHAOodx1KsektVgmllOKAX4n1QvGJfKyzx8qSGE8GDk,242
+torch/include/ATen/native/ComplexHelper.h,sha256=7sEGqDlt7a0a3xLegzx7xwrHinryo4bilWY_2SEQnqE,4038
+torch/include/ATen/native/CompositeRandomAccessor.h,sha256=BMz1QA7muxCi1EoKhTSfzjI_Zsr-EM6HvVfIRrKamBI,876
+torch/include/ATen/native/CompositeRandomAccessorCommon.h,sha256=R46csHYWaGheNhcj3irxcvZv2RfTYMwVaeTT-hQp_08,6733
+torch/include/ATen/native/ConvUtils.h,sha256=3i2eg1jbmvEhdXmedBpR8rNdkQHYBT9Zp_o76-QxOYs,19553
+torch/include/ATen/native/ConvolutionMM3d.h,sha256=LPOz-FenTJ6sch4u2UYsmEfXHDC-qDvpLFNCV_wXDsg,340
+torch/include/ATen/native/Copy.h,sha256=GYvJ0m1DoSgVv4I8AIwIZJNsby9x1CZrwA9qiww-98w,373
+torch/include/ATen/native/Cross.h,sha256=YuhuqDz9bvGFqUJp2K3fh4LEd63plfrK1HkKCpnEHi8,260
+torch/include/ATen/native/DilatedConvolutionUtils.h,sha256=s0SPWkwNQEaPiBwa1OkN1bNtvhfdRkvAJ18Z-nqlN5E,6402
+torch/include/ATen/native/DispatchStub.h,sha256=jVIA_zFBBl58fsw49mUpfpd3vDfWNc61ntqHALeSABE,13008
+torch/include/ATen/native/Distance.h,sha256=u0wUeUc7yOr3eog8qwQcTkaOlXqt5mYy4eYsk2Ql6dU,724
+torch/include/ATen/native/DistributionTemplates.h,sha256=cWlsKPSWAOD0Lay8cTmKblQXJPudgnWBO3gxvUFDfhY,18518
+torch/include/ATen/native/Distributions.h,sha256=JXxBVsNd3O4MqSxmkGKidVhhyUddpK0V9pTgqicmukQ,21566
+torch/include/ATen/native/EmbeddingBag.h,sha256=iaBP1k5rhyApoIGdsCC9mna3g0HCj57CCqkUsDQdVPA,4920
+torch/include/ATen/native/Fill.h,sha256=gv7QIvTW4Q337qi4Lcm_qZX-V2P_Z3DoZieAtn-88CU,397
+torch/include/ATen/native/ForeachUtils.h,sha256=zab2aMXXxtu9nnoQDaQnSPW1Dc1AMz8GqSiBv4B4rbg,14179
+torch/include/ATen/native/FractionalMaxPooling.h,sha256=1K65dlvjOFPZPAp0NBky6O6hezOhm0tvEyoeK_JDT4I,2145
+torch/include/ATen/native/FunctionOfAMatrixUtils.h,sha256=VkGp6Qn2bQuZCm1Psgk7xEkDUggfSXS5hE4G2_37WCI,389
+torch/include/ATen/native/FusedAdagrad.h,sha256=x1l5rC4q5KszO1L9bhJxHH6s6KRjc9EQmR8Zoedye30,486
+torch/include/ATen/native/FusedAdam.h,sha256=U4jvfW0fIu2RS_cF3ACQd97FxCm2J2v85slH9ThiZTQ,674
+torch/include/ATen/native/FusedSGD.h,sha256=4pbr1yTH5sMm_AIC3LbMUr_MIhYudhUwxQeJT8lp6pA,507
+torch/include/ATen/native/GridSampler.h,sha256=s9y-a59QhVLK5UNuJ6Xuy1qeUuinKR-p3Z-BSO0WYmU,10407
+torch/include/ATen/native/GridSamplerUtils.h,sha256=jEXgXfOvhiP1dZotn-PDJ4MgKRzLYXJdlmTzFPAKEXM,3510
+torch/include/ATen/native/Histogram.h,sha256=Z26uGA0I7ZHm1Ztb0b3lQWq-xmazRkTEx0subO2hovY,748
+torch/include/ATen/native/IndexKernel.h,sha256=EAAZkWVJuppJTFYpLGm8ciN7RtfYgRyz4gYv_hJJXFg,1714
+torch/include/ATen/native/IndexingUtils.h,sha256=LoXJ6ibkFt2jhAWyXHivFy1gy7Sj2Ire0iT47u62j-Q,5570
+torch/include/ATen/native/Lerp.h,sha256=IeOOeCmpL4gJVHEErIhEK6vvXHvcbUgpOi5tGWOJ7xs,1463
+torch/include/ATen/native/LinearAlgebra.h,sha256=ps1zvs2J84CGUVLcTch0ZsIsugnDJBGHsHMx_6Fj2G4,331
+torch/include/ATen/native/LinearAlgebraUtils.h,sha256=nMsYb-eyPmX64sJIwA-GW7b_qTAAZ8eDJV9wlbIB320,26331
+torch/include/ATen/native/LossMulti.h,sha256=VV05y4KFJzIuQ28HC4m7QEIziGX1qZd_RzJhytmzjSg,2175
+torch/include/ATen/native/Math.h,sha256=P9BcdcU854GUPEB93Ti0gITtUOVD6Ullo6eikgkeH9Q,141344
+torch/include/ATen/native/MathBitFallThroughLists.h,sha256=Zqlt930nF4Gf0VDFlBv19LgxauGaOIP7u7Y16wWvKSk,4136
+torch/include/ATen/native/MathBitsFallback.h,sha256=SFytbA2JZtOFjHTIr5JcaHsZpTJlTClW911LVRtO68M,7308
+torch/include/ATen/native/MaxPooling.h,sha256=5g2dDELfydvffOVfDvzceXgD10QQXB4PcsgFLonhNtM,3269
+torch/include/ATen/native/NonEmptyUtils.h,sha256=GssuIa3_Nbo70prkoJCxp8O7_6XqsNkAossTxmjuXoc,599
+torch/include/ATen/native/NonSymbolicBC.h,sha256=s9HqRikzFzx6644kkM38WjPy9yoticIYNL_6cTiLaR8,2876
+torch/include/ATen/native/Normalization.h,sha256=ZyTT6pn60B47EoJqDT4YwxBomd1F9m2PhfxMKyPm4XQ,554
+torch/include/ATen/native/Padding.h,sha256=hddAXRR5lvpL-TvQ6VYCSoNCyCdDUChnS17CMz-XQVI,2019
+torch/include/ATen/native/PixelShuffle.h,sha256=eR377A8l82A9nyzqVdsKwkrWOq7DQVI_CPl2ZgS-JR0,1756
+torch/include/ATen/native/PointwiseOps.h,sha256=-ZCD27h22Imw-Fffq9l0Zyc4GhH5Oz5-0F_7mvsvLqc,786
+torch/include/ATen/native/Pool.h,sha256=8z89EafqcwDVl90k1hRoocQdHtapNVTUyfVWL4B8tas,13022
+torch/include/ATen/native/Pow.h,sha256=ce5mmmvhq910S6kveL1O6XpU6iFTIYWZ-mWlYDOPudM,1715
+torch/include/ATen/native/RNN.h,sha256=JX0WRObE8Z04hOZLtTikqZUYE5LagQH3rWkZvcLp_j8,2521
+torch/include/ATen/native/RangeFactories.h,sha256=Hipw9FPv9BiYw8yt2OXIRAQKbaGkiuGwQ2U2oB0bGOo,356
+torch/include/ATen/native/ReduceAllOps.h,sha256=d-elOBlAUrCrveYEYin3JqBGgcs6rZRWFuYp88nyqXg,399
+torch/include/ATen/native/ReduceOps.h,sha256=Kcdl8gM-PvyJE42I5oZMIOE_Hl0ksvB8MqEiuc2ByKo,1795
+torch/include/ATen/native/ReduceOpsUtils.h,sha256=67rbnr0x9ZXeWD5flUBwE7eKXNcBfld6HQgkGgizRPo,16399
+torch/include/ATen/native/ReductionType.h,sha256=4in61M1dx5diKR_S10jR1FLenWIv_V0YF8-4qNy6CBk,1139
+torch/include/ATen/native/Repeat.h,sha256=gsNJ4vIFGO6tC7jkARPoUkDnuxrdMP_e-n5wuQpmr-0,1473
+torch/include/ATen/native/Resize.h,sha256=vt3pQSSdLHOAMUfOlD3TMg9WjnXYT57CIg_FZgLecc8,6573
+torch/include/ATen/native/ResizeCommon.h,sha256=vyIXmldyz9WCGP8cwwdZ7To0xA3AdlgsYsKb2DZ9jgs,2491
+torch/include/ATen/native/ScatterGatherChecks.h,sha256=7TPZysnXD9wzDnNqSDpRgXXAjVHh6yL2f4aR2N-3d-Y,3698
+torch/include/ATen/native/SegmentReduce.h,sha256=7FhjSvvXehKAjvnZq2RmlfNU23sg4HmT6HfNwpIq4l4,1280
+torch/include/ATen/native/SharedReduceOps.h,sha256=J8jXEUdosM1vPTSPLZgQ6Ygo6ujsuXtC6Gb8minTLP0,15989
+torch/include/ATen/native/SobolEngineOpsUtils.h,sha256=cxzZBRujtqn8MqU8oHtxqVu9Z94tr9jLD3f8YQlIUNs,1835
+torch/include/ATen/native/Sorting.h,sha256=pOjncf_4DapbmsWeIlamKQJ7D0Z2xw-Ylea9Ke7zZag,618
+torch/include/ATen/native/SortingUtils.h,sha256=i3rlh9XmYm2DnlDmvbqvd3jym6slpXuYZszscT7GzhU,2672
+torch/include/ATen/native/SparseTensorUtils.h,sha256=srkJh_TAtVVnUPuj7vJt6wQKdSk3yv6E-gDlDy8gR4U,6500
+torch/include/ATen/native/SpectralOpsUtils.h,sha256=JyEHAbwPE6OyPE5-vKArHbqklOI71jzU7Fml74Cy7jQ,3274
+torch/include/ATen/native/StridedRandomAccessor.h,sha256=cPMgSAbNq5QR8zwKYPa9mKxRl_1xPQlAsUgi-T4xe6Q,6835
+torch/include/ATen/native/TensorAdvancedIndexing.h,sha256=bCUsglJIMBhiQsgVgZzCs_w4zHT8KCWTH1qEJ9NgInU,2782
+torch/include/ATen/native/TensorAdvancedIndexingUtils.h,sha256=1OEqX0iqqWojs_mNgTi6m7B4PZlAOUbToj8NdgmE7bs,3035
+torch/include/ATen/native/TensorCompare.h,sha256=iwfjJJ_vb9qah9iIKrvLlRd5kFfFTW2679XxSnMCEEA,1490
+torch/include/ATen/native/TensorConversions.h,sha256=oh0ucRxLfeKI4iORcSSnMq3IIFUb5Qzb1vxAl58GW5g,830
+torch/include/ATen/native/TensorDimApply.h,sha256=HZglRNLPFRCUcEjywt9Nq8iIlt3fwjO_fI24RCZUKaY,1739
+torch/include/ATen/native/TensorFactories.h,sha256=qRrdHBvwU0HL01gK9uhmLOn0_FhqjYo-FdNtaTp8OUg,4986
+torch/include/ATen/native/TensorIterator.h,sha256=Q7J_N0bs9xO5NSiLO74hLIE5NUIcmr2FmkSS_eLf1GI,46
+torch/include/ATen/native/TensorIteratorDynamicCasting.h,sha256=bHTH87on8BiLGVklbqKLiKjzJMJT-LhZi6rYs_hrdFk,1801
+torch/include/ATen/native/TensorProperties.h,sha256=S2KRCG52XtPNLE30U1z9NEr-lg7GJNCme19ynl5iGAQ,198
+torch/include/ATen/native/TensorShape.h,sha256=DvpIMYg0jWAWRG6lug38M8s9-uzNLK1c2MfUHcMxFLQ,4348
+torch/include/ATen/native/TensorTransformations.h,sha256=wbnqc9UnfnF-Chexr4e3Eayl94NDPDue3Ibt9P578sQ,896
+torch/include/ATen/native/TopKImpl.h,sha256=3d9fyYLn0l-bo4_h69ZkX7iFFIXyX9XpdYIq6QgoY1o,3459
+torch/include/ATen/native/TransposeType.h,sha256=Ge4VLRl4sgZVIlqyOXjY7WarTsulnfG26a1QTljGWlQ,578
+torch/include/ATen/native/TriangularOpsUtils.h,sha256=U_pmKG-BzKvr5lCzXu_V70vpAdfrklsNCxzIqS_c0ko,2002
+torch/include/ATen/native/TypeProperties.h,sha256=37P3hHIx2SpByQQfOse5RTyJlH31uJNmyz_rQHBXeNA,658
+torch/include/ATen/native/UnaryOps.h,sha256=QSFh5InDaOO2_jRePn5LZrQoJEicLrNhUhqOfn5IqUY,5612
+torch/include/ATen/native/Unfold2d.h,sha256=z9t0BIYg7j5Tq91LkBUfPOGzz7wBk9kfZEqHA5VZseM,981
+torch/include/ATen/native/Unfold3d.h,sha256=u-4T4k0XRQ09rOEOOHdKFGPnTMWb3zSvrx5sa9T6lQA,873
+torch/include/ATen/native/UnfoldBackward.h,sha256=xXtspg2l9zwpgbPXjt2supIFjHCwLtpLbkqwivNQ7_s,3087
+torch/include/ATen/native/UpSample.h,sha256=2Od4aqfbipC7hGgWNZ9GKEiRElcIejq7iOeXO4E8I-w,19272
+torch/include/ATen/native/batch_norm.h,sha256=17Kv8b62jdY4TkU2Glk9jouQ0C42R97HcrKnWVar1Yg,1428
+torch/include/ATen/native/cpu/AtomicAddFloat.h,sha256=90ttAHoUfZSaD8x2wACxPWiyrBPiJAuMAzuAb-aQa3s,857
+torch/include/ATen/native/cpu/CatKernel.h,sha256=172bTLxnfq2liPP30dzLpaXXNLMufmBoHHs_Pb2QwLY,320
+torch/include/ATen/native/cpu/ChannelShuffleKernel.h,sha256=Z6GXrX8gzOCWTFBXdm9gqLOg79g6JyztetdJFA6XyN4,299
+torch/include/ATen/native/cpu/CopyKernel.h,sha256=pGN9Mcbyd4KxGqrSobU4pmKDkKwm5ERAnk5wy_uyBao,271
+torch/include/ATen/native/cpu/DepthwiseConvKernel.h,sha256=9izS3h41SEB_vJQkJArIfuL6WpGshwdJh-emc5_rBRg,471
+torch/include/ATen/native/cpu/DistributionTemplates.h,sha256=F9d3PeteNf7lWzWrIB__PnkuyOKbvIzxiaG30-K9e8k,16535
+torch/include/ATen/native/cpu/GridSamplerKernel.h,sha256=SQXZx1_nX9fUmynO2yRsn1WLeOd8RFZjXBDP_mByfAs,838
+torch/include/ATen/native/cpu/IndexKernelUtils.h,sha256=mmDhNycBgReMOV0i8rS1CcY5nKhbzZ0Xym4mQtqd-Us,2977
+torch/include/ATen/native/cpu/Intrinsics.h,sha256=Wb3_syiw1pcSafKzSTvrsYFxA9H5BnNhkfTd9Tnc9Js,1212
+torch/include/ATen/native/cpu/IsContiguous.h,sha256=elPM3Sk6yG8G2-JYv7SW4vrhoDFNoUkudxqUHMUXR7U,2440
+torch/include/ATen/native/cpu/LogAddExp.h,sha256=2Wsd8ecLE48TcVvv8MPaKAiqyYyth9Gmu8pmDZHR2EU,2458
+torch/include/ATen/native/cpu/Loops.h,sha256=k4KgOISpcJPzh1sChd-v8WFR1VDCTBW1sFcTEd4pdX0,14881
+torch/include/ATen/native/cpu/MaxUnpoolKernel.h,sha256=PnZPzRGT_YoGU8rMBWFq1Ik8L0fBJG8HpcD2NYYOdug,308
+torch/include/ATen/native/cpu/PixelShuffleKernel.h,sha256=cqkxBNtdvc6R85AGaK63X8hjHmEBXSzxj9M2a-aqxao,334
+torch/include/ATen/native/cpu/Reduce.h,sha256=Szb6J3Uxuk5IjALtpXfuSzm4P1hnnbU9T7fc_EbqCEA,12143
+torch/include/ATen/native/cpu/ReduceUtils.h,sha256=9q5SSxDj00x3kSn5hbDj5BKmS6X5zx3Xe8hkxVvPs80,8810
+torch/include/ATen/native/cpu/SampledAddmmKernel.h,sha256=S3KToF2GglCGlBOVnsHK4oGTZGeFjjkGKrOL9lirFFw,335
+torch/include/ATen/native/cpu/SerialStackImpl.h,sha256=UauGC9yWeUNZ3I4b8aWaEU3pXiIcxo08ipLYiMrZoDo,5447
+torch/include/ATen/native/cpu/SoftmaxKernel.h,sha256=UBNcP3lmiaC7l3D28FIAHwZbPs9DuCMzRL0iN4O2qRc,943
+torch/include/ATen/native/cpu/SpmmReduceKernel.h,sha256=N5ZV1t3r70FsGPsGtmTSwhG4oqMhgEGfvph8YRBqhL0,1358
+torch/include/ATen/native/cpu/StackKernel.h,sha256=Au6Np8o6HmqWrm7hW-PhyZENmuejs7x6sndAASXPIK0,322
+torch/include/ATen/native/cpu/UpSampleKernelAVXAntialias.h,sha256=-JUd1pJNiIKEPcGr4tMD_7ydlzq6mc1ASNB2K99K3-M,58172
+torch/include/ATen/native/cpu/WeightNormKernel.h,sha256=zgTyBdHYh86Qf5hvdLi9tUCDmo24ezkqZ8nc2_BLWCs,565
+torch/include/ATen/native/cpu/avx_mathfun.h,sha256=myM3TvQ8ENSdsLchEId1advZBrVtLGdH75UcPDFS6Gg,17449
+torch/include/ATen/native/cpu/int_mm_kernel.h,sha256=2e3g286Qu4hvv-OvfjIpq02edCdvSyBVj1ZHBFHJgVo,583
+torch/include/ATen/native/cpu/mixed_data_type.h,sha256=Fhabzk0PTs-NJE9i-rqRwbH7v4rzuJdysfV0-C0H2JU,1421
+torch/include/ATen/native/cpu/moments_utils.h,sha256=qSbB8fZi7dZ245cgTlEMFTSqSwmTwmBsFw3ETopHaZw,6675
+torch/include/ATen/native/cpu/utils.h,sha256=ZGuduIOLSnq_zwvQE8HkYpbXSLcpso8negY9XIIbeJg,6514
+torch/include/ATen/native/cpu/zmath.h,sha256=tYGbdTu6xBN9hMbghS8bU6uxPUHnQkl0X5v1bxeyJsc,6634
+torch/include/ATen/native/cuda/Activation.h,sha256=P5cfZgC8E8x-E4IHrTGWJsp-bvSfd93iEV0zUbA3L5M,548
+torch/include/ATen/native/cuda/BinaryInternal.h,sha256=BpaOkeNO7HljHl1xUbYVikQxnX7jKRZhY7OqCadLTkw,1237
+torch/include/ATen/native/cuda/CUDAJitLoops.cuh,sha256=J8oFKg3vSWE25kIabNHiV6at35kBVG1WcWL9JK245kI,10804
+torch/include/ATen/native/cuda/CUDALoops.cuh,sha256=oWqQsH1be0HZI0I39c4DR6QS7D0k6WZC0RdWVfaWJEo,11341
+torch/include/ATen/native/cuda/CompositeRandomAccessor.h,sha256=XtnBCyL15XJYIjUN0B2DQLkeXDqFsn5BPd6U-jj1-TM,929
+torch/include/ATen/native/cuda/Copy.h,sha256=MkXCb-zta0imFs_rA-CzVWXa3rqh4cZ5q8jZriuIxgM,162
+torch/include/ATen/native/cuda/CuFFTPlanCache.h,sha256=w4di6bqSH31BZfCcn_JTTlUZFJwpYiaEnhi7w0KXRVQ,17961
+torch/include/ATen/native/cuda/CuFFTUtils.h,sha256=qP2OwOGhPnEbQIm09Rcx_J0Svhlvk-CjuEY2EOtskJA,1863
+torch/include/ATen/native/cuda/DeviceSqrt.cuh,sha256=AdZWqFvanSwRhnzlFK9vyhLDXoMpy9gwfW9dhRn0xN4,573
+torch/include/ATen/native/cuda/DistributionTemplates.h,sha256=022gWS3feD5AXWlKLYe3xII8Cd2EkLCiyyyr7RCPNqA,28222
+torch/include/ATen/native/cuda/Distributions.h,sha256=12qzUlaPXjPsS9aqFt8o2r2bfp4IPLnZb0sBFH9AedI,641
+torch/include/ATen/native/cuda/EmbeddingBackwardKernel.cuh,sha256=bk76DSvQvBTgsXU0RHb9D0cxKlIlfQwcpDV9x8-SuTs,543
+torch/include/ATen/native/cuda/ForeachFunctors.cuh,sha256=ffNOYb1OdrVOzlbYzM9cgOXC_qQxmS26m0-fmt1iYRA,22505
+torch/include/ATen/native/cuda/ForeachMinMaxFunctors.cuh,sha256=UxN958DDHsTZXfypAx-jsBPcj-M4DM8sXJYcC18oTns,426
+torch/include/ATen/native/cuda/GridSampler.cuh,sha256=aBmjxfTunJICk8H5Z3kJ8Z-PwY0xv03dQqiAeAz101Y,11106
+torch/include/ATen/native/cuda/GridSampler.h,sha256=P_B6yQiM4A279_cKWZz9DEFL397xWjNcz--8pzIT1T4,1157
+torch/include/ATen/native/cuda/IndexKernel.h,sha256=Nb58RQW5mPLguGZTgOGRtBDqXKDKCbLEcFMET6hM36k,350
+torch/include/ATen/native/cuda/JitLoops.cuh,sha256=YESWWJLTTBpyKLuVV_PZPXmZE9d5wbREcDNXHDDCIFA,6909
+torch/include/ATen/native/cuda/KernelUtils.cuh,sha256=DSfDCs_xdIxQTjqqHHHq2-RU-64aR8F_PDah2mVDuH8,4836
+torch/include/ATen/native/cuda/LaunchUtils.h,sha256=r0PwPRvBDaSUHEQm3CmFMKYM9LxatU3Zr3SYGoNf8bs,306
+torch/include/ATen/native/cuda/Loops.cuh,sha256=VsEHK_Mh4ovcokiikNIGKU8hxciZ5iqyIHJoWSemgAc,11605
+torch/include/ATen/native/cuda/Math.cuh,sha256=tMPqsrs6fu2f6OBAgOqCafr7tMCmJNa2QDEWobyeJso,122806
+torch/include/ATen/native/cuda/MemoryAccess.cuh,sha256=c4d-LKj4Fmg5fSNzD8DihGq8ypVZILFQj5AUCHzsI3I,13714
+torch/include/ATen/native/cuda/MiscUtils.h,sha256=Az-goaDi_bSPbHvbKtODEZcfKCdviw3XLalPqtLi24o,958
+torch/include/ATen/native/cuda/MultiTensorApply.cuh,sha256=dPtaHlZosTPQGCxTIKRq5OjzCqJPV1o6GCIQsi5aoFw,13880
+torch/include/ATen/native/cuda/Normalization.cuh,sha256=T-1MoIdyVLnMLMVNsq2KAgOXWKteUDjRewYqcWIzOlM,74249
+torch/include/ATen/native/cuda/PersistentSoftmax.cuh,sha256=EkNpM8roweQJavNCMTBwzoc-7609ahY3Z173gNH96h4,17932
+torch/include/ATen/native/cuda/Pow.cuh,sha256=nmuniiZfa1G0eEFSg8FLDSTgANz92vZJXMyOdlF_2go,2170
+torch/include/ATen/native/cuda/Randperm.cuh,sha256=trCMbiV-zX4jH0YcRGxifLW7kme8jO6bLxSQbI9QCpM,2119
+torch/include/ATen/native/cuda/Reduce.cuh,sha256=JTAolf1GDuWuzciXrzzjDFFGWCUZXy7vy1SMKAPvrww,48192
+torch/include/ATen/native/cuda/ReduceOps.h,sha256=qmtqmP3p0nTVFynzZ8EsBqvM1xlLOhLhzmJnmrjBuZQ,500
+torch/include/ATen/native/cuda/Resize.h,sha256=Ew-uV-oAOw033de8U7BjxduS08MD3k1DmXxnpkICQKs,1556
+torch/include/ATen/native/cuda/ScanKernels.h,sha256=YwFzB36CbHF6ELtQg5_QNq541L-YNT_BkabZwFcrnaI,779
+torch/include/ATen/native/cuda/ScanUtils.cuh,sha256=B_f6JMvrEUfXX5T7acaqzU2gXR0-VsU2_3_TB8rEnDI,20219
+torch/include/ATen/native/cuda/Sort.h,sha256=mpeobYqLP6-tToMrfwyr2y6ei_pIAHy0neX-CZ3ldMk,409
+torch/include/ATen/native/cuda/SortStable.h,sha256=yNg75vcvcJt78I8250zSXn_H7UW3uZBxPlKQSbB0HqU,464
+torch/include/ATen/native/cuda/SortUtils.cuh,sha256=7LFw65rsQnJASzlkQgTH9h8KIobBz9ASLiS4rdvb3WE,12408
+torch/include/ATen/native/cuda/Sorting.h,sha256=tyOJg167vdu5y2_oahkDmQMkxE2wWIAA_Sd1-mxeMmQ,408
+torch/include/ATen/native/cuda/SortingCommon.cuh,sha256=UOmaRN5tK7NHt_Hsf5wNqCzzVBTOCGDbAvejM8RftWY,5373
+torch/include/ATen/native/cuda/SortingRadixSelect.cuh,sha256=MMkusWH1l3qmMQeHSqcWXtXQ0-DKGBPCbYJtMyNdk_E,12339
+torch/include/ATen/native/cuda/TensorModeKernel.cuh,sha256=5lZXByGjt6-xQrS5Euu3ZxJh_hyAzPSLTlRIVwUu2Wo,14512
+torch/include/ATen/native/cuda/TensorModeKernel.h,sha256=Ts6qovjkJSHzmmJZMdC7i048cYRdGsXZXJMJSGIk1hk,431
+torch/include/ATen/native/cuda/TensorTopK.h,sha256=ES-i6xXC1ktxDsoILkqO7fdXFOhAO7TGCZz93pIAVNA,266
+torch/include/ATen/native/cuda/UniqueCub.cuh,sha256=9IrI9RFom8G3OWESkqn_eDOhd2nF97ZBICXxlU-0lU0,352
+torch/include/ATen/native/cuda/UpSample.cuh,sha256=x1YyD9-jZsIa6RDUi63eLc5QyIgFpPNVGjNAkBxwx2M,11774
+torch/include/ATen/native/cuda/block_reduce.cuh,sha256=xfPUZa9rUMlKReSIRPUMfSMxu_mu2837Wn5ArFGnPmo,4278
+torch/include/ATen/native/cuda/fused_adam_amsgrad_impl.cuh,sha256=-tasCPQgLI1CRSOaLNMcbaQjQgChexfe5wnUqtTHJRA,1054
+torch/include/ATen/native/cuda/fused_adam_impl.cuh,sha256=JhAzrDq6z-eBkJ8cfGKjsRiCCwWwPU9NByVbSIgzlWg,966
+torch/include/ATen/native/cuda/fused_adam_utils.cuh,sha256=s14oS0XrJi_hp7PLP5pHWv4n5OYV1IqL9J3sHkEj-R4,7022
+torch/include/ATen/native/cuda/fused_adamw_amsgrad_impl.cuh,sha256=wgV-mxmZwpJZUYIrzSyQig-Jder43IvYfBi_7CyI8UA,1056
+torch/include/ATen/native/cuda/fused_adamw_impl.cuh,sha256=5nuLEUlcs9lYtZefTMhU54AaWUCbeaeGoZbWBXxD1V0,968
+torch/include/ATen/native/cuda/im2col.cuh,sha256=Gl9vUMVH5hsLZY4OIY5bfv_eQOiR5p0Z0hq3esns564,9885
+torch/include/ATen/native/cuda/jit_utils.h,sha256=1O1--QUX0FAtGgRe4YUCx-9mpZF9n0V89zVtUF6TZv0,6095
+torch/include/ATen/native/cuda/reduction_template.cuh,sha256=C3PG4NrpuYT-ksixtachGHHj_ZBu-XLE_KtINCypuQs,21668
+torch/include/ATen/native/cuda/thread_constants.h,sha256=zIqWk31kGD_-TgB0Zokq_PKYmtbNILZzhPMueOBckz0,611
+torch/include/ATen/native/cuda/vol2col.cuh,sha256=MMu1bVDYdJ2-gNn9Bjgr0CyMJPZ3RvGFopLUrXi9_w4,8092
+torch/include/ATen/native/group_norm.h,sha256=rkPRett8cs5FdUXbVwVoc1qvN7l0KSrKn6MZlOayXHI,907
+torch/include/ATen/native/im2col.h,sha256=0Ho5Km0ZJvPbhKmsOPcE1PuYHaUaaNGrDlsNWaYhivE,5223
+torch/include/ATen/native/im2col_shape_check.h,sha256=swdSPYX4XPJVeJS2Q6JLNezzYtosJHlnSr2QzoNQcU4,6899
+torch/include/ATen/native/layer_norm.h,sha256=ldeqXN1Wbqx4vcskCngZ-1dpiZ8IcsaRy72EjqCo38E,2965
+torch/include/ATen/native/mps/Copy.h,sha256=oxrgJdnHb97in2lpyB4k637i15qk-B2L_pr3ph_W_tI,332
+torch/include/ATen/native/mps/MPSGraphSonomaOps.h,sha256=U_9Nk4r48N8J9fixvnRQhj1kdxSkICgtdAZDDSu-gi8,2504
+torch/include/ATen/native/mps/MPSGraphVenturaOps.h,sha256=zP3-OPUSy3MPUU_7Wf7BCtKUjc5U_9EeKvcEYPglKxw,12735
+torch/include/ATen/native/mps/OperationUtils.h,sha256=8PFYsAiyFigmHrYm7Ey37A5mQHt0uwoUs0PpglQIIh4,15938
+torch/include/ATen/native/mps/TensorFactory.h,sha256=-sjtEk0Ehlgo7IYeWOONV0AesCQOvLgwz48Qj55lufc,759
+torch/include/ATen/native/mps/UnaryConstants.h,sha256=T35FH2VQvaPOizi8p1NZpnrTPBaP2cSz4-bAoZ7OpJI,1265
+torch/include/ATen/native/nested/NestedTensorBinaryOps.h,sha256=iSzRYuqdqFhdvibsyMXW4LHx9fs_FQLkOiZYXzpWG5I,421
+torch/include/ATen/native/nested/NestedTensorFactories.h,sha256=UGH253Nc55QoDzh2Qsp-K5bcbCWYB3czmjMrB-tJf_4,89
+torch/include/ATen/native/nested/NestedTensorMath.h,sha256=JWffeLkCDipFEBtBD-w05uHFFAXC8PECWGdh7yEB9kg,2748
+torch/include/ATen/native/nested/NestedTensorTransformerFunctions.h,sha256=y4JCJ5BAKK4jhAyJ-um6BnyW4Lb1h-QXjoRIO-6Wxy4,2817
+torch/include/ATen/native/nested/NestedTensorTransformerUtils.h,sha256=JIAfosUsC-qwDoYIQOg0nnIBmfeTT67NB6Vtg_AHe_M,1429
+torch/include/ATen/native/nested/NestedTensorUtils.h,sha256=Ht73WYeu9YhXZd-Grjlmp9c0AN3J2tLBtMUdZK9Snuc,15255
+torch/include/ATen/native/quantized/AffineQuantizer.h,sha256=ajMS--h63K4JMSDYfTCMeKOV42Qob_wlYM1ttyPY49E,3654
+torch/include/ATen/native/quantized/AffineQuantizerBase.h,sha256=_QFFrK5F78aZY9XEpv8kCqd2DRNy7rbd7U1RDgGU0aE,1460
+torch/include/ATen/native/quantized/ConvUtils.h,sha256=TDqUwX4q3fcVmYD4XLcYEwzVA7QMgAYVJnb6_4QnV-s,2240
+torch/include/ATen/native/quantized/Copy.h,sha256=IPBQcU7gPA6UsoZ0LssBH6zNrIK-R08byy7KLnpQD3c,169
+torch/include/ATen/native/quantized/FakeQuantAffine.h,sha256=J3Zt2zhwoUWLY_FUjq1uxIEUpFtd_E-osh8GPLAtwQ0,1792
+torch/include/ATen/native/quantized/IndexKernel.h,sha256=xbgIIP4_ERQIdeMjFsiRVv2fEsJfaA9dUwbIgYjTOG4,567
+torch/include/ATen/native/quantized/PackedParams.h,sha256=tlgLUDIx-LXJEmA7CbejFLx1bWP3UZouZ9v9MZ_4ZCs,4739
+torch/include/ATen/native/quantized/cpu/BinaryOps.h,sha256=Sk9Ynu9H2sZSOPDMfe1skLDtsvtlEbofdbYP4Fd74Rw,173
+torch/include/ATen/native/quantized/cpu/EmbeddingPackedParams.h,sha256=1Eud4Yr6DEQ4ouMcW-PB3wF3ZLITAcnKut6kjC0oTdY,921
+torch/include/ATen/native/quantized/cpu/OnednnUtils.h,sha256=zzfD1NcGreUhNRmZn1RX7tIuVa5ZlztDTy2hd3VNID8,15362
+torch/include/ATen/native/quantized/cpu/QnnpackUtils.h,sha256=O-g1wavt-nT3kA9trtEFGG-nobP4dzKkKYz7EJHjXD4,17723
+torch/include/ATen/native/quantized/cpu/QuantUtils.h,sha256=CilOigJWOnTBhAAORiKeC0jecm8Fv3OTY1uIZkeqn2w,8361
+torch/include/ATen/native/quantized/cpu/QuantizedOps.h,sha256=XhnrF5gdFiL5_y2Zy-RZ8k-RNnDMbRqzIVktQkbsze4,7861
+torch/include/ATen/native/quantized/cpu/RuyUtils.h,sha256=83PvlzQs-kUbWBT__Wk_sEYH-7eFPeviJIcGwjaUC1Y,385
+torch/include/ATen/native/quantized/cpu/XnnpackUtils.h,sha256=AVtaDPbS4PHSlcj_UgCNtvy8DKwlIagB5Gqa4dnu2hI,14155
+torch/include/ATen/native/quantized/cpu/conv_serialization.h,sha256=MeFMnFfWHp_YBIgEl6lLV_hGGzUmpAYbffMSsKmelAg,12650
+torch/include/ATen/native/quantized/cpu/fbgemm_utils.h,sha256=MTjGEnonNqE6_2aa0L82voe7AqaJaEIogOHJ3Zbdmz0,11912
+torch/include/ATen/native/quantized/cpu/init_qnnpack.h,sha256=ZiH_VsIdp7AG6DNL49ia3_grOjjiQHM3iTKk7TKXuTw,146
+torch/include/ATen/native/quantized/cpu/qembeddingbag.h,sha256=Iaw2p7NiRxT6advkLnpjfMFw5fUn2Jgbqr_CqFt3Kpg,1020
+torch/include/ATen/native/quantized/cpu/qembeddingbag_prepack.h,sha256=zT7mp_4ONdKsddkhtN_qiln_fKrmtnLYbiSsqeHM6mQ,319
+torch/include/ATen/native/transformers/attention.h,sha256=d2gPv2WPTsdjSrI4nOKNO2H-wG0J03xrLw1OOB5b1Gw,2297
+torch/include/ATen/native/transformers/sdp_utils_cpp.h,sha256=P55b0eobtAGwMBqozrri0Hg0pMTgcy0jwQEsHuj6Ud0,15721
+torch/include/ATen/native/utils/Factory.h,sha256=FIzaChh3Vjlwq0sx7qIgCF_FS88V6otLsHwQCbg8yvA,553
+torch/include/ATen/native/utils/ParamUtils.h,sha256=BQrIXLsOh_dyduINcB9w6KWCsVxl9BalttfHl7PGIUo,1188
+torch/include/ATen/native/utils/ParamsHash.h,sha256=4d7c40z9WplS5EyNfBGU-QTnki9ta4M9QxufxTInsO0,3124
+torch/include/ATen/native/verbose_wrapper.h,sha256=3Xfi-C_0uzhaiTnuCN0KgTg3OAAUlIbK_-q9AglaUuY,193
+torch/include/ATen/native/vol2col.h,sha256=kl_QfjV0WOe1Z56JFeW3kaF8FhUatFMcrRItHBmNXF4,3569
+torch/include/ATen/ops/_adaptive_avg_pool2d.h,sha256=s6nxwiGo7vHoiEGzSWzvileqhNQrc3ElGl1UB11MEbQ,4159
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward.h,sha256=GVm4j0KX4IOa-J40cyH_NBNHbMDTfcjctwtr32jspUw,1440
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward_compositeexplicitautograd_dispatch.h,sha256=JeLI_X8mSdsmv7f3ukT7TkBg9Ot4oJLStchOWDwFRb8,977
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward_cpu_dispatch.h,sha256=Vvz5ASAMR98dEswKinTmRtFnS6jb9mEirjmGlx_2528,775
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward_cuda_dispatch.h,sha256=FjbZJMJ-hJc-fYJy7mrq-HOHArmXUpDAr1i1_PhL20g,777
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward_native.h,sha256=mfpoNY70HF2l7wwxT73jSMBA0jCHAQBVwKtRruAXfTE,791
+torch/include/ATen/ops/_adaptive_avg_pool2d_backward_ops.h,sha256=ad5quQ18gYRF58Fwur4_jddUamA3I_pbKRyasKyjq2U,1936
+torch/include/ATen/ops/_adaptive_avg_pool2d_compositeexplicitautograd_dispatch.h,sha256=eUhdfYXL5lFZYX_w3-c-4VKL1gHZ-yc-JHAZM9Xthzs,1218
+torch/include/ATen/ops/_adaptive_avg_pool2d_cpu_dispatch.h,sha256=9KAZBHTLzD3xgNFL1r8ZfVhMMjBZCv5ctC-IjkFTfeQ,871
+torch/include/ATen/ops/_adaptive_avg_pool2d_cuda_dispatch.h,sha256=_XzGCsZJJxQSDFt8obcbdzm0gyuk6VGQaecK_ot9YnI,873
+torch/include/ATen/ops/_adaptive_avg_pool2d_native.h,sha256=a7ud067uMIMzfHqo2OYeWigTSxjPXfVRPrTD7-8bJDI,987
+torch/include/ATen/ops/_adaptive_avg_pool2d_ops.h,sha256=RUKN6V-QyRlAW5oRgIgyUfisXtPDmQJArB6hkJ9QEyQ,1894
+torch/include/ATen/ops/_adaptive_avg_pool3d.h,sha256=5RyPmgXvRVJZOyvVg1LP7LX_ZbFSNizZ9H9AJeeIs-o,4159
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward.h,sha256=J4mvJA-GLekDl41jaEFJSn6WXX4gjaiscLtU8TU5O7o,1440
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward_compositeexplicitautograd_dispatch.h,sha256=IPSxlBRDTEOj8EpFcfVMmFsk8RrxyFVkrBVm__03nN0,977
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward_cpu_dispatch.h,sha256=Cd1XxUGabRmbgumz9a0W5PkkLpTxAf22SNE9OU_k5qQ,775
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward_cuda_dispatch.h,sha256=_oTYBZFPBPelRpzzJsqL-Z0TiztPCJ6YhdYyb1aT5BM,777
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward_native.h,sha256=VcRMn71GQiJWON1a_XZ6_ekaYBU1mYGLjg8Yvfl9oaQ,791
+torch/include/ATen/ops/_adaptive_avg_pool3d_backward_ops.h,sha256=fyHMa7Yckm4MeRbICScK_wXXGkTOAFfID26A4JHRr1I,1936
+torch/include/ATen/ops/_adaptive_avg_pool3d_compositeexplicitautograd_dispatch.h,sha256=JAWXab9CmSmvmBr1txqxwK1Fvvm5kR2Vc86geT8EX-4,1218
+torch/include/ATen/ops/_adaptive_avg_pool3d_cpu_dispatch.h,sha256=8ib8k2gXCFUBcJHjwLLarNCGlU9PcT_1B3_QO2VRTP4,871
+torch/include/ATen/ops/_adaptive_avg_pool3d_cuda_dispatch.h,sha256=rMC9fg0uRRKjIdsom01TIQdxDBw5r9wJR6rBKbFxZc8,873
+torch/include/ATen/ops/_adaptive_avg_pool3d_native.h,sha256=nTxlmMgiGUEoGw4_74zgibv92JzkwIAQfnTwE6kHF4c,876
+torch/include/ATen/ops/_adaptive_avg_pool3d_ops.h,sha256=7ZABsc4XOgH6fkjP6i847WqWWICwxlxE-Y3NA9-6xzE,1894
+torch/include/ATen/ops/_add_batch_dim.h,sha256=wDyKRCyKdvda9MVZBUp472LicvaT0xEhoXPUEy3ZXxg,735
+torch/include/ATen/ops/_add_batch_dim_compositeimplicitautograd_dispatch.h,sha256=XMCD0HQdcEVa1BVZ1-AQu9xbFTK2PEvtCl6qIHalbYk,806
+torch/include/ATen/ops/_add_batch_dim_native.h,sha256=CE7xIX3FBM8TtKlqO9utGIMrk0rBg-ixVyWZbUORFoA,529
+torch/include/ATen/ops/_add_batch_dim_ops.h,sha256=p_sdmLdmQaXYFTN0C3mlmdycAWbR_NDZGkt1d0YRAs4,1103
+torch/include/ATen/ops/_add_relu.h,sha256=Mn5Pq4gDTiCHzyGRw7m54sgBbXx7qymbg5WSJ8xIwis,2769
+torch/include/ATen/ops/_add_relu_compositeexplicitautograd_dispatch.h,sha256=vgIkXljW9LyU1ufXH1fSQOV8fTw6VeXeNA9Tfs_r7ow,979
+torch/include/ATen/ops/_add_relu_cpu_dispatch.h,sha256=W7fQahaeCmK8IjeYW7e3JcQSgfxAIor1d5wiaOO_wJM,1373
+torch/include/ATen/ops/_add_relu_meta_dispatch.h,sha256=nX5KL5CMnNFXOV7b2Cl5UHXWVX6cqIX5DatN3RjYhDg,884
+torch/include/ATen/ops/_add_relu_native.h,sha256=RJWKqdcEPTBZN6HWeEB5DxRjr8rQAUPuXpaiEQnhfCI,1139
+torch/include/ATen/ops/_add_relu_ops.h,sha256=EuxzjbMFeWSRGNgTHjzaLVdWcW_1kyqGbTYcwrqiqNA,5015
+torch/include/ATen/ops/_addmm_activation.h,sha256=ASPni3PPVj1JDycRJNnKS_yH6beZQIUpEzZFfNhpdFY,1835
+torch/include/ATen/ops/_addmm_activation_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sIopst68KEwCsexgyCnhaKQcVewRkBhvuAambw3VR0w,927
+torch/include/ATen/ops/_addmm_activation_cpu_dispatch.h,sha256=QzxYnkcvNJS_ASTa8XGoe8NNNp8LX8WuaVqsQmbJ5OA,1278
+torch/include/ATen/ops/_addmm_activation_cuda_dispatch.h,sha256=0fer6SRslwjTIbqsNymKPeu-C6vbSZeq3gAoU04eOhs,1280
+torch/include/ATen/ops/_addmm_activation_meta.h,sha256=ya5-Gmqb9NCHk6mkJ-GqQmubhGprgYk1Dfnd3VJqHpQ,713
+torch/include/ATen/ops/_addmm_activation_meta_dispatch.h,sha256=D8lzWemIpHzxHTZptByJ2uFoKVhL3m_pRRPA8XJCKRY,1280
+torch/include/ATen/ops/_addmm_activation_native.h,sha256=3MAceoZbwgp_gsOQPbnmUi4uKaXPdhIGjUyGQMkpZsE,1042
+torch/include/ATen/ops/_addmm_activation_ops.h,sha256=TcM_q885IjeVNdRsmnBaAJ20MFxp1dNYCJh6w5DErgg,2451
+torch/include/ATen/ops/_aminmax.h,sha256=rcYg1SsaIKkGPcrGibO60bJgX5PdCedBeMrixPagHbM,2238
+torch/include/ATen/ops/_aminmax_compositeexplicitautograd_dispatch.h,sha256=MteznG0qyXebTbb2FKJ_USrhV4HcPaOQEbmk2gA_JP0,1280
+torch/include/ATen/ops/_aminmax_cpu_dispatch.h,sha256=1vCSuD3wnn9AjWbSFZAn8s6TiC3_TfzSd3KWlMZZi8s,861
+torch/include/ATen/ops/_aminmax_cuda_dispatch.h,sha256=-_PjNMZ7ZQw1P1Oiohpll7EcvCoDOmv_lgHrgApoYS0,863
+torch/include/ATen/ops/_aminmax_native.h,sha256=GQLS-qsU3KZ9sOAZY96uFfwPVJYr_TRLP36aZIPq8-o,917
+torch/include/ATen/ops/_aminmax_ops.h,sha256=9tUzmvEMe7gTc1eCbO633P0XLYS2v1BUcqMZ1DWDtLY,3493
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale.h,sha256=OQRCpF1nYe4my40DDkOuFMX59U0qDmoScO2ryktAmMc,2111
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale_compositeexplicitautograd_dispatch.h,sha256=fBpAv_Tw20SWKnINqW-Uyiql5FWE9WN6StvSpfoHq7w,1210
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale_cpu_dispatch.h,sha256=jbIIFTrmYxFN86O4j3ZkF_u4QWo4D67RIuQ1icewDhc,800
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale_cuda_dispatch.h,sha256=dQAHphuahsSeTuUWzDFme3yWmGF0je5Iotgc0yuNoH4,802
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale_native.h,sha256=TAchdUFypW9SA6y7_UEVlo6-hvnpHAeIccZ6s7f82v0,1052
+torch/include/ATen/ops/_amp_foreach_non_finite_check_and_unscale_ops.h,sha256=SieQ8H5mvFZWJzTYf-RuXaNNkiHJmVsZCwSeaXTkmIg,3084
+torch/include/ATen/ops/_amp_update_scale.h,sha256=ZXl31_fF7dxeSMjk_TxPnZwu9fknDx4RehIQwWEAZAA,2752
+torch/include/ATen/ops/_amp_update_scale_compositeexplicitautograd_dispatch.h,sha256=lPi7X-wyRB-Xx3Wq0Xy9PkMM-IvaBzZ0YhZ0ToS1Gg4,1408
+torch/include/ATen/ops/_amp_update_scale_cpu_dispatch.h,sha256=-FfPHTbLp7tcTkegrNEFc_BPFLu_NUNb2JxuYR0yr8c,869
+torch/include/ATen/ops/_amp_update_scale_cuda_dispatch.h,sha256=ImG8gSNPCZJcoD117AkuE92U5pHrCqwPRQ-tusYsIak,871
+torch/include/ATen/ops/_amp_update_scale_meta_dispatch.h,sha256=pN2BeNTQkOi3g5pIF9LviKd7yyso4fAP9gSjwDh7otU,871
+torch/include/ATen/ops/_amp_update_scale_native.h,sha256=eh5KGP8GW7wpjRMaV8oy1bI8GIH7vy8i3jnkdFjVs2c,1315
+torch/include/ATen/ops/_amp_update_scale_ops.h,sha256=aTeBjk7s__sUbqAW7wY1ZkrSn0nUnofDZLTMbnFbgqo,3725
+torch/include/ATen/ops/_assert_async.h,sha256=_DtARLjocmYyX3N00SOgWKySt5YadqqRZFM_VOV1kKc,854
+torch/include/ATen/ops/_assert_async_cpu_dispatch.h,sha256=XuHdadMdTJdaSXspDUHs6UG4U0ZkgcZCfIPP3i9THE8,805
+torch/include/ATen/ops/_assert_async_cuda_dispatch.h,sha256=_ajTb4byimj7KyPeWTxtpt0B9AuY6AyTAPOQjXO7DX4,807
+torch/include/ATen/ops/_assert_async_native.h,sha256=GPa3zfe4CdLGDOz3z19_vqrimv11HHdMh5_ct2kWQBs,737
+torch/include/ATen/ops/_assert_async_ops.h,sha256=t4x4GiDz9B2m_sFuCGOH-CCsQPR6GBL2si8_a-VzLFg,1601
+torch/include/ATen/ops/_assert_scalar.h,sha256=fp2NKhTIRHwlIQEc9P-EwqagZXcWIsPIiEi_cOgj3t8,704
+torch/include/ATen/ops/_assert_scalar_compositeexplicitautograd_dispatch.h,sha256=IZAR5M7TpD3ygs4ronC-qJ_I6WjhmIdMZfuULM7TjHg,795
+torch/include/ATen/ops/_assert_scalar_native.h,sha256=Lnag7xL6dDBZDyGixATEqzV51j4C2LtCgi_yBnhlkxY,518
+torch/include/ATen/ops/_assert_scalar_ops.h,sha256=kmtmSmLOWiQfm-vy16L8y8JRociMDJoXTlRTylsbAsk,1061
+torch/include/ATen/ops/_assert_tensor_metadata.h,sha256=dkvxqQuQPjXPbud3MXgeuAgMY52fuBBTm_VZZP9fZuM,2454
+torch/include/ATen/ops/_assert_tensor_metadata_compositeimplicitautograd_dispatch.h,sha256=YDNk5C6La0l7bXQ-iF6pTRNEutYS-M-As6kds7XxeS8,1139
+torch/include/ATen/ops/_assert_tensor_metadata_native.h,sha256=mvqfK1hjbFxl4RkZfsuJUGGQZ8tNgWqP2i5BONhH0zY,641
+torch/include/ATen/ops/_assert_tensor_metadata_ops.h,sha256=sX1-cq4i4J_Ywbp3qc-_KOg0qVHCyks7iSIf1JdTVeY,1358
+torch/include/ATen/ops/_autocast_to_full_precision.h,sha256=mP4z8uge9gaBko3sE_VvYmVSHvTAxvD2LgvxFNr_VfE,512
+torch/include/ATen/ops/_autocast_to_full_precision_compositeimplicitautograd_dispatch.h,sha256=6Ut2E5QD-UjXFmLachijmjXp_G3jtm7CF0ULFwnzP48,822
+torch/include/ATen/ops/_autocast_to_full_precision_native.h,sha256=FAWQsJRTWa-XLhVwkfMYjrFjDlR8NFkFZPMrY4FNIuI,545
+torch/include/ATen/ops/_autocast_to_full_precision_ops.h,sha256=6lK6PUbvsPjNvQaMP6KP6PN363ltMYsRBR2MR59fgc8,1159
+torch/include/ATen/ops/_autocast_to_reduced_precision.h,sha256=i9BjJa3SqQvnqDKVZFV3FbtqgKZgD7dzqGtd99ftTtk,515
+torch/include/ATen/ops/_autocast_to_reduced_precision_compositeimplicitautograd_dispatch.h,sha256=1aZkN7eFNg3n7_nQMXGuvb0cGVxGSh40KJl4Ge5Aeeo,878
+torch/include/ATen/ops/_autocast_to_reduced_precision_native.h,sha256=fqK0ORMr0_pMjdYxm_3yzV5XvuIkPcmMXszVjPMPN4o,601
+torch/include/ATen/ops/_autocast_to_reduced_precision_ops.h,sha256=sRRM_36W4PU_nnrY8F4YOlswli-WaXn7PzUHQUnOCow,1351
+torch/include/ATen/ops/_backward.h,sha256=BA3Ln7HJsdhMg4AN0Fc2ba07wLvFC6l5leJovbSR8jY,494
+torch/include/ATen/ops/_backward_compositeimplicitautograd_dispatch.h,sha256=mFUsAI-2jik1qd-06sFGdsdRSsMFFnAkMypN1V-l09s,909
+torch/include/ATen/ops/_backward_native.h,sha256=Z097AFofPFqSGQzREK07JPmtFEuMGQRzkPVsMFNHaKw,632
+torch/include/ATen/ops/_backward_ops.h,sha256=QHqvuo8lvyN2yPIBSUX0o052ek6IrLoWX2FNRZMA-es,1374
+torch/include/ATen/ops/_batch_norm_impl_index.h,sha256=M9Uwma-xgAzj2MiGbBUT5HvSCSqxH5grYxLbLwKY8BA,1243
+torch/include/ATen/ops/_batch_norm_impl_index_backward.h,sha256=HxAqlCX5BL5p9M28ayHhmFMiD9kmORW5d8Kliy8hNds,1511
+torch/include/ATen/ops/_batch_norm_impl_index_backward_compositeimplicitautograd_dispatch.h,sha256=FPJHZ8kJbqhVen0pQFKbYaIvTSwHWIINyQr8PgtO06E,1216
+torch/include/ATen/ops/_batch_norm_impl_index_backward_native.h,sha256=jFb68wNCAXE332WpEK7IVEH9jXw4fiVRC1etJpDjOew,939
+torch/include/ATen/ops/_batch_norm_impl_index_backward_ops.h,sha256=zT3v5XVVvuDo7p1JKoNW3C985hWY1fv6RXauO6lft7I,2429
+torch/include/ATen/ops/_batch_norm_impl_index_compositeimplicitautograd_dispatch.h,sha256=vOy0z1Qpriog0LV_XTRZKVsFHGvz7EIsyHM3GlqIVB8,1085
+torch/include/ATen/ops/_batch_norm_impl_index_native.h,sha256=BDp1kstyjhYJU14ZsZ4iBRD9Rcz1Ux6iq_dpoqqMbno,808
+torch/include/ATen/ops/_batch_norm_impl_index_ops.h,sha256=FnzvcJP18X7EXYbfQt9Z5LEseSDvMBc0WTb0aX8zifs,2023
+torch/include/ATen/ops/_batch_norm_no_update.h,sha256=9A5r-an1oNBPihR0sVfbr7H2v9o7h9WnwziqKSvQrMM,2797
+torch/include/ATen/ops/_batch_norm_no_update_compositeexplicitautograd_dispatch.h,sha256=NzZBG7IgxAPrgWMtONLaL_PEyOO5n5ASDrY9Z_Zm14w,1880
+torch/include/ATen/ops/_batch_norm_no_update_native.h,sha256=bC0VBYMXck51LawisNe7iChnXyKuHRVG_gkPgGFbRdw,1183
+torch/include/ATen/ops/_batch_norm_no_update_ops.h,sha256=hKPlqvhXjquNP6jJcu9aogFlQJIk157q1T_o3ZIpMTo,3644
+torch/include/ATen/ops/_batch_norm_with_update.h,sha256=AtYuQGrgxPHo4lYrPAQCNWco0sncMfoPDHTI5mR6Bxk,3481
+torch/include/ATen/ops/_batch_norm_with_update_compositeexplicitautograd_dispatch.h,sha256=OZzUPrwq-fw1ik7byqeRecdtmvPeRxxWZrifW8Cz6wY,1042
+torch/include/ATen/ops/_batch_norm_with_update_cpu_dispatch.h,sha256=XJ9VUMfdqmvwtfqHbx5eoFDL14jP-_aYbYNC9Vjo_v0,1732
+torch/include/ATen/ops/_batch_norm_with_update_cuda_dispatch.h,sha256=2rAv4f9nLscayoiePZ2QZFR3ypi3dW76R4qWHgtda_k,1734
+torch/include/ATen/ops/_batch_norm_with_update_native.h,sha256=yAk2xMjYAPLcRPLCZDosWMTPVNBKG7PYOM8w8VDxwYo,2429
+torch/include/ATen/ops/_batch_norm_with_update_ops.h,sha256=Kz0SvSKxYT3XkxY1ooBRSm-cMXBw3W5iC1_sQQQDJSA,4924
+torch/include/ATen/ops/_cast_Byte.h,sha256=RHiXVHgdjrm4g31qxx0WUOlY51NmfZKnonGZsZrvDq8,705
+torch/include/ATen/ops/_cast_Byte_compositeimplicitautograd_dispatch.h,sha256=A8Bo7FtgsCwo9Lw_qpxlX_dskXN6CkAF7Dm1HrIyBLc,793
+torch/include/ATen/ops/_cast_Byte_native.h,sha256=voqN4qoUpKZz1BW-45WtnBvYTNA8fNTFfnVGNjYhoXM,516
+torch/include/ATen/ops/_cast_Byte_ops.h,sha256=a6JBqArF14AQBG0cldEufzAoWFS363hJNkSlA-_Ny4M,1048
+torch/include/ATen/ops/_cast_Char.h,sha256=DdYVljWjBXStij-tgj-ra9MSBCWdZ3hOwFAEqrJb98c,705
+torch/include/ATen/ops/_cast_Char_compositeimplicitautograd_dispatch.h,sha256=l8_rLTLnKmPUDcFblxL9AqD1wFMYjNYOHTZG0r1FFxI,793
+torch/include/ATen/ops/_cast_Char_native.h,sha256=W657V9UUsBFnx5jOx_U5RBzBxzeQhyBf_Qm8u9cUeNY,516
+torch/include/ATen/ops/_cast_Char_ops.h,sha256=U3lx_gTayPjDjn3u4wS-lFStkOB8N_Dasbkw4mGcELE,1048
+torch/include/ATen/ops/_cast_Double.h,sha256=_bWFU3tM-9t1rX1vnRJDSOegs9Rh5knn458dnPUa5EI,713
+torch/include/ATen/ops/_cast_Double_compositeimplicitautograd_dispatch.h,sha256=NgPrwVgyMIcenixxf_Tt5WPCyciEscJzaTv0qYHDeHw,795
+torch/include/ATen/ops/_cast_Double_native.h,sha256=7syTJSNMmibT-NNxjocfveIq6TEpXTJkBt9Z2HifeuQ,518
+torch/include/ATen/ops/_cast_Double_ops.h,sha256=eBLuq5JKaAl1DRIXU7_K4XBBydk_87j0kWo20jrLsEg,1054
+torch/include/ATen/ops/_cast_Float.h,sha256=XNmwaCb5NB4P2mNkDz7PPw6EkOkpFpx3PkzIxfTRbq4,709
+torch/include/ATen/ops/_cast_Float_compositeimplicitautograd_dispatch.h,sha256=sGLB4Am5BKLcmkexHc-9CpK16SvW7KGbiapIiGBbS5Y,794
+torch/include/ATen/ops/_cast_Float_native.h,sha256=9ketoM1FCbHlgk_MdeNMGHcNeuCQtF6YdMw_IqB36Lo,517
+torch/include/ATen/ops/_cast_Float_ops.h,sha256=7pfRgI8PiwYAgUDMaKQyi-1KbgC9uuIboa4Yets1Uyk,1051
+torch/include/ATen/ops/_cast_Half.h,sha256=VjclSrE6fyXXWE0HSmwPozzeidi3qfOX2UKRzkcCX9A,705
+torch/include/ATen/ops/_cast_Half_compositeimplicitautograd_dispatch.h,sha256=tRyePzWVLwvGxZe3nLl4byZ4CWYCsXBzTwdUWZAvcXQ,793
+torch/include/ATen/ops/_cast_Half_native.h,sha256=guRyuUJcVZhTpozZFUgz5_z0_ucMaZBWQ-uBAouzGPY,516
+torch/include/ATen/ops/_cast_Half_ops.h,sha256=e6ditpYVySgsLiasjel7fh7T9h20Rvk0QJPlIQM2Iy0,1048
+torch/include/ATen/ops/_cast_Int.h,sha256=O6UWPaFOfpht40o_KV3KrDbIu-lyfJdj3LdeQagqAt4,701
+torch/include/ATen/ops/_cast_Int_compositeimplicitautograd_dispatch.h,sha256=-59XKkROrFchPfiecd31MhM8OEk7m_HBHyk1sA9CKhI,792
+torch/include/ATen/ops/_cast_Int_native.h,sha256=gsIb3FjUfZ3iUwLn8m1F0N5I7AqlH5_1Z0jUjyFU0G8,515
+torch/include/ATen/ops/_cast_Int_ops.h,sha256=MNAtzTZvi_maVvnOh6fFMkng1P5e-H7etNc_KwmgJQ0,1045
+torch/include/ATen/ops/_cast_Long.h,sha256=ETtont1-B60IrCCdByTOMZjisLnNUsXZxSSPcVbpibY,705
+torch/include/ATen/ops/_cast_Long_compositeimplicitautograd_dispatch.h,sha256=xUpMfaOaTlrop_EaFPhi3EITulMbMEMDSqK0gHx8SGg,793
+torch/include/ATen/ops/_cast_Long_native.h,sha256=dSP293RtoHW-c6cH9VRozRr81zwqL24DBi9wY_opUuw,516
+torch/include/ATen/ops/_cast_Long_ops.h,sha256=mOBIfXNXs7xd9ynSPtHTkaZtniZl-e0yjauswijUu4M,1048
+torch/include/ATen/ops/_cast_Short.h,sha256=6ihrKHrHHf81q_nhEzG_q0C4salpGW1W9NyIdVAc7ik,709
+torch/include/ATen/ops/_cast_Short_compositeimplicitautograd_dispatch.h,sha256=iMXfYViZJ1TyUQOfeI_XKhiGzo7yj0y960N7kbk7nVU,794
+torch/include/ATen/ops/_cast_Short_native.h,sha256=V7x-M7Whrt6-cx85tuwWXcxm9TZ1LtKS3JSUCyrhy1I,517
+torch/include/ATen/ops/_cast_Short_ops.h,sha256=UK99kO0FYtcD3Ak0KedXr6qvHtJIF-0DbvgD24B5HDM,1051
+torch/include/ATen/ops/_cdist_backward.h,sha256=dyrNhb2ExWN7HO8-DGlboeiupezmNY1JpsN3k8nbY1g,1540
+torch/include/ATen/ops/_cdist_backward_compositeexplicitautograd_dispatch.h,sha256=9A90H9iXtxiHJ1M8nIqWZXlljoWGMCOZCNZrBG18SMA,1049
+torch/include/ATen/ops/_cdist_backward_cpu_dispatch.h,sha256=Ni3BgfKM5kOEZT8Plxe-QW3vZd7ktBbGOkkycjUdV38,811
+torch/include/ATen/ops/_cdist_backward_cuda_dispatch.h,sha256=Ux_rbWPpQCYWfSANwgWuJAsbc7c0iG16lOOiUKHGKZA,813
+torch/include/ATen/ops/_cdist_backward_native.h,sha256=k6FxqsGuLDKs1Oqt9iTmjEAZM3v_pj7MT4XpG_buLSY,747
+torch/include/ATen/ops/_cdist_backward_ops.h,sha256=MmbFpFgX4yGy6PSv8QmJfx9Jc3axE7_Yte8C1xMLMOk,2198
+torch/include/ATen/ops/_cdist_forward.h,sha256=rBjab2wcr0zUpOusb-yZ5SblM2_BvPCP5fKcLnKAyxY,1473
+torch/include/ATen/ops/_cdist_forward_compositeexplicitautograd_dispatch.h,sha256=Tkr_LCK5qyGLMDMcPIR_9tWAR9zMZLmmYTZH8KHYYDE,1023
+torch/include/ATen/ops/_cdist_forward_cpu_dispatch.h,sha256=U5-ALx7OD_vYMv1WcugQRb-FRYiNu9SPfkI1-Tstp7M,798
+torch/include/ATen/ops/_cdist_forward_cuda_dispatch.h,sha256=tcy9k45kuxsXuxQHiJzUEtXQEUpubDCz4a5Ej6Ee5Tk,800
+torch/include/ATen/ops/_cdist_forward_native.h,sha256=SxlBW1gWTpH1rzXkUhedRDlxp7bcvybQPaGCSh2a40k,721
+torch/include/ATen/ops/_cdist_forward_ops.h,sha256=Dx4CssxdJ_oVQyxPGFZJjUGFZNuYAKTi9s4hftq80ME,2100
+torch/include/ATen/ops/_cholesky_solve_helper.h,sha256=fQOA0LYSKE3YF-wi06I608baXVMar4Uoc4cItyKKDzo,1373
+torch/include/ATen/ops/_cholesky_solve_helper_compositeexplicitautograd_dispatch.h,sha256=R9dhWqSsEkt1nkOVqMzBvQnKT45ljx72pFJzHv1FnSM,967
+torch/include/ATen/ops/_cholesky_solve_helper_cpu_dispatch.h,sha256=43oV4ihJqQtfaq8sY6TAGC6FsRU4XeSqw365JopW-Zw,770
+torch/include/ATen/ops/_cholesky_solve_helper_cuda_dispatch.h,sha256=JXYLAPjiIVfr4JECqAlolanWHcig2qcg5ntyYwKptK8,772
+torch/include/ATen/ops/_cholesky_solve_helper_native.h,sha256=ElLKydUMyUzygJcKurOhP73pqd2_mXHRALQ6WyCNlNI,778
+torch/include/ATen/ops/_cholesky_solve_helper_ops.h,sha256=ezBXam7CZu44XaAOvgFJLbZEdEoQa8Hhkp_6hiO1tv4,1918
+torch/include/ATen/ops/_choose_qparams_per_tensor.h,sha256=7G-uCZjSpJOi3kBSgTwj-x6Hr3E6y_RKmhX1NXet2wE,793
+torch/include/ATen/ops/_choose_qparams_per_tensor_compositeimplicitautograd_dispatch.h,sha256=esZEMdKWR5RkSQE4sCaDUMhBYvMLOE-DoAKjXFPFahQ,827
+torch/include/ATen/ops/_choose_qparams_per_tensor_native.h,sha256=_ZCK0RupMvLpBiEm0g9PxZnZPG-JOpFZ44EsfoGpiSA,550
+torch/include/ATen/ops/_choose_qparams_per_tensor_ops.h,sha256=ZzywxGvh5kzvfsqi0e-Fi6d2apa7UbrXBjApqZSCbxk,1156
+torch/include/ATen/ops/_chunk_cat.h,sha256=VJySPI2X54Jdvds7tV7qv-1DZQ2oqSOXZ0Balh0AOfM,1301
+torch/include/ATen/ops/_chunk_cat_compositeexplicitautograd_dispatch.h,sha256=Sv84YLH9XbleBK10RBeYW9r5g7flE-WhM1RPuO7MQC0,1029
+torch/include/ATen/ops/_chunk_cat_cuda_dispatch.h,sha256=YKs-QGVkHxMQJUGFP2V_IGoYGfOJne-EwtqZk2Tgri8,987
+torch/include/ATen/ops/_chunk_cat_native.h,sha256=AjdBXWoP745mJONMMdTZzXm2gLZEgoOo6E3YhDsNV1c,851
+torch/include/ATen/ops/_chunk_cat_ops.h,sha256=0dWpxGAH62PQgFju6_WwXYpXC3V1V3sbTFTQ_YCzjMI,1830
+torch/include/ATen/ops/_coalesce.h,sha256=fV1SQK18gGRghO3X-9UEUDw_uOS2q1mMVCnoSqlftoc,1045
+torch/include/ATen/ops/_coalesce_compositeexplicitautograd_dispatch.h,sha256=MqZGPzLt05vsPP3G2qlM-v14odHE9p_hFBho2phUCZ4,873
+torch/include/ATen/ops/_coalesce_native.h,sha256=7HbVZhbqQDH05DYLoQpPF4VXzVZC7nqVFOKQJPe1Tao,651
+torch/include/ATen/ops/_coalesce_ops.h,sha256=cfdIl40u0LQtV8MON3XJ63QD3KepG4UAPiMbywxY99U,1608
+torch/include/ATen/ops/_coalesced.h,sha256=iwV6dmaejIXRGYJdHfluUseXXREMvnTWhkmq_0d0QSc,1184
+torch/include/ATen/ops/_coalesced_compositeexplicitautograd_dispatch.h,sha256=y-77fkAkkrFMG6exwRBa3_jveOoWvSuLqF-EVlNUV3g,981
+torch/include/ATen/ops/_coalesced_meta_dispatch.h,sha256=xw8dgdJtozkYpwN_n6Jj-izJmM643tDjj3PV519DGEg,739
+torch/include/ATen/ops/_coalesced_native.h,sha256=3Gi4bQkG8vXzlH1h_9cMS2E2YxOFaK5iwMxtfNOKA2A,683
+torch/include/ATen/ops/_coalesced_ops.h,sha256=wd0q4UG7XGNEeOP9OW-TqAvAZdGVzxJe9mQVoJVHKak,2320
+torch/include/ATen/ops/_compute_linear_combination.h,sha256=aR_V7q6wah4wkWwfuZf1zXSP6NVCMEfgRj64vQtlBC8,1438
+torch/include/ATen/ops/_compute_linear_combination_cpu_dispatch.h,sha256=zMOsx4HlaNySt8Q6S2IztS8H12Jv7GslE7Tj4bYhyfM,1042
+torch/include/ATen/ops/_compute_linear_combination_cuda_dispatch.h,sha256=kL8uPnJ8onlkXzyYf5MpQXZcpkhlfvIyxgtf535Q-8o,1044
+torch/include/ATen/ops/_compute_linear_combination_native.h,sha256=0ds8lR3ZO4OkN7Il4ZQNACsJO09_-CFSbpu9SqTdgd4,675
+torch/include/ATen/ops/_compute_linear_combination_ops.h,sha256=YhGUYRz6dmi1CmXDngg3I7ut3gXfhtpUVKssDXceph8,1936
+torch/include/ATen/ops/_conj.h,sha256=YPGMiopGjcWTemfjIsSvUvhUxnnC4L5IPLh3vdD4gH8,627
+torch/include/ATen/ops/_conj_compositeexplicitautograd_dispatch.h,sha256=jZikQR9eAS7_84oP6v4-NemdI_qXnbJ9UUk-j6frXvU,763
+torch/include/ATen/ops/_conj_copy.h,sha256=qJ956ZJ5QV3llb9q-pMUmjnjI2CuGTf-tKy7Aui9wVQ,1055
+torch/include/ATen/ops/_conj_copy_compositeexplicitautograd_dispatch.h,sha256=ITqhMVVxq5_OuH8sPJRg_OSydjhNu8a25UfNSIGcPdQ,875
+torch/include/ATen/ops/_conj_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5uOogQG4enxDme07Ey3zH9HFZIHf-Y-1FUGgMDwftZE,794
+torch/include/ATen/ops/_conj_copy_native.h,sha256=EwnZwsTi3HC9fi2lakAaUk_RR4vKFK3tM_Q4CX3EbdM,573
+torch/include/ATen/ops/_conj_copy_ops.h,sha256=NLM0MdkSgQmDnH2Uud11ju9G8GSs30TZBv32eUDIEbA,1614
+torch/include/ATen/ops/_conj_native.h,sha256=B7CX_tD2EYWplkVxlVvIVAkBKFJpEosPANA09X1KRG8,486
+torch/include/ATen/ops/_conj_ops.h,sha256=K6O11K8u8lBbN2hmuW2kTHEhwe2vU5KayHBiBAZIaIc,970
+torch/include/ATen/ops/_conj_physical.h,sha256=vRKiozJWhg0rbME3iF--eJ8bxwSSwsQdJ_BA2jBzK50,1095
+torch/include/ATen/ops/_conj_physical_compositeexplicitautograd_dispatch.h,sha256=36yGLH4a7Kbv2Z2kIKESRc6qNFut53VxqPMBlJ7o75g,945
+torch/include/ATen/ops/_conj_physical_native.h,sha256=wrBhDuoZ1cwY0wRDdo6eionI3SDaiaaJOY80XCrPUp0,653
+torch/include/ATen/ops/_conj_physical_ops.h,sha256=aMesGzfsS8w0ohDy2bbVBgqPxlOm-Cy2F5FTuB6g93Y,1638
+torch/include/ATen/ops/_conv_depthwise2d.h,sha256=84WYEwA23zkHU57mL6-xhjwBNZFZh-eWOgBbO4xeRhs,7438
+torch/include/ATen/ops/_conv_depthwise2d_cuda_dispatch.h,sha256=qkee6zj-zfgRj_szulV-EJ72CbdTMsu-zjQ9o_VBZfo,2311
+torch/include/ATen/ops/_conv_depthwise2d_native.h,sha256=pDWljRStnTlbZlg-3wybOE0wUINM1ujxZXgiHRJSoMo,953
+torch/include/ATen/ops/_conv_depthwise2d_ops.h,sha256=r_gbfZK6ZSD1Eu0jbJGtc5ZNgwVE1nM9U19dePuMilk,2948
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr.h,sha256=1kVrChziYOnz8a2brFaYE0Tax-gmKKB4Q0p1_pqvwSQ,1527
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_compositeexplicitautogradnonfunctional_dispatch.h,sha256=md898hSb-4WDOxW9KufkwciemixPF_10Ve2vBN_lNDg,852
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_cpu_dispatch.h,sha256=hKgFj4X_n6sg3csuJ7jny8QZXY8jGPRi9hpKVLgj5iM,1057
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_cuda_dispatch.h,sha256=Iao57wZRMkkoGouJIRAUiUytDQPBAml9Y5VdSuIDKI8,1059
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_meta.h,sha256=GZHW4ho9HRpVedxtYgPEc-YKworYOTfpt91b4lrAUqw,642
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_meta_dispatch.h,sha256=_1Q8s0nRcH5NL4dJG_8S8P1FP75gC-4dROpiWWjG-ng,1059
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_native.h,sha256=H1uB-Nm-yIwrpzjGoIu6SrxtxMb7tww8fDAwgOshTME,961
+torch/include/ATen/ops/_convert_indices_from_coo_to_csr_ops.h,sha256=0P-3Oly002KEQJigRq44J4fA5kgrfKEFuolrMxFzBxM,1963
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo.h,sha256=YiLHa9b9Lclqzi40zmrgu38bknO7ok79cJ3hICmi-tU,1863
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_compositeexplicitautogradnonfunctional_dispatch.h,sha256=TNtGIa4b90GgtIVS5jNxC8qoBHEjjMF5SdzIMrRLyCc,900
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_cpu_dispatch.h,sha256=yq_-BrDXjpDFMuVIuGZqybAfopDI1gzebezD4i-nKts,1195
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_cuda_dispatch.h,sha256=d_AHh3CDUBX4Z6xI-rvGIH31nV1MHRLY8qXCIAEIP1I,1197
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_meta.h,sha256=hrmIbRrvZPTgmd_KG2QCTnvXN5pB5I9X0ZZmwr2OoOU,684
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_meta_dispatch.h,sha256=DakGc8cs4QhgEXH-DlHrUcnYoLtDKc2e5cQxO0oEKOA,1197
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_native.h,sha256=QZ9oAazkM5_5kzenv5-OiHfAl1VHRSCbbD9LZ_gDIBY,1045
+torch/include/ATen/ops/_convert_indices_from_csr_to_coo_ops.h,sha256=K8c2_sezzWkMEy8VnLzqERAa0wajc9YyNyxDnB7Rc1w,2245
+torch/include/ATen/ops/_convert_weight_to_int4pack.h,sha256=jyoSCzvdLDz3cRDji2mJU9hqmuOPZGLTbYTaBfd0b5Y,760
+torch/include/ATen/ops/_convert_weight_to_int4pack_cpu_dispatch.h,sha256=-NuCazKc7jk0GSdxyys87-YVXwRImNx8wNUjhnGuapU,762
+torch/include/ATen/ops/_convert_weight_to_int4pack_cuda_dispatch.h,sha256=GxONpxSGHOf9Rsl9ctw8s-HfbPjCue6den_bnKPRU2s,764
+torch/include/ATen/ops/_convert_weight_to_int4pack_native.h,sha256=8Xqg2ycCcvHKeNhxTMxMKHvV_wKXR2iAyiBQouPKwOs,634
+torch/include/ATen/ops/_convert_weight_to_int4pack_ops.h,sha256=zSZJQcAprZBun480B0k5PttmqrvGSRedWGyAsQ0b8mQ,1098
+torch/include/ATen/ops/_convolution.h,sha256=nOY_NALUCOvI_LgmmeNjBUJjngRXXDz_ljT33eMXJrA,13006
+torch/include/ATen/ops/_convolution_compositeexplicitautograd_dispatch.h,sha256=sFFB29kUy2g3e5CG05IqP-7HDbA2yES0WNVHWlP4HJM,2947
+torch/include/ATen/ops/_convolution_compositeimplicitautograd_dispatch.h,sha256=qAe5gFqygNqNwOWu4uYEsdoJzFS02z40sID7lXLbq7k,1385
+torch/include/ATen/ops/_convolution_double_backward.h,sha256=JKgZG5QGhe4YXCY645mtExJaHA3y0sgbzCsaVzFO7I8,4033
+torch/include/ATen/ops/_convolution_double_backward_compositeimplicitautograd_dispatch.h,sha256=uoj9rrfRuX6U7zimcm6Y7GdJFTvllUCQKKbxRpvfagI,1655
+torch/include/ATen/ops/_convolution_double_backward_native.h,sha256=_A5dmIaqeStHwmK2Kg4mEU85bAIDDKGttNe0G7Oujyk,892
+torch/include/ATen/ops/_convolution_double_backward_ops.h,sha256=1rkxRgal8VXYG3z7N9L1Kx3M7rfe-M98DG-6qPCT7tU,2366
+torch/include/ATen/ops/_convolution_mode.h,sha256=1WR661hRxtm2Av7fpdCGxc4tTkH4PuUdBe-Wrqk98ww,2454
+torch/include/ATen/ops/_convolution_mode_compositeimplicitautograd_dispatch.h,sha256=TtIZbqRFSpQWFkkvuBbos5-aTbQWO9WyVzrGVBqQuzI,1183
+torch/include/ATen/ops/_convolution_mode_native.h,sha256=M-pCXygIF7HUIiz7YCFhnN_Qox0wkDH2zAAypYstd9I,679
+torch/include/ATen/ops/_convolution_mode_ops.h,sha256=pr1XIMXV7eYz8SaBPdHO4c-_OysfalhJQe-nAluNlTo,1572
+torch/include/ATen/ops/_convolution_native.h,sha256=CzdmDQYpjuxx4cGh96lMZYF7BJD3thuhJbUxJxq8zic,1496
+torch/include/ATen/ops/_convolution_ops.h,sha256=z9Jp8yLmIhB2J3MOr2VXcALbxvH8ztoMrWlqyQ677vU,5149
+torch/include/ATen/ops/_copy_from.h,sha256=2qQhbSJ-QQvt-RKMtMtVQFMknrz9Pmo7ly3FPvhergw,1364
+torch/include/ATen/ops/_copy_from_and_resize.h,sha256=wiEW64yWszIidTOj24DnZRjjWhOfAF9HlMkGWji8J0U,1288
+torch/include/ATen/ops/_copy_from_and_resize_compositeexplicitautograd_dispatch.h,sha256=wdWwmc8ggmZTGrHuXMLqI3KwiChhLh1PXzr7sRHDTFo,945
+torch/include/ATen/ops/_copy_from_and_resize_native.h,sha256=dntgG6QblJUD4qGi6UXERNIqsT6oDbGB8ijClrthVWw,550
+torch/include/ATen/ops/_copy_from_and_resize_ops.h,sha256=QCaPmVcrLGQpSoVT_khxqepmD02r1TgjOYMwxFgPNNA,1840
+torch/include/ATen/ops/_copy_from_compositeexplicitautograd_dispatch.h,sha256=ThwIHqVmopNlQavWr8FdTUNYxFjxbBYElKenPsAuvBY,967
+torch/include/ATen/ops/_copy_from_native.h,sha256=Erg_kVnWLCLDykVAI7wC8SeHwHQIH0E_8VoCnVln8wc,558
+torch/include/ATen/ops/_copy_from_ops.h,sha256=Nz0nuid5S3bDX5xdJFm00Mbjr9XVoO00i4gAchqms3E,1912
+torch/include/ATen/ops/_cslt_compress.h,sha256=Mg4djlg9bHwfWia7kTsTFdYqjsWUyiP_UrmlFyGCFMk,660
+torch/include/ATen/ops/_cslt_compress_cuda_dispatch.h,sha256=do4dKVCbxCekhM_ytJgcp7iQgwV6ARtxvFeZhD7pthg,731
+torch/include/ATen/ops/_cslt_compress_native.h,sha256=SCY0xKJlLaFexNadvRMerD0m1jVOsNpP8jaA5Roq8pc,496
+torch/include/ATen/ops/_cslt_compress_ops.h,sha256=wiUSSkqr8fhjCAnxahyZOfUyLFjaoZpTFR-eslQf650,994
+torch/include/ATen/ops/_cslt_sparse_mm.h,sha256=9JnH-5Y2frV1jYP1MjLrVlhWL97JwGA_x-3jiVROpzo,1094
+torch/include/ATen/ops/_cslt_sparse_mm_cuda_dispatch.h,sha256=EhtG-jSKZEup_yuLl2mypIy2mLXpOfzE7r0TvPGwo4Q,963
+torch/include/ATen/ops/_cslt_sparse_mm_native.h,sha256=OTMH49pR-Kl6gu7zbJI3RhN2XVUbAlZOz_nZIWIiC_o,728
+torch/include/ATen/ops/_cslt_sparse_mm_ops.h,sha256=bPUqffn0X88nQ0vmIq5Fv3JcwlIYEhosPwq06FtR-z4,1676
+torch/include/ATen/ops/_cslt_sparse_mm_search.h,sha256=KtyPZ8q-TDZZ_bPgVK0mqoR3fbjUMaOdtGgNcOVyCec,1076
+torch/include/ATen/ops/_cslt_sparse_mm_search_cuda_dispatch.h,sha256=pLFg6ZYG7057pnPuZnnHrlnbNBPJglGve4XzEnj0piA,949
+torch/include/ATen/ops/_cslt_sparse_mm_search_native.h,sha256=dxJ2w7fr5RxyZev7rxqbiYb94g_FQLGeO28-Ai3L0-Q,714
+torch/include/ATen/ops/_cslt_sparse_mm_search_ops.h,sha256=gNhp1emg-zT8VmxgbXzbYg9w7cWeBZssDAenwVZBMNA,1630
+torch/include/ATen/ops/_ctc_loss.h,sha256=YhMY9QY4u_VeSQlOB5zhIKV4nl7l8-OK5Q8NLaEFSNk,3915
+torch/include/ATen/ops/_ctc_loss_backward.h,sha256=_NxiThbZASi9eMj2DR1fW4vfB_baICn8TDIlR43q9lQ,3298
+torch/include/ATen/ops/_ctc_loss_backward_compositeexplicitautograd_dispatch.h,sha256=kl_9-LmsGN6WMTNelqwUDYDfGEYvrMuBWLJIw2ffnrs,1347
+torch/include/ATen/ops/_ctc_loss_backward_cpu_dispatch.h,sha256=dPm-AFGOpsPQqGUewFPxT6mjN9uxvL3jpBD3U7yXC8k,1266
+torch/include/ATen/ops/_ctc_loss_backward_cuda_dispatch.h,sha256=nNB1uGt5DbIaevZyoRznT_HvUMGtYP56EB0Sc0t_Eww,1268
+torch/include/ATen/ops/_ctc_loss_backward_native.h,sha256=nTAeiHlMqH1W0eQwN4Z9fIFelqzuj1tMxySW1GWv24k,1657
+torch/include/ATen/ops/_ctc_loss_backward_ops.h,sha256=O2TC6X4kSAgXSrxPk1nCfJ4nlEF8PPGvMqbUXqrmi8c,4485
+torch/include/ATen/ops/_ctc_loss_compositeexplicitautograd_dispatch.h,sha256=Fq1vpNflvoQktKiMH1k2iDk_YEj7Cs0idp_99aHIMKk,1776
+torch/include/ATen/ops/_ctc_loss_cpu_dispatch.h,sha256=mIzleZfbzRhJgZGmpIEzucFVxTTrS7vBl_rUWT2iXbA,1114
+torch/include/ATen/ops/_ctc_loss_cuda_dispatch.h,sha256=ck6S8jzMRKK6u_EiPPf9KqGs6SwfWuxbuiqYBdwTSRA,1116
+torch/include/ATen/ops/_ctc_loss_meta_dispatch.h,sha256=xefcrBu9JD2xrpA4NoU3iKsghd5R_LCAuOadz2QVRUI,889
+torch/include/ATen/ops/_ctc_loss_native.h,sha256=gvQ0UF2jjQZ6pOO7i1vdmTX5YpFmNLOH2XP1TJwiHKs,1870
+torch/include/ATen/ops/_ctc_loss_ops.h,sha256=99_RMcyA6SXTLgsBGdJQg-JGTgdDna9ce9uzYVnXhHs,5103
+torch/include/ATen/ops/_cudnn_ctc_loss.h,sha256=BUv9Nz54-RQSjqE1wNRjMx1mudPnfSjGLm4O5o40hcA,2923
+torch/include/ATen/ops/_cudnn_ctc_loss_compositeexplicitautograd_dispatch.h,sha256=JF0waOMeVxAyo53VBOYnZiuW8ocLlTx_0yb0VBKInbA,1281
+torch/include/ATen/ops/_cudnn_ctc_loss_cuda_dispatch.h,sha256=Gf5sklXww9HrY3XRUTw0Iv6TRQLGFC_FhFdLnNPpl84,1152
+torch/include/ATen/ops/_cudnn_ctc_loss_native.h,sha256=A9Jww5sc4aePuN7dEity-RAV0XYFZopw87GWZ8Pl1L8,1209
+torch/include/ATen/ops/_cudnn_ctc_loss_ops.h,sha256=Ewwxy2_rNqLIqQiU5joW_fZzNMO9blEdmZSrp6lfggY,4057
+torch/include/ATen/ops/_cudnn_init_dropout_state.h,sha256=JyMqqHzJjklY5fVdaYnWpEpgFhlC03ujC76rG9yrRxY,2237
+torch/include/ATen/ops/_cudnn_init_dropout_state_compositeexplicitautograd_dispatch.h,sha256=CWO2TOuEgM6H101FHJp_zK2AYqALVb8rZZsgfQR8TKs,955
+torch/include/ATen/ops/_cudnn_init_dropout_state_cuda_dispatch.h,sha256=_w5k_luDbCWVlAJG_9Q0UDmYVNvTQWWXBkG8dO0xMmw,1036
+torch/include/ATen/ops/_cudnn_init_dropout_state_native.h,sha256=-JNdAaKZJFOBsQabYu4VySXP-JKQNqfHjzVdrP5sx3w,810
+torch/include/ATen/ops/_cudnn_init_dropout_state_ops.h,sha256=ZsPmZuNcO-9CLnmFD4bWPnGJVkHLWvwuom5O6CnKWeI,2371
+torch/include/ATen/ops/_cudnn_rnn.h,sha256=maXIeddmiGZ1SoBnTydvKTdZW_uGtNF_3cwjKzO-ZqA,13361
+torch/include/ATen/ops/_cudnn_rnn_backward.h,sha256=VPHkhSUp8ciRSwiQjV7HWrGRm471RZ2NzTCYydCxUv8,16476
+torch/include/ATen/ops/_cudnn_rnn_backward_compositeexplicitautograd_dispatch.h,sha256=IgcQrPSoDVCRG9EpPIraKh_lC2aNDFGHshu7nktZPI0,3682
+torch/include/ATen/ops/_cudnn_rnn_backward_cuda_dispatch.h,sha256=PW8ltTcrVtdtjWkT1vDiJgSAzrxwL4OQSye4gqEls90,2125
+torch/include/ATen/ops/_cudnn_rnn_backward_native.h,sha256=ypFORqHaTtSRcRzvRlYVM4uJZn4yJMkZj4q8xr9xCWo,1904
+torch/include/ATen/ops/_cudnn_rnn_backward_ops.h,sha256=cHk8ECIpBMdrMJekLJ1OlZm69KH4ONgxQnh870yrSM4,6004
+torch/include/ATen/ops/_cudnn_rnn_compositeexplicitautograd_dispatch.h,sha256=0mwuzcdLNTgiV_lUP7OcBqR_EEoL86gbysLiaM8x6vw,3166
+torch/include/ATen/ops/_cudnn_rnn_cuda_dispatch.h,sha256=dQ-OzbKvKz4b0aed5TnsRj_5IpahCw0wGXPx2L-9W_w,1677
+torch/include/ATen/ops/_cudnn_rnn_flatten_weight.h,sha256=mAMIceSydHAdREBajpwJ2lQiKupp7PORYuT2Owy0cxs,7602
+torch/include/ATen/ops/_cudnn_rnn_flatten_weight_compositeexplicitautograd_dispatch.h,sha256=BJVzLpteJFddpkcwqbtzzRXZ84oFT0UJcFtR1PVeLes,1770
+torch/include/ATen/ops/_cudnn_rnn_flatten_weight_cuda_dispatch.h,sha256=u_pJP2-G8x-7euEaNl-8FsKjjViffuFU4hfxz6INzDE,1149
+torch/include/ATen/ops/_cudnn_rnn_flatten_weight_native.h,sha256=AbSmPWA2eR9sxLU4IHC9adXucTje00PycyRVpxn67Tg,938
+torch/include/ATen/ops/_cudnn_rnn_flatten_weight_ops.h,sha256=piLnvsvAkss19dXLptgCBP-zpC79Adyi1E8bcNqRYGw,2830
+torch/include/ATen/ops/_cudnn_rnn_native.h,sha256=hoVCaXWbDUz5IHTz_giQvlKP7324WnvYCDOMvVEWg9M,1551
+torch/include/ATen/ops/_cudnn_rnn_ops.h,sha256=nISJWBO2G1zHbZzBmLtDAg5m7cv6Ihxmgr-OJ6oQe7Q,4917
+torch/include/ATen/ops/_cufft_clear_plan_cache.h,sha256=tJYswNNetPHqwhh45NYxch3ToH24C_2oQoCQ9iDszs0,709
+torch/include/ATen/ops/_cufft_clear_plan_cache_compositeimplicitautograd_dispatch.h,sha256=_zAa6vTMd_tkB4mM8NvpiJxDMeaPhLWa_uUW8YjFjdI,780
+torch/include/ATen/ops/_cufft_clear_plan_cache_native.h,sha256=-EmzFAImvwOv5NPzE98QBGX2TSYeTbqdFK6g4AxxHV8,503
+torch/include/ATen/ops/_cufft_clear_plan_cache_ops.h,sha256=YKfi8SSCV3rmq6IcDJ0Jj2fr4bgQzoyeS0qS21yncrw,1016
+torch/include/ATen/ops/_cufft_get_plan_cache_max_size.h,sha256=cQ-oHzNZyuXwQH_ttGxL1n6vMAhNbGSRNBup59E5mCo,741
+torch/include/ATen/ops/_cufft_get_plan_cache_max_size_compositeimplicitautograd_dispatch.h,sha256=lRuQnwaWw3MyqCJVobNl1rkQAGvo56gpvfXlrC2-eOc,790
+torch/include/ATen/ops/_cufft_get_plan_cache_max_size_native.h,sha256=H3Kp7TlZ8HbWR4CfW-LvNtqfA27QilxKWRNcxiDnK54,513
+torch/include/ATen/ops/_cufft_get_plan_cache_max_size_ops.h,sha256=GUp6B3O3eEa6tYxKlqsL3ZEUzXkzxBk50GQiDvHVgBQ,1047
+torch/include/ATen/ops/_cufft_get_plan_cache_size.h,sha256=IOhWVYkCbx0y2jslu9CPh7qV0ELh4diOgrUkfJU4gUg,725
+torch/include/ATen/ops/_cufft_get_plan_cache_size_compositeimplicitautograd_dispatch.h,sha256=2BTxfDzNqtSojYHHw8B7ccMCU592V4JhR_vjt4kdReQ,786
+torch/include/ATen/ops/_cufft_get_plan_cache_size_native.h,sha256=eJK-GWD2KMPft97wtAmchoYGjvtZGjrEsuWg3K3GEGk,509
+torch/include/ATen/ops/_cufft_get_plan_cache_size_ops.h,sha256=CJewpscUeht6p57VzAzf4CbJYjz6ANr6wPhjhrGcPtg,1035
+torch/include/ATen/ops/_cufft_set_plan_cache_max_size.h,sha256=zWcmpj5mTQlWUIr3DLSDJk2SQIJjV9wCShhLdvaJJX0,779
+torch/include/ATen/ops/_cufft_set_plan_cache_max_size_compositeimplicitautograd_dispatch.h,sha256=DfuJklbzjdJcVOG2ZhX0tCmFNjAy1ysloO0GlJQGO3E,805
+torch/include/ATen/ops/_cufft_set_plan_cache_max_size_native.h,sha256=KPJykSwsLCIDedmdxu_AO5myFdTFfF9x8VyntoydX50,528
+torch/include/ATen/ops/_cufft_set_plan_cache_max_size_ops.h,sha256=7PNnKjWPX2msB8tTvtWcYmKxjED-4724nul0sz84s_w,1096
+torch/include/ATen/ops/_cummax_helper.h,sha256=XhVo6u2wkFL_3qn3WOGLiAudT56vL8dUF3DGvji0YGg,773
+torch/include/ATen/ops/_cummax_helper_cpu_dispatch.h,sha256=prmNk9iXFh9bhJf5CY68Zj8DCMOamkPXTtYMwG-72-s,778
+torch/include/ATen/ops/_cummax_helper_cuda_dispatch.h,sha256=HnvH5-1VDTYq2XZxb043--mDlJhnHHq6Cc2mEdNv3x4,780
+torch/include/ATen/ops/_cummax_helper_native.h,sha256=h4vOOUiQSJxVy0XtXntrJERG37o4X1WVwMqIR0-AzN4,664
+torch/include/ATen/ops/_cummax_helper_ops.h,sha256=6D2L3WyYXhuSo4zCD2yIY6crxFC3nb71azQCZtg1jKQ,1166
+torch/include/ATen/ops/_cummin_helper.h,sha256=bgiDvYRCXuhpGwO0DqATtOf76MZGcYE5d1HCm2UHnak,773
+torch/include/ATen/ops/_cummin_helper_cpu_dispatch.h,sha256=tcfCKkNvNnUVesdZAJKnoXZJzgPG02ycOCT41lgjV_w,778
+torch/include/ATen/ops/_cummin_helper_cuda_dispatch.h,sha256=aBX8KYjRtYg-DAyII4U9UAtlNWve1xRmJADhYs5VV6U,780
+torch/include/ATen/ops/_cummin_helper_native.h,sha256=Rk_DVBUDrepya7CQricXm-NxVH89CUfBuIs09A9QkPQ,664
+torch/include/ATen/ops/_cummin_helper_ops.h,sha256=nsa3GtmHcJIthSOJ7Njf0b4c0YLW45ebGTkDa1mxI0Q,1166
+torch/include/ATen/ops/_debug_has_internal_overlap.h,sha256=GPX0j-ZOGV9-ScaJWekdGtfuaeBgrPB-DstkCEMj9aI,703
+torch/include/ATen/ops/_debug_has_internal_overlap_compositeimplicitautograd_dispatch.h,sha256=sV2dyBa-zqA9LrUeTsAbnaeNUNYiT4-EiVLehG_l-wI,782
+torch/include/ATen/ops/_debug_has_internal_overlap_native.h,sha256=ewhdXYoN0PrOoc7JQdT-UOENqHysNY2p5lVqiOBpSts,505
+torch/include/ATen/ops/_debug_has_internal_overlap_ops.h,sha256=HreuQ0EXOMjbhA0nlJkIr0HKeqFBGIpL2zzYdX_m5dE,1018
+torch/include/ATen/ops/_dimI.h,sha256=44eVO7tso_T27h2f0P1yXW8rMj2aMOKACczlVnQdE5Y,490
+torch/include/ATen/ops/_dimI_native.h,sha256=2sW3FVYRgu-JsEgrCXcoxeTmraGeAIM6ATskzZk-Gt0,495
+torch/include/ATen/ops/_dimI_ops.h,sha256=2jlhrQAoabzLHQVhpmhLfVYisEe3tElfWo0CLsj39fg,952
+torch/include/ATen/ops/_dimV.h,sha256=i9cbS1xqoxZ2lnJOYFtCtA_NvLTBjgRIfK0lNl8S2w8,490
+torch/include/ATen/ops/_dimV_native.h,sha256=GLAmGPp0Aoht5F7RDaRc3slnkInG83-newlUEyuiBgU,494
+torch/include/ATen/ops/_dimV_ops.h,sha256=jA9e_0Je5RHaHERwaGCYQbhPkrDd78e2N4crjIV0cKk,952
+torch/include/ATen/ops/_dim_arange.h,sha256=ezSdTOIDsNhFKKPAy0LXde3EFIGb-6YAGy2MvRG3EXw,672
+torch/include/ATen/ops/_dim_arange_compositeimplicitautograd_dispatch.h,sha256=1Ypjbef56celQqCM8-Zaz3dnCH7w8xwEWxd7d3E-5Xs,782
+torch/include/ATen/ops/_dim_arange_native.h,sha256=PqvWGCUlNVKG1xSCL9l7Zpm9Qc6KSlxUHhM-nc2j74A,505
+torch/include/ATen/ops/_dim_arange_ops.h,sha256=kK6Jqw-bD8MTP_g7jS-HEDR5zl_kX2FalXx2rTgKq2g,1026
+torch/include/ATen/ops/_dirichlet_grad.h,sha256=tKqu5Vak-nAlXFaDXOP53vxVF0S7YGScNTWoKTsgZaY,1360
+torch/include/ATen/ops/_dirichlet_grad_compositeexplicitautograd_dispatch.h,sha256=CJ2r5c7rwdF-oFbGBds_bkpj6ckaPTexp-q9iJcUeqg,983
+torch/include/ATen/ops/_dirichlet_grad_cpu_dispatch.h,sha256=2f4DEVNY5upltnWRxuG0UJ4qXW28myAnIerYbWhc6UY,778
+torch/include/ATen/ops/_dirichlet_grad_cuda_dispatch.h,sha256=BrBAlWqCoBf1imK-MlVkXdXVRWWDOBV9JzC8VDuKpko,780
+torch/include/ATen/ops/_dirichlet_grad_native.h,sha256=Onop_NSzEud3SwQLAQYLWSNywtWabo6ZlwlykvDg6qM,802
+torch/include/ATen/ops/_dirichlet_grad_ops.h,sha256=YJrC3s14SxTZ1ASD08xyvLZnK6kUuwfVvV1Ea6hrw7g,1970
+torch/include/ATen/ops/_efficient_attention_backward.h,sha256=A-bHQWtfy98FxLP3xhltNY6lOPrME6AuoQrRTNiBGsQ,5982
+torch/include/ATen/ops/_efficient_attention_backward_cuda_dispatch.h,sha256=dzBXCi6xksLpYJ9e9kncn6dzroxMP3_sRf0xQJrw08U,2221
+torch/include/ATen/ops/_efficient_attention_backward_native.h,sha256=FnREXuzbdWZl81l6lxpSynBkvxiTYk2f92C410L-f_o,1202
+torch/include/ATen/ops/_efficient_attention_backward_ops.h,sha256=WTycEu4JuhEYwD6YTTrfL636ECbgK0JhmIKrGLkedlk,3176
+torch/include/ATen/ops/_efficient_attention_forward.h,sha256=34sR13HcFqwMJYTqaBiCRmVQDMzFIGbXqwVFsGncgMQ,5403
+torch/include/ATen/ops/_efficient_attention_forward_cuda_dispatch.h,sha256=TTj_QreJPc9OZgL-AwGfxL1Fh95An9dnmo9S6RzXTSE,1965
+torch/include/ATen/ops/_efficient_attention_forward_native.h,sha256=aC5lnN0R77KAWDUo-bvGnAdzZYk7b8pOhF_KCWZJk3s,1074
+torch/include/ATen/ops/_efficient_attention_forward_ops.h,sha256=fmxW5TG-4cx4pWZTOjg-gWqPF4udjhzHpF9wqw_ypKk,2884
+torch/include/ATen/ops/_efficientzerotensor.h,sha256=DHuSiVt7xgu7Lgm1c9IW-LXWmY2WEwoi0QMrWq-2vd8,6068
+torch/include/ATen/ops/_efficientzerotensor_compositeexplicitautograd_dispatch.h,sha256=IUaSge0k6HkAyRavA8GukdP5Lewhrtum9tbYAMlImKs,1090
+torch/include/ATen/ops/_efficientzerotensor_cpu_dispatch.h,sha256=jGP_omHfJMKrOtOSlXTAqs2LXrn8ahiwOL5jTzSJjpc,1298
+torch/include/ATen/ops/_efficientzerotensor_cuda_dispatch.h,sha256=4HkRcxYMlLqlUFXGKeXA3yNpExbkr4Xm8lOm1p63w8A,1300
+torch/include/ATen/ops/_efficientzerotensor_meta_dispatch.h,sha256=ala4R6WhoZGTgr3l2w8F1Hhf02kFWQIGfoBl9Xv5mmE,1300
+torch/include/ATen/ops/_efficientzerotensor_native.h,sha256=T-dBjoFzKVBaI0-CycdvKMmM5n5_ze7kC1wosiGxh_Q,1220
+torch/include/ATen/ops/_efficientzerotensor_ops.h,sha256=UfgqiGt0azSCUa8lmy8aaGLOSH9x91kgABQ80Viy-Cg,2180
+torch/include/ATen/ops/_embedding_bag.h,sha256=jsa5efBRsS8d0mfXftnXJRdXeafD7Huwt4Li9BxwvkQ,3166
+torch/include/ATen/ops/_embedding_bag_backward.h,sha256=BHXlz45FeyJdA7ROGb4gBxiP9MExEgRlip8sJHB7f14,3548
+torch/include/ATen/ops/_embedding_bag_backward_compositeimplicitautograd_dispatch.h,sha256=WP20xYaHoIr5rW8IEoKsNmJEUrOZ9IDCAjtLD3o7Sok,1473
+torch/include/ATen/ops/_embedding_bag_backward_native.h,sha256=FuKRzV715dakB-xVU-SszU2Yf3LCs5oHIC_hgOqDBZ8,820
+torch/include/ATen/ops/_embedding_bag_backward_ops.h,sha256=KQ_UeokofB3VPbu2NVQBq4sASNb2stiXhGoj2_Ejst0,2018
+torch/include/ATen/ops/_embedding_bag_compositeexplicitautograd_dispatch.h,sha256=QuNQSnHR5iTZvJWKIgx0vPrz6QAfhlT6Q5HPUlVOeYg,1557
+torch/include/ATen/ops/_embedding_bag_cpu_dispatch.h,sha256=TOt0M4kLEjroHtBKm6F-yzZ7etExtkME038pnat2s5g,1014
+torch/include/ATen/ops/_embedding_bag_cuda_dispatch.h,sha256=85YmHY7AuYkNEoBmrFY8G3rP4udNPQmoC3DvkK-CELM,1016
+torch/include/ATen/ops/_embedding_bag_dense_backward.h,sha256=ORdTBQXgs8oE0VnvX1v3k6QwLOVfjA0P3C38JqAqEow,9310
+torch/include/ATen/ops/_embedding_bag_dense_backward_compositeexplicitautograd_dispatch.h,sha256=kCzTFP-YRMJJu7VEdbYrmcO51TcACTJB1gt9yfdRS6E,2188
+torch/include/ATen/ops/_embedding_bag_dense_backward_cpu_dispatch.h,sha256=XuPJExOck6RBEh-gr7ySK86ocCQ0ivOHqdAk84-j7IU,1359
+torch/include/ATen/ops/_embedding_bag_dense_backward_cuda_dispatch.h,sha256=eGWimdFJBSovKr5IwnjAjyyCJuySBh7-Xr-igWp7byw,1361
+torch/include/ATen/ops/_embedding_bag_dense_backward_native.h,sha256=SN6hhrmSzfzkTWy0rayGNQjnHXd_6btCFzUJQIOwNMc,1497
+torch/include/ATen/ops/_embedding_bag_dense_backward_ops.h,sha256=Ltb6LEn7ZfI81eKjuHEqF4vQ_fOrj7O67hzyLhWpn5s,3454
+torch/include/ATen/ops/_embedding_bag_forward_only.h,sha256=aNKOQxu-8QbP_cq6dpYBLdCpSejHrAO3f-LKtnRdks0,3296
+torch/include/ATen/ops/_embedding_bag_forward_only_compositeexplicitautograd_dispatch.h,sha256=TaRMr51VIEw7Ohi_k_1Uu7KXtcyPj_3hduSa9EkTnb8,1583
+torch/include/ATen/ops/_embedding_bag_forward_only_cpu_dispatch.h,sha256=M9JFujbhLEQ1n7aHtMx2jV37HDTr7Qgs53XLYcrtxL0,1027
+torch/include/ATen/ops/_embedding_bag_forward_only_cuda_dispatch.h,sha256=iWskHRVPDV86z6YBRC2GeUZgI4sWhIvak2SoBwdDB5c,1029
+torch/include/ATen/ops/_embedding_bag_forward_only_native.h,sha256=AK0NQRzVrfRPjgfpvR5LL-uF6Y6tMOcS6TWBoUJJIas,1587
+torch/include/ATen/ops/_embedding_bag_forward_only_ops.h,sha256=N7eEXdAUDBagO5eGPeVClu8hc_psW0JgybA_5tIJSI0,3730
+torch/include/ATen/ops/_embedding_bag_native.h,sha256=_fcL4MPyh4AGl3melFYlkWWHK2q42wB9ZqZlSCvY4RA,1548
+torch/include/ATen/ops/_embedding_bag_ops.h,sha256=wjZS9-Syck_zNgYjQJAgVtc4Ut_JLRq7__7JRS9IbIs,3652
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward.h,sha256=uFywZU6H5IE5x97LrgWMzYKmpenISqKqAEWCGHJqINc,2287
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward_compositeexplicitautograd_dispatch.h,sha256=htwTEtG3JsmKY1-yJ-RwrPYBh8WFL663lORtOfsmlHc,1240
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward_cpu_dispatch.h,sha256=S_JX79qmZVij_rqqXdyOvOulHpWc-B7Pg6VFFoxmJfM,908
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward_cuda_dispatch.h,sha256=3CIHmD-DAh_D-BG1xVGmdS3i37JOJ4HV_xxZoIS6yng,910
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward_native.h,sha256=ZjbMX9ek4yEKaxF7V6us04VFt3eShK4oWVEZ1v25mUw,1189
+torch/include/ATen/ops/_embedding_bag_per_sample_weights_backward_ops.h,sha256=CVUJBxwey2KeARfaGuVGYQnyiVlbOs0WLtEDpUF3zLk,2790
+torch/include/ATen/ops/_embedding_bag_sparse_backward.h,sha256=RY-C0hhKouaO39BRGHFlTzCofhkZVo8IO6oLzHLawos,3255
+torch/include/ATen/ops/_embedding_bag_sparse_backward_compositeimplicitautograd_dispatch.h,sha256=OmKJGrCFMnxhQ9GIirCKXtDwNmrANgCnzZyvWQ5HQ58,1389
+torch/include/ATen/ops/_embedding_bag_sparse_backward_native.h,sha256=31_iO_u7Ha6oGCeI_62ycVUWtTyDmajxCGLtO_gec7M,778
+torch/include/ATen/ops/_embedding_bag_sparse_backward_ops.h,sha256=Xvw3o5Yp1EPj5B-TnPE7qUjUUG-nsa4g6GDCt5mmstU,1878
+torch/include/ATen/ops/_empty_affine_quantized.h,sha256=FD1pRHuUs5OLp1RXd7QX5gu4jy0EVScXi2gdqOh-VDk,9207
+torch/include/ATen/ops/_empty_affine_quantized_compositeexplicitautograd_dispatch.h,sha256=pKToLjx5TuR7jyM0mhqel4cF93hkosPAkVjqdnJ5xgQ,1492
+torch/include/ATen/ops/_empty_affine_quantized_cpu_dispatch.h,sha256=hi6222Ol5bjgyFwOCC7YWwQIXOSwzQPC2y0YvCmL6f0,1700
+torch/include/ATen/ops/_empty_affine_quantized_native.h,sha256=jm03VYZ5hN6KYLcD7mOO-XFkw3vPlfdTemY9mfeBtA8,1311
+torch/include/ATen/ops/_empty_affine_quantized_ops.h,sha256=w0l7xGfH9v07x50LuKKq93MLyNtnMuwekPdIVP8yXJI,2794
+torch/include/ATen/ops/_empty_per_channel_affine_quantized.h,sha256=jfnc9eeUBPYoCybAK6DT4T3u4oa4EknAwS19D3VFdmU,10515
+torch/include/ATen/ops/_empty_per_channel_affine_quantized_compositeexplicitautograd_dispatch.h,sha256=iM-WuJt-GS_kRm1p8EdFFu3E31JsFwd9Zr_QnCVAwpE,1688
+torch/include/ATen/ops/_empty_per_channel_affine_quantized_cpu_dispatch.h,sha256=piBJBeDN3E8vsxXjZebsQOC1vqw7XBGyolvomRedQok,1896
+torch/include/ATen/ops/_empty_per_channel_affine_quantized_native.h,sha256=egdNJhoxdeth4eUmcf0L5IgV4j0u-xRq_PlhaPYNKy0,1456
+torch/include/ATen/ops/_empty_per_channel_affine_quantized_ops.h,sha256=2IpYay-J5zT3puy89yO_29FEZ7KA31sOCCxzUFXuc6k,3110
+torch/include/ATen/ops/_euclidean_dist.h,sha256=scsCw0lsjukfNwv94nIc_Qt-dqEILlmvOd3NJow6UEs,1201
+torch/include/ATen/ops/_euclidean_dist_compositeexplicitautograd_dispatch.h,sha256=uHbSXlrLcuYEdrGJzbMZ2-aFWm3wWfMuBxhznBYuML0,1011
+torch/include/ATen/ops/_euclidean_dist_native.h,sha256=VaxZ5Na2Wnkk2zhSHvMlrFKO67ifb5FZ6_zcRgxTs7Y,625
+torch/include/ATen/ops/_euclidean_dist_ops.h,sha256=WITR106CHZym5f_xwfZm33PxgcLPLP-yi0TCb5vHnuc,1786
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine.h,sha256=wd0ILiOOsdEp5gs88ws4oVJLiH0kdVN66XtSRd-eh4A,2248
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_backward.h,sha256=uxF_lhcV31m_hO4EaxCkaC73zl5HE8LVQUz0tGeBD-U,1196
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_backward_cpu_dispatch.h,sha256=Z3HjXf18jEHoIFJ_3ffWCsJKEn7UAjPv6CAD3SPXYiA,960
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_backward_cuda_dispatch.h,sha256=twJrFK6zwJkcIxRZmi338cEPADDp4hCVc-M_SB4_TrI,962
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_backward_native.h,sha256=44hJZordnBsAlLJucAC4ygF4Ml6is-PvW1AJ9QANPjg,727
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_backward_ops.h,sha256=ZXaoL9WR60U8Tz1ZSrn8XgOMJBS78ddNBwaSo_5IWF4,1743
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_compositeexplicitautograd_dispatch.h,sha256=WYeo_28S6rERoId5--EQBXmtM4k3hplRm4bNPOM-V2Q,1203
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_cpu_dispatch.h,sha256=5wJlQTF9DVnZDji9DT24FEjrq2PYFn-OnPeCIRbR2zI,890
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_cuda_dispatch.h,sha256=a7OHKzFejNVNgsmcz8Xh36fTFjOVGp9pjxzKSDxoXnk,892
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_native.h,sha256=hTgUf4xzgTu0DtTXDIZgbriBIjIwUdbYGejaGvltMyU,901
+torch/include/ATen/ops/_fake_quantize_learnable_per_channel_affine_ops.h,sha256=YarvXMGA_gRcz1HuuHIiUcln0FLpmjLoqPAUXNB9IyU,2670
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine.h,sha256=SE-B2bOkzf7CyaERNDr5q67WLIv_yJb91eNdH0FuTzQ,2148
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_backward.h,sha256=1wtpU9k_v1ZqS8YmvyKwUnlM5cqrBV2BjDkmjk7WOH8,1162
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_backward_cpu_dispatch.h,sha256=1ztJyBf1_t1uUSpn29ubEBpTJKE2Zca02ZUKYE82C7k,945
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_backward_cuda_dispatch.h,sha256=eZR2vo-E9FDxhwwI3KLVbh4D6d3wVg06UmhlamH8clQ,947
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_backward_native.h,sha256=OAd7XM_evSJ_GQ1fgvPi4zGyTQ8Ad8J4fdPN1KX1Fvs,712
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_backward_ops.h,sha256=5pf8zMuK5J9T9oBV8oKi2MTIfAYbwIVMajEBaAal-Lc,1693
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_compositeexplicitautograd_dispatch.h,sha256=psAB59dp84lyDfVPrtHMC29sZg1RAFuUyrxaKkfnBrs,1173
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_cpu_dispatch.h,sha256=gMuPyptXG0J8p46sumiDlFc0LQtauT2QrT14gy8Te-8,875
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_cuda_dispatch.h,sha256=pUwXpNO6buFyLj_9szcG_E1_jBCt4p30qjPpS0Y9CLU,877
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_native.h,sha256=pEb8MMyRVkMFlG2NpCe85376u8sCBryOPB9rnCNuRjA,871
+torch/include/ATen/ops/_fake_quantize_learnable_per_tensor_affine_ops.h,sha256=2tFFHJ6l_IB4BE0aR0nSd0Tm09zlhUYBw0uRZQSG4Gg,2570
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams.h,sha256=Qip4GkeFTnG69h3wKLwteKii-ohk-DV-hLYbluXM25A,2599
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams_compositeexplicitautograd_dispatch.h,sha256=G5OP8iiLIZOAtseqIUdRq7HbGIRcrF6DFuePGY4AV40,1331
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams_cpu_dispatch.h,sha256=J_VRqE9ZWG3vx8oVLeGwZFnogRnt-S2zRujG6wBH-eo,930
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams_cuda_dispatch.h,sha256=oLkSNaG5PCAs0XaF6gK4-Y2yAfcfYnqFYKiYWjHOgN8,932
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams_native.h,sha256=WTxIMOW0SZK54M1i09mKuyElGl6k-Wizk7Ln874-nuQ,1007
+torch/include/ATen/ops/_fake_quantize_per_tensor_affine_cachemask_tensor_qparams_ops.h,sha256=0eWG7s-ukjipa79qKN7VBmuxkUq3yx4z-TU37x4uoFU,3032
+torch/include/ATen/ops/_fft_c2c.h,sha256=-JhBNWHrPkhBEl9Cb4KfWlgjuJ6jHsnnGOf2V1SiJcg,4471
+torch/include/ATen/ops/_fft_c2c_cpu_dispatch.h,sha256=vG9P7rhfhPiolRBiKFzwCCkPX4hgWueqCsM5Q6a9Axw,1481
+torch/include/ATen/ops/_fft_c2c_cuda_dispatch.h,sha256=4sTsoNuL94y-DfqqkHhUhdvfdpjVHRrqSo89XUxSD64,1483
+torch/include/ATen/ops/_fft_c2c_native.h,sha256=zBv54nwu_kYffCkKzDqgtNHMiGvec8pT6FgjTSnjZRU,957
+torch/include/ATen/ops/_fft_c2c_ops.h,sha256=X2Ai_0boNnis_V30cbVS1B4-xBD9cn2bas7uFBVeIj4,2016
+torch/include/ATen/ops/_fft_c2r.h,sha256=4ePTeioQoo4pmbNLM7KeWL4o0Q2oRjQ2KD4t70Km4g0,4525
+torch/include/ATen/ops/_fft_c2r_cpu_dispatch.h,sha256=0E-hSl-YBGNvGnikAJme9itp-dWOoPtWEOq4jzQpXgw,1535
+torch/include/ATen/ops/_fft_c2r_cuda_dispatch.h,sha256=hbgk4cmX0ZIPHBW3Uk5vSB-_WFCZz776XzLaA7qDMDI,1537
+torch/include/ATen/ops/_fft_c2r_native.h,sha256=lyp8RhyrrUzHRzfcrm1RsX3fnVuUXORtQ5ZXvIUolHM,993
+torch/include/ATen/ops/_fft_c2r_ops.h,sha256=nRXWNnbq51UwwrgsNjnb83U8ph3bJdQKhpok4Ayu5OY,2068
+torch/include/ATen/ops/_fft_r2c.h,sha256=gd_mqHoYkKdco12VzW2vPOI-M3mRO0S9Y_2R63L6iKE,1437
+torch/include/ATen/ops/_fft_r2c_cpu_dispatch.h,sha256=HCV6m89fdPaz42FaYguyEBeVK3uSMVbDVu37R8al-9g,1060
+torch/include/ATen/ops/_fft_r2c_cuda_dispatch.h,sha256=bUkhmkjwaLBYCqKYZilmEX_UlvprzUKiQlbUlwKeNVI,1062
+torch/include/ATen/ops/_fft_r2c_native.h,sha256=pq6pl6s3fyJTGHltfH7NmHo_OECKnRa6ddoe-gPOKbA,961
+torch/include/ATen/ops/_fft_r2c_ops.h,sha256=RSHsuE0nkGW7DpwyXhSyjXVyxHwcQVRgwjiFzLZZpKY,1992
+torch/include/ATen/ops/_fill_mem_eff_dropout_mask.h,sha256=hvSf2xZGxFQhZFmRORcBRfOWypEKsH5VJwdz_69UQBk,824
+torch/include/ATen/ops/_fill_mem_eff_dropout_mask_cuda_dispatch.h,sha256=vQYSybPCXC_d0UdKdq6dT_VPS3g3GTehIGDktXx3_QU,787
+torch/include/ATen/ops/_fill_mem_eff_dropout_mask_meta_dispatch.h,sha256=_-mUYXvW1VRaAGykMy9tiEaL4qhpENa_etemoRI8Y6s,787
+torch/include/ATen/ops/_fill_mem_eff_dropout_mask_native.h,sha256=rUmnSIlsTSOzNA15Cje1KCwIDGSqY2u5wfDraFf-Vzo,552
+torch/include/ATen/ops/_fill_mem_eff_dropout_mask_ops.h,sha256=vuE159p5NIkQsQzY2aKC1B_zsYYZUmHmsB2uZDHjkNo,1187
+torch/include/ATen/ops/_flash_attention_backward.h,sha256=lImudkZJO_zZPo-BJa1sFsggjMS6jEWvwkKAuBjKBtc,5148
+torch/include/ATen/ops/_flash_attention_backward_cuda_dispatch.h,sha256=PZK-_ujvdImgRZGsdizCsJQ6JpdT5EhSMsPgocCSkKQ,1883
+torch/include/ATen/ops/_flash_attention_backward_native.h,sha256=cxgLSw54rllDHMONPQPD8T9cBYh_oMMv3K3WyTLlXas,1029
+torch/include/ATen/ops/_flash_attention_backward_ops.h,sha256=bsnChDPNA5WYs6yH9Yfd3O-h3t_zSpjP-ukCdWYq3zM,2669
+torch/include/ATen/ops/_flash_attention_forward.h,sha256=g_kbg7jMVRMnIMwRYKxN4GbtdrfkWxAp4LWKGL9tTTs,5375
+torch/include/ATen/ops/_flash_attention_forward_cuda_dispatch.h,sha256=XjdUT1y7y0VeD-eUHL5PyQ-4jZQlYZuat7ZW6D-hYgc,1949
+torch/include/ATen/ops/_flash_attention_forward_native.h,sha256=a3rsNqa_XSBv-UlBiyk7c5soy17YUz0xej4vjtS224s,1062
+torch/include/ATen/ops/_flash_attention_forward_ops.h,sha256=XSLhpx1kH7VzopmCIZYujYHjC_9AllOW0OA-IZA5_0Y,2829
+torch/include/ATen/ops/_foobar.h,sha256=vSmKV5zEX6DBR_1IVxlKjY0G3O6bdpafcdt_pg1M1ow,1355
+torch/include/ATen/ops/_foobar_compositeexplicitautograd_dispatch.h,sha256=eTMDwoehka6Yew01hrZlosLyhVbg2eQWEMrecSrVyaM,950
+torch/include/ATen/ops/_foobar_cpu_dispatch.h,sha256=U54bsQYe5HIg0ZNZacgqQQXBZgjbJkUrZk_zFpuULNs,769
+torch/include/ATen/ops/_foobar_native.h,sha256=HSO_LPy7UGZmgucOgy3katQ_xAlvwge-X15pFLD_gLI,647
+torch/include/ATen/ops/_foobar_ops.h,sha256=cOMnPe7YinoNEctttUuPk03UF8t_On1wFUdbdEFyJYo,1863
+torch/include/ATen/ops/_foreach_abs.h,sha256=37bSPMZImTlFR04lujIupowec0PTraDYNQUnw146vzo,1210
+torch/include/ATen/ops/_foreach_abs_compositeexplicitautograd_dispatch.h,sha256=ea0-d6KEM2NnR8E_kcko4GTlRuqjtS2-0EB8I1TLWu8,981
+torch/include/ATen/ops/_foreach_abs_cuda_dispatch.h,sha256=5UlQXvudjhXWBNRzjmqqyHaJfUqA5ccfQ6hEJp2aT84,790
+torch/include/ATen/ops/_foreach_abs_native.h,sha256=R9FgrtLCTaVofz_Ujj3H2DxH6WLXyL9f6iQXPVVhf_4,795
+torch/include/ATen/ops/_foreach_abs_ops.h,sha256=wUmVk6JwMj2JHFTgD6Fdqls5_NDq7uKqlkkWRuzoKvY,2155
+torch/include/ATen/ops/_foreach_acos.h,sha256=SUr9IFkw8Y3Q5iKAcpco8YpOO52MoCy5L-tMTOj9Nh0,1223
+torch/include/ATen/ops/_foreach_acos_compositeexplicitautograd_dispatch.h,sha256=jrQpMNRB9GT17CHqof06bsQzvvcnfGH0VZC1okd62ZE,985
+torch/include/ATen/ops/_foreach_acos_cuda_dispatch.h,sha256=NRoWwOrZzam4MFnN4nvHRPJa3a_mLnrUh_lJukCtHx8,792
+torch/include/ATen/ops/_foreach_acos_native.h,sha256=HgHmwWE5j8OARP7H0EVsWvXRgXx04M6nym_r1ctBTvU,800
+torch/include/ATen/ops/_foreach_acos_ops.h,sha256=DMVbKL1s0q1u0mOWMVauGoAz7XJy671n1asV8eUyZvo,2164
+torch/include/ATen/ops/_foreach_add.h,sha256=wBdainsAfeDUKwsLKyqtXLlCvlwICGwo9yHTqFG06O8,4820
+torch/include/ATen/ops/_foreach_add_compositeexplicitautograd_dispatch.h,sha256=a-XbIwCrE_SR_I5oBG8Pz-ptosXI2KOwgEyZ3MfntAk,2450
+torch/include/ATen/ops/_foreach_add_cuda_dispatch.h,sha256=ewlwgufQtICulyoxQOLsPdvUteiugdv9EQBcaeeTnDg,1486
+torch/include/ATen/ops/_foreach_add_native.h,sha256=3tX91y65o0EIUk4SGEqQFtuX6H-L9OGr6HphgRTcf2A,2964
+torch/include/ATen/ops/_foreach_add_ops.h,sha256=zRLxisBOhxt9t3RZZZZkhWwR0_M99NAzI7hD_EQ8mlc,9209
+torch/include/ATen/ops/_foreach_addcdiv.h,sha256=5zUnQayj9lFTa5qMFGAh1ae1057Bm8lTPmdLLIfbPnw,4868
+torch/include/ATen/ops/_foreach_addcdiv_compositeexplicitautograd_dispatch.h,sha256=wjJvxJBOn1sUu6ww6yaKDeuwCTsD9o9cPGYKgyEUJJY,2505
+torch/include/ATen/ops/_foreach_addcdiv_cuda_dispatch.h,sha256=vAAK2qZphWw5PllUGaQl7vk_Tu8hHmsVsxwXw1CxJqg,1526
+torch/include/ATen/ops/_foreach_addcdiv_native.h,sha256=FWoJOzOGzjmNWEKA7sp7USzV5BNLNwYHADPgXORsfzA,2872
+torch/include/ATen/ops/_foreach_addcdiv_ops.h,sha256=rgwAqRIez1hav0SyEh1aEBrzx8gHhhhFmSQnLhihJmg,8276
+torch/include/ATen/ops/_foreach_addcmul.h,sha256=4TD9-267oJ1MhTUAQGf_b9iRFI-RnpBXxn1g3YUbADM,4868
+torch/include/ATen/ops/_foreach_addcmul_compositeexplicitautograd_dispatch.h,sha256=j-ediaAs0Kp7iWkFdSZSeCJmH5Wmjg27ZzF5nNhxZho,2505
+torch/include/ATen/ops/_foreach_addcmul_cuda_dispatch.h,sha256=DpgTCL0YXc9a80E5UYbr52EmlCjpJL3Bdf4Q1-DTPVk,1526
+torch/include/ATen/ops/_foreach_addcmul_native.h,sha256=MlgSBho4b2bWL6nPfTj26DIqDySIIzaoUjUL3rRvK4s,2872
+torch/include/ATen/ops/_foreach_addcmul_ops.h,sha256=-f-yO9LQ6BzdeSr5a2ASfcdegmkSvEZRQc5UHQP8Lhk,8276
+torch/include/ATen/ops/_foreach_asin.h,sha256=h6W0MOWP4-q5evBetYeDxaz56n4URuLEUQUDtUJTVSc,1223
+torch/include/ATen/ops/_foreach_asin_compositeexplicitautograd_dispatch.h,sha256=E-mGYa2Dal-OtqVuecxsOCA2vQjbFZLkRrMTLEBska0,985
+torch/include/ATen/ops/_foreach_asin_cuda_dispatch.h,sha256=38H_01JqJQ1F4EWAi94S8tbhzO92Ywy_iVJrHwQpHcE,792
+torch/include/ATen/ops/_foreach_asin_native.h,sha256=C6eOuPgdX4C2YMjz8xNByiH2JH4WgiPf2BzGAveNcWw,800
+torch/include/ATen/ops/_foreach_asin_ops.h,sha256=ytj7g2vsPa9YoX5VcYe68I5bwEEYYR3GYyqZ6S8V5z8,2164
+torch/include/ATen/ops/_foreach_atan.h,sha256=ygn8-jKiah8O1B9ktbFspqjSKmXX9Z_X40qukObl38c,1223
+torch/include/ATen/ops/_foreach_atan_compositeexplicitautograd_dispatch.h,sha256=6gmtuOJeV_VajZ2quEruWgTyKTdgKed00VGGlNKe60o,985
+torch/include/ATen/ops/_foreach_atan_cuda_dispatch.h,sha256=GWRjqm41W79GslWxuejYEbMBJLDVFxkcAlSz5oyjOVg,792
+torch/include/ATen/ops/_foreach_atan_native.h,sha256=NxuwDwrx1jnBEOoQgld6QJofF8xNWF754mNjFIvR4to,800
+torch/include/ATen/ops/_foreach_atan_ops.h,sha256=NJDRkDVje00uogyRWXClDQbKsYK6TnXzIQ2-p3-1OhU,2164
+torch/include/ATen/ops/_foreach_ceil.h,sha256=HnzYULig_YeaKRffHvAV5Tpz5XOh7Bx2fbCHtmhLsSQ,1223
+torch/include/ATen/ops/_foreach_ceil_compositeexplicitautograd_dispatch.h,sha256=3iWC0YLq0QGYB8zItvW162YLcy3pE95juzx9E5Vp4EU,985
+torch/include/ATen/ops/_foreach_ceil_cuda_dispatch.h,sha256=ym66WI0oTa768dUfaWaR1Z_-iGx9d6HlmaPqAvR7Avg,792
+torch/include/ATen/ops/_foreach_ceil_native.h,sha256=EFmd27xjmx_i12KJ8kTyBTffOV-CYvaxkdwnu09FHlM,800
+torch/include/ATen/ops/_foreach_ceil_ops.h,sha256=u60EdsrWH10CKuK032N3kbgveNiXDpKteDMYSxTsUx0,2164
+torch/include/ATen/ops/_foreach_clamp_max.h,sha256=8QizLoJrx9jIYXLkFETdREu489LhqsCRAHEf4f4aUco,3668
+torch/include/ATen/ops/_foreach_clamp_max_compositeexplicitautograd_dispatch.h,sha256=C8esRwf4EwS0-mrTV32qjd5cnVGshlJncynkucBmdLk,1927
+torch/include/ATen/ops/_foreach_clamp_max_cuda_dispatch.h,sha256=kSGVSTx5UF7E3eTENGbq3cM_UYpCjXWK1Y4oZ3Sexlg,1236
+torch/include/ATen/ops/_foreach_clamp_max_native.h,sha256=Qucs5fPWn-FtwQH6IK0SRQZS4oY58oLSpquB-VzTWbw,2223
+torch/include/ATen/ops/_foreach_clamp_max_ops.h,sha256=TNI8G4ClRi8wDkCDeKVF4Ua6oFmHoF9duzf4VmyjsCA,6791
+torch/include/ATen/ops/_foreach_clamp_min.h,sha256=IE42Z7K2xTxHGyJseyuwS1XF-qZLNGd2Ki3exDuO_UQ,3668
+torch/include/ATen/ops/_foreach_clamp_min_compositeexplicitautograd_dispatch.h,sha256=JcjQfhNeCu9L3C3NR2JC2snpv3smHeNsZqRts24G_To,1927
+torch/include/ATen/ops/_foreach_clamp_min_cuda_dispatch.h,sha256=zFVRm881gidg0CMY-C27EZKVdVwefNs8LhPMyqwcyCU,1236
+torch/include/ATen/ops/_foreach_clamp_min_native.h,sha256=Tim0iW6TR8kPCsHKHk1uhE4_fDnfTERU_eNvKYJMET8,2223
+torch/include/ATen/ops/_foreach_clamp_min_ops.h,sha256=MVcdXyM_TQW5MgKVi3ZVN-_Bxfmgjd-_w_Vlx3Xco50,6791
+torch/include/ATen/ops/_foreach_copy.h,sha256=BQoPbhbA9Avs8tQ8AApiw0MMDLX_d6QT_qe9cp_nXA4,1638
+torch/include/ATen/ops/_foreach_copy_compositeexplicitautograd_dispatch.h,sha256=obrrBt5AFt80SOwzITSdc4EYLE1dRTQ_OaEacTnHEno,1159
+torch/include/ATen/ops/_foreach_copy_cuda_dispatch.h,sha256=5T0gDhiArLSHK0k0eaNLeMICjZlZ4EzU_XrbZ8MYyVU,765
+torch/include/ATen/ops/_foreach_copy_native.h,sha256=c-nRYI0KGkuLDSWRg41DLRNP6fzjR2vVcRtpWUnRqcI,904
+torch/include/ATen/ops/_foreach_copy_ops.h,sha256=NWl5BCVIfoj2hjIewFfSR0IU90LfPr9b8oFK4Tx-PeI,2590
+torch/include/ATen/ops/_foreach_cos.h,sha256=dp7uNmMF7yBKklJ9mFy7mGNv5GGYJJA37x_KxImTIsw,1210
+torch/include/ATen/ops/_foreach_cos_compositeexplicitautograd_dispatch.h,sha256=fVCVu5MBC3cXgDCjwbshYkOLMTayFDubavCBwJAv1OQ,981
+torch/include/ATen/ops/_foreach_cos_cuda_dispatch.h,sha256=GsjGjHE-sZgyew1RPiPD93Wf4Q6ZK-i9lIZCqaYn4pk,790
+torch/include/ATen/ops/_foreach_cos_native.h,sha256=csm8HSlRRAJXp_xENYKNwGV8WJ5jqywUexdp5YLOgIg,795
+torch/include/ATen/ops/_foreach_cos_ops.h,sha256=nljb1dH7C8hy8-dHX9Dx5sl40DEqixxyl6nseVPmni4,2155
+torch/include/ATen/ops/_foreach_cosh.h,sha256=6ohBoDWHwkIwlJHX0kROJftYb0QtKhd2lKcpMK732XA,1223
+torch/include/ATen/ops/_foreach_cosh_compositeexplicitautograd_dispatch.h,sha256=_Vy1c1V-vuLBqTxD2tvjEB7hiJ1lEuhdt-TzVUxGGkw,985
+torch/include/ATen/ops/_foreach_cosh_cuda_dispatch.h,sha256=Tjd_o4u9CbccpZCl7MsO8cl8h0phD4e73t4pRf5986A,792
+torch/include/ATen/ops/_foreach_cosh_native.h,sha256=OoxtJutoOtucCTq46IMknqScNk5kas5Hdp3IoY31qTc,800
+torch/include/ATen/ops/_foreach_cosh_ops.h,sha256=tpU_qymschWpmxpTrBF2Z9AFW4yCaPQpTf_-X4mnhVw,2164
+torch/include/ATen/ops/_foreach_div.h,sha256=r8c-S_rFJJSBGlQGLrBAPtciv-YBdTjC-XaFlT-YG9k,4404
+torch/include/ATen/ops/_foreach_div_compositeexplicitautograd_dispatch.h,sha256=WvYo2ZXeoKBfXkXm_0XKMxri3BOEmKzzes5x_9gJ5sM,2230
+torch/include/ATen/ops/_foreach_div_cuda_dispatch.h,sha256=blhBC-UbhxiAk7kKXdRfqEsaDydYA8bXKHPwUPpoB4k,1374
+torch/include/ATen/ops/_foreach_div_native.h,sha256=iuI7XFez30e_7avI6R-VkvGeE-mAnTLZJRVX8qvgh_U,2688
+torch/include/ATen/ops/_foreach_div_ops.h,sha256=mCNsmIWAqRQOtuQ_agogLvdWD3pnzMjvBC74xr8oKUo,8669
+torch/include/ATen/ops/_foreach_erf.h,sha256=Uvnxu0PGqWXhCTj9D48SdIxNvT0Q---7ulKwopyog_A,1210
+torch/include/ATen/ops/_foreach_erf_compositeexplicitautograd_dispatch.h,sha256=ScUqCzLbjlvsgIyuIYoQDR9xhfbJOfqr_4Cy9eI4NIg,981
+torch/include/ATen/ops/_foreach_erf_cuda_dispatch.h,sha256=WJjVQufaliIg_rLuhVlACskdOsRiofBS6g7uxf_ZUio,790
+torch/include/ATen/ops/_foreach_erf_native.h,sha256=ROe7sQPGC421NNm8gwQgrGtiu6rPlUmEkFHPUfgSNDY,795
+torch/include/ATen/ops/_foreach_erf_ops.h,sha256=2CZC1-00adqZlcMJVDNERi9otWhAr1WIWv43KmjzoiM,2155
+torch/include/ATen/ops/_foreach_erfc.h,sha256=Dm_MqUhfpdaxhUIMNoMmt4dbXGnMZ7oXFfml9nEaulI,1223
+torch/include/ATen/ops/_foreach_erfc_compositeexplicitautograd_dispatch.h,sha256=snQnXp6-Z5zMXG7MuFE8l29xatmzabbWMofdrRJJ-ic,985
+torch/include/ATen/ops/_foreach_erfc_cuda_dispatch.h,sha256=OGrzRWlfkYHpaVDfyvoktU8UQq6QyV7xGtCUT_m4P3E,792
+torch/include/ATen/ops/_foreach_erfc_native.h,sha256=8fuSg1lB9OpRhHX07bYPd0HSA-uZyGaFUW50N1-Sgrs,800
+torch/include/ATen/ops/_foreach_erfc_ops.h,sha256=S2xftv_I3BCkeVMAAFLCMt9CvNhwf16eQoo_P-9Hwts,2164
+torch/include/ATen/ops/_foreach_exp.h,sha256=UdqmZLoNRWgLpRic9CrdWz1v1eYJ-Ei6AR4fREpenr4,1210
+torch/include/ATen/ops/_foreach_exp_compositeexplicitautograd_dispatch.h,sha256=axGDWCrL-gGaEzm9XT_cdWY934Jx-RWC_dRMtVDzaCI,981
+torch/include/ATen/ops/_foreach_exp_cuda_dispatch.h,sha256=XWlwnhSYGBPeuwbKtqdimPK8GvWeKm_dYO5iKg6iQTc,790
+torch/include/ATen/ops/_foreach_exp_native.h,sha256=f9Mttn84iQHoQgIUW7OJPrAZKRETQv3pB0kT8_Ab9DA,795
+torch/include/ATen/ops/_foreach_exp_ops.h,sha256=l91LX7en0foeZSLxF-AX6EK2EyVkTyE5gA-PLSWcx-Q,2155
+torch/include/ATen/ops/_foreach_expm1.h,sha256=jqXBgyGkNP08UmI70Q_S2l9CG2RNTeBoNw4vgqbl-lQ,1236
+torch/include/ATen/ops/_foreach_expm1_compositeexplicitautograd_dispatch.h,sha256=bAuhJuVXoCh1nCxirBElYAWKp4yylHvRUaOhIYm78Yk,989
+torch/include/ATen/ops/_foreach_expm1_cuda_dispatch.h,sha256=D5YmPyI30BE8PM7-_qlIfmWAXNESKCTBaqkopj5KbYQ,794
+torch/include/ATen/ops/_foreach_expm1_native.h,sha256=AuVW339vyCtEbZy0m2D5ASBgtdC9IFQWlyk0NDoSmDc,805
+torch/include/ATen/ops/_foreach_expm1_ops.h,sha256=N3M7yJEbusLeYCU9gtOH-WP8Oy-Yry0FgRI_5a5pmp4,2173
+torch/include/ATen/ops/_foreach_floor.h,sha256=lP91e4mWRw43dDqjaXe1R6KL0RvDUl9tCK9K-bLf9rw,1236
+torch/include/ATen/ops/_foreach_floor_compositeexplicitautograd_dispatch.h,sha256=CVbSrREQnNY_H9hQFYiifp6Zv9i4fal-ikxKsMwGBSo,989
+torch/include/ATen/ops/_foreach_floor_cuda_dispatch.h,sha256=55R0Y5YKLcpj_ChzYu_4yP_RrZcRkVn5C68n8VGhg94,794
+torch/include/ATen/ops/_foreach_floor_native.h,sha256=BqjblAMXsaA1odl21guPXgehTeqpOOtLpW-FqKzCPyk,805
+torch/include/ATen/ops/_foreach_floor_ops.h,sha256=J1Dor77M1hTeXb1prePrQnVLJQQ6-kNyAM2450CiiKk,2173
+torch/include/ATen/ops/_foreach_frac.h,sha256=4HgHQtaFAcd7wCApMbfPyFK_X2DncnvC3PKta_N1AtY,1223
+torch/include/ATen/ops/_foreach_frac_compositeexplicitautograd_dispatch.h,sha256=YXC4zaJ6Htl-7tieimHV-56rXeVJcFArfaKSHe2l34Y,985
+torch/include/ATen/ops/_foreach_frac_cuda_dispatch.h,sha256=IBPJo0ySAGJvURuBXiBrF2Wn_kCZKL-uIusdCA1p6iU,792
+torch/include/ATen/ops/_foreach_frac_native.h,sha256=dFbxKQqTFIhyksAI_DgRWGv40CSet62rALHTKUEXi6M,800
+torch/include/ATen/ops/_foreach_frac_ops.h,sha256=dCMVAdQrsHTYGyyWNTXtFHqLQEAWjIagXeWKx4-f6V4,2164
+torch/include/ATen/ops/_foreach_lerp.h,sha256=9S8y8joc8sa7io422TXOq_i0cy1z0T4GLM9rMLbD-j4,2881
+torch/include/ATen/ops/_foreach_lerp_compositeexplicitautograd_dispatch.h,sha256=mQFLMVQFJX0Aod_buRpoHa4ZmTv1ykxNw7fXwsqFOXg,1664
+torch/include/ATen/ops/_foreach_lerp_cuda_dispatch.h,sha256=51JMl2TR8pMMlKU8riGR7UqL61oZbeaRuQC9dn7DVa8,1118
+torch/include/ATen/ops/_foreach_lerp_native.h,sha256=WrI3ETMmKx03y7FljUqA81SV9bJenzur44TpLGg1PCs,1750
+torch/include/ATen/ops/_foreach_lerp_ops.h,sha256=2GAKYMZvcFgVNUPw3KzpqeXFSLdQUhpzhmlyH3U9DAQ,5021
+torch/include/ATen/ops/_foreach_lgamma.h,sha256=Vhelis1pXrJD7_PfQb6-0TLa1UJBZmHbWFVzRLj3P0U,1249
+torch/include/ATen/ops/_foreach_lgamma_compositeexplicitautograd_dispatch.h,sha256=G-Y70sbGXrtUWZBMPiDkWCrqoUvc2KIOqBFvMjBW0Bo,993
+torch/include/ATen/ops/_foreach_lgamma_cuda_dispatch.h,sha256=8N9U0VyHcVjoHtuRQsaKxTTzvIef3uZ4qNjcg_Tly4w,796
+torch/include/ATen/ops/_foreach_lgamma_native.h,sha256=9bcYPrpP8jPluW6DuTHujlEg4AaFrJ-ze3yA0vz-_iE,810
+torch/include/ATen/ops/_foreach_lgamma_ops.h,sha256=d35TE_PNawqSDLWrF4Y0Cg5mLVsws7mnfmwQqCBdPms,2182
+torch/include/ATen/ops/_foreach_log.h,sha256=iuENvOYwycII7abHhqfdHVDNVuF-na_zWUn7EK0yzck,1210
+torch/include/ATen/ops/_foreach_log10.h,sha256=qyIgiXxl3PdzgqbmSurEU0IEEViQzyXrnAhxBNa55Ac,1236
+torch/include/ATen/ops/_foreach_log10_compositeexplicitautograd_dispatch.h,sha256=zftQ39NdGmrBSNRxSq6YpZULw3RiT0n7KduxfSRkXoc,989
+torch/include/ATen/ops/_foreach_log10_cuda_dispatch.h,sha256=vuuyxCjXUYlHAM9JE3KOKRv7aLqAuINTDBf58pSfXS4,794
+torch/include/ATen/ops/_foreach_log10_native.h,sha256=fTSpC9UCB0WBCVpSDUDLtv55SzV1smXqcO0rMQJF3l8,805
+torch/include/ATen/ops/_foreach_log10_ops.h,sha256=320j3AsE3y9dHsz3Esesw-VyQrv3c_0mdevy-hHvVfw,2173
+torch/include/ATen/ops/_foreach_log1p.h,sha256=bC2d1iVmBF-A_ZLuu-340n9HNAx9KDZyQvwOiJhuISg,1236
+torch/include/ATen/ops/_foreach_log1p_compositeexplicitautograd_dispatch.h,sha256=qvtQo3yEmIVfYTDryT9XeosFvTlBbl_Is_9py8xZesw,989
+torch/include/ATen/ops/_foreach_log1p_cuda_dispatch.h,sha256=eJGg9QKhLOU6lTcUwbFci09U7R8m2u1rIhjf_wlC9fk,794
+torch/include/ATen/ops/_foreach_log1p_native.h,sha256=ONRIkfWrnV1q06rHK8BRfjJ8p27W6G77ohrJQcfivy4,805
+torch/include/ATen/ops/_foreach_log1p_ops.h,sha256=5B0surp5W0PRpRIBzkoQBMy1JxxxSjUQn2GtKEpOSB4,2173
+torch/include/ATen/ops/_foreach_log2.h,sha256=dpnVK8bALYsL_KaqDCqhVbIXDLqAtugJnccZ0Q-z2xE,1223
+torch/include/ATen/ops/_foreach_log2_compositeexplicitautograd_dispatch.h,sha256=jD7hKl_4czBvV7pSx__dwNaf1DzL_L69wZGyhyve8Xc,985
+torch/include/ATen/ops/_foreach_log2_cuda_dispatch.h,sha256=oOUXvy7zsR-xVGIya-T5mYfdE_VcwwFksrPBIb1VzhY,792
+torch/include/ATen/ops/_foreach_log2_native.h,sha256=NRvnNaWixShXfTVfG8wf_sg7BI8tbO7u3yStDKamEZY,800
+torch/include/ATen/ops/_foreach_log2_ops.h,sha256=XbVINpE8g7MlxhwyCn6o0DlNnCdbAjYgewrGbjC32Xw,2164
+torch/include/ATen/ops/_foreach_log_compositeexplicitautograd_dispatch.h,sha256=2g39xAsehwKUPcCkzbXUXOcDCjMffyy-Wvw4t54tyMw,981
+torch/include/ATen/ops/_foreach_log_cuda_dispatch.h,sha256=O7Cgtxe9NkYqZRutywEMbRqxvKUpQtikji0HI-55X7g,790
+torch/include/ATen/ops/_foreach_log_native.h,sha256=3MZzytTu2kLeRuJG3iHOX6yWFo9aurJGDQZT3BZpne8,795
+torch/include/ATen/ops/_foreach_log_ops.h,sha256=YbcSr87EdP1cP0yI81fIIaECsdLeZ8VNcc5AQo4sXm0,2155
+torch/include/ATen/ops/_foreach_max.h,sha256=XUuV4EFmZpUDAdwWtdKu4Lwn3--Wnj1cjTOQBDQQTzE,1062
+torch/include/ATen/ops/_foreach_max_compositeexplicitautograd_dispatch.h,sha256=R8nvIk-PLvPz5eP8hgGPMFWJS5rocX0QxYm6_oLsE5Q,930
+torch/include/ATen/ops/_foreach_max_cuda_dispatch.h,sha256=OhOjFkQ0SJn6yTBBCndzkZ3DSvOeFFPmsWovhJ6f2GQ,739
+torch/include/ATen/ops/_foreach_max_native.h,sha256=f9C1LsqcTsdc_Q559VrNQgMhcTL1vyyQBqAv2cZwgB4,671
+torch/include/ATen/ops/_foreach_max_ops.h,sha256=e08avI3nrfAOaHItnprjIb9NXthJxAmnWRZi3fQZnjE,1629
+torch/include/ATen/ops/_foreach_maximum.h,sha256=74pqsMQQX2pmxlMfcA7H36CkdHAAowFNo2M6nRMUIM8,3594
+torch/include/ATen/ops/_foreach_maximum_compositeexplicitautograd_dispatch.h,sha256=oAXK0Goeaaqt0HZZHPs7aXYV7NzqpY6yfGW9p1umMmw,1903
+torch/include/ATen/ops/_foreach_maximum_cuda_dispatch.h,sha256=RxKOWS1pl8YpZ34yZsK8_P_qffiTKHL7AFPzIVvscNg,1224
+torch/include/ATen/ops/_foreach_maximum_native.h,sha256=4VMpmSC2weAFWDwI_sq9Znm_IDZBglEAuxrmV5N2yCk,2217
+torch/include/ATen/ops/_foreach_maximum_ops.h,sha256=Gv12vpDpy44gbOgSQI5aURcqnsA7JrLWgaEaFOE4EmI,6737
+torch/include/ATen/ops/_foreach_minimum.h,sha256=0drqf9ZipFTyR01veb-EPRSZ64M-dY_cU15t1NSf4ZY,3594
+torch/include/ATen/ops/_foreach_minimum_compositeexplicitautograd_dispatch.h,sha256=YraMfO1UgDm1ErhAS7_B18IDu4i6Sb-FnW0dsOZznq8,1903
+torch/include/ATen/ops/_foreach_minimum_cuda_dispatch.h,sha256=qP4oz43SebofPXOZP2DXigz8hqBkRmaMquXE8hTMuKY,1224
+torch/include/ATen/ops/_foreach_minimum_native.h,sha256=TrjqfxycqOuesQmsCV1SxWUDfk-hOPipzW75y51TJ00,2217
+torch/include/ATen/ops/_foreach_minimum_ops.h,sha256=ji8xaolfTnCE6xV4SIUxlCEhwrRT08FUWcFjCMk8WZU,6737
+torch/include/ATen/ops/_foreach_mul.h,sha256=Yxe3UB3exCxKB9LgyroS6OU7lpyt852Kl2lmh2ro8gg,4404
+torch/include/ATen/ops/_foreach_mul_compositeexplicitautograd_dispatch.h,sha256=Z5Hks3c-mF_5vpzd__5Zgkle3FpRiW3YDiw6Gkh_1i0,2230
+torch/include/ATen/ops/_foreach_mul_cuda_dispatch.h,sha256=Di0b-BfdiK3lI1QxWtykED3EGhm8AX6EnBFCi8EK1X8,1374
+torch/include/ATen/ops/_foreach_mul_native.h,sha256=ri5-TOEqacplHcUbJ_VqOLpDU5r_PWrm6K828_X3Fmg,2688
+torch/include/ATen/ops/_foreach_mul_ops.h,sha256=9OU12rEs-9ufGDiz-uLj5E8WJoHYudBv-xBgw4X9ZPw,8669
+torch/include/ATen/ops/_foreach_neg.h,sha256=tjY2d4Vay2ExJh0NXI3YDhAu0WQaJDxJQJDDcmqaY3s,1210
+torch/include/ATen/ops/_foreach_neg_compositeexplicitautograd_dispatch.h,sha256=QQyLlTWTee0STX2VyfAM2cVL-E_Zq5KB1q3tBV9g2fM,981
+torch/include/ATen/ops/_foreach_neg_cuda_dispatch.h,sha256=LNirobRyRHGw6PbIqMf_mKBUAUSZJSjAGDRmRVBBRS4,790
+torch/include/ATen/ops/_foreach_neg_native.h,sha256=h281mWpKYGIbGiWAtZddoHXAjv_Vxnm6op7WGyLV2ZU,795
+torch/include/ATen/ops/_foreach_neg_ops.h,sha256=xOphbFt9L9RDfjotxpYKakZw14kytlpc_MylONV4IqE,2155
+torch/include/ATen/ops/_foreach_norm.h,sha256=-kK5hKyGYHhiRD6qFgqoF1BY6n2H8O7Oox6whJ5eBFY,1487
+torch/include/ATen/ops/_foreach_norm_compositeexplicitautograd_dispatch.h,sha256=XwsSos2Euc_OkuAl0R7hvxykxM9DSB_DMBRrgOnWQkU,1156
+torch/include/ATen/ops/_foreach_norm_cuda_dispatch.h,sha256=Xa-SgLdRECv_A7TlhHo9V0OqTNXntCSoug2Ru1cWfac,820
+torch/include/ATen/ops/_foreach_norm_native.h,sha256=jJ0jPfwLvffN80a5dqdzsypqtqn0QlvGDVM04YiJAUs,904
+torch/include/ATen/ops/_foreach_norm_ops.h,sha256=vEuqRs-JlPBkABhGSJuX14BM7eDRn_LzOuZ_b-E0sGc,2110
+torch/include/ATen/ops/_foreach_pow.h,sha256=Esr0T1wcyE3o5iKng5wCHufs1mFarMowOJoAKqpj5ak,3774
+torch/include/ATen/ops/_foreach_pow_compositeexplicitautograd_dispatch.h,sha256=q5yzQAdlg72QUxq3oqlMBbZ2LoJFFuutNYy1UmjrfI4,1979
+torch/include/ATen/ops/_foreach_pow_cuda_dispatch.h,sha256=UtCRbPpjeMg-XjAVX4cTxmCUF6fZagEnaa1GkiTl53E,1312
+torch/include/ATen/ops/_foreach_pow_native.h,sha256=l2KogjaYgFPRUz8dl0eOSFJlo0nbJVPWKQmSKKrvN4Q,2409
+torch/include/ATen/ops/_foreach_pow_ops.h,sha256=II2PwkZ0TbBwhmD7H-bEAn8kZIbxz2jHu4P16RmKUSw,7413
+torch/include/ATen/ops/_foreach_reciprocal.h,sha256=aSKrdUC0VznKCBdlV2M3hPTA0oIObY0fCPQUROp0Ay4,1301
+torch/include/ATen/ops/_foreach_reciprocal_compositeexplicitautograd_dispatch.h,sha256=lTv6U45DvIakDoKoA06Cz5SJtZYTdVDDwl2wGLZox-k,1009
+torch/include/ATen/ops/_foreach_reciprocal_cuda_dispatch.h,sha256=wdyYLOJ0AOcxTxYEmb0AYmHZK-dwx6jc0sAibvlp43s,804
+torch/include/ATen/ops/_foreach_reciprocal_native.h,sha256=pVuX68cj7z58qZwJHN26BRzpadHQTXD_lvKB1Q9Qyio,830
+torch/include/ATen/ops/_foreach_reciprocal_ops.h,sha256=BAjRL2cpkyL54knTp6VwAFgAyH8W29SOkMWUGayiL_8,2218
+torch/include/ATen/ops/_foreach_round.h,sha256=OliUQtdG2tdZDJYmW_wqU4eZfAE2ydZdfr5FtLwyS0o,1236
+torch/include/ATen/ops/_foreach_round_compositeexplicitautograd_dispatch.h,sha256=Crxy4v3MV9TK8zzmrbj1I35WBfhdOnIuzFbDOCaeLgQ,989
+torch/include/ATen/ops/_foreach_round_cuda_dispatch.h,sha256=fCNyh3eTaIc43aXrhMYwL4VUFRVgcHvtpc9vY84gQ5s,794
+torch/include/ATen/ops/_foreach_round_native.h,sha256=hwCNlpEkOMdlY264jW9lFoICRC6wBuUY-Mq6fS_KLaQ,805
+torch/include/ATen/ops/_foreach_round_ops.h,sha256=Jvs1RnbYyAhHDMVu1P6LFL2wTn3BclyZeNkHk6whuh4,2173
+torch/include/ATen/ops/_foreach_sigmoid.h,sha256=j1ytFDkXtC6DQmkxjBRvuU0jHp7FcMn0mwY3U2EFOcA,1262
+torch/include/ATen/ops/_foreach_sigmoid_compositeexplicitautograd_dispatch.h,sha256=mNUI6c7ywnb7tIGVVuHrsufafPdcTPInMf31PvcYZLw,997
+torch/include/ATen/ops/_foreach_sigmoid_cuda_dispatch.h,sha256=dEwMO5XnsNuy8JLKQ4luueKkJS451T3oCTRZUp_NWp8,798
+torch/include/ATen/ops/_foreach_sigmoid_native.h,sha256=HB__GJ_HLndEXWYAblHB5_OvfFdbL-ocz4bhBhfrGzM,815
+torch/include/ATen/ops/_foreach_sigmoid_ops.h,sha256=ScXoAjZsuG0HWr-CBj0Zj-hKGDQL358JICX3TnoYK0Q,2191
+torch/include/ATen/ops/_foreach_sign.h,sha256=-1zHcLCTmGr9KQZQu2G2ylTLZ-zTw6KQ1OU9DzE6zW8,1223
+torch/include/ATen/ops/_foreach_sign_compositeexplicitautograd_dispatch.h,sha256=119CdU2pz6mATsCllZFTU-mYIL-d5uGq2281Z0PlymA,985
+torch/include/ATen/ops/_foreach_sign_cuda_dispatch.h,sha256=i7B1Z15lVhpkr2dtNit6VYZ2ltDw9aFZc0UbjBVSlMY,792
+torch/include/ATen/ops/_foreach_sign_native.h,sha256=B9QLRzjL93VQuNsNyTnNV_I5M1tWuAz-3SwgBA-_j_8,800
+torch/include/ATen/ops/_foreach_sign_ops.h,sha256=hie-WhT77cWFHSTKIsfUMDhwAMgatxyzD5LE7NI9t4g,2164
+torch/include/ATen/ops/_foreach_sin.h,sha256=42bt6aEC54GoDT9XR9oJU1l97cKoia8FS18jVDAHmwM,1210
+torch/include/ATen/ops/_foreach_sin_compositeexplicitautograd_dispatch.h,sha256=E7vAYn6mRWYeIupZtBKVzV3vMimhmRh4O018rKlhGmc,981
+torch/include/ATen/ops/_foreach_sin_cuda_dispatch.h,sha256=GkuQzGOsrNLYUe1Gq9_OKJjzayi1k_wOFxJGIIjAiW8,790
+torch/include/ATen/ops/_foreach_sin_native.h,sha256=SviaygeUWl-XdlHvfMcKKT04Nsx9NnzQen_bD3ibuY8,795
+torch/include/ATen/ops/_foreach_sin_ops.h,sha256=tjpT63pTDQcvFqo-hqSD0rlBZTjMSISj4sJWd3ZoCEM,2155
+torch/include/ATen/ops/_foreach_sinh.h,sha256=UA8ou_mysASxwd2ou_ayVaLvKUnEir51MY50LTSON3I,1223
+torch/include/ATen/ops/_foreach_sinh_compositeexplicitautograd_dispatch.h,sha256=WuW_pHcH3snQxpiRdRNSO_DlLyV6FzuESyw3UwTVK7s,985
+torch/include/ATen/ops/_foreach_sinh_cuda_dispatch.h,sha256=Ds_xzRCY9t6plr2vnX_dWl__guO_L4z_gWq_Lpj6mR0,792
+torch/include/ATen/ops/_foreach_sinh_native.h,sha256=aJZ7YbryT-5ppOt6aiHIopT4hKLps8Pu8m3p742rc9k,800
+torch/include/ATen/ops/_foreach_sinh_ops.h,sha256=Pz_qtQ20Xc7hACEvbk2oNQDEKYwbg29at54bhcAXhh4,2164
+torch/include/ATen/ops/_foreach_sqrt.h,sha256=gMsGClUTAMJ03A-Lu2j9bCRfQMLxhMnSbcl4woUIrrQ,1223
+torch/include/ATen/ops/_foreach_sqrt_compositeexplicitautograd_dispatch.h,sha256=dx79QBg5vjXu1_bm-UY3QgqFpJg6Bjcb6QKQAkmDpVk,985
+torch/include/ATen/ops/_foreach_sqrt_cuda_dispatch.h,sha256=R2I313_FMJORMUQMYqSkhx40Z6FT8OQdnUaBvM9w25g,792
+torch/include/ATen/ops/_foreach_sqrt_native.h,sha256=5tc8f3V6MihSA7-QJHUj6MzXzY0NPTOkHO6hoUHymEA,800
+torch/include/ATen/ops/_foreach_sqrt_ops.h,sha256=fV6j3dLXgvjr3O2E30jA6TUXJEJqWrRVgeVBb5JNmRI,2164
+torch/include/ATen/ops/_foreach_sub.h,sha256=QuTdWE4ch3anzn4nujSoXfX4Z263yfUr80tClnO0QWI,3654
+torch/include/ATen/ops/_foreach_sub_compositeexplicitautograd_dispatch.h,sha256=PgLOsDEh2gIdUTxp6h0LE9bIpY1GAg2255Rps4dNczs,1965
+torch/include/ATen/ops/_foreach_sub_cuda_dispatch.h,sha256=clpGRsPk-bTft2ZLnilk2HuRI_1tsgszrVyToCH8rO0,1256
+torch/include/ATen/ops/_foreach_sub_native.h,sha256=CN-PfaPOLwCYqYd9zDaCJqb2DMSBBUsCcVfRzUgEF_o,2271
+torch/include/ATen/ops/_foreach_sub_ops.h,sha256=j5PkyohR3ImR9pJFVu-ATOgT0HTVQ8ovPzK2RMj7T5U,6899
+torch/include/ATen/ops/_foreach_tan.h,sha256=DtmZXVY-oJSPMxiNcV3vgwRSawKkbvha39W5FrD7N1s,1210
+torch/include/ATen/ops/_foreach_tan_compositeexplicitautograd_dispatch.h,sha256=tWiT5GxFobzjgmN343rM2JtFwxsHBmwwjDogvzFeT50,981
+torch/include/ATen/ops/_foreach_tan_cuda_dispatch.h,sha256=r9_M7nVUJmzWLJHGPPYVbvB5p5Im-7WeMMeYhmZwZiY,790
+torch/include/ATen/ops/_foreach_tan_native.h,sha256=uCJ9nmcZn9W4Ih2l6T4fz_3_DbN1xbcyYCCzVkr6818,795
+torch/include/ATen/ops/_foreach_tan_ops.h,sha256=w5yZXgalqkdtvsT2unnu0qIAZEw9vq_qwKLtNGJGjOE,2155
+torch/include/ATen/ops/_foreach_tanh.h,sha256=PHOJwz0weZ8xlvp-Ofb8ZE9-MgoqZ7YCDCyXjjIAWuc,1223
+torch/include/ATen/ops/_foreach_tanh_compositeexplicitautograd_dispatch.h,sha256=eZiXEC9ShTFgCyo_irQy0LwKuaq6-xP1rA-gqwGKPXc,985
+torch/include/ATen/ops/_foreach_tanh_cuda_dispatch.h,sha256=hT4YelKEv44WsMi9mDhVUJXtAO0oW3ClYnhyHh1yWi4,792
+torch/include/ATen/ops/_foreach_tanh_native.h,sha256=mIdM82aQOBvnd9cyArVsYdWkWWCKL4ixXXjDKCBpE-c,800
+torch/include/ATen/ops/_foreach_tanh_ops.h,sha256=4ehl2qhf40CO38-jThVp4_rFBDqvEDjjOLZ7sH-oOeM,2164
+torch/include/ATen/ops/_foreach_trunc.h,sha256=zLbEOEyvqLkgwtsTGAStZgtF-6e0RLxRRDkGtgQaCqc,1236
+torch/include/ATen/ops/_foreach_trunc_compositeexplicitautograd_dispatch.h,sha256=A-8iOv7LlH4hPqcl_Jup-Ca5BUg3XBUrHjKR03ST3mA,989
+torch/include/ATen/ops/_foreach_trunc_cuda_dispatch.h,sha256=9J3JZTWwXdi82irP1-EXfOK7OL_dzzEwzeFO7LUxxW4,794
+torch/include/ATen/ops/_foreach_trunc_native.h,sha256=fDe7_7mMaZtonE2ir7zzuYzjX5_ungYfNbLQZiskvSg,805
+torch/include/ATen/ops/_foreach_trunc_ops.h,sha256=pbCnpnVShE7zcr0NPpgDqG0LRjhkLYsre3-P8XspMHA,2173
+torch/include/ATen/ops/_foreach_zero.h,sha256=CT7OAqZWYqEUySzFHuaCPdphLvK_Dp1VCbLV0ELbph0,1232
+torch/include/ATen/ops/_foreach_zero_compositeexplicitautograd_dispatch.h,sha256=QR7bf5PCuyffJIBDZH5d6dZksq-9o-EWDXJcrVxrQ14,985
+torch/include/ATen/ops/_foreach_zero_cuda_dispatch.h,sha256=xiDyMl4EnnJkOHF8FSTS6_4XN4yiehDDCZomxVXr268,720
+torch/include/ATen/ops/_foreach_zero_native.h,sha256=2JTKQMqcef-pvqZacivTjEkk2lJw3CY7hXjc1bgNSvM,706
+torch/include/ATen/ops/_foreach_zero_ops.h,sha256=AW5AukePRmcGN1_UsEF3442aqSiMdWNquQhEdcUTINA,2173
+torch/include/ATen/ops/_functional_assert_async.h,sha256=RBpPi00ZeN9oZi5-2IewHMRL7nT0lwktnkboiwP1OEM,821
+torch/include/ATen/ops/_functional_assert_async_cpu_dispatch.h,sha256=ot74CjLgr5VdbrT_dqIt5KVRcc5VP-Tqt4HGMsAXT1A,797
+torch/include/ATen/ops/_functional_assert_async_native.h,sha256=qDB1WV27Fwv0ybzTQWHHxwI0fYJcFzPRmZB690It75Q,572
+torch/include/ATen/ops/_functional_assert_async_ops.h,sha256=F_UgI8uZazR5ogIA_6Yi-txDkD-cux-fXpQ3P8ObaIU,1222
+torch/include/ATen/ops/_functional_assert_scalar.h,sha256=eXm4_9llUeT-YiDek3gqlNLheg3VgUygp7DxkUMbp9A,817
+torch/include/ATen/ops/_functional_assert_scalar_compositeexplicitautograd_dispatch.h,sha256=5rmSQMPsUHjMEHryg_oZ6miOh7UGhYL-QuF18bLLbKg,842
+torch/include/ATen/ops/_functional_assert_scalar_native.h,sha256=3LFyE98asEGoKABp9S1ql6kjKUT_UYUAe921J-GUb_A,565
+torch/include/ATen/ops/_functional_assert_scalar_ops.h,sha256=CTTej59oqr264o6Mn6t1kFo99IRhS7BL5Q93w1mwSeI,1214
+torch/include/ATen/ops/_functional_sym_constrain_range.h,sha256=umcjY2bxuPoOLut2SpcdAqoJjOtGGeO4ow7LlS65HT0,874
+torch/include/ATen/ops/_functional_sym_constrain_range_compositeexplicitautograd_dispatch.h,sha256=eBXY9h8oUARa1CFRzZg6nJKCy4JxBtl61AcSLAWlBXI,879
+torch/include/ATen/ops/_functional_sym_constrain_range_for_size.h,sha256=cV9lqByte0wQfhxP2y07ZLQ16mjb8vL1UyYU_4DzH7o,910
+torch/include/ATen/ops/_functional_sym_constrain_range_for_size_compositeexplicitautograd_dispatch.h,sha256=I3v0kG9E4hzE5aTLkyT5qBjfI_n0Kt82RFNaXgYnZjE,888
+torch/include/ATen/ops/_functional_sym_constrain_range_for_size_native.h,sha256=fK0U9X3YNQHF8Fw5gmrGGSJ3KZADb_C00gQKUmEJ9YA,611
+torch/include/ATen/ops/_functional_sym_constrain_range_for_size_ops.h,sha256=j69Q61s5AtKX5rGJKHfQ3pEiZu2gzC3Gzby8iecqbx0,1359
+torch/include/ATen/ops/_functional_sym_constrain_range_native.h,sha256=L0m105znXK4B7DxmP3RcUupeIkvNRMoUArgUtsh6UCo,602
+torch/include/ATen/ops/_functional_sym_constrain_range_ops.h,sha256=UnlwnQ5gKt1vmtdqp__vvrqFMx5sCdQ3abrHsnocvGQ,1332
+torch/include/ATen/ops/_fused_adagrad.h,sha256=ALChID2rxaarMAu6YAeyK28ZZJTn2QVy5TUL1DGD5xU,3574
+torch/include/ATen/ops/_fused_adagrad_compositeexplicitautograd_dispatch.h,sha256=_ymjo9_ZxBgTt6B3nAXOU76NWaKQpi-8spyOZBLJMWo,1784
+torch/include/ATen/ops/_fused_adagrad_cpu_dispatch.h,sha256=mksXbpj0IzkgPgVloQIcT3cOlQuSb9eUjrhbaU8LRws,973
+torch/include/ATen/ops/_fused_adagrad_native.h,sha256=neUYCndL3aHaMCDemGaPaBPOAE8-uvKPQTEg3JQZ0T4,1494
+torch/include/ATen/ops/_fused_adagrad_ops.h,sha256=gLiMOHIQPCAAiodxZPrqkRBYmRFK_aYCLDEByj6EMLs,5069
+torch/include/ATen/ops/_fused_adam.h,sha256=A57i0vGXZ7iZpNcy1Cy5dzRjEes9r3lpo70NhZAD98g,8391
+torch/include/ATen/ops/_fused_adam_compositeexplicitautograd_dispatch.h,sha256=cKQIHEQjbq4XtdmdjElr3EQQOg7NiYgsgjP-pnlfzls,3426
+torch/include/ATen/ops/_fused_adam_cpu_dispatch.h,sha256=Od8eilHinkM8AIK7HoNwueUQkMR-XTTG7OxDcGPKgTE,1452
+torch/include/ATen/ops/_fused_adam_cuda_dispatch.h,sha256=M4zOd0u4dEYL_7BJoHd_ajFjVDn9o3y2kMD0B7hyNaA,1454
+torch/include/ATen/ops/_fused_adam_native.h,sha256=qBHDs_sBbq_wr_7iE-cWA3z_crmvgDKQLIua_UbrXGk,3943
+torch/include/ATen/ops/_fused_adam_ops.h,sha256=AX6Fesb7nZKZ_uv2j7aoBUzri9U6i3LcXd3yl-6LyC8,11769
+torch/include/ATen/ops/_fused_adamw.h,sha256=jj4zW2AAlNfcYj1WMyEPEGVq52DQkc7T1wuGelVc8s8,8416
+torch/include/ATen/ops/_fused_adamw_compositeexplicitautograd_dispatch.h,sha256=_TFA_X_bbIjlT-SbEnm9PToJghik33a8veF0x9e-XbM,3432
+torch/include/ATen/ops/_fused_adamw_cpu_dispatch.h,sha256=_43P1GmRG1bJi66L6azwwf3I0P6lLWCYQJsGHB-8l3Q,1454
+torch/include/ATen/ops/_fused_adamw_cuda_dispatch.h,sha256=cU1bOkbD_YEjXmJhhGRGHrkVWzxL4GSqqGxpqyVA-qU,1456
+torch/include/ATen/ops/_fused_adamw_native.h,sha256=cCOAlme5fi4wlUm-0HQyFLET-uTfhLdGN_KD3lp2FDo,3951
+torch/include/ATen/ops/_fused_adamw_ops.h,sha256=ZRSWXi1e1vVaRevMi49qJ8Bw0X7esb26rTMIi8Ce77Q,11787
+torch/include/ATen/ops/_fused_dropout.h,sha256=NaNKWvOyPPcPYEnuqGnUojL0p9lR8_6V5fWzteGeNHc,1638
+torch/include/ATen/ops/_fused_dropout_compositeexplicitautograd_dispatch.h,sha256=hO25KgQqkM_fJBkf-OkDzD9xAXCzkopdW7PnRBJFGi4,1096
+torch/include/ATen/ops/_fused_dropout_cuda_dispatch.h,sha256=uZMetVwx5KS6GCuFRjI-TnvkxEnzRQl_u7-X_2J6cyw,822
+torch/include/ATen/ops/_fused_dropout_native.h,sha256=DEPJ_UePlcC0sN9BCnmGGcp6Bwc35r_uQdi6L3pr7nA,776
+torch/include/ATen/ops/_fused_dropout_ops.h,sha256=k5_JEZ6QM2QVBJ-A_bMdyL1esZRDUwr7QPGqi9aqbj0,2250
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper.h,sha256=FwNcgEADJSyeW-yM_XUc49QZIwmne_44K2hdldNOzMU,4763
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper_compositeexplicitautograd_dispatch.h,sha256=tBd5nwqRPK_YcyNF1-nW3MwbDw00wS3ggMbTyPAWjH0,2085
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper_cpu_dispatch.h,sha256=72juH36Kwx_GmhJFveNm9GFakNipCNNOVaNfk1vKu7g,1071
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper_cuda_dispatch.h,sha256=3I6zOASUf_AUFl_XBQpQC6syfdXhM6213Dfq2-akork,1073
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper_native.h,sha256=6cQnAFTIx4hmZiFfrr0vbj0NR9Auk46vpW2-gkMSUkQ,2175
+torch/include/ATen/ops/_fused_moving_avg_obs_fq_helper_ops.h,sha256=-qHAA6TLbDHJRDV1KeXhTt47Y-NYnPrZzIQh7Blk88k,5950
+torch/include/ATen/ops/_fused_sdp_choice.h,sha256=wFqNwnw32oZ29wPRwv5K2nRVRny4eGh8ygiZjbfKiMY,1023
+torch/include/ATen/ops/_fused_sdp_choice_cpu_dispatch.h,sha256=S7hKnDnNggw-nB2Hkd9ntGE3waLttiaugl2YR0U3DaI,919
+torch/include/ATen/ops/_fused_sdp_choice_cuda_dispatch.h,sha256=sK2c10HjopIM4UjY01hZN6UJgH01763EiQWrHXCPzcs,921
+torch/include/ATen/ops/_fused_sdp_choice_meta_dispatch.h,sha256=SeW2cfvjjYOlWDnmcHBKGewmF03R6GTfz8C1urWG5tM,921
+torch/include/ATen/ops/_fused_sdp_choice_native.h,sha256=fYnyRw510fJv-hZbEwvM6k0bNbg1l5ipxsUeEYAvrck,1206
+torch/include/ATen/ops/_fused_sdp_choice_ops.h,sha256=8mQ__kuSZDmesYtvUhQzJeWZFpTUX_UmPZtRs2tQX8Q,1546
+torch/include/ATen/ops/_fused_sgd.h,sha256=w-GLq-EEg2qkpfVHujsTyYoYBhwsh8fN1kl6yFPQgI0,7214
+torch/include/ATen/ops/_fused_sgd_compositeexplicitautograd_dispatch.h,sha256=ApVD3eFvvzxRpANGN4wv_Np38rwjf-h7bpjqGNLEfWc,2956
+torch/include/ATen/ops/_fused_sgd_cpu_dispatch.h,sha256=9yX7U5SkvQFw9IVijWLyFvwBnLsygMxo4-JN0XBO974,1330
+torch/include/ATen/ops/_fused_sgd_cuda_dispatch.h,sha256=qagIsaJBbcxoS4pPxmBqDI3Z6JCTVasiVo0RKWT0xmg,1332
+torch/include/ATen/ops/_fused_sgd_native.h,sha256=pCOMfJrBf00UDaLd4UtMvHVGmuI0I4a0MevNFSyQFdI,3351
+torch/include/ATen/ops/_fused_sgd_ops.h,sha256=Lp6CwkZc3PayXNfQ1UpC9ia-2HnykURY4cWyKmlKQok,10053
+torch/include/ATen/ops/_fw_primal.h,sha256=wbUXfSDo6Onjb2cwvi8_gk9A5W3VVWjyuk8APQFZY3Y,495
+torch/include/ATen/ops/_fw_primal_compositeexplicitautograd_dispatch.h,sha256=NXQhFZcOOWc2XBL77CMAxQ8vOtxfeysFHmPttB2p8ig,783
+torch/include/ATen/ops/_fw_primal_copy.h,sha256=6UPe_bbGQwizliN2lCRgWJQlehls6WdQHQyNzbijMLU,1204
+torch/include/ATen/ops/_fw_primal_copy_compositeexplicitautograd_dispatch.h,sha256=lATcwWFhcyj-_zQS-09IQxQMTYUIxYv55Oyblg55m0k,915
+torch/include/ATen/ops/_fw_primal_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=E1jl5KdNilfGNuQgYiezT0ISLkd1RcPptxbL_vgFcqM,814
+torch/include/ATen/ops/_fw_primal_copy_native.h,sha256=cOOA91KP1NEyBu4itCHQeLoXjnEgL-Scr9gI-KyzdyE,613
+torch/include/ATen/ops/_fw_primal_copy_ops.h,sha256=-ahcisTRZ4snXodEtQhOPO0G-hwSBzFDgON8NOA6LOE,1744
+torch/include/ATen/ops/_fw_primal_native.h,sha256=7MiWJjXXWfY0QguelxKN5VTw_EwhRVtquGaXcYAvKOE,506
+torch/include/ATen/ops/_fw_primal_ops.h,sha256=FXyRwaJ8KTwoUMaSphA719lATPfrMtCWJLLygyXe6Kw,1035
+torch/include/ATen/ops/_gather_sparse_backward.h,sha256=7uLw-OrN0dclTBJW-vZKBAjIlRAtnmSYZjZdzX1l5tA,811
+torch/include/ATen/ops/_gather_sparse_backward_compositeimplicitautograd_dispatch.h,sha256=t54YLE3sVhaFbLKLPm5y2uR8ed1-eSvjClTF58tsjGQ,845
+torch/include/ATen/ops/_gather_sparse_backward_native.h,sha256=8MibZwZQmlX5GGwFAES7A-MdhMIhYC4rNnfwIyQgf-8,568
+torch/include/ATen/ops/_gather_sparse_backward_ops.h,sha256=dWj49Q0our4k4SGCk27OSrTkjXPmcbECGxy-4zwbJR4,1231
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback.h,sha256=99N-t4nLW4uW_ODfkZg94W-o9DlVnxjsA4xgr6IdNbM,1929
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_backward.h,sha256=YCI7-6HpXkbchjP4c51NdzOvjRogKwo4AEb_0SqU23c,1081
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_backward_compositeimplicitautograd_dispatch.h,sha256=0S7kWiPEKRmi0iS8JQ3K5TChzSpZNhAm1mjyXQgaUT8,949
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_backward_native.h,sha256=5OvV5KLZA_eUUeoT5pbpzGBImXuvCa5hXSOjuKpjZ-0,672
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_backward_ops.h,sha256=-8P0wwwuaNAjRJP-ssMm15Cm-qr3r2AzdbVE2Nt4Mh8,1564
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_compositeexplicitautograd_dispatch.h,sha256=RNJ5ldvNJNBMZ6RcgTfpPIoIjCoBVAF3X9TPiz7JjpY,1278
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_native.h,sha256=Mt5e4l94RCKbXI5mEGttZxm-VGy04n6CL9CflzWakj0,803
+torch/include/ATen/ops/_grid_sampler_2d_cpu_fallback_ops.h,sha256=KuViWyZWvkInJKCmc-4V1KzXs93c4bbrY9BDfEp7T9A,2352
+torch/include/ATen/ops/_has_compatible_shallow_copy_type.h,sha256=4f6UzockRX1C2HY5z9B24OLuMBa2uzCLr5SFnAPPU1U,769
+torch/include/ATen/ops/_has_compatible_shallow_copy_type_compositeimplicitautograd_dispatch.h,sha256=2xdv2qflbXPUttIRc55S8s2MotOCl0vLyftGJ5zbOWg,810
+torch/include/ATen/ops/_has_compatible_shallow_copy_type_native.h,sha256=WrVjbkfB5D7UIKtOJTYKG5QJ1F6z3b28dEGFu_OnMpM,533
+torch/include/ATen/ops/_has_compatible_shallow_copy_type_ops.h,sha256=AHx5f5Gw84e6bIjFaFns67u2qIjTRkSVIXnI3NmFnPs,1111
+torch/include/ATen/ops/_has_same_storage_numel.h,sha256=MiWNU-KMnSwHW5dziKKWGZ8YNjMV0BYpd2WqxPV87I8,732
+torch/include/ATen/ops/_has_same_storage_numel_compositeexplicitautograd_dispatch.h,sha256=2KsHY-jtYgiEkqUzRXGTD-UuQAasT2xh3VJnh-Y5UmM,801
+torch/include/ATen/ops/_has_same_storage_numel_native.h,sha256=TI1797wrMUYgWSBnEzOmHZSJiZ5u4FlW8ysKxKaK51g,524
+torch/include/ATen/ops/_has_same_storage_numel_ops.h,sha256=DVgjAgTHB5guhSSQR5_CFlKjHwKc_c_GFlah0r6LDes,1084
+torch/include/ATen/ops/_histogramdd_bin_edges.h,sha256=D1fH1pOubZQlGhvRIQarpCOnuZDG1wJbH_c8A1E_sog,1906
+torch/include/ATen/ops/_histogramdd_bin_edges_compositeexplicitautograd_dispatch.h,sha256=MViELSWfzE5zkB70kIQEbMBJaPM9JHnQAbH-jaPzoy8,1161
+torch/include/ATen/ops/_histogramdd_bin_edges_cpu_dispatch.h,sha256=cN5bcMk9tbLCU_6TzWimrAJgmjBUZLjRmeqK0wVOcPc,900
+torch/include/ATen/ops/_histogramdd_bin_edges_native.h,sha256=6NkXE6OClG5BT-fMxHpVTDfCJiOr2DUZAU01KwjrSzw,879
+torch/include/ATen/ops/_histogramdd_bin_edges_ops.h,sha256=Ajnbh0prkKmbSZ-vavDEBUwQ4upbELQKGcAL9D-va_A,2558
+torch/include/ATen/ops/_histogramdd_from_bin_cts.h,sha256=co-7x1doHYH0lJ0lXVc3tfNiqAkKwwyoGfZBGsuj3gY,1943
+torch/include/ATen/ops/_histogramdd_from_bin_cts_compositeexplicitautograd_dispatch.h,sha256=Vf56yUvS1uW3OjVRMXOYQpE7NuODGPyrZEMn1bAwXWw,1179
+torch/include/ATen/ops/_histogramdd_from_bin_cts_cpu_dispatch.h,sha256=SCBr01-DMRInbQy4CgFeyQ1_icS6mdsHYh9qMMIIjd0,888
+torch/include/ATen/ops/_histogramdd_from_bin_cts_native.h,sha256=VA19xU3jjRV7e6M7fX1k3WcFYScoQAa3faTJKtVFpSM,864
+torch/include/ATen/ops/_histogramdd_from_bin_cts_ops.h,sha256=5aWQEHM49wERDgi-TI4lJq-f0pwMTlgFCtHNN734oX4,2553
+torch/include/ATen/ops/_histogramdd_from_bin_tensors.h,sha256=3F0iP0sILPaSQ76aobgmOmIZgzHbOerqkNP1YdrFdPk,1740
+torch/include/ATen/ops/_histogramdd_from_bin_tensors_compositeexplicitautograd_dispatch.h,sha256=TsJoFuX3gG1uZMr4G14-bMw8cae-IbeJTKdKcWcMZTY,1080
+torch/include/ATen/ops/_histogramdd_from_bin_tensors_cpu_dispatch.h,sha256=AVDmfaUS2CV5uEQucfz3kb6j2slZOrrdnbss4hHVmbY,831
+torch/include/ATen/ops/_histogramdd_from_bin_tensors_native.h,sha256=4UORk5A-PmD2UgR2r2t-b2J4EjzWXI7D6IZwIkVXAl4,761
+torch/include/ATen/ops/_histogramdd_from_bin_tensors_ops.h,sha256=30IgXE46Pbs0UeZOWgqgBmaRSRjzAn9fAL_BzyrhFOc,2277
+torch/include/ATen/ops/_index_put_impl.h,sha256=Ee2X8OkYxFpzd6KTcAHgjXg3zwTPcrQWOVRD5Yhc9aQ,2214
+torch/include/ATen/ops/_index_put_impl_compositeexplicitautograd_dispatch.h,sha256=KawxZ8MiPYCVXQLyo3UtBpC4lc3Lvzc9w6cymtSC1ks,1311
+torch/include/ATen/ops/_index_put_impl_cpu_dispatch.h,sha256=OcMMvPq-f7cAPOqNbr4w3o18awq7e0rHL-NUaGmdo5s,851
+torch/include/ATen/ops/_index_put_impl_cuda_dispatch.h,sha256=FV23bzfXa7YoUf7lpsj1gOcojbXKnuzIRwb0OQFOVlQ,853
+torch/include/ATen/ops/_index_put_impl_meta_dispatch.h,sha256=LNybZRBzxbDvblRuI2lBS-JqjAFfgbJK4O1UB84-c0w,853
+torch/include/ATen/ops/_index_put_impl_native.h,sha256=GFiyA7_Sb4eGJu07w-lF1hhGbVypeih0baMdvvJEtd0,1405
+torch/include/ATen/ops/_index_put_impl_ops.h,sha256=_He0Q0MZnQaDw-jJvj0S5pC5RLy8FjKXrPcw9DRbnnM,3349
+torch/include/ATen/ops/_indices.h,sha256=sYoJIB4QD9Qjo4lvGtuCXt8IcxWYFnMDpOnc2tIhS9w,493
+torch/include/ATen/ops/_indices_copy.h,sha256=AUF0vAbTIEMdDiTufJduTdhXHn7PLLj12Tkytcw9VIg,1085
+torch/include/ATen/ops/_indices_copy_compositeexplicitautograd_dispatch.h,sha256=jyTTcUBtctnqGmqzumiA_We9NEUuSbtjr-GlS5olODc,881
+torch/include/ATen/ops/_indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=7As9eYtRYosbx2LHlxoNmrZkYIbgrc6iUpUEutNA7Zs,797
+torch/include/ATen/ops/_indices_copy_native.h,sha256=ik7lKBRk6w48ls723MXXMB7ZiWVTCVO369YO0CTg-2s,579
+torch/include/ATen/ops/_indices_copy_ops.h,sha256=hPtMuivvSBABZHKoTrMnUNsWBaZ38NLjERgmE84u258,1632
+torch/include/ATen/ops/_indices_native.h,sha256=EJjVIITihp1oCzmdeRZo1sEtIpwvNhkN6MDlLEO7EJI,496
+torch/include/ATen/ops/_indices_ops.h,sha256=WJV-AukaEqphCkxNuEcb_lp13tJ_r_o9JAhw7tgdEio,979
+torch/include/ATen/ops/_int_mm.h,sha256=HCBWyI3QesGu7F4G54iai-eiOcqXp_N_c9S9r2xh-Vo,1157
+torch/include/ATen/ops/_int_mm_cpu_dispatch.h,sha256=1DFPv8kodBPzreDBqXj-udPUZR_sRYtUYKvY4sEVWj8,955
+torch/include/ATen/ops/_int_mm_cuda_dispatch.h,sha256=iJjZqqVijsGowuCmY8zrbuKbZO8fMLJ0jxK7cX_PHvQ,957
+torch/include/ATen/ops/_int_mm_native.h,sha256=gFq6GOZxbhGqDW8fZg68-acfoFfQ2SWoQ-XWmWlNzRY,819
+torch/include/ATen/ops/_int_mm_ops.h,sha256=NRFABzdgr0o8-CuaTBFkZSTz6eVPix-hSfXRoxV1WC8,1762
+torch/include/ATen/ops/_is_all_true.h,sha256=-nOZILBRbOO1Qrlz8xOXZgMoU2hAOngzbSMvmK6lSW0,649
+torch/include/ATen/ops/_is_all_true_compositeexplicitautograd_dispatch.h,sha256=cF3R17YPvgyrHCreU1inqg62KpMC3PB48KGkRSHNpEY,770
+torch/include/ATen/ops/_is_all_true_native.h,sha256=aSqQV9YWRm-Sj3OtGUTLWjNauXC7kDtkDPWb-0HFFrY,493
+torch/include/ATen/ops/_is_all_true_ops.h,sha256=pHXirfaKizpEjoDE6gAn2PxR1SuKwj5XVnOg6CKzb-0,985
+torch/include/ATen/ops/_is_any_true.h,sha256=43EjOGTjO3G9Y4DDCBkfyH3MtkJfqpGozszQx91_hCE,649
+torch/include/ATen/ops/_is_any_true_compositeexplicitautograd_dispatch.h,sha256=Ffuv62XoptwkDY-X2MWzJrLWrjrm0Dm1EHbA8QwS5Nk,770
+torch/include/ATen/ops/_is_any_true_native.h,sha256=LAU124vrNyViUxyVOWgCRR0n4gY2ry_MODB3BgmL7Po,493
+torch/include/ATen/ops/_is_any_true_ops.h,sha256=ItKCLbGVLs2eU86tQ0wkcQgOynx0QnKXXnvjIj6pfJs,985
+torch/include/ATen/ops/_is_zerotensor.h,sha256=tq7DA5ZWGcXWR6jyoiIW1hdOxFXdETS2iorOIzRa-D8,660
+torch/include/ATen/ops/_is_zerotensor_compositeimplicitautograd_dispatch.h,sha256=FfbyZJnR2iPS_nbV5pJ0Tqc-uliqX5__GFKpmC6gAp8,766
+torch/include/ATen/ops/_is_zerotensor_native.h,sha256=SA5aboyRYMogFQJ1nI0KHP-uWyiCbV9N-OE-ztU1SuE,489
+torch/include/ATen/ops/_is_zerotensor_ops.h,sha256=ov6i5ur226gCwNXnavx3cw5L_DhfsGpvqIlcrnMi5ks,971
+torch/include/ATen/ops/_jagged_to_padded_dense_forward.h,sha256=iuH9bj4LdycmAie-osBe3MN89AnQl0Mxs-MrMt7pV1c,2118
+torch/include/ATen/ops/_jagged_to_padded_dense_forward_cuda_dispatch.h,sha256=jUCHS6vLjowX54vHddVuIYEvjSrzyoyp2DLXUzVVzNA,999
+torch/include/ATen/ops/_jagged_to_padded_dense_forward_native.h,sha256=PHTW9Qtp9Pnds6WBiQ5KJFTnvHlfVL-f1FTRj3URlXU,600
+torch/include/ATen/ops/_jagged_to_padded_dense_forward_ops.h,sha256=Py7RS-lrkioq8ItHvFpvaJSetoT5fjcGNb1mA7_OLrE,1316
+torch/include/ATen/ops/_lazy_clone.h,sha256=wk7d5apJCVGR2lPs7hLtBfExtpMgEhUY4zYDyCoiDzI,645
+torch/include/ATen/ops/_lazy_clone_compositeexplicitautograd_dispatch.h,sha256=7k9eJxEeAoIJMjetZpYwCy3NJo9UVrZZP83XvPB6Xds,769
+torch/include/ATen/ops/_lazy_clone_native.h,sha256=Q2KGh6oMrJGvJckQpRBkOcAcRG2KMZmdxPm9lE0nU_8,492
+torch/include/ATen/ops/_lazy_clone_ops.h,sha256=MaewWa7hpocsH9Hre-sVXLsYQBwtxTiRq9eJo6qjRvo,982
+torch/include/ATen/ops/_linalg_check_errors.h,sha256=4ZMA8695NX8AqA_PpAXqhu5cXnBLJf4zy7dBLvzxTKU,768
+torch/include/ATen/ops/_linalg_check_errors_compositeexplicitautograd_dispatch.h,sha256=Ila6TAxjI4yORIeMU0AaOdS4D1NKKLwkF1KqSlFgFYA,815
+torch/include/ATen/ops/_linalg_check_errors_native.h,sha256=DcBogyUbm-aSylDdKGeSByOQOnKdiP5cWJx011Q8JKU,538
+torch/include/ATen/ops/_linalg_check_errors_ops.h,sha256=Wlld4uQmz6yltd4MY2DU-BiFqcZWcAsn4IBiLtELkqA,1130
+torch/include/ATen/ops/_linalg_det.h,sha256=Jd0pnUdYvok8fEjMI2r04WS3ji0fU71ScHgNAh9baRA,1473
+torch/include/ATen/ops/_linalg_det_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WVjrpZSPqf_pbAlfMdCe-RqVM3pKJCEATFhL8igoqGo,828
+torch/include/ATen/ops/_linalg_det_cpu_dispatch.h,sha256=z_9T-waezr7f5_RXrOIJTWJ4xe3Xkhz8n8zOtZbZINU,1081
+torch/include/ATen/ops/_linalg_det_cuda_dispatch.h,sha256=mwAEh8wiAGNxowNzc6rugiNefKqymhmQgg09VbNvLMc,1083
+torch/include/ATen/ops/_linalg_det_meta.h,sha256=xscwBLvb7_w1HKYCCfvAzoL1U5Tym1_PHFFv-yUlLyA,588
+torch/include/ATen/ops/_linalg_det_meta_dispatch.h,sha256=hihaWL2tAJfTjkOVw6Xu0gr7G1islScG7ba_sjKwJzQ,1083
+torch/include/ATen/ops/_linalg_det_native.h,sha256=sqfWHmb8N5xNuTCc200I9ji9DvK1u7et7aMZYz5A__0,672
+torch/include/ATen/ops/_linalg_det_ops.h,sha256=2tMI2quO0jJjme2jlZo9-9hDFr_UG1Xmhvy9bhe-B54,2064
+torch/include/ATen/ops/_linalg_eigh.h,sha256=OsIlQCzasDRkX41fS0Qrv4pyacgcz_-11yY9QN0WQN8,1743
+torch/include/ATen/ops/_linalg_eigh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xjQc_Z7i5elpgIfxBJ4x_t2amOT7NB30PzRVvHn0S2o,866
+torch/include/ATen/ops/_linalg_eigh_cpu_dispatch.h,sha256=tY2qcoGuhgjrbN3haqFpMswV8v2KP6Vu-xWKOY0XykM,1170
+torch/include/ATen/ops/_linalg_eigh_cuda_dispatch.h,sha256=w9wi_MmlNh7OsHv87NeMqP_RpljQZHOR52LKS_Ebdk4,1172
+torch/include/ATen/ops/_linalg_eigh_meta.h,sha256=lWP9GdVIBqJS3lg92XAtHusmfhavS-9JQzTYHwN-FpM,628
+torch/include/ATen/ops/_linalg_eigh_meta_dispatch.h,sha256=SM0z3Y2bzH0ZK2zJ5PGsMd2eZGdFhBB6uTZc7TLGUnc,1172
+torch/include/ATen/ops/_linalg_eigh_native.h,sha256=5ES-iSmCAVZ6PzD_K16dLm7HSoIqFxdhitLtT6qNPlg,702
+torch/include/ATen/ops/_linalg_eigh_ops.h,sha256=pkYnMfRd5-Qw4_4f_qYgsS9teqctUA4EGXvvYjW9l7s,2257
+torch/include/ATen/ops/_linalg_eigvals.h,sha256=jKfRdAqvehg_-pE53I8YKT0Ls7UVrPeMvIgkytsGL_0,661
+torch/include/ATen/ops/_linalg_eigvals_cpu_dispatch.h,sha256=ahs5ImtGxpkCvrYzc7-Bkrcx6PevKHDj-ss2CbAbUYo,729
+torch/include/ATen/ops/_linalg_eigvals_cuda_dispatch.h,sha256=hxal6OnofLlMhm0HqtAAB1UZXKR33-k-YUuEEuheC6s,731
+torch/include/ATen/ops/_linalg_eigvals_native.h,sha256=vH1AKBFHlUHI_3TgsIgKNZk5qfjCET0Zs1RzMctJJ_0,496
+torch/include/ATen/ops/_linalg_eigvals_ops.h,sha256=PdtBApJhjUZrIh52plPIJ-1yFlXUDWo8hNoil8qnx30,994
+torch/include/ATen/ops/_linalg_slogdet.h,sha256=Dgr4ps5v-8U-we_OiNzIjgpck3163yiFLCszKqZ3cIA,1700
+torch/include/ATen/ops/_linalg_slogdet_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wcgAZj-HWA5gHoQ68MuZuTKVe5q7dp9hwCh49I4bIZ0,843
+torch/include/ATen/ops/_linalg_slogdet_cpu_dispatch.h,sha256=4N9OTDJhZ7h3C9z-yFcMzRp7EIjzFLS4Ts3ZSYPBoUk,1174
+torch/include/ATen/ops/_linalg_slogdet_cuda_dispatch.h,sha256=Vziuw0p8-GrayyOhYJuO32cm1K9kw9mAI_oYEsglTYc,1176
+torch/include/ATen/ops/_linalg_slogdet_meta.h,sha256=fVjnwYcm_1Nbnc8FQ1X7DAW5SnAUq0CT5Jwykzj9pbM,592
+torch/include/ATen/ops/_linalg_slogdet_meta_dispatch.h,sha256=FmgeiTaxUjXwftjSjyeE3c5K4OqVnSfBP76JSWevIlU,1176
+torch/include/ATen/ops/_linalg_slogdet_native.h,sha256=igG6aICu5NLX3AO1SSUPaJK5nS5kh9hEpFuLExvqo7I,712
+torch/include/ATen/ops/_linalg_slogdet_ops.h,sha256=0e-BklHQ0hJqPh-5Np4QYw0bGEdcu3CZKf91Tq66dQM,2268
+torch/include/ATen/ops/_linalg_solve_ex.h,sha256=zb2ecm6Y6rHQt9R46pmpxBLzQC9n8I0TRR3nPP4kSLE,2094
+torch/include/ATen/ops/_linalg_solve_ex_compositeexplicitautogradnonfunctional_dispatch.h,sha256=7aMKBqEyDg-ULzCyrUjFgil2tZkBabLavlFLluKS14Q,907
+torch/include/ATen/ops/_linalg_solve_ex_cpu_dispatch.h,sha256=H9U1RBF8PYQVjIfX9keD7WTTN2j35wNkaDmHUw7LY5k,1349
+torch/include/ATen/ops/_linalg_solve_ex_cuda_dispatch.h,sha256=TXUZXz65MCtetPkYashJ1pPS_P83PIKLrFa02jlCQQo,1351
+torch/include/ATen/ops/_linalg_solve_ex_meta.h,sha256=t7eg3P8F4qBGTR4qmBTM1pJ9AP9AoW7iP0SkZf3LAHs,645
+torch/include/ATen/ops/_linalg_solve_ex_meta_dispatch.h,sha256=oMY9eXNYuKwf9XDPLLl4Zfc1_TfIy9EARkNvlF_VNeI,1351
+torch/include/ATen/ops/_linalg_solve_ex_native.h,sha256=8W-fvX2UeN0gGukV_J5rA8ow8CS8raz7Ly3KfyTItkI,764
+torch/include/ATen/ops/_linalg_solve_ex_ops.h,sha256=WC2YIs_STko-sRoGV10LGn3a9bEljXUjg11ZtrJMG-E,2642
+torch/include/ATen/ops/_linalg_svd.h,sha256=vpIDGB9GupWo5Oabu44SCf8dCh-T5sBmxe5-x3pwMts,1958
+torch/include/ATen/ops/_linalg_svd_compositeexplicitautogradnonfunctional_dispatch.h,sha256=GqkL19ZfCIB24LkTsaiVpkqGHV4hIF8PTQ8WdPL5UZ4,933
+torch/include/ATen/ops/_linalg_svd_cpu_dispatch.h,sha256=BLY-Rwfy3IDcgLnpO7i5eahkOZPzeTN6GOu_skm1Zns,1350
+torch/include/ATen/ops/_linalg_svd_cuda_dispatch.h,sha256=yyp-aVI3qo5xuJ0UyBeynZ-gN6udrEkZBcdcnasdKOY,1352
+torch/include/ATen/ops/_linalg_svd_meta.h,sha256=CVzR-F4qUyRn4rNXtn3-pS4TT9ZtKNPofCBIR6cgl5g,667
+torch/include/ATen/ops/_linalg_svd_meta_dispatch.h,sha256=_TYQcZgExT-kwEHBcnaZb7JdFQNbh7ZST0go_6PQjKI,1352
+torch/include/ATen/ops/_linalg_svd_native.h,sha256=Q-cOpmbHxh2UQinWX-BirANlcFgQwYQwUfpluYTGUi0,741
+torch/include/ATen/ops/_linalg_svd_ops.h,sha256=SlIh9SasgFafQ6tKqwvP-tOkadVct7aahSqcDzhBPzA,2544
+torch/include/ATen/ops/_local_scalar_dense.h,sha256=DdcO0Khw6Jlu__viJvIGnTPwe7FsApsgevUdb8lo0Bg,677
+torch/include/ATen/ops/_local_scalar_dense_cpu_dispatch.h,sha256=c9MkDN0UKXdbmFUiSp4GZVB-Nyc3vhdcnyqdzMXMNQQ,733
+torch/include/ATen/ops/_local_scalar_dense_cuda_dispatch.h,sha256=cp6tgJTSD8E2i4UzEABPpSDGdkvPRsg1oZcx9vm4Jg4,735
+torch/include/ATen/ops/_local_scalar_dense_native.h,sha256=-nWt26y4yyc9YU411i3rydfN6DQf4dFWH9xQTujQOi8,576
+torch/include/ATen/ops/_local_scalar_dense_ops.h,sha256=FcgXW9a8nkC8olqEmPZiHTFfMa3WXg6vqU_-vKGkqlU,1006
+torch/include/ATen/ops/_log_softmax.h,sha256=CJ6jvgQqLzaWyor9rCDQqw9yZPPSn7ksnE7JaAGBzrs,1321
+torch/include/ATen/ops/_log_softmax_backward_data.h,sha256=FDKpvjhIOimU-xiq03p-BHFGo9PxF7F7LmaQetPJUx4,1704
+torch/include/ATen/ops/_log_softmax_backward_data_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AtFFuaP4HOc_1rtpvkM723kkaU5B1yfAqu2EOj0PkmU,885
+torch/include/ATen/ops/_log_softmax_backward_data_cpu_dispatch.h,sha256=mYIa9lFri9OvQmGnq99-HTj4im7kUI5dhJPXYwpE1_k,1162
+torch/include/ATen/ops/_log_softmax_backward_data_cuda_dispatch.h,sha256=GjAibzrSWBfnl8lSiuQL2H4R-yCcy6h0DXT4Nh5enoo,1164
+torch/include/ATen/ops/_log_softmax_backward_data_meta.h,sha256=NhUvV-kUjuxPYJei_jnyPQvgLHFUQUfLRu5fIwDMtnI,681
+torch/include/ATen/ops/_log_softmax_backward_data_meta_dispatch.h,sha256=sLpNSJ2Ybc0X-jH_quFwLcLultwvHom2FK5shNd-UKY,1164
+torch/include/ATen/ops/_log_softmax_backward_data_native.h,sha256=PVykKBY5ldqBEXYH70tN8KEw-ZAEvd-6Hkjozcr5vkE,995
+torch/include/ATen/ops/_log_softmax_backward_data_ops.h,sha256=86qKivw0cYa8pmpbeNz9BNX4insZ97nNza0SqSjCFy8,2210
+torch/include/ATen/ops/_log_softmax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=LxaA31JJPm_ixF6Tw79UyGIIPG9h_hIdErE2weJUVa8,829
+torch/include/ATen/ops/_log_softmax_cpu_dispatch.h,sha256=O-n0FakeBSZc3Y8saOWFIt8KD6Kojkuazkpi4Jud_YA,994
+torch/include/ATen/ops/_log_softmax_cuda_dispatch.h,sha256=UnBbvEEosdPCdx7aLI7F7OCUchy5zJcj4QY8drotYfU,996
+torch/include/ATen/ops/_log_softmax_meta.h,sha256=7oqrb0EZMUYJN-QxO3pWp889jDwMCgfiddeHAWTbbqk,625
+torch/include/ATen/ops/_log_softmax_meta_dispatch.h,sha256=c2gpZI3nk0ehsIuV7lXzzmjFWoy11iLxdBNpOyuhmg0,996
+torch/include/ATen/ops/_log_softmax_native.h,sha256=vsbahKlOM5zuq173UiF5izzXZisJc_IDV_jQ2oMiCWU,851
+torch/include/ATen/ops/_log_softmax_ops.h,sha256=D6Uwk9WUB4f0C-7X7weFFB2ZIq0Uf3046kDn7zoCRdk,1846
+torch/include/ATen/ops/_logcumsumexp.h,sha256=EfU_Z9EUrxkYQ4Pf8y1jdm1Dpoo4ePrG_EcR3HvqIQs,1166
+torch/include/ATen/ops/_logcumsumexp_cpu_dispatch.h,sha256=3_RT4yQXkssBg2jSX8My8v-w7W1nw8u5IlKnlRTZr4E,937
+torch/include/ATen/ops/_logcumsumexp_cuda_dispatch.h,sha256=-hPUr5qAWMLY_DdiE3GgQc9KoLXe_Y9C6zErSjkd76w,939
+torch/include/ATen/ops/_logcumsumexp_native.h,sha256=OwwkekXFgcQYcYmT2P6cUNN5R2nDwPYrxvn9q6vVaL4,795
+torch/include/ATen/ops/_logcumsumexp_ops.h,sha256=4W3vgFKwd3hDpl5zhyAnjH_6yRulZz_6cM2WTlao8Yw,1720
+torch/include/ATen/ops/_lstm_mps.h,sha256=RnPdAbGnJGxGZ-mph7CsML4Mal9C-5hL_3g-B5OOi4k,2932
+torch/include/ATen/ops/_lstm_mps_compositeexplicitautograd_dispatch.h,sha256=d3rxtRj5Uu19DNLP0ydQF_sE_4WeHWgt8uDi5NXDDRc,1515
+torch/include/ATen/ops/_lstm_mps_native.h,sha256=62ALUJlq-d1VSKRBTwHY_rq5UDhmq38stAtkgSddXDU,835
+torch/include/ATen/ops/_lstm_mps_ops.h,sha256=k81gsXLj4J1b67YeR21ZX06N3cdA4ndQZKpAFWQclD0,3492
+torch/include/ATen/ops/_lu_with_info.h,sha256=itphkYp_8ul0p17ZqvhW_d8gMao_NylVjT-nqNo46UY,825
+torch/include/ATen/ops/_lu_with_info_compositeimplicitautograd_dispatch.h,sha256=sRAzB0rszPzNHEMEv9NdUSVIxSYv4bElHoVGQBYcUlI,848
+torch/include/ATen/ops/_lu_with_info_native.h,sha256=ag9-o3oojMSKu0WK3r7AKbrj8LnOcuAf63UFqaE5BmM,571
+torch/include/ATen/ops/_lu_with_info_ops.h,sha256=zu1BH9zXaluUpzDMXzAf2hgotl9Ofyyqz_jGUxbLjYM,1244
+torch/include/ATen/ops/_make_dep_token.h,sha256=azLij091zz_Z0dNL_8RwfvJdOcB4bcQf4rwX-meU-8c,1531
+torch/include/ATen/ops/_make_dep_token_cpu_dispatch.h,sha256=4fjYSUAm3zTKcdmEQ5IfVfQfk1uvBgsNh3BDlm2ns4s,1030
+torch/include/ATen/ops/_make_dep_token_native.h,sha256=73A0hLWIpc8954v_VQpntlDeDc_kjSfx0DDWI5uWy8Q,696
+torch/include/ATen/ops/_make_dep_token_ops.h,sha256=iq72WphXZ_-9a40RPwJ0ZW-KT_SOJJNO-X4197pi0gw,1574
+torch/include/ATen/ops/_make_dual.h,sha256=OnoDSpNCIMLp1JXVMpxCE8cLft8LjNw0ohR042fbC8k,739
+torch/include/ATen/ops/_make_dual_compositeexplicitautograd_dispatch.h,sha256=dUzwG4r_3yFWRtDVJyJQlWdx6P5HvTvz9O85j_rL_U4,813
+torch/include/ATen/ops/_make_dual_copy.h,sha256=3BB9-Yhnt0x9wPD2c_htH4tLVlib_DP8akHV7eawcS0,1381
+torch/include/ATen/ops/_make_dual_copy_compositeexplicitautograd_dispatch.h,sha256=s2qGBFT6ci_9R47QLovAHM8R6eX2yhXn9cu5_TJxc_4,975
+torch/include/ATen/ops/_make_dual_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=IeETUThSE0D2ScOlD4cf8fmBAMM0y0FoRRNaJYbOIeE,844
+torch/include/ATen/ops/_make_dual_copy_native.h,sha256=2H9dQ8BCjd2UFengYWu4JGGLVrxny9Jp-ScXcWEz-ac,673
+torch/include/ATen/ops/_make_dual_copy_ops.h,sha256=04nfiTO1CiW0U9CcG4pJA9SERaZasw4asILvQWkd5o4,1940
+torch/include/ATen/ops/_make_dual_native.h,sha256=xxQ3PCpXs-PlCaKCIi7x2wCJoC1t1C0QZirikogxkec,536
+torch/include/ATen/ops/_make_dual_ops.h,sha256=KMyptSfhuGLlas0NPTBTG5vaNEXTkUyEl1caoTVCpdY,1133
+torch/include/ATen/ops/_make_per_channel_quantized_tensor.h,sha256=Ter5aL4v-1GNBqYYAvpbUmHCJzSxu4KiFrUJLKJZewY,1712
+torch/include/ATen/ops/_make_per_channel_quantized_tensor_compositeexplicitautograd_dispatch.h,sha256=FEGlc5nvemr85T-CaFu_DMbac_DhQT8iQ5g0Hy9ZAAo,1065
+torch/include/ATen/ops/_make_per_channel_quantized_tensor_cpu_dispatch.h,sha256=9ZBT-YbWqIEI0zydjeycTU-QoWWizgcOeFy81JXDIi8,819
+torch/include/ATen/ops/_make_per_channel_quantized_tensor_cuda_dispatch.h,sha256=H2NGxzzqFBHSFIQWI3aRzZFgN6Gs_0UPLrw5ubKD1FQ,821
+torch/include/ATen/ops/_make_per_channel_quantized_tensor_native.h,sha256=hq-iE3XQRAWU8tFsafP4X-y38aiLq8fM2mGj5OdtupM,923
+torch/include/ATen/ops/_make_per_channel_quantized_tensor_ops.h,sha256=aBKoImPtIquxOe4__xV_eteoMGYxtJ0IMqXJjazoJCU,2226
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor.h,sha256=ow2F9fNGWBG-THZqE12fSHEQoV8B-IpSzYC7F7m5tQg,1531
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor_compositeexplicitautograd_dispatch.h,sha256=9Gnh-sSsBW4Snm-r8gLBaIgG04QjaUUq5pmIr1MiIU0,989
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor_cpu_dispatch.h,sha256=r3dyXRudFPxxjUy-DpIMp4YQtG8-UgpIQqmc00_l-VE,781
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor_cuda_dispatch.h,sha256=rMFRFnBRUWdJ4cLq6caOYmQPsqAnfTFJ6XMaZh_Bsn8,783
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor_native.h,sha256=MCYrEP_Ir8jca8F9QgXzsvr2FIg_hZLUOeRYcXYYkJk,809
+torch/include/ATen/ops/_make_per_tensor_quantized_tensor_ops.h,sha256=MzIxYmEzrV9NPzVZiT9fzXVrVk-9g1ZJl603V-4oFZ8,1980
+torch/include/ATen/ops/_masked_scale.h,sha256=rTg1GvawR5Hk1sfVUMMz4O59a6FClrKhPcvnflnDtt0,1319
+torch/include/ATen/ops/_masked_scale_compositeexplicitautograd_dispatch.h,sha256=KEQnL0W77ie_hlZngDA2bjPtc_yfaoph4qvijwVrpQI,959
+torch/include/ATen/ops/_masked_scale_cuda_dispatch.h,sha256=WrK_ulgDWj0KicJyIPpMojZw3kJfFZlZ_aQF7VRvzio,768
+torch/include/ATen/ops/_masked_scale_native.h,sha256=Ah4eREl52L5Yzpp3YkZv8zVkNQ1zv3s48t4qB1dTxZo,661
+torch/include/ATen/ops/_masked_scale_ops.h,sha256=kiwo679qQTKCXis_PRQZA3ifx69Yxpf_GT_kW89rVos,1896
+torch/include/ATen/ops/_masked_softmax.h,sha256=4T6BGGe4BavgfoQuWW6bp_EOdB43lxE8pzJdmGgY-8M,1651
+torch/include/ATen/ops/_masked_softmax_backward.h,sha256=Zm5sRS8rPdBVHS9t-mLKznQIhd8gTKZwfCbGFrWfyS4,1720
+torch/include/ATen/ops/_masked_softmax_backward_compositeexplicitautograd_dispatch.h,sha256=fp4rU73pHLWELNVE2XoMoWkB9IflyhIrhVHGJx6YeAQ,1096
+torch/include/ATen/ops/_masked_softmax_backward_cpu_dispatch.h,sha256=7QGnaTcBkTAWkRGrLIxzR3nsv7O7UWbncKn4nc1M1Kc,842
+torch/include/ATen/ops/_masked_softmax_backward_cuda_dispatch.h,sha256=4jBc3mHQ2zVHvLQt-q_LgFG8K_iQg4OzNbPQy9_rMeQ,844
+torch/include/ATen/ops/_masked_softmax_backward_native.h,sha256=P1Or4jq4Jj_mdfgoJvT0FTT1kD9e-mhpegu-LODn09U,977
+torch/include/ATen/ops/_masked_softmax_backward_ops.h,sha256=VxvCMicYlirq2Ox6qZBXU0g2MaGenrb7_wbHo2U6CdA,2286
+torch/include/ATen/ops/_masked_softmax_compositeexplicitautograd_dispatch.h,sha256=MQs-a93Z6f2GJxoye2etJ9bFzoEmGpFfTNBhy3aqtTA,1097
+torch/include/ATen/ops/_masked_softmax_cpu_dispatch.h,sha256=lGtmsMJFmgXz5yxEbUDhquW17fdNWXNR1YLSTgi7DM4,850
+torch/include/ATen/ops/_masked_softmax_cuda_dispatch.h,sha256=J7lBFsU6c-qwoYRHEpIdeIiNo_3Yut52Hz4qCJOjJko,852
+torch/include/ATen/ops/_masked_softmax_native.h,sha256=xeO-VutcgueHnU0XOwuJxajZQ5q967r4qTrrRgKwUPw,986
+torch/include/ATen/ops/_masked_softmax_ops.h,sha256=0UL93-JTWUWlNBctLGqhfLVuJBER9orW8I1kS7HCw5Y,2250
+torch/include/ATen/ops/_mixed_dtypes_linear.h,sha256=pj3es-76d2uhYAAAXIXTX9p1JXjg1hKO6Y4cMdR6enM,949
+torch/include/ATen/ops/_mixed_dtypes_linear_cuda_dispatch.h,sha256=bKD7TDLP4hJSz8-MFTlS1W6SNECR40uDWWdS6Ghz5TI,896
+torch/include/ATen/ops/_mixed_dtypes_linear_native.h,sha256=QupEzUDY95Y6vyJz1bIuXd2ODeBKKFcGgck8whqrdj0,661
+torch/include/ATen/ops/_mixed_dtypes_linear_ops.h,sha256=5OIAz4ap_my-czfkuWJqvkdrovNrR1uGc150V3njcFo,1479
+torch/include/ATen/ops/_mkldnn_reshape.h,sha256=E7DCkVCb9_7YZ1IeHG5jQwupi32E3kVG-Xf2WqGKvzM,1234
+torch/include/ATen/ops/_mkldnn_reshape_compositeexplicitautograd_dispatch.h,sha256=dQX0j3rjKvnDzOCC1NPH1K3CgBjUKOUpaN0ntQtYbt8,931
+torch/include/ATen/ops/_mkldnn_reshape_native.h,sha256=4GPrv7ZScQKt6mqCVAK2OQxP20OV9kUq8Z76k2f-wkk,628
+torch/include/ATen/ops/_mkldnn_reshape_ops.h,sha256=F3Bz_G6jLvzHEdxViSWLKnxMXOMmtxfIFJ_NhS94TrM,1796
+torch/include/ATen/ops/_mkldnn_transpose.h,sha256=Hff1VPLpDnJ_ZWyBbZUYgc3o1BqEfsa4K_H2saPL3w0,1540
+torch/include/ATen/ops/_mkldnn_transpose_compositeexplicitautograd_dispatch.h,sha256=VRU7fTRIckiRxHBpXF9VJAR_cicO-IggHcJ7AJF-8KY,945
+torch/include/ATen/ops/_mkldnn_transpose_meta_dispatch.h,sha256=5RLin9bnxhXbMZs2kIHb9u6EPyLgKDXE58wvn67EPO4,758
+torch/include/ATen/ops/_mkldnn_transpose_native.h,sha256=oiWtoiEsvQuKjbKKLd_pdi64wR-raDrcINwb5T2s-7I,731
+torch/include/ATen/ops/_mkldnn_transpose_ops.h,sha256=p86DkbsgE0NLNALqyoWXkXpl_V_bjT8tHTG1H4hFQps,2503
+torch/include/ATen/ops/_mps_convolution.h,sha256=j4rxXs_6th4NEcUIXilBXvb_MDU_o67uzX2MNXz7wAQ,6873
+torch/include/ATen/ops/_mps_convolution_compositeexplicitautograd_dispatch.h,sha256=tEwqXGHWWXBg7bPsV3NaiHyHZFvzccbgrs0syRhkNX4,1750
+torch/include/ATen/ops/_mps_convolution_native.h,sha256=bI2Y5YQHqtnOOsOXYl3lWn6azl_bY2bNgcjj7lBACCI,704
+torch/include/ATen/ops/_mps_convolution_ops.h,sha256=WJtqgod_GKTT6WwCQEI7Kd8yegDdUVClKteTa8d_RRo,2816
+torch/include/ATen/ops/_mps_convolution_transpose.h,sha256=Z3ShMOOlFHHLzBwvrxK8sb6dFe6bXtm_ZBfS2OLFhHQ,7429
+torch/include/ATen/ops/_mps_convolution_transpose_compositeexplicitautograd_dispatch.h,sha256=rVxcIdde4asxWUVBKPFStVeFH2z51EpsGPIQdBEkLkk,1758
+torch/include/ATen/ops/_mps_convolution_transpose_native.h,sha256=nYzwrD8qsOa1YH48h8JHs7Fsy8CRfx_SOyPdx-9LbLE,708
+torch/include/ATen/ops/_mps_convolution_transpose_ops.h,sha256=0IWuxCdcgOPIWZ5_S9QEbDJ0UFPNksbOHJZJDEYt5Ng,2842
+torch/include/ATen/ops/_native_batch_norm_legit.h,sha256=Mpyc7nllRM5GxKDrJrHTnluHSJ49aLnhu8E1CupS8c0,5363
+torch/include/ATen/ops/_native_batch_norm_legit_compositeexplicitautograd_dispatch.h,sha256=J4S2L2GJQ2VZ-XAY0OLRyJ60DF-lOOO5oPpjQkaj48g,1047
+torch/include/ATen/ops/_native_batch_norm_legit_cpu_dispatch.h,sha256=VxIN5roxz3Ley9a2Jk--CX1pOXy6toXjG7e9OmKDOE4,2573
+torch/include/ATen/ops/_native_batch_norm_legit_cuda_dispatch.h,sha256=cec2Zww5TfD9ZoYwnNkVtUousJ4M7fWWlOlMAGB5soU,2575
+torch/include/ATen/ops/_native_batch_norm_legit_native.h,sha256=JtdtMKGjRqMu_Tkh9yzN1dqjNYMCIYfgp9PStIAdz_8,3762
+torch/include/ATen/ops/_native_batch_norm_legit_no_training.h,sha256=WLKEZPN8XVCv73HmUDM933cvasXwjdaGVYYwVPBjplA,2686
+torch/include/ATen/ops/_native_batch_norm_legit_no_training_compositeexplicitautograd_dispatch.h,sha256=UgH-0dhOsZzmQyiBFg8Ko6oRml8RzEhB_amxyT3y_Aw,1748
+torch/include/ATen/ops/_native_batch_norm_legit_no_training_native.h,sha256=Ybrm4dB3YhrxmhZVtsd3hJIPlk7g5d7rxtlFITpysV8,1095
+torch/include/ATen/ops/_native_batch_norm_legit_no_training_ops.h,sha256=UdCKVD2P72Z96UN6A5Cu485EOOiiP3TwQdh5Himj-EA,3365
+torch/include/ATen/ops/_native_batch_norm_legit_ops.h,sha256=v1ajpsyEZeimpNv1LP8YBgxy-ywlU-NP1hx4_YukSeU,7500
+torch/include/ATen/ops/_native_multi_head_attention.h,sha256=I2SBRAJrmD5Apz5HLzTm3wlo_UpRsz1tTY1L9gaL2JU,3577
+torch/include/ATen/ops/_native_multi_head_attention_compositeexplicitautograd_dispatch.h,sha256=U-qeFursUEuYdGq45ZdSaihK30OPZDPQ5p2b9rZgXJg,1701
+torch/include/ATen/ops/_native_multi_head_attention_cpu_dispatch.h,sha256=OF74FFWbaq8Da22VGGrMAl98mtHEiSzU3fmCbP2O12s,1129
+torch/include/ATen/ops/_native_multi_head_attention_cuda_dispatch.h,sha256=O7ncaaC7XW2FahgyaeNFStryLYw7tmVQhrp7-UjCzb0,1131
+torch/include/ATen/ops/_native_multi_head_attention_native.h,sha256=hckZgWhyYnT043Br5fYRZr7Yv3EEp7PoiXu850gCjWU,1847
+torch/include/ATen/ops/_native_multi_head_attention_ops.h,sha256=kLoLMa69NNhZVDYAwgUPEuqZV1BqkIlQAJnHi_7bWdY,4188
+torch/include/ATen/ops/_neg_view.h,sha256=zPcLWN5iOOa_H0M48g4hq1kUISKbtA-AqZolL19ORpc,643
+torch/include/ATen/ops/_neg_view_compositeexplicitautograd_dispatch.h,sha256=M1LBYfnOR-NeAdjN0g-3Z1PP2J5xy8QCwzgJnh8Twm0,767
+torch/include/ATen/ops/_neg_view_copy.h,sha256=RzLbYW_65pv3f3Z_S0JxUXAKK3gCCdfLnVWAOSikel4,1095
+torch/include/ATen/ops/_neg_view_copy_compositeexplicitautograd_dispatch.h,sha256=ASqnPEJ4_R3Y7woBI7vW83fyQcJfOZjGn6mG0iVFnTU,883
+torch/include/ATen/ops/_neg_view_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=a95U0EWNIO2efX6AxunHMiwKTa6SHmgS38uM0pwG9l8,798
+torch/include/ATen/ops/_neg_view_copy_native.h,sha256=vncTdFHOrX2yAcuH3DXQ6puzWe4WzVU-pi66e3aW2PQ,581
+torch/include/ATen/ops/_neg_view_copy_ops.h,sha256=b8vs_burh7Y7y0jIQPKXH_Pf7DymrV8p4vY6GWdjju4,1638
+torch/include/ATen/ops/_neg_view_native.h,sha256=ws0s2HgWqUcIo24ru9xJJ1_S8QoEIKcVc2siqj7bFgQ,490
+torch/include/ATen/ops/_neg_view_ops.h,sha256=LxTKYLNKof5Ot0RyvvDGf267PKDzMEIro7VmBBEsjrc,982
+torch/include/ATen/ops/_nested_compute_contiguous_strides_offsets.h,sha256=RCahDkWM-x0TyD2ohiifWgih2YV8thwKvNDht-zH5d0,825
+torch/include/ATen/ops/_nested_compute_contiguous_strides_offsets_cpu_dispatch.h,sha256=7SQFUgUTT25jcg3K79ZlBrVCBh_7mEOieyywhSlTKNw,788
+torch/include/ATen/ops/_nested_compute_contiguous_strides_offsets_cuda_dispatch.h,sha256=kaSxaRr4VaTx_yfHAY_r8tWtIQpuKQUkXzmNnYP5Ds0,790
+torch/include/ATen/ops/_nested_compute_contiguous_strides_offsets_native.h,sha256=MWnOdYcsC7HGqoI0VfKktEJ34PPCZEGF44MSPZmMFWY,555
+torch/include/ATen/ops/_nested_compute_contiguous_strides_offsets_ops.h,sha256=X4_wlDvcWELF40TL1tVv17CgZXKLpH0VzeWbK3ht7dw,1181
+torch/include/ATen/ops/_nested_from_padded.h,sha256=uNFeEo1jX71vkqNYrd5u2t_bEiDM7_98Oy9PmIqDoKU,1724
+torch/include/ATen/ops/_nested_from_padded_and_nested_example.h,sha256=cLkmDql47gtTdR-hqX93xGeAPc9mitIuYDZGW7RnlJA,1539
+torch/include/ATen/ops/_nested_from_padded_and_nested_example_compositeexplicitautograd_dispatch.h,sha256=-w0gJjiXz5II1sm-XSjIYU3n0VhdNOcmkXWlUrTiYfg,997
+torch/include/ATen/ops/_nested_from_padded_and_nested_example_native.h,sha256=RYYCiQfye71kK4spwhonfCFg7CVjpCaPxmSc6Xpa-SA,700
+torch/include/ATen/ops/_nested_from_padded_and_nested_example_ops.h,sha256=Xi5kkRt-LGHt3s0xuzCqQ4-NYD08FEHjx67_L23CBKQ,1996
+torch/include/ATen/ops/_nested_from_padded_compositeexplicitautograd_dispatch.h,sha256=iyZC19WxsyK6vUVPUNFiBQ2rDZdnJgonSzSQJ0Hxzi0,1045
+torch/include/ATen/ops/_nested_from_padded_cpu_dispatch.h,sha256=OAoLdpriJVeuwnzqwpXMrE8fLxx6HpAH8vUv782fhEw,812
+torch/include/ATen/ops/_nested_from_padded_cuda_dispatch.h,sha256=9cdVyHehT1qyqarv5tZfyzmNRpSQ95czCGTgtTv-Lac,814
+torch/include/ATen/ops/_nested_from_padded_native.h,sha256=3HgZj_F9I9Vh9lVzbyD-7ejVGovl2os7Ly1pTXpwNtg,900
+torch/include/ATen/ops/_nested_from_padded_ops.h,sha256=XDZdgK3u5SZVTHGDYgO6FKIyeQKkFiCMoDSxbqdD5qo,2146
+torch/include/ATen/ops/_nested_get_jagged_dummy.h,sha256=KHf5sG2RsaTxEsaQ_WJaSwnfRnhG76rugbT1WM-RPDM,694
+torch/include/ATen/ops/_nested_get_jagged_dummy_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_get_jagged_dummy_ops.h,sha256=d6ppv9UDyoihfjYDJgey0nqcywdGwcyG3HTBWAeN-rM,1018
+torch/include/ATen/ops/_nested_get_lengths.h,sha256=hVXlldORL-JYQGntYLWVDhrKa98FBcFP7_WFUPn75Dg,677
+torch/include/ATen/ops/_nested_get_lengths_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_get_lengths_ops.h,sha256=H04XuEi51YAM_gZafPHlds38nPLJ_VJxNAlRadUmEqY,1006
+torch/include/ATen/ops/_nested_get_offsets.h,sha256=0XcVuJWATjXkPkpY92S3HPpndkVpUNcR3T7HoImfAXI,677
+torch/include/ATen/ops/_nested_get_offsets_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_get_offsets_ops.h,sha256=xyTS4TDic6UpR_urIWFePBOZD02296M5jlatzLEp0mE,1006
+torch/include/ATen/ops/_nested_get_ragged_idx.h,sha256=3_vbLBPb7U0NYXGtBTqb1EcvpPjttsnX0xkfcI88mMs,683
+torch/include/ATen/ops/_nested_get_ragged_idx_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_get_ragged_idx_ops.h,sha256=D5IjuVTGYILjwUYAMYDs4UAw03JGRAc17xwW3Q8J4oo,1003
+torch/include/ATen/ops/_nested_get_values.h,sha256=-xUeR0Zwcvdpi5SpUnz6Lt303z3HKLrIUf-KIQaiiLE,679
+torch/include/ATen/ops/_nested_get_values_copy.h,sha256=1iNi97559TStA3DD67UllJa3ktlRW_6jzGLSRYpkxYc,1185
+torch/include/ATen/ops/_nested_get_values_copy_compositeexplicitautograd_dispatch.h,sha256=-m7IQ0UzLJBaCPItHEj7dBrgWlmI3L1TzlrbBD5GpS8,901
+torch/include/ATen/ops/_nested_get_values_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=gZzOnSQPabcMIGSX-ic34UTH4orJSnpjCIZKMFnsI6A,807
+torch/include/ATen/ops/_nested_get_values_copy_native.h,sha256=B_S6uRLdcI0zIITZcakdmrbX607pNDg13-F4XiYMEws,599
+torch/include/ATen/ops/_nested_get_values_copy_ops.h,sha256=KpBKrCBbZQvrHULHPwKC76vv8cJT2JkPdowcn0PEZ7Q,1692
+torch/include/ATen/ops/_nested_get_values_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_get_values_ops.h,sha256=52O29ltjPDDWfv4AHkzdTKENRJJjs8XPNbnfQt8kMXo,1009
+torch/include/ATen/ops/_nested_select_backward.h,sha256=DiINwptiuqouBAd_yUzqnsN5HccdSrpJMSnFd-vWEqo,1790
+torch/include/ATen/ops/_nested_select_backward_native.h,sha256=pg4bkiQpX8NEZiPAHJ_XsCoeMtcX0bMlxq1R-F9-iEU,575
+torch/include/ATen/ops/_nested_select_backward_ops.h,sha256=S5FHnHcFt1uCEYVSQQo-QeQUkKGH6zCaU513tIN0qWI,1231
+torch/include/ATen/ops/_nested_sum_backward.h,sha256=YVDCJMIYJZsuGYVZWqx6YoZCABItGJtpme6bETr0K1E,821
+torch/include/ATen/ops/_nested_sum_backward_native.h,sha256=V0aF5zwQ6FIzISFJRmj8h9a1FiGFbSuOH8Obk72pWQU,579
+torch/include/ATen/ops/_nested_sum_backward_ops.h,sha256=BFhSx4Ovmf9K5dy_6AetM7Ln2umDVgORo5dtHO4mhyc,1242
+torch/include/ATen/ops/_nested_tensor_from_mask.h,sha256=BK6Jk8GeS8gk0mobdRsZfuBlSkjVtdlunCBU6LaAeGE,1463
+torch/include/ATen/ops/_nested_tensor_from_mask_compositeexplicitautograd_dispatch.h,sha256=yG2KKPVZNa9fSt_uN3Q8JAxmTJVGQS8kbasEZZzlBpQ,986
+torch/include/ATen/ops/_nested_tensor_from_mask_cpu_dispatch.h,sha256=_db9ON9nYCPA3jwClpy-5YbOfmtYTEEkRn36GqPzmt8,782
+torch/include/ATen/ops/_nested_tensor_from_mask_cuda_dispatch.h,sha256=Lo80aWfYrvo_W_UxTIsmQlilRAJhjJ4MtYUgGNrYvGg,784
+torch/include/ATen/ops/_nested_tensor_from_mask_left_aligned.h,sha256=atnGYNbO6LXA9yCyS8E0I2m7oG00cSudeds63WFW0OY,776
+torch/include/ATen/ops/_nested_tensor_from_mask_left_aligned_cpu_dispatch.h,sha256=W2lvBKb80HYKnPA1rppp6TyLBUs2PaJlfdr3lGx-8nM,767
+torch/include/ATen/ops/_nested_tensor_from_mask_left_aligned_cuda_dispatch.h,sha256=6HJcOCX2R8e251BiY7tEjWcmY0MlKF3gzG0bkLDFFUs,769
+torch/include/ATen/ops/_nested_tensor_from_mask_left_aligned_native.h,sha256=Zf7wYZcik-2vL6sWXcz1ul-mrqFq6LxNSV9ilkOvhgU,546
+torch/include/ATen/ops/_nested_tensor_from_mask_left_aligned_ops.h,sha256=fskCjiwr6ZrJbJbvYyAQJARxXDclxQ7tNeiCTWIJ8mc,1114
+torch/include/ATen/ops/_nested_tensor_from_mask_native.h,sha256=82Aid64peBjD8uaKreamut6Vr83VA9UAH5vX6_jeil8,696
+torch/include/ATen/ops/_nested_tensor_from_mask_ops.h,sha256=kGrYQ13lL4c6ycahfGqpkzXTVH8nb_NUOEzvMhzWq7I,1970
+torch/include/ATen/ops/_nested_tensor_from_tensor_list.h,sha256=730PnnDUKU7RnnG84eBGympJsrprA-NjpKJaTuD37Vk,2186
+torch/include/ATen/ops/_nested_tensor_from_tensor_list_compositeexplicitautograd_dispatch.h,sha256=gFlQZLeWGJ5fsjkRZ5FWEWUDQ9YFxGs4lFODpx1ED0g,1539
+torch/include/ATen/ops/_nested_tensor_from_tensor_list_native.h,sha256=zy6_aK9nG18doXp4OFsOhE6gcel-k5Ncjl-3xslFqiE,957
+torch/include/ATen/ops/_nested_tensor_from_tensor_list_ops.h,sha256=AtN2otdp6eralXi0zmEV8opIEtfi-DMF81gGqDWx3Y4,2706
+torch/include/ATen/ops/_nested_tensor_size.h,sha256=DlW94LF4fs6HAXliz0v-HjkJoLUd_bxNUufikNcWPBg,971
+torch/include/ATen/ops/_nested_tensor_size_compositeexplicitautograd_dispatch.h,sha256=kRC_WD1a497H4IcJLxouqjtaNbuCBDtPtFPdTHzGW4s,893
+torch/include/ATen/ops/_nested_tensor_size_native.h,sha256=Nw4PyxYbdnU7gpDQGG87Q_ka01ik0XgCJAJNlKvvPFI,591
+torch/include/ATen/ops/_nested_tensor_size_ops.h,sha256=N0e7b-FuX3AVmKUQaF-eoIea6P99I3MfivX218mG02U,1668
+torch/include/ATen/ops/_nested_tensor_softmax_with_shape.h,sha256=WXdfqAOshhLlIyOLic6vN6PH4LrMooe6NX_BNhPGIlA,780
+torch/include/ATen/ops/_nested_tensor_softmax_with_shape_native.h,sha256=YGs-uSh_kwbjTLH_2G9iRXz71SIH9kzrXhb_r2SvWh8,642
+torch/include/ATen/ops/_nested_tensor_softmax_with_shape_ops.h,sha256=pgmHJWSXe6H82N_433XIqQjHdsjD46zHp5wGNRPc_-A,1134
+torch/include/ATen/ops/_nested_tensor_storage_offsets.h,sha256=wRhtK6EWdMP2nQr_TOjbsNq5jSKitNAHLZbflvbPIXs,1048
+torch/include/ATen/ops/_nested_tensor_storage_offsets_compositeexplicitautograd_dispatch.h,sha256=29pbwDFoil8GmlZjcmkDayjvoo123IQ8I5zz7AQWorU,915
+torch/include/ATen/ops/_nested_tensor_storage_offsets_native.h,sha256=tidIZ8O88e6RN2n_uYe61fW6DAi0mb6qLJcjkks_YZs,613
+torch/include/ATen/ops/_nested_tensor_storage_offsets_ops.h,sha256=UEGbDsgTcCfL6GfqKoN5AQW2k9ODDcvHnUawo58ElQ4,1734
+torch/include/ATen/ops/_nested_tensor_strides.h,sha256=hjBHua4wQa1VEKY-c5BhzdiHVPyhYl2c8iUY4vlED8k,992
+torch/include/ATen/ops/_nested_tensor_strides_compositeexplicitautograd_dispatch.h,sha256=PzjmLHBtpG65NfzI2svok35epdEUzO4yvuOd6FtBPCs,899
+torch/include/ATen/ops/_nested_tensor_strides_native.h,sha256=wRKAEVrFCRcklRByq72HsyiYrp-AYVvLENDX3zIL33I,597
+torch/include/ATen/ops/_nested_tensor_strides_ops.h,sha256=fm0XMcoz2T7XwsU_YkYhQxP9rX8OWlgiIUeJjzdxeyw,1686
+torch/include/ATen/ops/_nested_view_from_buffer.h,sha256=GoEwUANaE6r7_gxnzXhNVSAvDfjnBVKZpbiQ2W8x_so,895
+torch/include/ATen/ops/_nested_view_from_buffer_copy.h,sha256=Z7Y3vmLCKOx6WQyUeHlcbhm4EofHzL4ZQ_tFOtRUvl8,1821
+torch/include/ATen/ops/_nested_view_from_buffer_copy_compositeexplicitautograd_dispatch.h,sha256=4xsnR3nVM-AO3yBQJxO5gJu-n7NpWbvXfXhQrRUA1bQ,1103
+torch/include/ATen/ops/_nested_view_from_buffer_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sDMSMr0Bk34tO9Euu5kbWD98NiTqd6GpQYg1pK7XslM,908
+torch/include/ATen/ops/_nested_view_from_buffer_copy_native.h,sha256=d3m1dCY6tXEQoJ8fj4xe1nkPoWdIimt4Dv5KCXsk_u0,801
+torch/include/ATen/ops/_nested_view_from_buffer_copy_ops.h,sha256=dV5tAfja_ifdiNuJ6IL4X2jFfDo24W1Vv0X2QPcqNeA,2346
+torch/include/ATen/ops/_nested_view_from_buffer_cpu_dispatch.h,sha256=ykOzV8r4xLOhbou-kyl1YCass5Dxc0xvdONF1Y1cxaQ,833
+torch/include/ATen/ops/_nested_view_from_buffer_cuda_dispatch.h,sha256=ReUTHWBjjs8oZU3EbRd9Zt8LWSjRiwdXJ0FcuUIN6Fc,835
+torch/include/ATen/ops/_nested_view_from_buffer_native.h,sha256=A88LjYSkrqOtT5d6EsX2NU0CKa-noUcPc7WSbnWtPrI,600
+torch/include/ATen/ops/_nested_view_from_buffer_ops.h,sha256=QsJRnkWw0C3PxPPslNngdMUrLmvbGaCVYWP94cghxaU,1336
+torch/include/ATen/ops/_nested_view_from_jagged.h,sha256=xIjn4WBqJ1s6rz_7T4UvbktEJbHC-YionUUugbEMFXM,934
+torch/include/ATen/ops/_nested_view_from_jagged_copy.h,sha256=JGl588aBvUgx5eFcD5AMf2ht5qfKZYazMNUeVe3ImMY,1933
+torch/include/ATen/ops/_nested_view_from_jagged_copy_compositeexplicitautograd_dispatch.h,sha256=rHKyOg_nY2A0eVjGpFI2-osYvkq_fKC7Adhxquy55c4,1156
+torch/include/ATen/ops/_nested_view_from_jagged_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BUZXjFbAsjLnRyqAmI_gJFI-4JUxJqntDbbQhAEFCmY,937
+torch/include/ATen/ops/_nested_view_from_jagged_copy_native.h,sha256=IFMqXgei6OS0S_oufi2OEZnteVK9AJFlGEFeX7knshc,854
+torch/include/ATen/ops/_nested_view_from_jagged_copy_ops.h,sha256=GrRymc_XF0jBObyRG7wllxn1FzZa3fh1Iz7g7tWHeEI,2516
+torch/include/ATen/ops/_nested_view_from_jagged_native.h,sha256=Fqex6swqpLSN4iDAv1Cm1tuUXPwETIS4_Ue3zNTFlLQ,433
+torch/include/ATen/ops/_nested_view_from_jagged_ops.h,sha256=HZjZFshGOsWjYy7XULllGEaI4iCMCoLBeBzzTRADjV4,1421
+torch/include/ATen/ops/_new_zeros_with_same_feature_meta.h,sha256=PkqSLynwT__emuAe-FHwvXNB1o8E-FVBVA541lPkF0U,1664
+torch/include/ATen/ops/_new_zeros_with_same_feature_meta_compositeexplicitautograd_dispatch.h,sha256=9BENUHd0r_WwACCsYcRe3j9eT4RpazOGyJg7e6y4CQE,1171
+torch/include/ATen/ops/_new_zeros_with_same_feature_meta_native.h,sha256=jinVFQzGmGlS23zwMPrahFgZGd7jSsK2dwz7V5v2RG8,731
+torch/include/ATen/ops/_new_zeros_with_same_feature_meta_ops.h,sha256=QZLWHgKu7WVFhMHCeAaALHRg73MgPNcdlE8WopP434E,2115
+torch/include/ATen/ops/_nnpack_available.h,sha256=IzQEdWj7D2Dj2fmXQ9PPHfL5N0WoJz0D8CsmUdAhm5A,623
+torch/include/ATen/ops/_nnpack_available_compositeimplicitautograd_dispatch.h,sha256=2oNwH-lWZpytHSxG8tJmeiHlNX8f7_nzcktVxqFpigk,746
+torch/include/ATen/ops/_nnpack_available_native.h,sha256=BVDYTdGO4W1T_YcQrhw3DDqPdPykHcuarEnkbcWxQZc,469
+torch/include/ATen/ops/_nnpack_available_ops.h,sha256=AqNpeodVuXzOvhCL_Tys9n8jWONvxPkc8sabaL4NeYU,903
+torch/include/ATen/ops/_nnpack_spatial_convolution.h,sha256=GSWYnFQN6spbhY1r73_ssDhX9VEqb8v8eb21fdmQgAw,6208
+torch/include/ATen/ops/_nnpack_spatial_convolution_compositeexplicitautograd_dispatch.h,sha256=iuB92Rh4qWfLW2AruDg6UEfAN5Ujcgduu4LxC_OnrNs,2051
+torch/include/ATen/ops/_nnpack_spatial_convolution_native.h,sha256=Ibsx4xqOTJ0yOS9_YgNRkWY6nVDzva3VNP1EmfQJcpU,862
+torch/include/ATen/ops/_nnpack_spatial_convolution_ops.h,sha256=GDM1MCLXBC4tR32ItVp0LmZF4kcLhlTZCkzkpbaSsxw,2560
+torch/include/ATen/ops/_nnz.h,sha256=LWn480TfK72b394Qa060aPI6R_8NVSH8_3HsOqw67eg,489
+torch/include/ATen/ops/_nnz_native.h,sha256=2akqcH7EytHdq410MQEXZ3pZnzbq5T3JlZoDkgBItno,549
+torch/include/ATen/ops/_nnz_ops.h,sha256=VCACCHDc_7lTBH_RwpwRGj6WWH8_uWCER9G8NJ-xNkI,949
+torch/include/ATen/ops/_pack_padded_sequence.h,sha256=1G2tHvzvuU96Yf1cYXuiTuzlOJA2dhRoZJBrdObZ3UQ,1687
+torch/include/ATen/ops/_pack_padded_sequence_backward.h,sha256=8vkG9yFcrhqFFEGxfEKumPts_S9ITwWe_Q_3OW-X4IA,2075
+torch/include/ATen/ops/_pack_padded_sequence_backward_compositeimplicitautograd_dispatch.h,sha256=yCm5tI9c10nPNYM7zmL6r_Z3extYX9DLNCBxJd2RGCk,1033
+torch/include/ATen/ops/_pack_padded_sequence_backward_native.h,sha256=aSrawL7pTMd413p0T6aaLwshudsZNkiqMbP_9hhjxm0,600
+torch/include/ATen/ops/_pack_padded_sequence_backward_ops.h,sha256=-xoeEeHL5tk4U3lItTCSgOLvWzrMt8lLDaWiXh1nm68,1309
+torch/include/ATen/ops/_pack_padded_sequence_compositeexplicitautograd_dispatch.h,sha256=gzDQ_JNr51ONerugHWK1PYQoR8nBXA8Vw-6N6qwNkZc,1226
+torch/include/ATen/ops/_pack_padded_sequence_native.h,sha256=fU5w8JCz9blMT5tMalTGu8lx-dBTe2LUVQDs9Lx9Qyo,761
+torch/include/ATen/ops/_pack_padded_sequence_ops.h,sha256=jWi_ZqRCU_oXI8TdEcxE51hIw4gu8fbkitdz3glJ-VM,2242
+torch/include/ATen/ops/_pad_circular.h,sha256=kQMNJY942X_f7bKWCiArqXAa8imVxG6EDPUhLM57Szw,1438
+torch/include/ATen/ops/_pad_circular_compositeimplicitautograd_dispatch.h,sha256=QtTIA4I4E2HDYpcvc3WSw_4m_eBNk-ZlcRvGpsIt3Z0,885
+torch/include/ATen/ops/_pad_circular_native.h,sha256=D5ICJLx84gWSixTRlnt6Fo206aVJM5VzizuD2gM7sO0,526
+torch/include/ATen/ops/_pad_circular_ops.h,sha256=kicbZBO8hLj4RChZhnqXZG8ZG0AthdfW8Q-iRVq-AZI,1073
+torch/include/ATen/ops/_pad_enum.h,sha256=E7airGjapbCK67jRVo-MHBKf6PBwedsn5dPhpjXTVSY,1744
+torch/include/ATen/ops/_pad_enum_compositeimplicitautograd_dispatch.h,sha256=_Ul2T3WfMKsBgHBLecQG7k5CxLU5PsJTxxWGtrLipAk,997
+torch/include/ATen/ops/_pad_enum_native.h,sha256=83hjDjkDhYn00KWE8CKlXLw8RzEdsWoez12WQopISGY,582
+torch/include/ATen/ops/_pad_enum_ops.h,sha256=iZByWhwWMBmU5cZ6Iqjy0_lfNdyU2jkKddnYdDFWPvo,1214
+torch/include/ATen/ops/_pad_packed_sequence.h,sha256=0AEIM-frg0HCeMYp1Bs6aPRqq82sgRI8ErMexACpOKo,955
+torch/include/ATen/ops/_pad_packed_sequence_compositeimplicitautograd_dispatch.h,sha256=9G5cHee8yRICx-GiKm1ArlAkMn5awQqQHH3xTIYGO1Y,909
+torch/include/ATen/ops/_pad_packed_sequence_native.h,sha256=D2drAnfTw5NiVY5gSyKAUB8H5pOzeHm_YlDYnyqkbB4,632
+torch/include/ATen/ops/_pad_packed_sequence_ops.h,sha256=pKEurR9nKg4d7M1QfVIh6GPGeeHoH9TuvOnLyDzghlQ,1439
+torch/include/ATen/ops/_padded_dense_to_jagged_forward.h,sha256=tJpjhIscoP8ZGzDZY09BhAF5xhrfo3fEtrHACalokEg,2056
+torch/include/ATen/ops/_padded_dense_to_jagged_forward_cuda_dispatch.h,sha256=K_tFEMqc-lZY7uFfTFvj4BJgtN2MbDMag5pP92qdfBw,985
+torch/include/ATen/ops/_padded_dense_to_jagged_forward_native.h,sha256=MarTyC8zDwa_NTvTcPLmI2FWMXV20AtI6VhWdEKlTvk,597
+torch/include/ATen/ops/_padded_dense_to_jagged_forward_ops.h,sha256=Uyd6bRLEYEJ9nF4kv_9LooWheuwpkkg3lsWA9lJIEhY,1255
+torch/include/ATen/ops/_pdist_backward.h,sha256=8LdUUUIgp7nwaxkq10CrCcZ6pdkD1szAFoZ54eyiEkk,1444
+torch/include/ATen/ops/_pdist_backward_compositeexplicitautograd_dispatch.h,sha256=H77KYk4noXgKrj5PWFq6QBNLGCcFXWJelo8ra8uHptk,1007
+torch/include/ATen/ops/_pdist_backward_cpu_dispatch.h,sha256=a0N0hDzke-MrHpOOshIQ0d5cDt3owOjIuhHw-GN33vw,790
+torch/include/ATen/ops/_pdist_backward_cuda_dispatch.h,sha256=X_MnIgPf0TDhjxhvF0WBUqtHBCudUXjakoj4wD_y5Cg,792
+torch/include/ATen/ops/_pdist_backward_native.h,sha256=_2QZ06KC2lQhgMvKGnXFtxcOd9CCkhcccJ-5yeLQ9e0,705
+torch/include/ATen/ops/_pdist_backward_ops.h,sha256=SXQPjx-HpAQqbw1Sr6Xln_nR2k42huYpzFBLyBvaREA,2056
+torch/include/ATen/ops/_pdist_forward.h,sha256=Xi_iccHOMjaiwUysbw4fSVM8jx-EJz6pMDvMW9DCz3Y,1171
+torch/include/ATen/ops/_pdist_forward_compositeexplicitautograd_dispatch.h,sha256=rF6HXPJB3pFFLxcZ0POzqR-3Qk0XtPoA7s2EsT8nhnY,905
+torch/include/ATen/ops/_pdist_forward_cpu_dispatch.h,sha256=u2s3-RvtmlNDg1NunA4fvlG4zmeIOUQmwDGt7ZLmWFE,740
+torch/include/ATen/ops/_pdist_forward_cuda_dispatch.h,sha256=cXE4nR7YrJpW095VS1G6BQV9PsdQs5CfvMYxIiuODws,742
+torch/include/ATen/ops/_pdist_forward_native.h,sha256=mOSqVHNlCVzTHgXPAKpeMN29hyuapKKi-fSCcws24V0,603
+torch/include/ATen/ops/_pdist_forward_ops.h,sha256=pxce3iLIcgoiuNMu7s6251eVgv3vl2z5Zq_C8rTbQ6s,1716
+torch/include/ATen/ops/_pin_memory.h,sha256=Zbzc38zzG6gbye7e3yjVPcdXQGVdPEHVGrF49qzYfck,1290
+torch/include/ATen/ops/_pin_memory_compositeexplicitautograd_dispatch.h,sha256=B1_9OS0ojC1HfHTefK6KdvAxwMtp_VeDXoA0MZjQzUE,964
+torch/include/ATen/ops/_pin_memory_cuda_dispatch.h,sha256=nZMk6fTuki6J0ROPiuXTzDofqRoo2nV6dsQ2I6qVJqA,778
+torch/include/ATen/ops/_pin_memory_native.h,sha256=U7Cp6fGj0jKpx9g1fajZ7wz4ckHl0sVJzRj8z9KgPgM,784
+torch/include/ATen/ops/_pin_memory_ops.h,sha256=4boypU8IiCqJtmJ1eXi4wov7Z2lRe8zxeLxMyuuJtIU,1864
+torch/include/ATen/ops/_prelu_kernel.h,sha256=nI592K8I1inKK2TrsJSTBcFa_mY6S7_2ZNMq1lvhlpU,703
+torch/include/ATen/ops/_prelu_kernel_backward.h,sha256=RXRQFcf5WImYL0se2GUiOHryv1b8MjkRtrlVf4LUwBg,839
+torch/include/ATen/ops/_prelu_kernel_backward_cpu_dispatch.h,sha256=BmPFx4Bemy8zHsuSquGti1mRPy_wR76KKnfI9ixHFtI,820
+torch/include/ATen/ops/_prelu_kernel_backward_cuda_dispatch.h,sha256=C0v-2Nhx_sYL7mHSbmw4Ct6IvA92oPLq_PHThlNzhsI,822
+torch/include/ATen/ops/_prelu_kernel_backward_native.h,sha256=tbUMWSGXPGxeSUqN0YRqoqU5x-iSxSaMUSbluEnnLr4,740
+torch/include/ATen/ops/_prelu_kernel_backward_ops.h,sha256=ufMctZ6ftVAsd7FCmLseylTL3Bf5ZEijlaFAwzIOpKo,1293
+torch/include/ATen/ops/_prelu_kernel_cpu_dispatch.h,sha256=qNj7fNqiaxYmsptuzl8BBDkus1kso9PrFRkXxQzW3Ec,754
+torch/include/ATen/ops/_prelu_kernel_cuda_dispatch.h,sha256=G5XP80uUHs7AlHaKFBER66SCi6zJG49wdu4v-Ki0Cdg,756
+torch/include/ATen/ops/_prelu_kernel_native.h,sha256=6JftrS3aeO22Wy9oJbFv7lM34vtODW_Dkk28-EG06Ec,710
+torch/include/ATen/ops/_prelu_kernel_ops.h,sha256=yCbGPMp2eSydUw8GfPb5b5vW8-0QFYKLHhOCgNy3j6A,1077
+torch/include/ATen/ops/_print.h,sha256=qzGwtW1yQmJLYugwPw6pevRmVtxYIOP-UiirLiLhHtg,601
+torch/include/ATen/ops/_print_compositeexplicitautograd_dispatch.h,sha256=7atO-mRnQLIHquBmE-UcnShUZsV7bnvNzSCjSMrp6GI,753
+torch/include/ATen/ops/_print_native.h,sha256=U-wCYPrIZhBwluzJmpZrBcnm8_1RjozZtiBO6rK8-Gk,476
+torch/include/ATen/ops/_print_ops.h,sha256=X-MsVZ18Zq1iOdG1u0YXDLhxWDS9IAmpZOIyhrlmk1s,927
+torch/include/ATen/ops/_propagate_xla_data.h,sha256=pFOSu9MY2ZBLGRAp0bl20neksbAGZrblLDDeapJbT1k,720
+torch/include/ATen/ops/_propagate_xla_data_compositeimplicitautograd_dispatch.h,sha256=wsy94CSqBa32NaPK8WoQg3q0WVuOMNaVcMfuKuYRY9Q,799
+torch/include/ATen/ops/_propagate_xla_data_native.h,sha256=2HbWgzCRY2jLKlEf-iGF0isMYKShNQpH3icWyXDIXkI,522
+torch/include/ATen/ops/_propagate_xla_data_ops.h,sha256=B_uvuKU3DFRCxjpkT8qnGoZBRukTJuuKy7v-eJuF2gU,1076
+torch/include/ATen/ops/_remove_batch_dim.h,sha256=2JKLyYPGNFlCwIOlUxkIamqXsC3g8kpFfWi3C1qqauQ,789
+torch/include/ATen/ops/_remove_batch_dim_compositeimplicitautograd_dispatch.h,sha256=phcRcWafxPoNscTpHVDZUj1YOsXcm1HtKDZHdvYyuVw,827
+torch/include/ATen/ops/_remove_batch_dim_native.h,sha256=IEYmq0SXZ14RZIFNvA_pZh-5TVRrUOer_LG63BRav7s,550
+torch/include/ATen/ops/_remove_batch_dim_ops.h,sha256=RX3K0HMRAGhyq93C0qHP_ql5HOmk8-z1s7gwyWlZqnI,1171
+torch/include/ATen/ops/_reshape_alias.h,sha256=DtcVUwk_4Lx-fWVFGmkp485nQN-yInjcVRPuA-IJV2o,1693
+torch/include/ATen/ops/_reshape_alias_copy.h,sha256=8cBKxrJJ1CwU8QGvEMb773ZgNo2NyH1YKzpyuY9MiX8,4578
+torch/include/ATen/ops/_reshape_alias_copy_compositeexplicitautograd_dispatch.h,sha256=cS5BkWxA2x-5DTjbVBtIdSrO1nVMxssyeFxVNZEaayg,1290
+torch/include/ATen/ops/_reshape_alias_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=_CSBaxNQzhLePnilQ9owacP8PBKrP2qlPbk9ef42CTg,977
+torch/include/ATen/ops/_reshape_alias_copy_native.h,sha256=dcmaofNPll9Zaqk6raoMZIv_WQbj0IAmPt6DCOjK3qg,713
+torch/include/ATen/ops/_reshape_alias_copy_ops.h,sha256=4bAH-cdxmTpFiJJR-Be1B09koxWg12wCwxp6bhooZ8Q,2032
+torch/include/ATen/ops/_reshape_alias_cpu_dispatch.h,sha256=DdyfDNAZC0K8R_mkZv6gxXYf_NssjGVkhuPVUVu-Kow,897
+torch/include/ATen/ops/_reshape_alias_cuda_dispatch.h,sha256=xhTPREjP6wX4Ihy0FeZZwGNFSeskRVikcUPOsVORxNY,899
+torch/include/ATen/ops/_reshape_alias_meta_dispatch.h,sha256=FASzp0vwnNXOpA0Ri3aEypREKxq7W3edJ0BO5rrsgNA,899
+torch/include/ATen/ops/_reshape_alias_native.h,sha256=3aXDqiuIOB1GjV_B9_sGkgTekPQBEJhYfjkFM3ghdTQ,541
+torch/include/ATen/ops/_reshape_alias_ops.h,sha256=CcPCVqxKPi5jd0k2-ENO4lz_kHZIIRtSpVc0sIrJ2Mo,1179
+torch/include/ATen/ops/_reshape_copy.h,sha256=ViFzzz5aFtPcae-J_Re5nZrvvReJ_GNEPYTwG4Ve-Mw,1448
+torch/include/ATen/ops/_reshape_copy_compositeexplicitautograd_dispatch.h,sha256=24ldQ0ihNYXysT-kNOVChfQn8sc24KGFnDWi92E0A4w,887
+torch/include/ATen/ops/_reshape_copy_native.h,sha256=IicW3MXPlL00Z3yfE-xlwf0-3lqSCbMjcgRS9ULht8o,527
+torch/include/ATen/ops/_reshape_copy_ops.h,sha256=_5un3lWGnPCTT2VrCGfJvitGEmv9UKjtjr39uQQG7PA,1076
+torch/include/ATen/ops/_reshape_from_tensor.h,sha256=X3rMKFm6Zd14K8whdOTD7YQ6crLysxGhFUsZQurDkOs,728
+torch/include/ATen/ops/_reshape_from_tensor_compositeimplicitautograd_dispatch.h,sha256=RL6sIJViMUBVUHxeYzsgX0UAk3FeW63g8nx9qKJL0CA,804
+torch/include/ATen/ops/_reshape_from_tensor_native.h,sha256=GZ0ny1_ohhbbIb2-48-gvHy9bptGvfGjlXD7-a2y3_Y,527
+torch/include/ATen/ops/_reshape_from_tensor_ops.h,sha256=DoR9ubRDjeBRnhLsIo1n2ettqAUZK3xK5j0nikqDo6M,1095
+torch/include/ATen/ops/_resize_output.h,sha256=BVOWr4NUtRanq3O6w1qp7Muq4gIxaM8Yy4hkuYxrvnE,5424
+torch/include/ATen/ops/_resize_output_compositeexplicitautograd_dispatch.h,sha256=pgloaeJYto62i30hAB1KicDJoHaVdx_jY5c_9VzXpgM,1507
+torch/include/ATen/ops/_resize_output_meta_dispatch.h,sha256=3vo-D6zoG0rJv3vIMlo7tbMGBATzWK6JzR0y_EI68h0,903
+torch/include/ATen/ops/_resize_output_native.h,sha256=6uaiZvHrvSozcoChz2bvXpbImcrEIXgX32qPfZ2a7KY,809
+torch/include/ATen/ops/_resize_output_ops.h,sha256=UIVJLS-6gBvsSbZarHKIN9wMz6QkcpBjdjhrAHJze-8,2725
+torch/include/ATen/ops/_rowwise_prune.h,sha256=6867I0oSG2hx7djfILe3W95vxrWE3JcoOji44Zkq-bs,846
+torch/include/ATen/ops/_rowwise_prune_compositeimplicitautograd_dispatch.h,sha256=TocpoDp_G7GtscYXJughflRSJ-y1EMt8bPcfnXSctAM,865
+torch/include/ATen/ops/_rowwise_prune_native.h,sha256=fUEvmQ_EtarUAK8EeZ_lnVK8I-D_lQAliECPxhXTwqs,588
+torch/include/ATen/ops/_rowwise_prune_ops.h,sha256=oAF6NIgt3drcgLhu6ke_wWCglBzZLoVtn6ywI3O4g_Y,1300
+torch/include/ATen/ops/_sample_dirichlet.h,sha256=ythzVp1WCMbxbE3gumuSkq3d2ZGiKypQOiq94IDfwZo,1395
+torch/include/ATen/ops/_sample_dirichlet_compositeexplicitautograd_dispatch.h,sha256=cnuA970mzvFwenVPw9bFzLv7nm5H9soQtOMcPePKEBM,988
+torch/include/ATen/ops/_sample_dirichlet_cpu_dispatch.h,sha256=JtFQW9wFFi6NYmBrhkYOROGUJppcNyRegF9ob3UMo2I,788
+torch/include/ATen/ops/_sample_dirichlet_cuda_dispatch.h,sha256=AbluI8upWiRlaOBlrjslAghkgbGQzym0Jm6F5qwKDXs,790
+torch/include/ATen/ops/_sample_dirichlet_native.h,sha256=zjLZit7iD-YyFIjsl0koRuZ57LCpfYOCUrSc0bWA3VM,807
+torch/include/ATen/ops/_sample_dirichlet_ops.h,sha256=dUnRu9yGniziL6vB4Qpngxve5TSi1QAFiTC3-DttoIA,1942
+torch/include/ATen/ops/_saturate_weight_to_fp16.h,sha256=XEsg0PEWUiE0qynMu6WqFSAGPOFvLDmTFA2Hi5Cg0-A,703
+torch/include/ATen/ops/_saturate_weight_to_fp16_compositeimplicitautograd_dispatch.h,sha256=aftCRpQ_qbwk9mA6C4LJ68KjR2Tk5Zj4FopWMN246LA,784
+torch/include/ATen/ops/_saturate_weight_to_fp16_native.h,sha256=4xICEJqRAWfHfsU47FuMplmpFIdGxVKxlPqL0DujqNw,507
+torch/include/ATen/ops/_saturate_weight_to_fp16_ops.h,sha256=6FIvNi48DEMk98zoWUyuEDxpmq5We4DAX4CGQfMz17w,1027
+torch/include/ATen/ops/_scaled_dot_product_attention_math.h,sha256=eYIO8Rrqfv9nG3s9EHhSECsQSET16YBAjLdjOx0CRqs,1226
+torch/include/ATen/ops/_scaled_dot_product_attention_math_compositeimplicitautograd_dispatch.h,sha256=8dUBKkxnvDSvKgcNKCdoAOIWHm9EuB4kVqw_6A-M2T4,1061
+torch/include/ATen/ops/_scaled_dot_product_attention_math_native.h,sha256=fdpPHXxwdKq0Ccwx1-RyPSSqCqKRet11KGhXRbAMjPs,784
+torch/include/ATen/ops/_scaled_dot_product_attention_math_ops.h,sha256=fmfUDVxUYSwv4nUgjw75Mkcdx2tj3b4up6y6RDsgXBc,1858
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention.h,sha256=Qtu9_HSbb1j6_hmtXqHtVfsYBTv18msLW9Lay4kJ8_Q,1356
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_backward.h,sha256=CPQyBhEpRyfxkdJTMBqUxTB8QdEZzaqLkzUsNPEw3Zo,4261
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_backward_cuda_dispatch.h,sha256=g-zHkxy1uLX_ycz0i-F-4KXSaj5B36Wd8F0I5-gIH_c,1679
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_backward_native.h,sha256=X7zcdx2meuEdB5GIT948MnewG0jL5neut8ii4ZdzgiQ,936
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_backward_ops.h,sha256=lJa_vURG0onviHo0azKARhGn6q7_HYyDsbmxs_SdO4w,2413
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_cuda_dispatch.h,sha256=HPAyCn_8zQw_K-TaPmOb8_AWhE79RCb1MFRJ_FJODEk,1026
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_native.h,sha256=PbafOsma0cs-mVnA-LG3YCABH7O2_cZj_OZAeWQ53Cg,796
+torch/include/ATen/ops/_scaled_dot_product_cudnn_attention_ops.h,sha256=LkVAQMCHGktaOttFUSbttctY-r_cFhX77GJpMeAMPWE,2010
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention.h,sha256=7MP1aeN_MXDGnNsdG62V04ZAX_QUY3bvO1MSyCWEzfg,1296
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_backward.h,sha256=MWGetRGd5CNJm3v6vlUoNIVe0Ev4M5xXaxMVxaXQmhM,1567
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_backward_cuda_dispatch.h,sha256=aZKsQDCmYK8-76kHnty6AdBC1HNLkiuKx80fuJ1DsLQ,1166
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_backward_native.h,sha256=9TF3xAAi8Som2eTx8RYJBjmLeq70-KIVP2Qg4ps35Fc,936
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_backward_ops.h,sha256=ix4neGaj7GqkmKBoZaJrnQ4GHLTVoqm7IT8POS1tmpo,2370
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_cuda_dispatch.h,sha256=DNq7vkciN2mtViOx7QvVZmLkBspKittT7pePdK2WGcM,1015
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_native.h,sha256=EOFlL82FlOjur-vq-uB6HNVy0RVkAl1wWM6Ox7P5RlE,1150
+torch/include/ATen/ops/_scaled_dot_product_efficient_attention_ops.h,sha256=8vCXKoFeuZWxPRYg7CBv1i227moYO_Ey2q956T_JGM0,1911
+torch/include/ATen/ops/_scaled_dot_product_flash_attention.h,sha256=HfUFuAJveHHaV_2PhKs4bBh_lNlrA7InBdoUHViplto,1356
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_backward.h,sha256=KSEkkuGLcyWlRSysTs6UujDky9TZ_hyeUE3xC3zicBc,4323
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_backward_cuda_dispatch.h,sha256=iiI2_d7ZHwmC_7zTd14780qdEujp5S_hblJQbLy0n0o,1679
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_backward_native.h,sha256=VmkwipqS_7EvVKVPohfdyaku08loijTXTHt0u3_RssY,1441
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_backward_ops.h,sha256=Fo2ijRX5M5jCscfQNcIMAU8D9hZPEmPrP2EjJz3fNmQ,2444
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_cuda_dispatch.h,sha256=fE966EM7n5ItLCED8HohWZhn1zXGF8u9isSRaJp_xjQ,1026
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu.h,sha256=cEe87SCjDrdEMicbIYOTIjueMz4B-uNaPHtxpqis0QQ,1185
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_backward.h,sha256=9ynBPKdfhg09kfUeQUSdUw1CupPj87NasS1fJ3qMo88,1390
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_backward_cpu_dispatch.h,sha256=b73Ga-umXeHdO1RlFOyknVSjxkGF-BFeV8Xy8v1eX14,1066
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_backward_native.h,sha256=E5Pc1IfYbJf5cEAOX1RcGMtxKFfdvPwNHtXG-rt2seE,829
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_backward_ops.h,sha256=rjXj7e8GgUk2cPA_PASwXcNAizPdl_dvU9pxYpbIKv4,2083
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_cpu_dispatch.h,sha256=xp1A7L7ZtuQ384_yUvLu8LSxbUpm8Ve-qDwGO8urri0,973
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_native.h,sha256=GRAeXXh0F87UHRBrLUszFZJHpOvvY7FCG680uRlmqBg,736
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_for_cpu_ops.h,sha256=UHfdIw2j0pWiCLUzIhP_dUBbr_AG0PbXqYnYlpHvQi0,1738
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_native.h,sha256=UnmwKnX5hWm39cBysIcnogbTuoO1MffywDNWJm0YYBw,1172
+torch/include/ATen/ops/_scaled_dot_product_flash_attention_ops.h,sha256=S6mAKkb--UQkBE0QKkzrzqaZboldZNkdwCXycmEMitQ,2010
+torch/include/ATen/ops/_scaled_mm.h,sha256=blQ9iqx7mSZ7q-6_RHHatA-jMifQTX_eLU-Me5QCNOU,2849
+torch/include/ATen/ops/_scaled_mm_cuda_dispatch.h,sha256=OFlYUVk5PbpJq-SeHZ4Hw4HXGOCWk227rACaGu4M5w0,1895
+torch/include/ATen/ops/_scaled_mm_native.h,sha256=oJxNyjpbt-0UmGlr5XKSwvyIV4aRefDZ3MiYdZtD_tY,1233
+torch/include/ATen/ops/_scaled_mm_ops.h,sha256=576DD7be_aVw9KyheECIvhn0EW7kjlmayzUsE3-mKgE,3692
+torch/include/ATen/ops/_segment_reduce_backward.h,sha256=F9LdRfza0Gv6BHECFfPlbzBDEAXrXoEJVMxtMrqRZhk,2441
+torch/include/ATen/ops/_segment_reduce_backward_compositeexplicitautograd_dispatch.h,sha256=tu-RuX0wEqCq5-QKdusGcQXL092zVnEn2rUGN9a82fM,1378
+torch/include/ATen/ops/_segment_reduce_backward_cpu_dispatch.h,sha256=dDIXzFV7f5g1HAIHVRo7bs3IFEBecC1_T7RCPF_wLWQ,987
+torch/include/ATen/ops/_segment_reduce_backward_cuda_dispatch.h,sha256=vPpCYBkOm8KXhwZqAh67YiWFVHJKI9QeV5FthofiBW8,989
+torch/include/ATen/ops/_segment_reduce_backward_native.h,sha256=N6GXA3OADOUZpeqwRNmqyR_kOr05FfCSDDu9VJh9IF8,1083
+torch/include/ATen/ops/_segment_reduce_backward_ops.h,sha256=fTLgBPX43Z58eKf36gyryYrhVhp6jD-22KZRw7PQqC4,3197
+torch/include/ATen/ops/_shape_as_tensor.h,sha256=eviFT_z4AXVcqab9tegbu-aw3l5FQiokZUG3Zn6MzUU,665
+torch/include/ATen/ops/_shape_as_tensor_compositeimplicitautograd_dispatch.h,sha256=ZCQ-FBAebbCO5_RewQrirlmsICZLi6el5fA75zifXcI,774
+torch/include/ATen/ops/_shape_as_tensor_native.h,sha256=yen5tCjm_NwXmPQbi0-X8gwL9HIUvHEns2-IN_bbqn0,497
+torch/include/ATen/ops/_shape_as_tensor_ops.h,sha256=MTjt7AEYQ4xtinWUpB_wBpW6qk80bI42y6xbnrq7i78,997
+torch/include/ATen/ops/_slow_conv2d_backward.h,sha256=NaYFQy9UJxQnbATJOePh2h1rf1PQsxwlQIdLQ0w4Ia4,14568
+torch/include/ATen/ops/_slow_conv2d_backward_compositeexplicitautograd_dispatch.h,sha256=SPKoxCWOVsZtWFFMDNgntymGWajJRm4vycwcgTfdJs4,2122
+torch/include/ATen/ops/_slow_conv2d_backward_cpu_dispatch.h,sha256=AjxOTWVSuWk-ZehnE6JzFVMUWalOi1RJP6rKX1Axzn0,2585
+torch/include/ATen/ops/_slow_conv2d_backward_cuda_dispatch.h,sha256=u2bRQ_iKJPWpwOMyyxNezBlCRy4rO7Stu-GtiQU_Jyo,2587
+torch/include/ATen/ops/_slow_conv2d_backward_native.h,sha256=jEQpaoxvJbI_a9VUfrXgqsLD4j1beoHXe3SfYlPNGCU,2027
+torch/include/ATen/ops/_slow_conv2d_backward_ops.h,sha256=8TOYVtPJbXVOpEFuXid5R3AnDHnMtlaEDOrLAPRIdc4,4937
+torch/include/ATen/ops/_slow_conv2d_forward.h,sha256=P5joKy5FDxyMJ8I6tqsKwI2Dl3dY82VQIzzQ87SZsJo,6799
+torch/include/ATen/ops/_slow_conv2d_forward_cpu_dispatch.h,sha256=mUomlv9PiZ86j7EY81n2TzhkzXS44Ffcxk5rKlipjsQ,2123
+torch/include/ATen/ops/_slow_conv2d_forward_cuda_dispatch.h,sha256=EDaWI-HSk8BPNRnAqXPIto6IB6fr_wvYb1VhDziCl0Y,2125
+torch/include/ATen/ops/_slow_conv2d_forward_native.h,sha256=v8YT6yTv97srd3i6mK13GpvL4Bd-dgAuoi-N0wL-__A,1361
+torch/include/ATen/ops/_slow_conv2d_forward_ops.h,sha256=tw7WINmMFmnAY9Jsm2sJhJ5EdbE0UMspsncvNSPBAqg,2746
+torch/include/ATen/ops/_sobol_engine_draw.h,sha256=TFQ1gTkE2Lw17D0BinF2XVzF6EQGhVG4NbnRzGQSBsM,961
+torch/include/ATen/ops/_sobol_engine_draw_compositeimplicitautograd_dispatch.h,sha256=SG6As2PX2mjB1s7ygreDjTdMsspv3YTmXugNRkt9UME,925
+torch/include/ATen/ops/_sobol_engine_draw_native.h,sha256=SHJe7kdmgVKLnP-EyXnd5k4_Dd6aLN6piCnmood6cfc,648
+torch/include/ATen/ops/_sobol_engine_draw_ops.h,sha256=SGuJtd1F3RdqBRHeKHaIyjVcUsLDGc9K60v2iigkhRU,1496
+torch/include/ATen/ops/_sobol_engine_ff.h,sha256=gP-kLzC06VGS3XS4a__CPjLzz7jhuZ5gTayXlcboXAE,857
+torch/include/ATen/ops/_sobol_engine_ff_compositeimplicitautograd_dispatch.h,sha256=oN69ykgERDPFAUqxKcMz4J14glgmlVnjpQWGvxPGh_4,855
+torch/include/ATen/ops/_sobol_engine_ff_native.h,sha256=4zNg-dPfX7jDFBJDdD82_EwaF-gDVhESAr2sueiTbMA,578
+torch/include/ATen/ops/_sobol_engine_ff_ops.h,sha256=4Ui3Ic9FO7YLzt1FZl47xwuaKAs9U04LLKOqrF3Gw00,1271
+torch/include/ATen/ops/_sobol_engine_initialize_state.h,sha256=gKjzwqS7GniqzIqZ6zUDXhxyWPxf3A7IeyQrXpj39dE,773
+torch/include/ATen/ops/_sobol_engine_initialize_state_compositeimplicitautograd_dispatch.h,sha256=Xkt5-X095rrIFIOK6rbCCOYagoBCA8oLmeWBdE7V4pk,804
+torch/include/ATen/ops/_sobol_engine_initialize_state_native.h,sha256=lvJzk2xBEoysjORflAGqoloomHHnvxNGmNtXDAFvkJo,527
+torch/include/ATen/ops/_sobol_engine_initialize_state_ops.h,sha256=RYq71Hx9FTazydpyrW2RPjx84ODjCop9YmuRL24w2bY,1100
+torch/include/ATen/ops/_sobol_engine_scramble.h,sha256=5NLws6Fyo9WMSVG0wbkXvUeBVUJpONcYr1aiQdTeqG4,782
+torch/include/ATen/ops/_sobol_engine_scramble_compositeimplicitautograd_dispatch.h,sha256=rf2qEeQ3UScwdPD7bdd8jhU5hhrwTb6YCANYoqMjd-k,820
+torch/include/ATen/ops/_sobol_engine_scramble_native.h,sha256=xv4-xFTggh2pe21QTRybLwFTELlj7cW4C_s1L7nOjEI,543
+torch/include/ATen/ops/_sobol_engine_scramble_ops.h,sha256=EFxQLWKJyu27flsfj_6G8hTct9by5Xi3TD9HtI3D0yQ,1156
+torch/include/ATen/ops/_softmax.h,sha256=kjGt5EqhvjT09scUfxuKt1limG27eHbwfA6-2Iy9jK0,1281
+torch/include/ATen/ops/_softmax_backward_data.h,sha256=QyplgexXt3dAOa4T6sB8tIUKnDUGNoYTuWt6CZdrbZ4,1706
+torch/include/ATen/ops/_softmax_backward_data_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AyTIfPXb_mSBKwj7rFSev5REwPB0SZxUkUW7o3riwlk,881
+torch/include/ATen/ops/_softmax_backward_data_cpu_dispatch.h,sha256=bElt_gfrs4qXOP8a_fQJ2vrYFtcco7EU_uwwgp1AN_0,1164
+torch/include/ATen/ops/_softmax_backward_data_cuda_dispatch.h,sha256=qv7BKWg1r1FXzxI1ltZC4siFS9LyiZafQ9lnvAHrxYA,1166
+torch/include/ATen/ops/_softmax_backward_data_meta.h,sha256=z5WLMhV5AA6XMJwRLuTLzWERcBIyb7PlDHy0A34OHwg,677
+torch/include/ATen/ops/_softmax_backward_data_meta_dispatch.h,sha256=El7vZpGqS_wLRRTlcPi2juas9dtwWg-UeE3eBhCmWFY,1166
+torch/include/ATen/ops/_softmax_backward_data_native.h,sha256=sljuEeVlbm-dUj7_eHHQvF7fAkPIDoKIHeRglOupoSs,1135
+torch/include/ATen/ops/_softmax_backward_data_ops.h,sha256=g5SVE3Z0GLVsihyY_oawrCYlh7GOuef8H8lAU6ctvtc,2207
+torch/include/ATen/ops/_softmax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=svyT6QaGMAIAHozmiEuUso5WkiZPc4FTRse5XhmOqPA,825
+torch/include/ATen/ops/_softmax_cpu_dispatch.h,sha256=pmc7Nl8jx12s3tJH_yPd2ZxcCI_GDVgzFOzRVvOGw7k,982
+torch/include/ATen/ops/_softmax_cuda_dispatch.h,sha256=C-jhRtEUJPSJMeiOF0vP8O-Mx8bhnNiaN0ZEFILHwTA,984
+torch/include/ATen/ops/_softmax_meta.h,sha256=qcgKPq4WCsWIzxINhRZYDiCQQR_QZPH28SDlA-9Jy7g,621
+torch/include/ATen/ops/_softmax_meta_dispatch.h,sha256=JpHotH4q9vQmja9hgTRK7XskfqU2peQ5fD9qgtcv1qQ,984
+torch/include/ATen/ops/_softmax_native.h,sha256=311Uhvit6RGm_hs5m0D50ySLDVY7rwPZNrhwMVA2skI,1021
+torch/include/ATen/ops/_softmax_ops.h,sha256=OmOJrA5MyYVDcJZFZDYWhgWI2kOQbg-GcVyfKbKvoZI,1822
+torch/include/ATen/ops/_sparse_addmm.h,sha256=ckfgc9ZJtmt6ENs59U9yXidsgNXxxbljfYT0-FK-c34,1645
+torch/include/ATen/ops/_sparse_addmm_compositeexplicitautograd_dispatch.h,sha256=QTGVUSqtiKwq3EVtbVY1kvPMYFYVCGez-gZW9UNsSG0,1253
+torch/include/ATen/ops/_sparse_addmm_native.h,sha256=nBd2-0wbMblMg2wn9P33kN_3mNcN1YhS5sotTbWz0BI,785
+torch/include/ATen/ops/_sparse_addmm_ops.h,sha256=FGI6RwiC8BmY_a7bayKcVGivudFATVukCgmzMJzuWb8,2313
+torch/include/ATen/ops/_sparse_broadcast_to.h,sha256=Wi9nDDQBHgjGDBxBh4j8AmRTh2PhB2P-2ysE9EY4DdI,727
+torch/include/ATen/ops/_sparse_broadcast_to_copy.h,sha256=YsI0lbpG4aPhlX1KCZiuSvq2YX-IYqXKoAnNLpv2frw,1325
+torch/include/ATen/ops/_sparse_broadcast_to_copy_compositeexplicitautograd_dispatch.h,sha256=eDKmw089UZ0MxTEbTSAtd2bW_WIkcDgTiw7e_C3494E,949
+torch/include/ATen/ops/_sparse_broadcast_to_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=nTpWGiCH7KauFWBEVOW2YlzqFoh_qmG9LFcrWJnAEKw,831
+torch/include/ATen/ops/_sparse_broadcast_to_copy_native.h,sha256=xRBAr5rlSzBPMcU1yFkpUjPhNbSzy-tpp3Tfy8bDrQI,647
+torch/include/ATen/ops/_sparse_broadcast_to_copy_ops.h,sha256=g41nhOFl2xN1NAdJ-Lvj-Pgusd9KwXDV04z-lMMW1fk,1850
+torch/include/ATen/ops/_sparse_broadcast_to_native.h,sha256=YbgYJlq3V9GqzobYcKRpMdNznIxvouyvUKpX4eQWyyM,522
+torch/include/ATen/ops/_sparse_broadcast_to_ops.h,sha256=dm9h_3E1RrC5Ije1Bf15fAro6-BsqvY_kL3Wp3pf584,1088
+torch/include/ATen/ops/_sparse_bsc_tensor_unsafe.h,sha256=EXKiaeTAmg-JPZIDtLUjwdZQtxOYqLWpEKWluj7O8IU,1768
+torch/include/ATen/ops/_sparse_bsc_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=eXnrqplLcECr568OWH6mlTp_9dNFoBCW-pS9Ge-wJiw,1209
+torch/include/ATen/ops/_sparse_bsc_tensor_unsafe_native.h,sha256=ejWg5wi1GrwieozWXGmSMJVpr2gGcsnGTd99VF3_I6Q,752
+torch/include/ATen/ops/_sparse_bsc_tensor_unsafe_ops.h,sha256=HDcKa0LI77c9Gm40CLRPvbC6QoJifZsC2eGq8rPD_uo,1810
+torch/include/ATen/ops/_sparse_bsr_tensor_unsafe.h,sha256=vLEKrBCnOCwh_5q8dFIekiYstBPAlZHFYZQwCgb09n0,1768
+torch/include/ATen/ops/_sparse_bsr_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=iGzRhza_-BuNSbVWZIqiYkBh-OO7_DfSIagrwvPblls,1209
+torch/include/ATen/ops/_sparse_bsr_tensor_unsafe_native.h,sha256=6cEJcwes9Lp2XOp7Mxvf6Ag6sG7u0TM1vqijCb-BP_0,752
+torch/include/ATen/ops/_sparse_bsr_tensor_unsafe_ops.h,sha256=wvg_UhR4wrdYYpUP7LzTVhjLyIwtF_T9heLBR1WTR_4,1810
+torch/include/ATen/ops/_sparse_compressed_tensor_unsafe.h,sha256=ZYIeG054qzlVOfCTUsYnx81xzV1G7kCCIqhqVwoHTOs,5602
+torch/include/ATen/ops/_sparse_compressed_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=5wiGdlCob4zxSm5Q-2Pnk26CypgYSvO53ciCJaxpxJg,1790
+torch/include/ATen/ops/_sparse_compressed_tensor_unsafe_native.h,sha256=sOy8LYq29GK2_3ysN7bEPkG_AfdAAaQv120KZcXKmh4,778
+torch/include/ATen/ops/_sparse_compressed_tensor_unsafe_ops.h,sha256=90KiVojrwS6vDjcqrf1mvi3DsH8QSmiQEVR9inNpBdw,1870
+torch/include/ATen/ops/_sparse_compressed_tensor_with_dims.h,sha256=zhjNL-FSLU0hOU3ktoc5J667mxqk6AVyXGCpkFNFMTQ,1855
+torch/include/ATen/ops/_sparse_compressed_tensor_with_dims_compositeexplicitautograd_dispatch.h,sha256=dFIwgdVguFXDBnL_Ip2tirWbthKztdwbMW4oPqAUznk,1216
+torch/include/ATen/ops/_sparse_compressed_tensor_with_dims_native.h,sha256=jhNt-qHmvxqeZp5qGrBqm4qW6Uee__heoLKID279ovc,756
+torch/include/ATen/ops/_sparse_compressed_tensor_with_dims_ops.h,sha256=fo7Evbkg8LR-BoKJvcDRlvuU5nTGT8tcqpSHAV2mvAY,1831
+torch/include/ATen/ops/_sparse_coo_tensor_unsafe.h,sha256=hIAe_n3EtCHmDSEiNPG_NTGvYOUng8IO7oKNCoxzp9o,5315
+torch/include/ATen/ops/_sparse_coo_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=zMolWRDUy85Vl49F8tyrwAbZemucJtG23PxsD56dZCY,1756
+torch/include/ATen/ops/_sparse_coo_tensor_unsafe_native.h,sha256=MqPuW2FOTe_R5jUIBiVSbUyE2rT0dCaAUBBTbKnMRPY,777
+torch/include/ATen/ops/_sparse_coo_tensor_unsafe_ops.h,sha256=92m_crv5PijJx-nEx0NY08RK-C6l0QW-HREc91g1sXM,1826
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims.h,sha256=PM-MeTy4K2bW8EKCnx8916WrPwg0d8B-OHZmAnn1azs,2308
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_and_tensors.h,sha256=pAZlJ66yfJ1rNz3OxHmO1x6f-k3cJaIFyVceF-znAn4,10640
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_and_tensors_compositeexplicitautograd_dispatch.h,sha256=_mreM1o9QCqyy4e1c2j3_MpHVb6pCjXQ4K0bTNrKTzg,1720
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_and_tensors_meta_dispatch.h,sha256=STtjhqkpTsfIkmLchc6fFTdOZO3VQV3J5zLdsSjjPI0,1924
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_and_tensors_native.h,sha256=lZOFT_W7Puyy-J_n8eBuAU1sKn5uE1Xu0X7dTs04GB0,1072
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_and_tensors_ops.h,sha256=ooceElMAPoyDVrdjgiVAWBL6FRUjBYIklxkVXBLumQc,3157
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_compositeexplicitautograd_dispatch.h,sha256=3_qpd3dRzrUGpaNZVexCFanmNev_Jt5MHsTFkOIbGPc,983
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_meta_dispatch.h,sha256=WqRjAa2k3kaVl4d6vPReHoF-_BQk2VmHK18iWv1_DAQ,1064
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_native.h,sha256=XboIsVTkxBos0sRrDXdKYFlGotQG8LRvc1XuWcN_sm0,830
+torch/include/ATen/ops/_sparse_coo_tensor_with_dims_ops.h,sha256=ypFV_DbVz0W-iV-BtMpgjCkDjyiwoMQRIeNGfE6sCis,2453
+torch/include/ATen/ops/_sparse_csc_tensor_unsafe.h,sha256=7ZhAV1ACauT2wVcZZV6jfGVk3C2mQQI84q-0CktGmSw,1768
+torch/include/ATen/ops/_sparse_csc_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=qjt-_PnhHbHELtzrxNsBe7ausDJTVRKtCZQZ1AjLexk,1209
+torch/include/ATen/ops/_sparse_csc_tensor_unsafe_native.h,sha256=XOWiYRKqRpiL8lbZM1x1BFOFfGR9fDjHiKvXJU3hS-Q,752
+torch/include/ATen/ops/_sparse_csc_tensor_unsafe_ops.h,sha256=zTnC8qIPHSCMwZNY1F7kuvC8vecyNUH8qMF9YcU_QAA,1810
+torch/include/ATen/ops/_sparse_csr_prod.h,sha256=EmbVUAVrd3PiOQ7u9mpQdlGGE2ximZVbxfOtWAMQSLc,1673
+torch/include/ATen/ops/_sparse_csr_prod_compositeexplicitautograd_dispatch.h,sha256=I-EBXSGOBvJIv4m-7Z1zu7G1ZKjCBTnLtc144padtDI,1056
+torch/include/ATen/ops/_sparse_csr_prod_native.h,sha256=W6vQxpMgogZpBjcYRosmqtQCtzGDBuEaKYWRfTLoCtE,932
+torch/include/ATen/ops/_sparse_csr_prod_ops.h,sha256=kO5Wu_TV-TLq0nEXo7_SMeA6X2k7GPDkh2vppdMo3u0,2232
+torch/include/ATen/ops/_sparse_csr_sum.h,sha256=Ph-bepoKtTf_O_3zi0-zEsyYfht1v4Ksm4bqTXJNOnI,1663
+torch/include/ATen/ops/_sparse_csr_sum_compositeexplicitautograd_dispatch.h,sha256=moUOACPsrkd1KK1YK4d5h7D_cEMV4LPSAADoV4OHezA,1054
+torch/include/ATen/ops/_sparse_csr_sum_native.h,sha256=iqPc6V8UPRzOmpAbnOSd0-TapIa9uHmK20EyOny1n4w,929
+torch/include/ATen/ops/_sparse_csr_sum_ops.h,sha256=H5jg_oq-URJSusiVXaTkD-YMdBtYV6r7Uxdh9x_hk2w,2226
+torch/include/ATen/ops/_sparse_csr_tensor_unsafe.h,sha256=11wFyF1-yN95KpxEfn_ouhyzuqMK2fQ5GbcbSyuCXD0,1768
+torch/include/ATen/ops/_sparse_csr_tensor_unsafe_compositeimplicitautograd_dispatch.h,sha256=ooE0BK5M2RUnj3kwbMycqG7wzLDtZUE46Gq1jJ5U6vo,1209
+torch/include/ATen/ops/_sparse_csr_tensor_unsafe_native.h,sha256=sapHDsd7E4qOpAaO1lbtwyCGO-aFXq84hiBRILkcraw,752
+torch/include/ATen/ops/_sparse_csr_tensor_unsafe_ops.h,sha256=1yMVeXgOoIeNIkJZkPyZrtFRROeKZEO9pJM9Xdqvlak,1810
+torch/include/ATen/ops/_sparse_log_softmax.h,sha256=gEY932d5bBd6QyxPtfnQQOgiAp7GCdUfdjhRvdMiyhw,1998
+torch/include/ATen/ops/_sparse_log_softmax_backward_data.h,sha256=d3JS7Z3zBCNGHko7qNSeE5CBKuPj8KYtau1qEj-tkks,1711
+torch/include/ATen/ops/_sparse_log_softmax_backward_data_compositeexplicitautograd_dispatch.h,sha256=MSFjlT3B14wEGoxznxPm5tgApZYCwmgXuIG-xfn0izg,1065
+torch/include/ATen/ops/_sparse_log_softmax_backward_data_native.h,sha256=hmt-A9loQShV7kixCiNM0fnWaDJSDVrU8wh7sfS5PPg,913
+torch/include/ATen/ops/_sparse_log_softmax_backward_data_ops.h,sha256=z8mxUsfkJMNHy1MSwX90iShhqMalbwO5K6mTIrab8Rw,2226
+torch/include/ATen/ops/_sparse_log_softmax_compositeexplicitautograd_dispatch.h,sha256=hPFxbead6hMjkXtDX9CahezrpBKolM8DcwDA6VRh-tU,959
+torch/include/ATen/ops/_sparse_log_softmax_compositeimplicitautograd_dispatch.h,sha256=BZC_zTYchTJuPMmPdR50_qCMzGBf4cvOcAn7ETeawK8,982
+torch/include/ATen/ops/_sparse_log_softmax_native.h,sha256=jwhUMOHHQ-xQyDe_ydLeLd1qNJd02dsOo1UXpEGfCh0,1036
+torch/include/ATen/ops/_sparse_log_softmax_ops.h,sha256=BCpJhxjEuQqoseVVGQ90mZGg58rk-6dngzvBjwrFB5M,3443
+torch/include/ATen/ops/_sparse_mask_projection.h,sha256=GtdMfMf96yPSG4ulamXp6bG13EFY5g6Zsqep629h8iE,1245
+torch/include/ATen/ops/_sparse_mask_projection_compositeexplicitautograd_dispatch.h,sha256=2WJL30FoTJjCjZgIv9ZCRVirrPSeGmHg5GhHokJh0Cs,1007
+torch/include/ATen/ops/_sparse_mask_projection_native.h,sha256=iik_FMZEKXkcDkZO3FYsBVbhDCzFxkOokaNwNVBBmbo,704
+torch/include/ATen/ops/_sparse_mask_projection_ops.h,sha256=Wt1cekVcrRiEJ3x6xmD0vq8DWEBJpIlTM11JcdSsKzI,2032
+torch/include/ATen/ops/_sparse_mm.h,sha256=hkIsNuCbSO-pBjKkQ3qJKN6JELl1GSJK0znH4d57lW8,953
+torch/include/ATen/ops/_sparse_mm_compositeimplicitautograd_dispatch.h,sha256=5j2KIVy9W-sE7_AlMZaUqu9_bCfhRe5cAU_yq82DNoY,907
+torch/include/ATen/ops/_sparse_mm_native.h,sha256=Le-N3Fs0OWK5egK0PYXh6e4tvTXJHG4IJH9Aft8k3cc,630
+torch/include/ATen/ops/_sparse_mm_ops.h,sha256=7XHCZ007htw2sSXPXYnIdJeTFQdyKxuKdhV11GPfuLQ,1808
+torch/include/ATen/ops/_sparse_mm_reduce_impl.h,sha256=EBUJ8dltz0Gel7gdkie176BUwWrWSPHsKhoPasjwKw8,816
+torch/include/ATen/ops/_sparse_mm_reduce_impl_backward.h,sha256=Zusdrz4ksruqbU2uAOryVcv-GgCPhjMERnam4O9Yq2A,1032
+torch/include/ATen/ops/_sparse_mm_reduce_impl_backward_native.h,sha256=m6jr48P8g6QHTQaU4TpWFWy90f1gYvh6YLmGWFyok58,695
+torch/include/ATen/ops/_sparse_mm_reduce_impl_backward_ops.h,sha256=jMSBdYibUSiHAopqczdhZwKbb5wjqMDvVQRavmTIInw,1594
+torch/include/ATen/ops/_sparse_mm_reduce_impl_native.h,sha256=H3eB3_QGZdJ12KvCR_WLlT1lMIO6Z1ygHkh5z6wbmaA,594
+torch/include/ATen/ops/_sparse_mm_reduce_impl_ops.h,sha256=mxBmr3msR5W7REa6M1gaznLeDuO9l5kFhAut1VmL2no,1266
+torch/include/ATen/ops/_sparse_semi_structured_addmm.h,sha256=DRnZDN9u367ViQhE50VyCc-sqjaLVv1f7_Yrxuc3XhY,1066
+torch/include/ATen/ops/_sparse_semi_structured_addmm_cuda_dispatch.h,sha256=yfgeOlwtwVa6t6B4ZUF8LDm5WUJ9lCq30QYR0qw1oCA,939
+torch/include/ATen/ops/_sparse_semi_structured_addmm_native.h,sha256=-4-bLNKJotitdsDpUN9ptBPZhoXlzjPcSfEV66Nlq-0,704
+torch/include/ATen/ops/_sparse_semi_structured_addmm_ops.h,sha256=Czi4tzl-eLoCuYBqRWaYYpnYkzJNp2sOOxXdUFR1eLE,1626
+torch/include/ATen/ops/_sparse_semi_structured_apply.h,sha256=7b61jnw3iOJv5JAJs1vr-RXvwQlk_YkArkw-5MRZL7Q,823
+torch/include/ATen/ops/_sparse_semi_structured_apply_cuda_dispatch.h,sha256=9N8eXvAAbuHB-OKGeCIIu9d3actuwXF9K9E9N72SWqQ,804
+torch/include/ATen/ops/_sparse_semi_structured_apply_dense.h,sha256=cV3RXN3eSSnaIXLdGZev_amda2VcR5I-MXlyc3kCOQg,812
+torch/include/ATen/ops/_sparse_semi_structured_apply_dense_cuda_dispatch.h,sha256=QCLgDQlaTESjRUYxB2tAYC6ILBAhHL34SGKJdDYeqmo,785
+torch/include/ATen/ops/_sparse_semi_structured_apply_dense_native.h,sha256=QkiKfX6PlR1zLnvNVzb3eAOwnWI43q1H0NatjUxgvSs,550
+torch/include/ATen/ops/_sparse_semi_structured_apply_dense_ops.h,sha256=Y4pCtl80bz1bOcgqLcwir9NPnzSzq5lqX4gxeCYMq0k,1164
+torch/include/ATen/ops/_sparse_semi_structured_apply_native.h,sha256=OznZuormFhouDbJh9lkKn5n62m2D-IlOqMsdRbTfh_k,569
+torch/include/ATen/ops/_sparse_semi_structured_apply_ops.h,sha256=SwFKPvh4kD1KGnpQ7O0bugPgFJGeHUBW3we0GGlO3SI,1231
+torch/include/ATen/ops/_sparse_semi_structured_linear.h,sha256=SokQw1lBbWjE7j5SNDP2N_kWMbMGnrhkRW0COafYh8A,1083
+torch/include/ATen/ops/_sparse_semi_structured_linear_cuda_dispatch.h,sha256=6pn1Jc1_lG9dy20VmMeTqbQ4VppJO1i4nxm4mx-h8B8,963
+torch/include/ATen/ops/_sparse_semi_structured_linear_native.h,sha256=ZvowxhBhH9XcBh9-ynhSy--gSOZ6B6oW0fpj5_JKRAE,728
+torch/include/ATen/ops/_sparse_semi_structured_linear_ops.h,sha256=RFKhcX0cVw_nS3koNUWonRuCgRRUkKvy7QLla8kReaw,1653
+torch/include/ATen/ops/_sparse_semi_structured_mm.h,sha256=yaSLPzeWMtCxhjP8AJSiZcVbHYYBSRgjdm0mgx4ngIw,908
+torch/include/ATen/ops/_sparse_semi_structured_mm_cuda_dispatch.h,sha256=uEd6LmDafSXsop86lHP49xMqVX7R4GwLr3vlsZxh59s,855
+torch/include/ATen/ops/_sparse_semi_structured_mm_native.h,sha256=Z7RePKCFraC_e_IHZ9vKDBmOsKEoSl7ZFP8gsBBWQ5w,620
+torch/include/ATen/ops/_sparse_semi_structured_mm_ops.h,sha256=E-o3FMcfqPvQkWYOiBerrWWJ24t8-3DqEOz9cULm5RI,1358
+torch/include/ATen/ops/_sparse_semi_structured_tile.h,sha256=1b5RtZ50lKoMZDSlawVEmSFB-WpWgTyVmzZ0i0qzjjY,927
+torch/include/ATen/ops/_sparse_semi_structured_tile_cuda_dispatch.h,sha256=LvNes56locG24C32tN2-k0GeUouxhOypBlHzx6G2oa8,857
+torch/include/ATen/ops/_sparse_semi_structured_tile_native.h,sha256=RNb1KwnkdNBnGGqhcYXKIf0D1_ibl4sHyIsaxmgZJ6Q,622
+torch/include/ATen/ops/_sparse_semi_structured_tile_ops.h,sha256=1LV58ThUjB775wCd_9p3doHn-xswGtWJhtNJHlTWXII,1403
+torch/include/ATen/ops/_sparse_softmax.h,sha256=mbveZFGDXcMLDA8t2gXeZEbfJ0ZJwO4Y3n0EDXuz0xY,1934
+torch/include/ATen/ops/_sparse_softmax_backward_data.h,sha256=znnLyk4fxI9_9SOtHYJc94rsYjKpIeYRHIVsS-JKhwU,1671
+torch/include/ATen/ops/_sparse_softmax_backward_data_compositeexplicitautograd_dispatch.h,sha256=pK9L-SCFibpejshNAes-ep8Gg7lEFD4YuO9vY66Fcc4,1057
+torch/include/ATen/ops/_sparse_softmax_backward_data_native.h,sha256=LmM6QLrP6Q9ydid-5DtA7q1KkAKLv40DzujfyFBsHO4,901
+torch/include/ATen/ops/_sparse_softmax_backward_data_ops.h,sha256=ooW8oxQ9WJyM82iUYcW5t-Hc02WRcldvONRbGVBNUgo,2202
+torch/include/ATen/ops/_sparse_softmax_compositeexplicitautograd_dispatch.h,sha256=CAI5KiocSavdh38pDa8PD37YZwBRx5NnL_jj3RZ8hg0,951
+torch/include/ATen/ops/_sparse_softmax_compositeimplicitautograd_dispatch.h,sha256=aewpMWURX5ZylN4hbtiyZf0HbEfVp8xPI-hLxOwlfXY,974
+torch/include/ATen/ops/_sparse_softmax_native.h,sha256=TWCqKmeIiR-SQo0pk8D7bH6CcuUVsbM4F5BJwSAlBfk,1016
+torch/include/ATen/ops/_sparse_softmax_ops.h,sha256=YELPuCSd518bZSsaxrQ16qg5uDKkKalsMyLig9Vd_YA,3395
+torch/include/ATen/ops/_sparse_sparse_matmul.h,sha256=nPuQbiXnbLsNc7iz3O7NQ3KhlxLBQ5qHU63Nd2FRiOo,1306
+torch/include/ATen/ops/_sparse_sparse_matmul_compositeexplicitautograd_dispatch.h,sha256=BG_mISTQJ1_3dGvtKunqxjIm0PY17tRazzT67aBNEgg,949
+torch/include/ATen/ops/_sparse_sparse_matmul_native.h,sha256=AdCF244oguuPnFfI7JGE-ccjo5GjiJllxh9ov2ZbGcA,749
+torch/include/ATen/ops/_sparse_sparse_matmul_ops.h,sha256=4G-UkMZG7kC2vh4H-onhsBBf2zUfIdo3XCkUxlXhFfU,1852
+torch/include/ATen/ops/_sparse_sum.h,sha256=7l_ciEGQN1OqOexNpFXmVVdgOURVzv4-YFUYO1uE3ac,1823
+torch/include/ATen/ops/_sparse_sum_backward.h,sha256=xAl-UC8p7p4rqBILtMqMBGbM2aOYoN_U5ZaX5Zs3dLE,1398
+torch/include/ATen/ops/_sparse_sum_backward_compositeexplicitautograd_dispatch.h,sha256=-ZHZZGrACRdFt9RXETr9wPG7c2nGthaffhhpiQ8oQlk,987
+torch/include/ATen/ops/_sparse_sum_backward_native.h,sha256=cQ7kfqVW-2ynZ5nMczSdhCWFfp5lk8B5nkTjpvJblhE,808
+torch/include/ATen/ops/_sparse_sum_backward_ops.h,sha256=XV0rqNvzgrEVeiWi6CH-RecDNw0bCO6FLflwxLKfixM,1980
+torch/include/ATen/ops/_sparse_sum_compositeexplicitautograd_dispatch.h,sha256=-uMzTNOdApGGoqSAxhIpPcbPY0jm2I0eBG4w6JtzQf0,999
+torch/include/ATen/ops/_sparse_sum_compositeimplicitautograd_dispatch.h,sha256=hxbc6Mn0RoBi7lPxx-DicjlKRXz7dALEIkH9oeWzYEo,952
+torch/include/ATen/ops/_sparse_sum_native.h,sha256=QUKE02A4Q90okBYZZ0kiB88IuedUABMM4M6VVRnbxzg,863
+torch/include/ATen/ops/_sparse_sum_ops.h,sha256=Alj_thgbdIe6zDbyr4weiEafJf5oGeX2YWet4sAn7s4,3708
+torch/include/ATen/ops/_spdiags.h,sha256=I56P7nmhAEx5uxJBrQquKtEssdIRFZwDXWeEON48NPA,1593
+torch/include/ATen/ops/_spdiags_compositeexplicitautograd_dispatch.h,sha256=7Rflpmnf4HZ1ZYr30DmKXyG7fc3JHv-22GoYg6EnVzk,1070
+torch/include/ATen/ops/_spdiags_cpu_dispatch.h,sha256=PbUFKZ6z7o5JMVi57kq8AcJyJj3oHaND98NlOLYUUNs,829
+torch/include/ATen/ops/_spdiags_native.h,sha256=uDJDxhvuTbiddqTclAoCXWnLxbyuDm2YWVqcQ7s57a0,767
+torch/include/ATen/ops/_spdiags_ops.h,sha256=OJLiMa8YawKOGdabgFByb_EFXgLDEDodAhyQvTMyjMs,2212
+torch/include/ATen/ops/_stack.h,sha256=u9dl5jTknBM9KWcUedV5jYeILDKTHKL5innm1Pm9bbA,1127
+torch/include/ATen/ops/_stack_compositeexplicitautograd_dispatch.h,sha256=XPmvbCkXjicSsxv5hT7byCXYEVLWLbP-GpbR8sd483o,961
+torch/include/ATen/ops/_stack_cpu_dispatch.h,sha256=gyMVPfnMJFNwIesKmE9NCvaWnGf0G671tK4rfjbUgQ0,917
+torch/include/ATen/ops/_stack_native.h,sha256=s4qf3O61I8WP3lQVls6n-T-GxrkfhAqDFUQ0Xld-ea8,757
+torch/include/ATen/ops/_stack_ops.h,sha256=tVNv5tNiHcPlt5j_0ywItOEljBkIU28_XtrT_mSYm08,1680
+torch/include/ATen/ops/_standard_gamma.h,sha256=BJKDaLuW8QFWoyy4t8DEZmOz3bA7LmDJKSSKjT3pciA,1375
+torch/include/ATen/ops/_standard_gamma_compositeexplicitautograd_dispatch.h,sha256=9OJH8Di-WTnXQOft-tbnUThpyj81XBA_0EsYCEdIM9U,984
+torch/include/ATen/ops/_standard_gamma_cpu_dispatch.h,sha256=OjEKytZd5zc_742IRJz83jz04fXOwyzDxBGcNFEok_8,786
+torch/include/ATen/ops/_standard_gamma_cuda_dispatch.h,sha256=MZc6fPC5Lsk_hBg51WMqXTC466G7yKzS65qngyIKFzY,788
+torch/include/ATen/ops/_standard_gamma_grad.h,sha256=NXmKkZojuQvucrgCreomfAl_6nIL3tnZGRMNEVAeQto,1305
+torch/include/ATen/ops/_standard_gamma_grad_compositeexplicitautograd_dispatch.h,sha256=2xR6UnXRYLzFRExycBln4i7-yD52j-TPLmLrCmAjy9Y,949
+torch/include/ATen/ops/_standard_gamma_grad_cpu_dispatch.h,sha256=xsLiDQmTUeVhfMZKQaEHdUcSo_cZ1frj5GG2nJOOfmc,761
+torch/include/ATen/ops/_standard_gamma_grad_cuda_dispatch.h,sha256=c39AgyrLB-xOC2-4VsfkvmKeVupoapqZ0sB5ydlR8fo,763
+torch/include/ATen/ops/_standard_gamma_grad_native.h,sha256=1F-lLUE9YlP1xQY6zIQryamFHKQFzurXxu4aSvwYY7k,751
+torch/include/ATen/ops/_standard_gamma_grad_ops.h,sha256=DD4iXAJ66_BlOo47_xPLNL0JaL8fCE1fUGrzR8hEDlU,1852
+torch/include/ATen/ops/_standard_gamma_native.h,sha256=lLCB3_fMRhep19QBTmUyxbKXC4MHQp_g8K-fTVoR42M,797
+torch/include/ATen/ops/_standard_gamma_ops.h,sha256=1gFvnq-om5Y7jCrvz8OUFWcIB5h5GLbW3xCQSlDJ8x4,1930
+torch/include/ATen/ops/_test_ambiguous_defaults.h,sha256=PtIudE8l0d_ZtHXv2vuVSk8piIRZX4i_anfo1_7XEAw,1007
+torch/include/ATen/ops/_test_ambiguous_defaults_compositeimplicitautograd_dispatch.h,sha256=47byKGQMPtyd3SUg4xtKqkffe-SqIc6D4dvhSJpYRcg,913
+torch/include/ATen/ops/_test_ambiguous_defaults_native.h,sha256=f4wq8GCaub-FJ7N_NDWfvQKtC1IwyvXsZTaC9xGm_Ss,642
+torch/include/ATen/ops/_test_ambiguous_defaults_ops.h,sha256=vCUCEcpB7LV228_Lc-dj_pm1quDzt78IfEpxdq3Xows,1815
+torch/include/ATen/ops/_test_autograd_multiple_dispatch.h,sha256=9XDsZesxXRKfuurvzAFL4IsUHu3ANCrc2QO_0qyRa38,1599
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_compositeexplicitautograd_dispatch.h,sha256=_4SgReFkok3NlUaXE70PKKcCMwOBlAdOgs9Ok9qjmvY,999
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_compositeimplicitautograd_dispatch.h,sha256=u1fU6MDlxVnjGEaMWEud_5l8DC86P_8IfkqetI0loQM,798
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_native.h,sha256=EtDOJyKALOhjt46exz6OZFiK-Nm0SNd1Js0Iix4Y5kY,738
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_ops.h,sha256=Pg9niWFkQvTctSH1tvIueMNxGhxCN0aLgKFe_cWEKMY,2484
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view.h,sha256=mpMc5Jas9StnViPrO1IiTaNMq7WeX6t4hrGSHq7QnvE,755
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_compositeexplicitautograd_dispatch.h,sha256=ShG32Y8O22F1mikUvW-HKUu4BQ2fvcltU6jT-TJl-K4,795
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_copy.h,sha256=ngnQ4FzADUJEbv6eoISncpkNI73kKpc8IEb03J48QDo,1375
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_copy_compositeexplicitautograd_dispatch.h,sha256=0B3WYKdaoOO9F0gmsprXOafJu58zDJDtSlhQGZbPM-w,939
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9_LCvXLK5y8zBux6-buoGdOjW4SkXVTI0_j4CPZQLXE,826
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_copy_native.h,sha256=d881ViDbY4tJw3Kq1EnX72VoWOuxSgl8j3xqX02hWpg,637
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_copy_ops.h,sha256=Ym_NgGDQ70xd3q6u0Ex6Kgw0GuhyvBmzrR-Xj-kuUvQ,1806
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_native.h,sha256=Le6HUJRk3JSek3kTUHQ2TX8FVYyRWHM7sB8Hu2o86VA,518
+torch/include/ATen/ops/_test_autograd_multiple_dispatch_view_ops.h,sha256=9WwjKbjWzT7Hf7FoN26MPDSvH_xgWTC5kkcxzF5j-GU,1066
+torch/include/ATen/ops/_test_check_tensor.h,sha256=jom7DbYYCbr50juP21cEfU8Eb7HhIlpMEnvG4bU8sBs,673
+torch/include/ATen/ops/_test_check_tensor_compositeimplicitautograd_dispatch.h,sha256=E8I0_VWxQ1AAjGOdFIvKJx1V_NNhSOo1ur_jfI3J2_A,776
+torch/include/ATen/ops/_test_check_tensor_native.h,sha256=d8m70t5GNcoLHAtVg3V2hfYjF3JTFIg9X0u9POsXgYY,499
+torch/include/ATen/ops/_test_check_tensor_ops.h,sha256=q4EystZZPVsoP3OcHnDjVbAg2IWAG_Qyso153XgAYW8,1003
+torch/include/ATen/ops/_test_functorch_fallback.h,sha256=vltQN08MF9t1xyQqdJKkGbQxuP3ZzkHnaIAw1VSf5cw,1336
+torch/include/ATen/ops/_test_functorch_fallback_compositeexplicitautograd_dispatch.h,sha256=92mowvVjVXdV8L3vPlGYdJFOqcBgqNfVEeYWzjzlo-8,955
+torch/include/ATen/ops/_test_functorch_fallback_cpu_dispatch.h,sha256=KtazLBaKD5akwda0xUfVXVTjrraI7P0jqykNg1ySnG8,764
+torch/include/ATen/ops/_test_functorch_fallback_native.h,sha256=vHi7KFXZmmfuXbkduBSh7eOgHVIJreNlWCNgc9K-JjM,653
+torch/include/ATen/ops/_test_functorch_fallback_ops.h,sha256=-47Trb3dIEmwG4yoOVN50NhHWgY7uDZtICfrr3o691U,1870
+torch/include/ATen/ops/_test_optional_filled_intlist.h,sha256=Dg_HvIHtTCKN7p7be1k487qRweY4WpQ7byNB6kz0LAs,1440
+torch/include/ATen/ops/_test_optional_filled_intlist_compositeexplicitautograd_dispatch.h,sha256=qr8tdDam2XUh6D4Mz-H7zK-qhweREUt5EnnfhJbTh1E,983
+torch/include/ATen/ops/_test_optional_filled_intlist_cpu_dispatch.h,sha256=273YyCcDdwyN39oHF22kHPOrhb5Z_M3hoex2VkXtBRA,778
+torch/include/ATen/ops/_test_optional_filled_intlist_native.h,sha256=KkG6yHKTZJwgQXAGK1yP5V2xe_ZSIsF507UvzOtj4hA,674
+torch/include/ATen/ops/_test_optional_filled_intlist_ops.h,sha256=u-Ox2f1OqH707QxYai1N4s6vbzglpnoyjampO-Kw8HE,1956
+torch/include/ATen/ops/_test_optional_floatlist.h,sha256=gx-cHLrYZfFaw4KJhNOt_Qx9CE3smFvO0ZbFe5xI6Eg,1435
+torch/include/ATen/ops/_test_optional_floatlist_compositeexplicitautograd_dispatch.h,sha256=kmBhJ59q09URze4QEx9_MbLiru6Ypy0LhW2epM8Aq4g,1001
+torch/include/ATen/ops/_test_optional_floatlist_cpu_dispatch.h,sha256=q4W_UftuacE2giDiICfAZKt6rsvXLcSVMRj9nVPAt6U,787
+torch/include/ATen/ops/_test_optional_floatlist_native.h,sha256=GYBrxbTcU8tG-nDNGVV7dEWXEr0T7UWtGwIx7vxNpE0,699
+torch/include/ATen/ops/_test_optional_floatlist_ops.h,sha256=2l-BzUblcMTvBF3iA9Y12KEeRJbRptIJwWHuibcuzzw,2012
+torch/include/ATen/ops/_test_optional_intlist.h,sha256=TG5ms66YOUYi7ShZUYpHe3oxwH_4IAELsGCwgI7RU3k,1367
+torch/include/ATen/ops/_test_optional_intlist_compositeexplicitautograd_dispatch.h,sha256=eVJi6ab4DkHA1hpRYMU20_i-t6JWl5x4Gwd_3Qlem5c,969
+torch/include/ATen/ops/_test_optional_intlist_cpu_dispatch.h,sha256=4fatPAnfN2rAQBlteXcNtAfobxwhvOhbAGKYnLA6mTk,771
+torch/include/ATen/ops/_test_optional_intlist_native.h,sha256=o-rrOGgEmeJ1KVZqjhr2OsjeHLB2Xx7LfMvFgaEmb-g,667
+torch/include/ATen/ops/_test_optional_intlist_ops.h,sha256=ytTamYcqCS0sl-_j9NAVXp2-hMO7OBirf7XOwI4y7vM,1912
+torch/include/ATen/ops/_test_parallel_materialize.h,sha256=nvRj1J45W-KRBvt8yFh5M6hiM5FB970O6rPEFO7Jso4,817
+torch/include/ATen/ops/_test_parallel_materialize_compositeexplicitautograd_dispatch.h,sha256=XE4Hk9a9vPYma_3WtJeaiWF7KjPC5_ZSYAl8ap08b3c,829
+torch/include/ATen/ops/_test_parallel_materialize_native.h,sha256=UFKIzNR-uVVEKVnuS4yxwkTMu19rJFxmqME9D5IAiso,552
+torch/include/ATen/ops/_test_parallel_materialize_ops.h,sha256=Qkaxo6WLc2395IzmU0jN8jkhdij6AwugJ0bYMqt3gOQ,1161
+torch/include/ATen/ops/_test_serialization_subcmul.h,sha256=Eac_o6-a5DU2ilFK45vyCnlHNY5B1l-YETNinFLjv5g,807
+torch/include/ATen/ops/_test_serialization_subcmul_compositeimplicitautograd_dispatch.h,sha256=Wp0aj5ZRbbyZWS8wtq5talYpwhixe-oonjXzH1etaos,839
+torch/include/ATen/ops/_test_serialization_subcmul_native.h,sha256=huTEXRqkkMLjtrj63jqsVAViZaPZ3NWP07TlNSr26GM,562
+torch/include/ATen/ops/_test_serialization_subcmul_ops.h,sha256=EA4cQCu311LuRKCER1skRoUEq4uhU_PCNKz8Zw32cM8,1204
+torch/include/ATen/ops/_test_string_default.h,sha256=v7wo-FSxWauvWjfQZM8Pg7fs8aE27oahBTk9zXrHCZM,776
+torch/include/ATen/ops/_test_string_default_compositeimplicitautograd_dispatch.h,sha256=ykuGwGkSaYvf8c3IFy7ShiYsFUpHg-0gU39GV9vurFc,835
+torch/include/ATen/ops/_test_string_default_native.h,sha256=JLIT6QAKD854E5M9YSGx6cAl4rG68QDbtdHtnmKMVmQ,558
+torch/include/ATen/ops/_test_string_default_ops.h,sha256=-lyYiqQHGcce7KwkWznsxecxICjuGElprfrLbCZ96ow,1168
+torch/include/ATen/ops/_test_warn_in_autograd.h,sha256=T8Y3LE8esqrY3ec8MnOtFns2MDJHmErzWs77TqM3dbs,1175
+torch/include/ATen/ops/_test_warn_in_autograd_compositeexplicitautograd_dispatch.h,sha256=tTOb7ZwkeT68ED7U4iQ36i5JV8nc5oae7fZyjgpSvMY,969
+torch/include/ATen/ops/_test_warn_in_autograd_native.h,sha256=Ari9ta3cXUC2RYr-KtOVlLgF6qtYDV70FikHuZLISpM,597
+torch/include/ATen/ops/_test_warn_in_autograd_ops.h,sha256=LXQsxBTpmqq49IOEQDP2LiId-2Vl-8R5AzCwcbSsDMs,1686
+torch/include/ATen/ops/_thnn_differentiable_gru_cell_backward.h,sha256=r567Eq9vbuQg_g0BkAEgMz3zZZmfqnMLoyR1kAanI-s,1188
+torch/include/ATen/ops/_thnn_differentiable_gru_cell_backward_compositeimplicitautograd_dispatch.h,sha256=V8AkkPDHv9J3yVgQMNzPIBrbplBOsYWFX9Ru9SX67Xc,1042
+torch/include/ATen/ops/_thnn_differentiable_gru_cell_backward_native.h,sha256=N0gd1m-wfKRmSNR2Lge37a-pQyzIiD4lq_Ax4LhXAyM,765
+torch/include/ATen/ops/_thnn_differentiable_gru_cell_backward_ops.h,sha256=seOUxRIc1Sj02OcgR_4PJO6l0qxucwvSj4qS0FPsYYA,1877
+torch/include/ATen/ops/_thnn_differentiable_lstm_cell_backward.h,sha256=JOrmt05xwPHJZe3JKONv3YXq6SbjJcrIDpd95At8hi0,1319
+torch/include/ATen/ops/_thnn_differentiable_lstm_cell_backward_compositeimplicitautograd_dispatch.h,sha256=NHeGssyYpSOd8iW5-vTxf8Nv717NFZ09r0wGcDJPFKo,1128
+torch/include/ATen/ops/_thnn_differentiable_lstm_cell_backward_native.h,sha256=NcFVAD7Om2cvoL3yYlAiYw1XJLVq6ZlYKD2-JgAmmVo,851
+torch/include/ATen/ops/_thnn_differentiable_lstm_cell_backward_ops.h,sha256=TAYRn6WClcwgdlMs7E4ouIlftA8X4m95OQMKybz6weA,2153
+torch/include/ATen/ops/_thnn_fused_gru_cell.h,sha256=ZqYG4MGJhczbo1Ea7syZZqf8X-3drXkw1xq_bZI-rQk,2274
+torch/include/ATen/ops/_thnn_fused_gru_cell_backward.h,sha256=zZ6OEaDzvb9yN-hwg66q8lTKgoccXLFGLe3woR3KHTY,2235
+torch/include/ATen/ops/_thnn_fused_gru_cell_backward_compositeexplicitautograd_dispatch.h,sha256=pliN6RJ8qCKuNQFrlK3ihS6popLP7Qas9Ir9Hxs7lsE,1295
+torch/include/ATen/ops/_thnn_fused_gru_cell_backward_cuda_dispatch.h,sha256=8HjHcxn6nL6fJrElSvtigF-RRAilTePjybsy8ll9k0U,851
+torch/include/ATen/ops/_thnn_fused_gru_cell_backward_native.h,sha256=UVHG00S7CKoJMFcUe08bXb5b4UsvAQE_II6j9a3PtkY,913
+torch/include/ATen/ops/_thnn_fused_gru_cell_backward_ops.h,sha256=khhs5hOygQqbaOKp5mkVGtjS3yaL_3O_nNWFM5luKS0,2779
+torch/include/ATen/ops/_thnn_fused_gru_cell_compositeexplicitautograd_dispatch.h,sha256=HohqvDNSWsfTLfReqnuRGwCf7J1eCc_X06t1g0AkO_A,1315
+torch/include/ATen/ops/_thnn_fused_gru_cell_cuda_dispatch.h,sha256=_hbLys3SLktulDkF_Y1qNuiqQm32y8OcgkepCTiECoQ,927
+torch/include/ATen/ops/_thnn_fused_gru_cell_native.h,sha256=vrzq-BkvFlrBMxVByZd1dIZ3QS8SBNlvntsfJr5yHwQ,996
+torch/include/ATen/ops/_thnn_fused_gru_cell_ops.h,sha256=FCZS5GOJ6wRwA3CLMB26ww0_cAo0-chN3MTglnLAj8o,2974
+torch/include/ATen/ops/_thnn_fused_lstm_cell.h,sha256=mfX-u5HUtYJMei-Tm-1QgR4KwMZmGTuNbfAaHwu0zYg,2437
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward.h,sha256=YFWEz9vfhbxIBdtJpO1ABrssFSgCCGY-6bY7WZait8I,1086
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_compositeimplicitautograd_dispatch.h,sha256=WsdQJEWMCssxvPgFD11M-cE2n-Mv8bsMhnu7eKco7oM,1002
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_impl.h,sha256=Ap43BatWomAdU551wPl3eftbQN8XrzGBNc_qVNROYJM,2484
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_impl_compositeexplicitautograd_dispatch.h,sha256=1ty0WCM2UI952dD9jaZ25ICybHYY7nfN7WM6MtvPJSA,1395
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_impl_cuda_dispatch.h,sha256=FJrzXVS32VJxIuvmlChbWqkVaXwUP1gzMSIndjaVjCc,943
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_impl_native.h,sha256=vRk-OF0Y4pNr5j6LVPVQor5z5YBvW9ht5p3Hg3q7Eog,1055
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_impl_ops.h,sha256=naoIPezD1EYTWc8UIQtibgC1xBuGfrJPZkINMkYVtOU,3193
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_native.h,sha256=oNg9jGtP1UgCegVuH5qn-tXpFA-A-V4jvy3BZE0zlM4,725
+torch/include/ATen/ops/_thnn_fused_lstm_cell_backward_ops.h,sha256=Yl4xdvXEfXg07h3pXHpXciRXNckj-00BttSp5FK1HGA,1755
+torch/include/ATen/ops/_thnn_fused_lstm_cell_compositeexplicitautograd_dispatch.h,sha256=b5aoBRWXPqoaJDDFPHc_-5zst2egppFQxfMflgA9Qrg,1381
+torch/include/ATen/ops/_thnn_fused_lstm_cell_cuda_dispatch.h,sha256=jNik6chSYEEGVfSemghHNfwAzcQGGSqTJRG_daSiwrM,939
+torch/include/ATen/ops/_thnn_fused_lstm_cell_native.h,sha256=GxG61_Q5iWJ4hJpWWhdnJNwqOnKGprSXU7PDv9X0FYA,1041
+torch/include/ATen/ops/_thnn_fused_lstm_cell_ops.h,sha256=AlwzIhtsNbRU4I3WyGfjSfWP7_6YdR5v2z6V7izAR88,3141
+torch/include/ATen/ops/_to_copy.h,sha256=SX2zfKWBm5yuS6_eaxjmQPZvoyUxNZw8ydoRxmKvjWg,2427
+torch/include/ATen/ops/_to_copy_compositeexplicitautograd_dispatch.h,sha256=lPdzG7mnGboDpIM7vLSTU1mP_1YrEr3Yg1Pzr9WDDTM,1472
+torch/include/ATen/ops/_to_copy_native.h,sha256=9yCf5fOhizUYIpDLYb6noAzyvilnA3PVgyINRgm0kJY,1192
+torch/include/ATen/ops/_to_copy_ops.h,sha256=fgdRE6B7cIR5FaDvgvcI4ga2_vUHDrK8JWO8nOUItik,2570
+torch/include/ATen/ops/_to_cpu.h,sha256=XhNN56gg2eaYmrPIMz4SeIQRMYLX6CC7GwVEATwD9dw,653
+torch/include/ATen/ops/_to_cpu_compositeimplicitautograd_dispatch.h,sha256=-EBNmOaU_6yFQfctFFWNuJN4cjKyq6MleA4NIZe5QCg,779
+torch/include/ATen/ops/_to_cpu_native.h,sha256=y0owTHOkosTOU8qc3ndRyVMFznn4A2Byu1hXXcGmsn0,502
+torch/include/ATen/ops/_to_cpu_ops.h,sha256=D1D-mmaWnyxhouCFEO_-ltW1FYZ3xourlm2LS7Rl7bU,1016
+torch/include/ATen/ops/_to_dense.h,sha256=70qVkGSJ9wXbQkPcX1GwL-qT_3rL9WY3M1OcE3kVnuc,1215
+torch/include/ATen/ops/_to_dense_compositeexplicitautograd_dispatch.h,sha256=ZAT64IcmJmrbLFB-XloOPAfuHfI0UlQxgqD6dmaeYmY,1051
+torch/include/ATen/ops/_to_dense_native.h,sha256=DhpbunW1SNg67j4WL1YSpTXbt5sViHCw9raKjGRmimE,1100
+torch/include/ATen/ops/_to_dense_ops.h,sha256=cAjbQMvHpf_-v1B_7J1r98gCt6eRbdSRbvrOSeAWIUA,2112
+torch/include/ATen/ops/_to_sparse.h,sha256=MA2hv0vq0FOzdywr85n9I-Hf6hapx3ORVv3G0J0IG5Y,1913
+torch/include/ATen/ops/_to_sparse_bsc.h,sha256=oMjK1mNMm8bioZw35KOKkNrRYkr28Nvt2KEedZXTghM,1199
+torch/include/ATen/ops/_to_sparse_bsc_compositeexplicitautograd_dispatch.h,sha256=fam1VQzSLLCZB3J1pahOgLKtYJf1tE0GNK5DY0cUoh8,1024
+torch/include/ATen/ops/_to_sparse_bsc_cpu_dispatch.h,sha256=blP7DE3uY9tz6im7ZexiFS2BPK6ZU3lNKXTGFESjnxo,806
+torch/include/ATen/ops/_to_sparse_bsc_cuda_dispatch.h,sha256=fIKb3dsD0QpLSEnnjH1qhOaAdUjX7psYxggIMu1-tO0,808
+torch/include/ATen/ops/_to_sparse_bsc_native.h,sha256=fx3XSdGMfwqofbbn37LLe0PoudGJzXSJekyFJ9PFFas,1027
+torch/include/ATen/ops/_to_sparse_bsc_ops.h,sha256=HxOPOy1C7CMHoRc-AHFcXl3uFydUYE-eNmS19jBusPQ,2054
+torch/include/ATen/ops/_to_sparse_bsr.h,sha256=-q2XlUzMxA2ndL5Fxz0XtoaU8B7QaSRbXmdIi73x9SA,1199
+torch/include/ATen/ops/_to_sparse_bsr_compositeexplicitautograd_dispatch.h,sha256=3bHuExdABZIVZNGg0xT4kgMqGVezBIffU4fSrbNuEDw,1024
+torch/include/ATen/ops/_to_sparse_bsr_cpu_dispatch.h,sha256=Le4t3heVElAg3yXv8QMedDHAUOGNotq9-OQJfgUMD8Y,806
+torch/include/ATen/ops/_to_sparse_bsr_cuda_dispatch.h,sha256=nKQmh6kkgl5lpidMrQaT0c3QiVgF_zEed81w-vkYRv8,808
+torch/include/ATen/ops/_to_sparse_bsr_native.h,sha256=4DUC-7atCwBvwg__b7uC-C8o_Y_2wNWebQAmgHN1Q5I,1027
+torch/include/ATen/ops/_to_sparse_bsr_ops.h,sha256=In7KgcMzHUy_7nTMazI9oYWTGVx9ld60L4tEf10yA2I,2054
+torch/include/ATen/ops/_to_sparse_compositeexplicitautograd_dispatch.h,sha256=EPyrKRTez9xEKtEcCmMyggR7TO0vfbKfkyX0zYcABj4,1339
+torch/include/ATen/ops/_to_sparse_cpu_dispatch.h,sha256=SBcCDseQjd1QxOINig5bGipQmP24BzJC3HhQjvadL44,954
+torch/include/ATen/ops/_to_sparse_csc.h,sha256=reEAIG8iyvWQmQCg251tyAx93Rslinb3su2PHIqyXEc,1087
+torch/include/ATen/ops/_to_sparse_csc_compositeexplicitautograd_dispatch.h,sha256=SQbXYWbGMoIpg8PMyOI2IXOzAW66jGkoPvqTx30rdfg,970
+torch/include/ATen/ops/_to_sparse_csc_cpu_dispatch.h,sha256=IqRFFzFseCoJh2hFAzMpJJVBzxMp7k5lgoLSHqhcBQU,779
+torch/include/ATen/ops/_to_sparse_csc_cuda_dispatch.h,sha256=KLaRadeIl0aQ49EuiB2X2-WuDPo3vqtWje0tAQvkAuI,781
+torch/include/ATen/ops/_to_sparse_csc_native.h,sha256=SxRE_s9FXlVUhJPod8FLKjdHJijsVyTWjW4aLmWihGA,919
+torch/include/ATen/ops/_to_sparse_csc_ops.h,sha256=01GBwgNvhh2sYhmotGY1mjgQd8_F_2Pg-6Ex2xS67r0,1876
+torch/include/ATen/ops/_to_sparse_csr.h,sha256=uJlEb2aGoJVrkgj4yY6PGTJ2ur49O5fZNEDhwcvEK84,1087
+torch/include/ATen/ops/_to_sparse_csr_compositeexplicitautograd_dispatch.h,sha256=7uATwNV0f5Ddc5lXsYienkBuHlUHsKaqArO8OiGbz40,970
+torch/include/ATen/ops/_to_sparse_csr_cpu_dispatch.h,sha256=9y7osDwlpsQAOgAqQ5noFhBFVmfPKf0VIrgJdfm91KM,779
+torch/include/ATen/ops/_to_sparse_csr_cuda_dispatch.h,sha256=ksNj7dh79crqynpIOsvXgcy832JZFDqrw-IaKmwFgSs,781
+torch/include/ATen/ops/_to_sparse_csr_native.h,sha256=vfJoTgEyiv0ga3CqULDEPGB8rotblT-2H2bNtM1LC1A,919
+torch/include/ATen/ops/_to_sparse_csr_ops.h,sha256=mDXBzMewnQQSpSLu8MQffdJpb5B1nxC8EMSpLtm97fY,1876
+torch/include/ATen/ops/_to_sparse_cuda_dispatch.h,sha256=yIU_SizcV7c9oWajtExEsoGLzs-Ph2IlCtAMktuKCCk,956
+torch/include/ATen/ops/_to_sparse_native.h,sha256=cYGeGwLq3epU6QLTYZLsYBc9s31eO08GW9HU6Jumh94,1663
+torch/include/ATen/ops/_to_sparse_ops.h,sha256=mUkZMbtCuP67Y2RjF7AbtlM3vBPInZFQSThKZMHYt-0,3712
+torch/include/ATen/ops/_to_sparse_semi_structured.h,sha256=jcxT6-E217n510-12jdOOb9fu6qZ2zymC_INWxH3SDg,743
+torch/include/ATen/ops/_to_sparse_semi_structured_cuda_dispatch.h,sha256=fuBR9LuFkYTnI9RMXfM_oZXyAnYtbbZ0K1F8030-BA0,768
+torch/include/ATen/ops/_to_sparse_semi_structured_native.h,sha256=QYS5RGmzpXj-z3-6DuUv2Gk35L1AqdH3GVGR11xEZO4,533
+torch/include/ATen/ops/_to_sparse_semi_structured_ops.h,sha256=cXZ7KKgUEnHo9Pxu6XY97AlnkOczyfJYMigcgP-gZZU,1115
+torch/include/ATen/ops/_transform_bias_rescale_qkv.h,sha256=qQf64guOue3FuRxHr0jDPyhY2cpr_GeyvOggM8W-Vi8,1879
+torch/include/ATen/ops/_transform_bias_rescale_qkv_compositeexplicitautograd_dispatch.h,sha256=xST10llBXdLyPiW3bmxHbESKM2zndrNbf3uOM65BOHY,1161
+torch/include/ATen/ops/_transform_bias_rescale_qkv_cpu_dispatch.h,sha256=BcWO5Q2hcIw00yN3xIuT0gkkX-j-2q_k9l-eqTgJ5U0,824
+torch/include/ATen/ops/_transform_bias_rescale_qkv_cuda_dispatch.h,sha256=HlM9SZU5PEIeSefcEVD-QZATP5m5NxkpgC4lssLFbqQ,826
+torch/include/ATen/ops/_transform_bias_rescale_qkv_native.h,sha256=O1vR4-gqZScceTenrxsbSObq_FoPQ9x6pz6tvbVy0vo,981
+torch/include/ATen/ops/_transform_bias_rescale_qkv_ops.h,sha256=rSokP-aJdCh5OAbxBi7ngfdYEVeVHAXv-wygcOQHXv4,2437
+torch/include/ATen/ops/_transformer_encoder_layer_fwd.h,sha256=9yg5oTLB9_cWkFW9Bo9BzokibDiK12IdUPYOjqOwp40,4621
+torch/include/ATen/ops/_transformer_encoder_layer_fwd_compositeexplicitautograd_dispatch.h,sha256=VNeaKUWLSxqN8VuxDFQETMbUGC7vle0bOWdcxDqRxok,2015
+torch/include/ATen/ops/_transformer_encoder_layer_fwd_cpu_dispatch.h,sha256=Ud2yGJcp15VV9IpwyRzxKNMt1_8nWvgIHF63Eh_ahao,1303
+torch/include/ATen/ops/_transformer_encoder_layer_fwd_cuda_dispatch.h,sha256=nHbccHpB65qoAnJFr4fafUEe6r25uX5CJAnF4shhQkY,1305
+torch/include/ATen/ops/_transformer_encoder_layer_fwd_native.h,sha256=KYnkq3u7CzMaJB6eJ4r-sNeieCa_bk02azIxOTg9xFw,1716
+torch/include/ATen/ops/_transformer_encoder_layer_fwd_ops.h,sha256=zs0p7WNXv72i7v9XQVDxpjQ_yd9VM8Nnjoba4Q8NImk,5280
+torch/include/ATen/ops/_trilinear.h,sha256=1ViGQqple6qCBGs7UPotcfSDXpiMTSWDuSOYRdR3ljs,1998
+torch/include/ATen/ops/_trilinear_compositeexplicitautograd_dispatch.h,sha256=h4OFRkJpe-f2PPOHOBxmhEstKlJLY06dhn-fT7ij8Po,1203
+torch/include/ATen/ops/_trilinear_compositeexplicitautogradnonfunctional_dispatch.h,sha256=MofkLAAcO-AxDBQLVW4wrhHwI8xsnREFX1HpFHNcfRo,959
+torch/include/ATen/ops/_trilinear_native.h,sha256=nZlpb8hzlV-ghtI9XALLUSHQx8IuwLbC8hv71pwbSwg,901
+torch/include/ATen/ops/_trilinear_ops.h,sha256=8o23MDDPtpbQvZMLbnqaryJUDSjh7iwxWCx3-mEsql4,2694
+torch/include/ATen/ops/_triton_multi_head_attention.h,sha256=VZjI7cMksAHPiP_g95dKXIFKDB2rZZULJFgZ4WGNu9I,2702
+torch/include/ATen/ops/_triton_multi_head_attention_compositeexplicitautograd_dispatch.h,sha256=1HnNA-rZks7QiEOTrczhNBk44OlXpbwQL476uj77mmc,1418
+torch/include/ATen/ops/_triton_multi_head_attention_cuda_dispatch.h,sha256=DAl2gI5EpPYhnp7wwgwO0v6bLGgtTDcO2dSstYgAzQw,999
+torch/include/ATen/ops/_triton_multi_head_attention_native.h,sha256=d-WmPnB1WGVIJwReFPWsz8eezaxlFLFPeGTcA2sR7yE,1115
+torch/include/ATen/ops/_triton_multi_head_attention_ops.h,sha256=4cAp8PChMaccpOo-oiGbR7JSB79bp8-RB_9_BYz0_vg,3378
+torch/include/ATen/ops/_triton_scaled_dot_attention.h,sha256=oE4MPKNPbalyJLzsakoK5-miOYFIeEvWzG6r1z8H9TU,1576
+torch/include/ATen/ops/_triton_scaled_dot_attention_compositeexplicitautograd_dispatch.h,sha256=vz8X1LBijz7MhuCMP1lqfWfP9LSDjC8HpJFjhh6N75g,1033
+torch/include/ATen/ops/_triton_scaled_dot_attention_cuda_dispatch.h,sha256=bDy9UkXTBmbkpbGFjHO1J9vUjhfvFQ2RyEK06rj7PoM,807
+torch/include/ATen/ops/_triton_scaled_dot_attention_native.h,sha256=EpXTRwfdSxUKI7q9JbTDCzipst8nfQokJABeh4u0HsY,730
+torch/include/ATen/ops/_triton_scaled_dot_attention_ops.h,sha256=oO6bObXAXfERTE_do0_gvNO7KKQdk8ESGCLalx5zlAQ,2130
+torch/include/ATen/ops/_unique.h,sha256=WcHpQKv9SprGyEWIVW1_VONEb26irPBoYtYXWU_n5zo,1563
+torch/include/ATen/ops/_unique2.h,sha256=aauszExLVvFNe5Ic_KuOUqq-5AaG_0E2eopSM0xA9i4,1921
+torch/include/ATen/ops/_unique2_compositeexplicitautograd_dispatch.h,sha256=RFxgYNv-dkWh-NMPvBuc9zOZ_Y2pkzqj3_7a1NdL638,1154
+torch/include/ATen/ops/_unique2_cpu_dispatch.h,sha256=SBLWdFoYgOvUSkjW-f9d-4MP5yfZJImBiL-3dJ5cIjs,829
+torch/include/ATen/ops/_unique2_cuda_dispatch.h,sha256=JPmSRM4Dy00a2hdVIPLjkhtMopQqZNePESg8t2dlW1c,831
+torch/include/ATen/ops/_unique2_native.h,sha256=uKFkfC9aY-C_rs0OJ_7Hjx_d35ojmuJ4QJ0raPW7HQY,981
+torch/include/ATen/ops/_unique2_ops.h,sha256=cpOGx2tY1qhyiOWsj4DChsk_aoI-sWpy8pMEOLgRIr0,2409
+torch/include/ATen/ops/_unique_compositeexplicitautograd_dispatch.h,sha256=WHmU251GvT2zvtZbiWnp3rSjh4X-KuOivcGoUw8JFgA,1042
+torch/include/ATen/ops/_unique_cpu_dispatch.h,sha256=hp3VmTSL8ofYTOcxEeO58D6QPP7_e_qYYhjW19vrrRg,791
+torch/include/ATen/ops/_unique_cuda_dispatch.h,sha256=Lj3bVAgjF7sNcWF8Daz2Q28ETSXVajJO8nGC81mSCoA,793
+torch/include/ATen/ops/_unique_native.h,sha256=BIiffEAd6aLUN7uRGHznwZRPTdJlq1RWWGlm3YAcRTs,852
+torch/include/ATen/ops/_unique_ops.h,sha256=Srpb1gf5HRuHZJEtE9Q9E41n8g39WOwkD4ZEZGDdums,2098
+torch/include/ATen/ops/_unpack_dual.h,sha256=uaaG0A81af0wJ0XUDAFaJQTXYrlDvm22aRUo3f3131A,738
+torch/include/ATen/ops/_unpack_dual_compositeimplicitautograd_dispatch.h,sha256=sIKK7Hdi3-F01RcfasGV7xgAC6vbkdoWehxWmbuMeB4,810
+torch/include/ATen/ops/_unpack_dual_native.h,sha256=SxtHi3xNmqfoWRYORk-EHI1k2yQ5GFR9R6xZVsgaHA4,533
+torch/include/ATen/ops/_unpack_dual_ops.h,sha256=euObiPIQLXb-haqujwP4Aok7iTjgfXj0M6g-3yaR8Y0,1141
+torch/include/ATen/ops/_unsafe_index.h,sha256=K51srQ8hjUFduib4ro6rDfB48Or2Q6cecUHLEBFbh_M,751
+torch/include/ATen/ops/_unsafe_index_compositeexplicitautograd_dispatch.h,sha256=3NsCnxhKNw1hpG8xuQEPi6n5289oxPMqnWGfpl5f5Z4,827
+torch/include/ATen/ops/_unsafe_index_native.h,sha256=rwGjYMZ73h6kiFMdRzdayjGKTqaceBgo0tu9DndgGBI,550
+torch/include/ATen/ops/_unsafe_index_ops.h,sha256=pDkdCfKhe6GTH7AN_WL7-ebMH1P34Nj9WiWrwVYkqGA,1187
+torch/include/ATen/ops/_unsafe_index_put.h,sha256=uFsqVAtg1m4EvtkD249X_Mm8nz5l9IvxY4PY2-DCqTk,861
+torch/include/ATen/ops/_unsafe_index_put_compositeexplicitautograd_dispatch.h,sha256=H_-4iw21a2Saa8HaMsslOG9Du_TN492cOGHd_ByuvXA,881
+torch/include/ATen/ops/_unsafe_index_put_native.h,sha256=5sk12vnT79pdOSeCfP5p-HXDM6cy2bQag_cUebxrleE,604
+torch/include/ATen/ops/_unsafe_index_put_ops.h,sha256=-evZoGvlCRzso1ZWd1q4mMkz6Pr5EJ954WFrLRC6-Lg,1331
+torch/include/ATen/ops/_unsafe_view.h,sha256=QLShaJVE7EnWtdfvgKpYS7bj8XOkEWQleUXvlWDaxWQ,3695
+torch/include/ATen/ops/_unsafe_view_compositeexplicitautograd_dispatch.h,sha256=__cRFBu4oiCt8v1aOz1Pu38u8ejj2H5DRi3vr3YWmJA,1333
+torch/include/ATen/ops/_unsafe_view_native.h,sha256=66Kpo16ump2TG_D_Cm91f9kzQHTUNVSCnx6zzIsufVQ,632
+torch/include/ATen/ops/_unsafe_view_ops.h,sha256=103Oj-96TFdcGVQ267hDG5rY-bJ6jko32SHMBfubUiI,1802
+torch/include/ATen/ops/_upsample_bicubic2d_aa.h,sha256=yV5__sf6DCBgWfRh4pGhkIWnaE34JUq3R14UwUv4034,8130
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward.h,sha256=ZFt7EAifEv3sdFbLj85088fzZxGJim36QZafhmXbqYs,7826
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=mjgBYTXriMTbvYdmqJ6WlSxm4TQIVQIppE1boDM5kyg,1273
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_cpu_dispatch.h,sha256=RUWLSKGJm7OREtOy7xMf3rEdmeNXKxcdPyXc4Toq3kA,2343
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_cuda_dispatch.h,sha256=1W3iZtie5QdmeW-eX_f7AUMNs_oLaMfS89kkBNTdYlA,2345
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_meta.h,sha256=l76on3wZrD_8ZPaxYT3DbmOYTLR7XiTWNTnmmKDgWVA,775
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_meta_dispatch.h,sha256=tvlrACoIP6obBxmAVoneB5sKJs0eDfW3ihpjT1iT8Uw,2345
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_native.h,sha256=EMor1spdChxbReua9mJ3agDeOqfEzonUaeWLfCmeSP0,1224
+torch/include/ATen/ops/_upsample_bicubic2d_aa_backward_ops.h,sha256=nUy9gNhf7t2GsL9GHJbCR7MS6UyJi0eUsSK_GWLwVcM,2850
+torch/include/ATen/ops/_upsample_bicubic2d_aa_compositeexplicitautogradnonfunctional_dispatch.h,sha256=h1rRskuYn3rT9kK6jEaeOoqIy4YQSzed41wHVIvc3iQ,1181
+torch/include/ATen/ops/_upsample_bicubic2d_aa_compositeimplicitautograd_dispatch.h,sha256=f6s6fJvLezEgR2WVAIJiBig-NpTUKHs3DYzukG7kwNY,1082
+torch/include/ATen/ops/_upsample_bicubic2d_aa_cpu_dispatch.h,sha256=e6A31185Om3JsWahpGgBRY5N3DxdtZTefCRjBFwzZMw,2039
+torch/include/ATen/ops/_upsample_bicubic2d_aa_cuda_dispatch.h,sha256=u0uBdlTL3HmZbzl7WVBit_-YIv_IKZqSPzB5STz_Lx4,2041
+torch/include/ATen/ops/_upsample_bicubic2d_aa_meta.h,sha256=Y9E0yuIX64bpOgsIKcTu4w10W3d3KBb2t4IMMDoYkS4,725
+torch/include/ATen/ops/_upsample_bicubic2d_aa_meta_dispatch.h,sha256=Z41q_q9vvKtQpWc9cMvmkqmbEAO0SxeTdgnVxkBmhCc,2041
+torch/include/ATen/ops/_upsample_bicubic2d_aa_native.h,sha256=zRW5mvRSthx8DNNk-XU4AamqJUqoW6z9ASjtlhUzUCI,1264
+torch/include/ATen/ops/_upsample_bicubic2d_aa_ops.h,sha256=ReRaRX6A8BZjH12VW8P3E79LzlGEIL3J1ADKl33dsm0,3459
+torch/include/ATen/ops/_upsample_bilinear2d_aa.h,sha256=S_3uHex_ED8sftxjmWzlSBiY_5yiRXQAWUu7TTSD5JE,8171
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward.h,sha256=J-_xHgQ5veBJQ9t1H_iXhdEL8fkONKNh_eYZtP4sumc,7857
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=VvlCjCtOc9zr6vocH8Lc6_QOdBimCs6al80nKW7oLzQ,1275
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_cpu_dispatch.h,sha256=D8__U9vuSC0bq7uE6bNEB0xLDbcLvbxOKZww8tiSXKc,2349
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_cuda_dispatch.h,sha256=U5Z8rQ3Mnap8BSzNRxVL4G5zvk4RnYyoI0y2vS0udXE,2351
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_meta.h,sha256=BUUq32gkXDkZ2G8XnyRsrbw8pkIknU6DrMNx9CPieXA,776
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_meta_dispatch.h,sha256=3PIcj7xnJI-i5Nl_UmM3sZ7spQ3IZBvGXCMOlGtdlSk,2351
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_native.h,sha256=SXMe68r_ucWcfXpNFHDWDDTNbiynWEVxtkL9X-lfMX0,1229
+torch/include/ATen/ops/_upsample_bilinear2d_aa_backward_ops.h,sha256=Ph5gVmr9InRudwLO9UM71G9Nig2XQesjMPhFmVm8tws,2856
+torch/include/ATen/ops/_upsample_bilinear2d_aa_compositeexplicitautogradnonfunctional_dispatch.h,sha256=asBqyvdfFzEBKc9WmbI2QntBjrFU-kCY-zrmUQME4pQ,1183
+torch/include/ATen/ops/_upsample_bilinear2d_aa_compositeimplicitautograd_dispatch.h,sha256=4P5v_o4DuJGpdcmlb2aMFbUMpYNdgUovkuGKKbzn7i4,1084
+torch/include/ATen/ops/_upsample_bilinear2d_aa_cpu_dispatch.h,sha256=RgYJi2FBZt2k6MupmIYLTTl6JZAQliOcNBaKfziWTLs,2045
+torch/include/ATen/ops/_upsample_bilinear2d_aa_cuda_dispatch.h,sha256=7yYqMDLzbdAcZpgdTxCSSB5ISk1di83qcVQ5u5KJjgU,2047
+torch/include/ATen/ops/_upsample_bilinear2d_aa_meta.h,sha256=kA5BGFdGAzlCqb0g0yOrPRmLxeWpPspNHtmIqZ0-aEs,726
+torch/include/ATen/ops/_upsample_bilinear2d_aa_meta_dispatch.h,sha256=SMvhEig57M3ZdBFxC9qFdWlJjdYObepiZdNK3e0kCUY,2047
+torch/include/ATen/ops/_upsample_bilinear2d_aa_native.h,sha256=XniBDf-Dle_dzCykwHSb8W2FYb57_JRxbM_xRmHSdjA,1270
+torch/include/ATen/ops/_upsample_bilinear2d_aa_ops.h,sha256=oso7q792rMTXl_XnUQ1jO989_nR9yppN-jlpXpbW3w4,3468
+torch/include/ATen/ops/_upsample_nearest_exact1d.h,sha256=v_G6Z7Go85-eAkW1j8GMG-Ycxri8P9NsxWPK0hz0UpE,6693
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward.h,sha256=PMwt6I2NymCm7y_2mHSqmRKJAc3BVTUnMFZ09x-M72E,6539
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=jgloO5KLAbQ1O31ILM640r8ltLQuTptNgrnhV3xqaXg,1137
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_cpu_dispatch.h,sha256=rJQoTh0S7jFSPcqkrRM6eIb-yx8TBfCQnvgbjkGw8PA,1965
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_cuda_dispatch.h,sha256=1LZMkisIrY05B8Gt0d7HqcYlTsZ6VgsYSS6icKWFFCw,1967
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_meta.h,sha256=TWfGRRvE631We8Tz-BZi2tq9AaFdcbwDr127u3XpFko,722
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_meta_dispatch.h,sha256=1dWZe1EKuWSC4Tc5Bz-lSvdUSAxtroaOBwX_oDRi5aA,1967
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_native.h,sha256=x9VUMiXoF0HND7h1wKXZe65PtikirNoWQkc0MMTlg0s,1127
+torch/include/ATen/ops/_upsample_nearest_exact1d_backward_ops.h,sha256=ry-7mnFS7tmwP_aXYvWGH0eWlHHBmAgOVHChlILLILM,2494
+torch/include/ATen/ops/_upsample_nearest_exact1d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xpcQPkojWbxNXHjRlLbPqigQ-IIcCv2AFBK6w4gHgPI,1045
+torch/include/ATen/ops/_upsample_nearest_exact1d_compositeimplicitautograd_dispatch.h,sha256=UuEgMAWviJpiHB3bfIKqf7z2VOz-Z3g6PRBl2ECJEdc,1048
+torch/include/ATen/ops/_upsample_nearest_exact1d_cpu_dispatch.h,sha256=-pB_Pd9ttETOe29P8DNK6hJHHq3iB6mkYhYOaqlfOtU,1661
+torch/include/ATen/ops/_upsample_nearest_exact1d_cuda_dispatch.h,sha256=Q7L67s9JzWxu6LRKENc7Dz3-DV-0CBbxIlRHXHl9934,1663
+torch/include/ATen/ops/_upsample_nearest_exact1d_meta.h,sha256=fzhqVQDIqYGN3xkFytmlsdj-jgAX_F-4y7g1X5IzXSw,672
+torch/include/ATen/ops/_upsample_nearest_exact1d_meta_dispatch.h,sha256=BcTTzGmNwrIzyx29HCLic8lkmIy-Z1B7i6kz-WNuwT0,1663
+torch/include/ATen/ops/_upsample_nearest_exact1d_native.h,sha256=j9zKcZYl6y4wKks6NOklhm9o3SnYJi_YsO96qtwlr4U,1150
+torch/include/ATen/ops/_upsample_nearest_exact1d_ops.h,sha256=tFGaJ-dO8DEz3ZlI-EPlLhravnv8YZF0SUNeyQN78_s,3046
+torch/include/ATen/ops/_upsample_nearest_exact2d.h,sha256=i_66VnIEowFv5zS_c7No-yuEUaY-ShO_AKs5SILuAqw,7533
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward.h,sha256=78izwCfWIqoMXPh9c9bWqF9AjizUPD0ZeEtHsefZ0n4,7379
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Figkb7pZLrYcquDC-TP65R60aJpEjm84HKxFiYwEmpU,1239
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_cpu_dispatch.h,sha256=Eo-NB-pZoHPmTg8teueJnQmMIoRVeF-ZkccJfhdgPlU,2241
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_cuda_dispatch.h,sha256=7C20N4N5wzhkqA9ie-7hYFeHerF8B7XE-id_KfXrArU,2243
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_meta.h,sha256=Podtjwo4__ER-LLQh9F47QANpq-05ESQIBKhum7gLY8,758
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_meta_dispatch.h,sha256=TKWTX0th05SvUrEUwC4cwWarI5pQTQvhETZFEFrT0uA,2243
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_native.h,sha256=PyZWqEgySXpjM-sPijYgLrOkXdenKzEnMJhvjKmAB4E,1199
+torch/include/ATen/ops/_upsample_nearest_exact2d_backward_ops.h,sha256=MFecL2RysqcUy5Kwav2_ih0lxXHhIp3msLNZzQpf3iM,2736
+torch/include/ATen/ops/_upsample_nearest_exact2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=mTG9GRUS9omcfZ1YV4MgQhFO4Hv4rdVwnuOD4d_1nW4,1147
+torch/include/ATen/ops/_upsample_nearest_exact2d_compositeimplicitautograd_dispatch.h,sha256=sEBmQ8ADwPxrwADA0wXKCE6o-iai-kazJ3gI5zJotmc,1048
+torch/include/ATen/ops/_upsample_nearest_exact2d_cpu_dispatch.h,sha256=MAu0fcjWe3o3_Jo5M0cRF7-DvDeyrby_GGS7vOFx4N0,1937
+torch/include/ATen/ops/_upsample_nearest_exact2d_cuda_dispatch.h,sha256=o0GMGmNHq5CuL480E3qUO8v2NVIFpS_lEC4gVc5zusg,1939
+torch/include/ATen/ops/_upsample_nearest_exact2d_meta.h,sha256=mu0C8rTaP1bY3nhXgicSW0b6ciJHShHX1lbpAyv6UZs,708
+torch/include/ATen/ops/_upsample_nearest_exact2d_meta_dispatch.h,sha256=YYUbR8HnEBU8bQD1sA1HWiL8f49FKkKyM1tWOfb30hY,1939
+torch/include/ATen/ops/_upsample_nearest_exact2d_native.h,sha256=KEp__F8AAuQAsuC71MEZpeIMtRSEKiMmGX650-270rQ,1436
+torch/include/ATen/ops/_upsample_nearest_exact2d_ops.h,sha256=IGfEYDdpX3qt5gZh-_pWZV4a-UzsmZwLPR2FtuWJesI,3288
+torch/include/ATen/ops/_upsample_nearest_exact3d.h,sha256=cQDwhL_dpyA3UdDhQj-ZFAvhAqP4EaQa5byOW-kKB_Y,8313
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward.h,sha256=OppQFI21fJPCpru5xGvvV8JNUuOYjOFrsJ7JnQWC76s,8159
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Ml5CfjG1ygJ1baFYZELuxmEJzXq8v7ZmmLtxs0kTmB0,1337
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_cpu_dispatch.h,sha256=fjgZj9B4_PTV8ApdclaZIFbPxVt9U-O-cIzWSG4OyK4,2505
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_cuda_dispatch.h,sha256=kXZjYa2ModKGKFsx9dy3FIcnRvuPetqMgu3DDhBIXiQ,2507
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_meta.h,sha256=_UceQe3-z6LRXCJ09j3831Ke4ZOMH9VKaYbqxDz3X9Y,792
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_meta_dispatch.h,sha256=aq4B053yyEtxQd0hmGxYOYnHqwEvWIpxuEtmOrAj_wU,2507
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_native.h,sha256=JJ2to3XRkF5N-Yl2hAni1DZsFBe_AeqGZvtvK9XlZfQ,1267
+torch/include/ATen/ops/_upsample_nearest_exact3d_backward_ops.h,sha256=692LqsgKOYNcFm_mgQH3tFm_s0KsewPuq1DnyW1XO50,2966
+torch/include/ATen/ops/_upsample_nearest_exact3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=qzxWUtSqF6RJmqiWaoQma7bhMN3aYe1sqUcnsxWjYxQ,1245
+torch/include/ATen/ops/_upsample_nearest_exact3d_compositeimplicitautograd_dispatch.h,sha256=X12SmZXn6tt_dSoqrbwq4RJ2DQuJO6wD9t7coPAyjpE,1048
+torch/include/ATen/ops/_upsample_nearest_exact3d_cpu_dispatch.h,sha256=QUyoYaEKdbBd3cyuqriPu-nhdjlgTxtBgWa9Rj6A-pM,2201
+torch/include/ATen/ops/_upsample_nearest_exact3d_cuda_dispatch.h,sha256=zDnu5af7LmyPItr9urmA3i89LoDkS_R3DhNENvc0Ags,2203
+torch/include/ATen/ops/_upsample_nearest_exact3d_meta.h,sha256=6R5vwAUd_Vm65eQfJT-mN5ercqWAYWnZB9firPxYce0,742
+torch/include/ATen/ops/_upsample_nearest_exact3d_meta_dispatch.h,sha256=JwueezvAjnGeahTKJ3YNE_0J2MJjUHquLzgAZ1ldJ-M,2203
+torch/include/ATen/ops/_upsample_nearest_exact3d_native.h,sha256=zoddD7nTWAVXMpwWQIBBc22gPe_8RYCVjm5cxbpO1k4,1553
+torch/include/ATen/ops/_upsample_nearest_exact3d_ops.h,sha256=ocjI7Dd3ISRFN7IfrZazuxHFhcoc5q-LSGJXpN0IOas,3518
+torch/include/ATen/ops/_use_cudnn_ctc_loss.h,sha256=xW5UG9ZPMK6S6lYSpz3oxpQbnEeSBzVca887qgd-tIM,1333
+torch/include/ATen/ops/_use_cudnn_ctc_loss_cuda_dispatch.h,sha256=_JdPWp-bKk5rX5Kl_Rcyfc_raJGUKB1uoELuKQt6LTw,1018
+torch/include/ATen/ops/_use_cudnn_ctc_loss_native.h,sha256=bwJNczL-4GBDMK3ehPdg9L9nE4aV2IJ3o35SXRFEHAw,790
+torch/include/ATen/ops/_use_cudnn_ctc_loss_ops.h,sha256=h9EsRG2eToyiRF_v91bG36w1H01ARfWOCa2mlIWWkF8,2298
+torch/include/ATen/ops/_use_cudnn_rnn_flatten_weight.h,sha256=CKIs1ohuoa5iq3Lb0A-FEMwqkuuOEiw6TIoEwM_6_BA,671
+torch/include/ATen/ops/_use_cudnn_rnn_flatten_weight_compositeimplicitautograd_dispatch.h,sha256=i6BU07fqmo_ZVFMdOr5cuvGL-g5jXTnHCC4xqyoCG6A,758
+torch/include/ATen/ops/_use_cudnn_rnn_flatten_weight_native.h,sha256=2BWNYHuwkOXE0oR7FXJg36gdw3bkc8V3FOTVul0bU9o,481
+torch/include/ATen/ops/_use_cudnn_rnn_flatten_weight_ops.h,sha256=8vsONtUEyv1-OyR_bSEalS_2YLlANwbobrcUn_JXuFk,939
+torch/include/ATen/ops/_validate_compressed_sparse_indices.h,sha256=SHv8ZcMQu6FggSDAt-vi8KtnnThBM1Rz5hj6ydGye_k,941
+torch/include/ATen/ops/_validate_compressed_sparse_indices_cpu_dispatch.h,sha256=JlPzyXxgay2-czVFdBPfVlK1Y6MhjCdKlDjFaF4hmew,837
+torch/include/ATen/ops/_validate_compressed_sparse_indices_cuda_dispatch.h,sha256=XzfESsww_gubv4HgOO0Wbv7bb8D79GjWDfn8VMUdI1w,839
+torch/include/ATen/ops/_validate_compressed_sparse_indices_native.h,sha256=dunnUL4sx2C50CbkZV7PozXzSoaLoPn7TR8Yy35kmmI,784
+torch/include/ATen/ops/_validate_compressed_sparse_indices_ops.h,sha256=X2xiIy-OlWJL0JCTFoBnqdk36YFWCw38Yd-Ylz6qpNk,1343
+torch/include/ATen/ops/_validate_sparse_bsc_tensor_args.h,sha256=8_2xDTz-X-0K2sNqBAWLhDk5ma9O8S4JV3n8ZjP3CSM,898
+torch/include/ATen/ops/_validate_sparse_bsc_tensor_args_compositeimplicitautograd_dispatch.h,sha256=rl7t3mamj1oDgb1XdfwfKqimPIEY3i12sF8x2xNkCqY,873
+torch/include/ATen/ops/_validate_sparse_bsc_tensor_args_native.h,sha256=pp9CFi6_0GXUivlnjcYWKgk7w4Zh-RCPgx_o0mOdOCI,596
+torch/include/ATen/ops/_validate_sparse_bsc_tensor_args_ops.h,sha256=RRjSc5zatqnMG74atyzUG9wIlcewIO7lU2b0gfSpXSQ,1313
+torch/include/ATen/ops/_validate_sparse_bsr_tensor_args.h,sha256=-3iBa3-hNvrDWayHf8dz_uJL0ONTBradcwP7i7MJP-U,898
+torch/include/ATen/ops/_validate_sparse_bsr_tensor_args_compositeimplicitautograd_dispatch.h,sha256=4DPwWFqCNHh2d4QhbvkI0uRTb2vnT0vG6qWS5Bn0O3U,873
+torch/include/ATen/ops/_validate_sparse_bsr_tensor_args_native.h,sha256=uOf7Hay9FpSnmyRn_6DHUCTjOD46q45-wo2jE-QVOsI,596
+torch/include/ATen/ops/_validate_sparse_bsr_tensor_args_ops.h,sha256=iaCqOb-Gs3FYtgzsch8lblm7CgNM58s1tfyjo95E8Q4,1313
+torch/include/ATen/ops/_validate_sparse_compressed_tensor_args.h,sha256=QKXn0zCuO8GA3WbQQMQ4OEKdrxp5W5YSj_zEpQiYqKk,992
+torch/include/ATen/ops/_validate_sparse_compressed_tensor_args_compositeimplicitautograd_dispatch.h,sha256=SFeuUQe70FZIJWGkTW-YXMu24dsH8sBn7pNEjQbJ-CU,907
+torch/include/ATen/ops/_validate_sparse_compressed_tensor_args_native.h,sha256=rElxztHWKO9FlopsVFeXeA5wjmWvKsvVMUPTDAuYoyc,630
+torch/include/ATen/ops/_validate_sparse_compressed_tensor_args_ops.h,sha256=JyirtCwe5nT-P3ZTKIMD9Ggg1D58IR8OEUjchsNpaa8,1423
+torch/include/ATen/ops/_validate_sparse_coo_tensor_args.h,sha256=AswMc0wGkaOlVinZmMSdpYgjqeLJhpPOjZcoURydbqE,908
+torch/include/ATen/ops/_validate_sparse_coo_tensor_args_compositeimplicitautograd_dispatch.h,sha256=ySWzlzAJ4ghA2igNjhjRMLni7xRb3lz-9zZ329voy2Y,887
+torch/include/ATen/ops/_validate_sparse_coo_tensor_args_native.h,sha256=oooQ2bCkWbYxEZsFUAoJB2nTW3oPEn37wCbqu2QENrg,610
+torch/include/ATen/ops/_validate_sparse_coo_tensor_args_ops.h,sha256=StQnfIt7IqX7dBSHe__-QnLfPFRP94zK4y-Z9xzcmCY,1314
+torch/include/ATen/ops/_validate_sparse_csc_tensor_args.h,sha256=F-ksdoyR7BExZD3EtXPk3rf6a3Km0UDuikyHOvJhdas,898
+torch/include/ATen/ops/_validate_sparse_csc_tensor_args_compositeimplicitautograd_dispatch.h,sha256=jEPx5Wzd0rft4gt_rXby_TaUWQrr4xXeQSEDSi8R4-8,873
+torch/include/ATen/ops/_validate_sparse_csc_tensor_args_native.h,sha256=gyljAuqB3qpgqgcV3aahexHe6xr_7mb2XYZ08SQYrCU,596
+torch/include/ATen/ops/_validate_sparse_csc_tensor_args_ops.h,sha256=Dr47CC7ja4z3PQvmQNaD-yjC5rNmx9nSwAVLxifa4ds,1313
+torch/include/ATen/ops/_validate_sparse_csr_tensor_args.h,sha256=DKiwuGzZ3t4WV5WxZQv8EC_E73hFzNPVoC1SlKWs7Ao,898
+torch/include/ATen/ops/_validate_sparse_csr_tensor_args_compositeimplicitautograd_dispatch.h,sha256=97tjm0S9CMuHTyZOxoWvxIWSts1fGu-oZxXsZIaAqXE,873
+torch/include/ATen/ops/_validate_sparse_csr_tensor_args_native.h,sha256=MVsn0ISY5gczXuYfDuVYe24XUy1JHZapHmXzxKlPYXs,596
+torch/include/ATen/ops/_validate_sparse_csr_tensor_args_ops.h,sha256=3tfxgKKVkKM6rwnVwhOoLf31a9dk0DRPuOI3vuuqYhg,1313
+torch/include/ATen/ops/_values.h,sha256=cVXGMY-7bnms3e-zGf0U-Lw_WiS5ogzEw0XcJvLmEVo,492
+torch/include/ATen/ops/_values_copy.h,sha256=lVpjIZ2vs9m4upW-hOjFoeIHZMzannKNreAdxfPdj3U,1075
+torch/include/ATen/ops/_values_copy_compositeexplicitautograd_dispatch.h,sha256=GUoRJIEBtqQUJUch6ZeSi4AL4qcdBTcunlETGm79B7Y,879
+torch/include/ATen/ops/_values_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Kl9X6GR53jLoaeVz6TmqnybLLozZ6eoMceGsJy5ECfs,796
+torch/include/ATen/ops/_values_copy_native.h,sha256=1GSknBiSqZYuufc42FDv63zLyD_jG1HmFIj-xTuIxHA,577
+torch/include/ATen/ops/_values_copy_ops.h,sha256=dTG-JF5s82k-LrtQLMx1WNZef3VrZGa_sBbvTSAnk48,1626
+torch/include/ATen/ops/_values_native.h,sha256=5bhPaA31zidAxZbpeEG3kktMrUffoZzhu8Yp-7Wm8mo,495
+torch/include/ATen/ops/_values_ops.h,sha256=G61xxYj8kWYYyC5vYoXstjvXxD412RQJZoed40hoh50,976
+torch/include/ATen/ops/_version.h,sha256=uqXg9zjk-3J946AN1Q7ZFSd3gsX_gwFB-5OyFOLoomc,493
+torch/include/ATen/ops/_version_compositeimplicitautograd_dispatch.h,sha256=VQe1SgTRZUcc1Q89pAXI0sPrXrCmizxErnitfKmkEiw,763
+torch/include/ATen/ops/_version_native.h,sha256=AfAlL0xhB_R0euFe5VDKu_xjvjWZkUVhQkrRvOajEvw,486
+torch/include/ATen/ops/_version_ops.h,sha256=eHq5xXvANEty1z3dnXxzF6FQgZoy32mJcc5XipXsjuQ,961
+torch/include/ATen/ops/_weight_int4pack_mm.h,sha256=BcUm2dwrNr9NnY5i2XoIumH4zViUfPTo8YS4qxB0a8o,843
+torch/include/ATen/ops/_weight_int4pack_mm_cpu_dispatch.h,sha256=f-RtE70jrbwLPSAzoH4jUtlCB2XIpJDDb7GwbTml23o,813
+torch/include/ATen/ops/_weight_int4pack_mm_cuda_dispatch.h,sha256=K9-5RIQv8I6f8j5D2IiPa1ppKIyJw6nbESXREfI4HDg,815
+torch/include/ATen/ops/_weight_int4pack_mm_native.h,sha256=rFqt8brlj0Gph2Kw7Yl2MeKm_Lv1x8Q4UMk6Zn_JJ8M,736
+torch/include/ATen/ops/_weight_int4pack_mm_ops.h,sha256=je8h_EGRAW7fExjjYH1FYpaLWlAP09fC6M_EizWzryk,1267
+torch/include/ATen/ops/_weight_int8pack_mm.h,sha256=O6U5DFB4GgK_J2u-Ic94-XYMZQDzr44Y6AzgirA7o9A,771
+torch/include/ATen/ops/_weight_int8pack_mm_cpu_dispatch.h,sha256=IIlfdUaGwPaqLLqivBiaP3DMLwu-zb-XbnKuVls06qk,785
+torch/include/ATen/ops/_weight_int8pack_mm_native.h,sha256=YnIDRn5dHe_uHz_QAqlRRN-hnxABzeM14Hqsvayd2mg,556
+torch/include/ATen/ops/_weight_int8pack_mm_ops.h,sha256=prGNJYMQjvxbMn9reOljwDvnBpG0xJRICt4xQdJ_CUA,1178
+torch/include/ATen/ops/_weight_norm.h,sha256=QiYg4TjMe7ktZ-GHAwgJOxNSHXBtxZnG1O6q8we_fAU,706
+torch/include/ATen/ops/_weight_norm_compositeimplicitautograd_dispatch.h,sha256=72xdbSxcp0pSanEpxTjc7JParWoyAh7wxoJDIhhDgA0,804
+torch/include/ATen/ops/_weight_norm_differentiable_backward.h,sha256=exvxwcPIQCOrSUhLVqnr9NFStqo4VQAnKCOEC2qMbxI,984
+torch/include/ATen/ops/_weight_norm_differentiable_backward_compositeimplicitautograd_dispatch.h,sha256=6FfonTNV7IpjA113GFW1ZGh3359dnWKChhuQSCHiOo0,922
+torch/include/ATen/ops/_weight_norm_differentiable_backward_native.h,sha256=lZk9Jrcmq4_LDuO0Gxi2RRWvv3HNdivH0gUSC313yJo,645
+torch/include/ATen/ops/_weight_norm_differentiable_backward_ops.h,sha256=ZuQANowhjFiymWs-Q07monxclLzImMgWVppJBShbsyY,1480
+torch/include/ATen/ops/_weight_norm_interface.h,sha256=L5RJC63oAd9Qo6V81YbiWJF2LyeHDfnlz_zR3xdonlk,1551
+torch/include/ATen/ops/_weight_norm_interface_backward.h,sha256=wBcNWcDKsucyqSQGUYj5rKZRgZ7MVjlivyc8YPjA8Po,2084
+torch/include/ATen/ops/_weight_norm_interface_backward_compositeexplicitautograd_dispatch.h,sha256=KeuaJ5RYGGtOqiKBbBgAbdBRDmglt9vvzA-z4LOEIy0,1217
+torch/include/ATen/ops/_weight_norm_interface_backward_cpu_dispatch.h,sha256=Zt3kPCHxlkUOEBxVnVrB763dq-1XfgHOK298LrdueyE,873
+torch/include/ATen/ops/_weight_norm_interface_backward_cuda_dispatch.h,sha256=PAJU5hlv45Hf54SNcN2Z1RZem_7u0gczcNYAWs4tBsc,875
+torch/include/ATen/ops/_weight_norm_interface_backward_native.h,sha256=YrYidpKCOVrTzQXFNKDcdrVAZOU5XFG9oeB9yNY7FPg,1087
+torch/include/ATen/ops/_weight_norm_interface_backward_ops.h,sha256=0eP0Tob3IVclSXDry6-G7uowjmnnVOoPspxuOPt5G08,2668
+torch/include/ATen/ops/_weight_norm_interface_compositeexplicitautograd_dispatch.h,sha256=9MFh2LBtWygir10PGloql-X_3tFJJCd727a62LCMG5o,1059
+torch/include/ATen/ops/_weight_norm_interface_cpu_dispatch.h,sha256=IjGW79hTAoGDV6hN7OUo1RYQSgdjeBYDSzhdeuccVa0,795
+torch/include/ATen/ops/_weight_norm_interface_cuda_dispatch.h,sha256=eyK0rAmzHhKbBk020hL59btp6wAppzXkZpKTQgcrKwE,797
+torch/include/ATen/ops/_weight_norm_interface_native.h,sha256=PGVWDd6iwA0ew8JTnytOa_GazDJjlCfKm8pCP8sy1Sc,851
+torch/include/ATen/ops/_weight_norm_interface_ops.h,sha256=4HPJhcMjEmddnNzd6m4jfxvfiQGSNGGbkvAF-wUZFw8,2160
+torch/include/ATen/ops/_weight_norm_native.h,sha256=jy3Vx5uMEQdzLjfhTpcrUqxpCE6P9mwfafWsMD68RbU,527
+torch/include/ATen/ops/_weight_norm_ops.h,sha256=lvFNc55xUUnEx2AhFpS9z4ehlSvtshmXPLZHgDJjf7U,1096
+torch/include/ATen/ops/abs.h,sha256=7NWcK4tY0s4r74wMHXzWAENzF2jhgLZ1ej16OSiwuOQ,1118
+torch/include/ATen/ops/abs_compositeexplicitautograd_dispatch.h,sha256=Sd14UZRfkTCXhNMw0kzSi9_XNtp_kwSBd-kAPnpUWrY,809
+torch/include/ATen/ops/abs_cpu_dispatch.h,sha256=guyZY2PA6mb3ZW8ApEw8_dWj_yPTUfHqFD_ZjjHBv6k,817
+torch/include/ATen/ops/abs_cuda_dispatch.h,sha256=BH8wfKMo0aJ9_ZeRiRbjXCGIaqjc0dxQLHjJZtpvY_k,819
+torch/include/ATen/ops/abs_native.h,sha256=ZGlX4O6rjAFHWF0DFvi-X7Z0mIhUSgbgFKrjP5scMQ0,1134
+torch/include/ATen/ops/abs_ops.h,sha256=5_loAyBNGiXWAcrBV324Z2ivRkd_QxRQqIJxxxPAraY,2095
+torch/include/ATen/ops/absolute.h,sha256=9igye32XRpyD0ZhF1qfBh5IIjUg_Q74-PBh19M5hD_E,1035
+torch/include/ATen/ops/absolute_compositeimplicitautograd_dispatch.h,sha256=aCllNnGdo-W3Mi8_NeGVbjB8PQch7PJaQDUuuWTz_mg,980
+torch/include/ATen/ops/absolute_native.h,sha256=sOFR-xGOS57M_y0xVSpXvdeqLeQRlQZIEIwU-GhGzKE,622
+torch/include/ATen/ops/absolute_ops.h,sha256=mSag_6aFmyUM125g8NNbN0EkhXFLTs5GbGvQbKJdvDg,2140
+torch/include/ATen/ops/acos.h,sha256=7IYjU9SBNNuOJasPhTNvB_iRXsRN34MIWBDpdGfj3h0,1131
+torch/include/ATen/ops/acos_compositeexplicitautogradnonfunctional_dispatch.h,sha256=7m2UUrN6V0OifYWhq8Y4JdyeU27SaP4jsE7yeFNDkno,837
+torch/include/ATen/ops/acos_cpu_dispatch.h,sha256=_mWbzBse4usazcAkWTyaYcigoywudsk0Of_dlUUMyLs,920
+torch/include/ATen/ops/acos_cuda_dispatch.h,sha256=nHWrZz-0VZnbDGWKYT1YoO0l8UJXhjLl_bd_QxTFC6o,922
+torch/include/ATen/ops/acos_meta.h,sha256=W9df7qjF-RT7P4HJ84Vmudb8pehMVFMu4TtXD63DWBI,584
+torch/include/ATen/ops/acos_meta_dispatch.h,sha256=emksaFT8ie8u9RZaUXkWI1PmR1bLCQhFbM1xnO49M48,922
+torch/include/ATen/ops/acos_native.h,sha256=LtN06lwzNz9oYz9AReQSizpy9b7c18TKpSqAOcZMibA,601
+torch/include/ATen/ops/acos_ops.h,sha256=GZKP3FqYRG0qyWkaYZMLYNI4MEtNr4hi9BJNH82CyOs,2104
+torch/include/ATen/ops/acosh.h,sha256=EvOtCV4lH-zcYUiB0rXiF4ARWWVyY35HyRHT8vLFH_M,1144
+torch/include/ATen/ops/acosh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=lvTlS6z_YYckApSKjIHMwcGS_4rHdhYtbyohz0Wlw6o,839
+torch/include/ATen/ops/acosh_cpu_dispatch.h,sha256=tSsT1qwMLbVIY3CHXWHQ4mi3yULlk6jglSXeOdIMzME,924
+torch/include/ATen/ops/acosh_cuda_dispatch.h,sha256=-xX9J6cRkppVrvGeEfSGMNPMQDEisgTvt4-eht5YVfM,926
+torch/include/ATen/ops/acosh_meta.h,sha256=gXIBzeKwO9qIEIaXObFE6ps_YfC5yZRyHmttW59j65M,585
+torch/include/ATen/ops/acosh_meta_dispatch.h,sha256=xHl13gBpTEhvg3VCexx1NtNv9vfED9X07Tk57EBaYQI,926
+torch/include/ATen/ops/acosh_native.h,sha256=FueJ0mR5W3Nf-J32yDQgnTNRKSuhR2sjIwrI4LMsCqY,604
+torch/include/ATen/ops/acosh_ops.h,sha256=kjjNzLZhzN04HhYVAYQVMmkkWKTgvZr3-TFIbVLaIRY,2113
+torch/include/ATen/ops/adaptive_avg_pool1d.h,sha256=14szbTomPravAVCZfAnQ7pRj5U23pGiAf3cASv3NE6k,739
+torch/include/ATen/ops/adaptive_avg_pool1d_compositeimplicitautograd_dispatch.h,sha256=doSzMvk_5-_s1cYEsx_hdPOIlJnNA7bM-7ilOjVir4M,806
+torch/include/ATen/ops/adaptive_avg_pool1d_native.h,sha256=kqsfuujzMOw4-e8bzFrK1FXQA10d5KTWoJ95Ur2i_Bg,529
+torch/include/ATen/ops/adaptive_avg_pool1d_ops.h,sha256=z-ZTpOpDzKrPuk3cQqZhVNtuddywbhCsFC3exq1YLiY,1101
+torch/include/ATen/ops/adaptive_avg_pool2d.h,sha256=MGmtt80bN_NtSgntQYuDtw8IfChNL3y8I21ciwOs2TE,4128
+torch/include/ATen/ops/adaptive_avg_pool2d_compositeimplicitautograd_dispatch.h,sha256=t58FI59zAhX2cTuIzvks0DctrAqrGLo1xp3oPn2oHAo,913
+torch/include/ATen/ops/adaptive_avg_pool2d_cpu_dispatch.h,sha256=TgCv13yCD1tH1Vq7ThKkaZdUxNJu5Rwe2byz8WiwuQg,1170
+torch/include/ATen/ops/adaptive_avg_pool2d_cuda_dispatch.h,sha256=wmhJw_rDfYi6KQPTe9931Gl83GKVUl30uRpAYbvyikM,1172
+torch/include/ATen/ops/adaptive_avg_pool2d_native.h,sha256=v4379_eMbe5y_eoZIrvp2zyCjEuyqDsY_Kjsh2ag1wk,921
+torch/include/ATen/ops/adaptive_avg_pool2d_ops.h,sha256=pcGba5OIrKKbh3kI1H2-lEvVwLI_UUuGGRbR1eOjoog,1888
+torch/include/ATen/ops/adaptive_avg_pool3d.h,sha256=ANPU3ikblAdS-Pf8TQ3AlZI30s8xTtPw-PTlXmcaWhY,4128
+torch/include/ATen/ops/adaptive_avg_pool3d_backward.h,sha256=VInlvkUkUU-oTI1nWHHDF_4kbPZQ_fVyNEnhhxP49F0,1234
+torch/include/ATen/ops/adaptive_avg_pool3d_backward_cpu_dispatch.h,sha256=v6wC2GCnAzBHhY85cfPPRnbOCOto6mPhp_VFvACFfwE,945
+torch/include/ATen/ops/adaptive_avg_pool3d_backward_cuda_dispatch.h,sha256=bFu-IufA6K9L-EadptOXvHGFDEbn7IevfhsZbXs-HQU,947
+torch/include/ATen/ops/adaptive_avg_pool3d_backward_native.h,sha256=6vUOgJZdTvWNgLO4szAcO54GRz4cM5mtJulyyeW-sjY,720
+torch/include/ATen/ops/adaptive_avg_pool3d_backward_ops.h,sha256=b02yK8wkja6Xn81kPD8_uzwL0AuiWIxFdKaontjOU9c,1269
+torch/include/ATen/ops/adaptive_avg_pool3d_compositeimplicitautograd_dispatch.h,sha256=aK7I9UhQVql8xucJeUbx0XkuiwbGgAkAJtTPpT20xc4,913
+torch/include/ATen/ops/adaptive_avg_pool3d_cpu_dispatch.h,sha256=Oyft_GQQdDU8Sqq-4DhG7Gw8LiRQdcJ1IhY5jpDS38k,1170
+torch/include/ATen/ops/adaptive_avg_pool3d_cuda_dispatch.h,sha256=Jgk69BHO0qGFGxciujaApOHckujk_uuf5w5_VFjGzGk,1172
+torch/include/ATen/ops/adaptive_avg_pool3d_native.h,sha256=FjB1zU-1vMczm2LFAGqLzYVb2DmvaAQhbdCx7MFzRqw,923
+torch/include/ATen/ops/adaptive_avg_pool3d_ops.h,sha256=M3psuKatc3eK6G7KVfPhe7NfIK4JW_bWdcHTifr9A9Q,1888
+torch/include/ATen/ops/adaptive_max_pool1d.h,sha256=RUgIyRPFGtVQxBPRizkQ55Php45kiPaIv8KSO9MmvZg,774
+torch/include/ATen/ops/adaptive_max_pool1d_compositeimplicitautograd_dispatch.h,sha256=te6hl7u04jOMEM6Bv0pOyQ6fnJh6Nyh8iOIH_BpU5Rg,831
+torch/include/ATen/ops/adaptive_max_pool1d_native.h,sha256=WVrghxSm1o5Xbw9l1uS5C-9dwMxr3OtlYnTAfuRSmwk,554
+torch/include/ATen/ops/adaptive_max_pool1d_ops.h,sha256=5Uto2fSXm9Uo6VxapRHSEYrFIftA48Oaz3nsnrhXR8E,1186
+torch/include/ATen/ops/adaptive_max_pool2d.h,sha256=_jVUAw5gE9RK2crSjPwNQ_az6eEC2XGciIIAYhugyP8,1550
+torch/include/ATen/ops/adaptive_max_pool2d_backward.h,sha256=eQ8aDYGDQgKHNUg3oyq1mK9seN8JtIS4_uDHZJ48yQM,1659
+torch/include/ATen/ops/adaptive_max_pool2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Vcb_6ELEGK2EcZofQpiLp4hyAwqio5Pz2wUS6zOfofE,872
+torch/include/ATen/ops/adaptive_max_pool2d_backward_cpu_dispatch.h,sha256=Y92LqbI_PYF_A_GHOSML0rm7ZhoXlOBk9ozXUT_qg88,1137
+torch/include/ATen/ops/adaptive_max_pool2d_backward_cuda_dispatch.h,sha256=QSGHqMXSuCoFT4nX8HvDpOpkkrCIdazlvatyzS5gcog,1139
+torch/include/ATen/ops/adaptive_max_pool2d_backward_meta.h,sha256=52J_MYQ7dtdbvMINEtSUiVPXXk0yhsY9h7idOvaFGok,668
+torch/include/ATen/ops/adaptive_max_pool2d_backward_meta_dispatch.h,sha256=16jjySoVenD0G_MpOlRxESreNPcV25gUZpzEXeU566U,1139
+torch/include/ATen/ops/adaptive_max_pool2d_backward_native.h,sha256=CU4Jbux5Qa_EhPPt9QjjX4MKTxRMfiSGSAsmP6tOO6g,1001
+torch/include/ATen/ops/adaptive_max_pool2d_backward_ops.h,sha256=2PWrGxGVOiurUBSdZF0aA3uGOyeVE7YdyLSlXAqeARQ,2156
+torch/include/ATen/ops/adaptive_max_pool2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=aTrCt6bg9EtQzFEIUGk94x14eDa7xcdTcRci9zhBGcs,857
+torch/include/ATen/ops/adaptive_max_pool2d_cpu_dispatch.h,sha256=3rjzlZNn-GDG5yPtmg3ukZuhuh-4mQ0lD9lGKK7F9Ao,1126
+torch/include/ATen/ops/adaptive_max_pool2d_cuda_dispatch.h,sha256=Pe3PvthDJrktjTKO6Xn0pfbQk7IfHyLP7qsUYgJv8kY,1128
+torch/include/ATen/ops/adaptive_max_pool2d_meta.h,sha256=JsjkALO9ec9yweoLCp5TA2xUMqm0HAJvQHLXcJ8elOU,628
+torch/include/ATen/ops/adaptive_max_pool2d_meta_dispatch.h,sha256=ojHCji9QFmLNqeB4XyiNUTv6h2IB54lyusJ2LxdjOJI,1128
+torch/include/ATen/ops/adaptive_max_pool2d_native.h,sha256=V-Qwrfm1JzrLQJULPt2XwXIprFdOKPTYpiH4yfdlNXE,936
+torch/include/ATen/ops/adaptive_max_pool2d_ops.h,sha256=5okGZgclefyRYK06uuYgVVQM3pDQngSUhtKxppWhE3M,2116
+torch/include/ATen/ops/adaptive_max_pool3d.h,sha256=VgHZzMMCEXN659hTQQJP9QFrJ01uG5Gozz2N354a15w,1550
+torch/include/ATen/ops/adaptive_max_pool3d_backward.h,sha256=rxVhiImjT3jafO7Wds9RS9VyReh8-UbzI4iDSCkJI_M,1659
+torch/include/ATen/ops/adaptive_max_pool3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=eNU_1o8hj1AWYfKIUIFDFYSwZ7sv6zXgVTnUsAdjMbY,872
+torch/include/ATen/ops/adaptive_max_pool3d_backward_cpu_dispatch.h,sha256=EmjSFgOSv3ieAJv_OjabIyVNFqdwHKxjAUzf0doAWWo,1137
+torch/include/ATen/ops/adaptive_max_pool3d_backward_cuda_dispatch.h,sha256=S3-VDdYDIrjMImEjeWftxuEVppzYwoFX85UPPNj1cf8,1139
+torch/include/ATen/ops/adaptive_max_pool3d_backward_meta.h,sha256=lZdQBtpV9p6kNKl39pqrln7Ydg6XEFR6Xm2bRQk2ZYA,668
+torch/include/ATen/ops/adaptive_max_pool3d_backward_meta_dispatch.h,sha256=c2UMye4JyuLsqMW4LU-tlaqJ6edEcXKOnsKUUWMCPyM,1139
+torch/include/ATen/ops/adaptive_max_pool3d_backward_native.h,sha256=Ymwki7EgX7UCnY6vaP_CqdtIS790E-v_kuBeQZnL85Y,1001
+torch/include/ATen/ops/adaptive_max_pool3d_backward_ops.h,sha256=bg9mjTPj_4bDTDL6b1o2qnhq5o3GbjroOaiJwH5bq00,2156
+torch/include/ATen/ops/adaptive_max_pool3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=lfPoQeG9XlF2KFsoXnSts9bueIh1KRiml78ivhBVVHY,857
+torch/include/ATen/ops/adaptive_max_pool3d_cpu_dispatch.h,sha256=Z6Z2a6x6qbbDFeMJOOAWiEG7yW11lu92JM7Kj2hv8uw,1126
+torch/include/ATen/ops/adaptive_max_pool3d_cuda_dispatch.h,sha256=9uMJCaI-YgJByAnN-lPBe5ZifV3rVgCN41QsLv1ILCE,1128
+torch/include/ATen/ops/adaptive_max_pool3d_meta.h,sha256=CxhoFD85MY6RUB6HesfcPGa4NwGVkXaATTAZQrKYc5k,628
+torch/include/ATen/ops/adaptive_max_pool3d_meta_dispatch.h,sha256=aWkrLvG6luVX0kuPCRDyNaT-LGV3LZdCMtRE6xG_jlU,1128
+torch/include/ATen/ops/adaptive_max_pool3d_native.h,sha256=Zmuy2IeKoL9eZXqPXuEtHmc1bD030q2oQoCo4Z-yOO4,936
+torch/include/ATen/ops/adaptive_max_pool3d_ops.h,sha256=eDrdZn2oBuHFtY1fHcBSJGq1aEMzE-eYe3f80keSXZ4,2116
+torch/include/ATen/ops/add.h,sha256=b2BuBnhqZ87XuRDOfHlTUrc0Ex03Wk_LupQzrnOuoiU,2126
+torch/include/ATen/ops/add_compositeexplicitautograd_dispatch.h,sha256=j0HNl6Gh438d0W_bXbYoOQRHdwqomzXlfil9BYvvW3w,1174
+torch/include/ATen/ops/add_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xTZVQnxCa_zJUKytiGdSGOUDu7csGECwJVY26eQTkP8,943
+torch/include/ATen/ops/add_cpu_dispatch.h,sha256=1WX_RIqo8xb2cnpUm-ShjUWP7y6QOlVmU5OAfQBLQCo,1130
+torch/include/ATen/ops/add_cuda_dispatch.h,sha256=CCTkCi5g8XV-DJTx8SXCaiER0lDZfZjmcq-sfaCaJ-w,1132
+torch/include/ATen/ops/add_meta.h,sha256=Y28Way2v6PYG34hzj9QzxetiV7fwte1hDU6SeCQHZB4,642
+torch/include/ATen/ops/add_meta_dispatch.h,sha256=niarZ4Y-q3sdm4bTnG7umOl9AACTzkOZ5qp9JcRXkiI,1132
+torch/include/ATen/ops/add_native.h,sha256=M7kxPdnvzR1lxWSzowZzYevgPel7NyfF6L278GKxFsk,2949
+torch/include/ATen/ops/add_ops.h,sha256=41jOg6s039Cb8hH1mXAb6bxbWqPNl8Imk8ZaaGlu7MI,4907
+torch/include/ATen/ops/addbmm.h,sha256=Wp1FkvOCxj5s1--2Vst_kBXy0quYeQrddc7-j-_r5eE,1611
+torch/include/ATen/ops/addbmm_cpu_dispatch.h,sha256=9K63lzHWiGQKkohJm6rdZV-s56Ji7lSTExuQwyztFPY,1360
+torch/include/ATen/ops/addbmm_cuda_dispatch.h,sha256=fl_i4wrG3FQLzCM9GGRx0FLBfAl_oTBeaIGmLkoURQA,1362
+torch/include/ATen/ops/addbmm_meta_dispatch.h,sha256=u6BqOgk1T64Kf8Y3Qfy1RdHkdU028zTEV14g2WMLtsM,828
+torch/include/ATen/ops/addbmm_native.h,sha256=i0CdPzwqErgzCe0RgtAA5q3c1VvDJzfH3AjibEY7rh8,939
+torch/include/ATen/ops/addbmm_ops.h,sha256=6RT3_qGKVZfYJdzbhH5yTQDd4M3n4GPr5S_W_msYop0,3181
+torch/include/ATen/ops/addcdiv.h,sha256=lfG0FChMwaK8iLXNZ3RNH_eYycMGLZ1RmwMX7llg8K8,1497
+torch/include/ATen/ops/addcdiv_compositeexplicitautogradnonfunctional_dispatch.h,sha256=O2hmGLuG1uMX3QbWpkkKUxG1bTQVcsdR-WGXc6w1lYE,1011
+torch/include/ATen/ops/addcdiv_cpu_dispatch.h,sha256=UaOpX_jcOji4dy8OyAaG2jeBPeI7uiAFWRK7XXoESE8,1266
+torch/include/ATen/ops/addcdiv_cuda_dispatch.h,sha256=RmmcfK8nLzBaKunJk7MRunpuI9gNerwY9LMWPkEavkk,1268
+torch/include/ATen/ops/addcdiv_meta.h,sha256=SaaXGMvNpyRVryFkQYiQy-pP4yD6AejtzuVvIWZ5o7I,669
+torch/include/ATen/ops/addcdiv_meta_dispatch.h,sha256=nQI-eU_kFhkVcFFcIiJKlQwyBBtEtofhCUuwCrRspfM,1268
+torch/include/ATen/ops/addcdiv_native.h,sha256=sWjVbnrfcDCLJTn4_dQL9-CwKadwnBGTrJe1Ux5xn8s,692
+torch/include/ATen/ops/addcdiv_ops.h,sha256=bqUz629Mmxa7r-Y1Vq6iSaWMiSUiu4v_pWput2bedks,2953
+torch/include/ATen/ops/addcmul.h,sha256=vj8P8Iy0xctbZDo4Zn1g3ChleCAHdW0l_49J4FO9wUo,1497
+torch/include/ATen/ops/addcmul_compositeexplicitautogradnonfunctional_dispatch.h,sha256=iT2tdmTUBkdu2qGNWVuVXkiHs-MbXEM8cJYx91DNX3Y,1011
+torch/include/ATen/ops/addcmul_cpu_dispatch.h,sha256=TrQXPeEDv-tDOenvoO63lTWo70r7tq12JnITApzhDHw,1266
+torch/include/ATen/ops/addcmul_cuda_dispatch.h,sha256=KyvIz560P8S3-Keno6f-PLeAFGSofTSWhZ_cvfOGj3I,1268
+torch/include/ATen/ops/addcmul_meta.h,sha256=lFMI7GKNJAB7M3S4CozFn6iTdxjqYcgR98o4JcTf9LQ,669
+torch/include/ATen/ops/addcmul_meta_dispatch.h,sha256=BZKfPpgkZ094ykWvhuxXt1Ek3LgyZeN-2ZffHuSiR6U,1268
+torch/include/ATen/ops/addcmul_native.h,sha256=xOluk4DMhuqom77B1kkAiVCS867pjPCZI8JeNvP6ko4,692
+torch/include/ATen/ops/addcmul_ops.h,sha256=2F_xsljhXJlKtY_3ay7iTBzOWkpgXzHoczEbhSMPeMs,2953
+torch/include/ATen/ops/addmm.h,sha256=xwXjsCZPXn5Pek5DnOs3SbORMOPP7L62Sdy1GsgPRfg,1565
+torch/include/ATen/ops/addmm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=jqOudEZYHHcOXTWtPbeFfXnW6ObyVxS1l1KueE_7JPo,1049
+torch/include/ATen/ops/addmm_cpu_dispatch.h,sha256=hiyK_jE3TrYjxzoOuu675SWApWms-hKL-knXeGmOlKo,1340
+torch/include/ATen/ops/addmm_cuda_dispatch.h,sha256=FH4ZTIr2jx6zatXsROZDxxSgxVhWrKgECuD0bBbHU6c,1342
+torch/include/ATen/ops/addmm_meta.h,sha256=ws1qsZ_N9KbXjCrTxcNInT3WsoZPpsB6dYTYpUWZDhI,686
+torch/include/ATen/ops/addmm_meta_dispatch.h,sha256=fFBtcWp4A_kC2smXp662y7hLAQShxAuS0kCET8rNK8g,1342
+torch/include/ATen/ops/addmm_native.h,sha256=YI4somfOzDowYDORn9Nq60C4ijl0JTfCJ7gMvqx-kvs,2628
+torch/include/ATen/ops/addmm_ops.h,sha256=2V4Wqbr9Wvt3GfLCeLEG7Fhm_2iTNXZ329UAmECK3to,3136
+torch/include/ATen/ops/addmv.h,sha256=442NXsM8cSWq5kCN1pFQQKwYs4qFdC6zSeuHZDN6f18,1870
+torch/include/ATen/ops/addmv_compositeexplicitautogradnonfunctional_dispatch.h,sha256=fcvwwlmcROsF7RMPFKZrAkt22mT4-tLpx7367_thNDw,1045
+torch/include/ATen/ops/addmv_cpu_dispatch.h,sha256=f8GvqB9C5_E_8LJJtnhS2DmfZZsmaP3EA7zoGCVrlg4,1332
+torch/include/ATen/ops/addmv_cuda_dispatch.h,sha256=hXvCv9CLCih6tx03U4lhu6U0Q7s7JmSpoDeGwG5R5co,1334
+torch/include/ATen/ops/addmv_meta.h,sha256=J5_ncegSbAdxnPkrqWDAJic8CoV6BFuZbGxwIPhz2JU,684
+torch/include/ATen/ops/addmv_meta_dispatch.h,sha256=jzzplhFZukrmnODgPZ1HN30Xixnu3aYzw9ZtStN-FgM,1334
+torch/include/ATen/ops/addmv_native.h,sha256=WAAsLUru4Zmcdz2E7vJM_H5nXYIvnhSDfwTlwy6p9tU,1343
+torch/include/ATen/ops/addmv_ops.h,sha256=Gclb1xcdEXiLSGSBkeudC68BvE9ZPNTOLBsaQii9o8s,3118
+torch/include/ATen/ops/addr.h,sha256=mxgHj1RRzJAwdeL_2KkB0NsekNWTtCra5T7oZkiCcJ8,1555
+torch/include/ATen/ops/addr_compositeexplicitautograd_dispatch.h,sha256=bOc7NyFek0_nkLCbJp0hBRLou_qHwoFK2PrMA6IGMjI,1380
+torch/include/ATen/ops/addr_cpu_dispatch.h,sha256=jYQdOB0bS-rn2re-pqcnomYmtsNbHKDmREn4YQDkkj4,1182
+torch/include/ATen/ops/addr_cuda_dispatch.h,sha256=1OJL2mngSnw4kZoIgvmeiXg8qVmXK0F3-Z1zr8qlRW0,1184
+torch/include/ATen/ops/addr_native.h,sha256=NQIraBfXdR3a7FK3qAPZupV6pwcZ7Xt9C9tpW5Vi9xM,1265
+torch/include/ATen/ops/addr_ops.h,sha256=onvG12Ch5Px3w3KkmHCFyYg59l4ETPGf5g-9RZduXiU,3127
+torch/include/ATen/ops/adjoint.h,sha256=4jWA_fD_h6fZKi1uQuCyVHUVjAMJi2BGQE7Tg-CdMdM,635
+torch/include/ATen/ops/adjoint_compositeimplicitautograd_dispatch.h,sha256=BesD70OxuwD2C4d9wA1ZThjrS_jgl-zwz2NcDz_mi3Q,765
+torch/include/ATen/ops/adjoint_native.h,sha256=3FR_AmzcrNBiGkk_e6wvx_GsIiUnVvVnuD192jo_AoY,488
+torch/include/ATen/ops/adjoint_ops.h,sha256=G0gGnVej_a3yCd-il4iwnPZhIQiBvS1dlv33LsNYNpM,976
+torch/include/ATen/ops/affine_grid_generator.h,sha256=dsHqwWhOOmJQVB7_He-MFXqgg3Je_NHk1-oEwcaImQk,4544
+torch/include/ATen/ops/affine_grid_generator_backward.h,sha256=6lNEt9pjxOu9lnuZ-OW64E1eJL5s35ExiPQ3Jny8a9g,1815
+torch/include/ATen/ops/affine_grid_generator_backward_compositeimplicitautograd_dispatch.h,sha256=1YaTzIDDslmB_kRpQNu_XINLKr5hJbULjycu0w-JK4Q,961
+torch/include/ATen/ops/affine_grid_generator_backward_native.h,sha256=tyo1pI70NvSrbSjbHoZ6tg9iGDnBI2K6Vc4hsTB2sIY,553
+torch/include/ATen/ops/affine_grid_generator_backward_ops.h,sha256=Rcp22vnB0FSOEhwZSyei01rPjlbb6UUicb_44qIAgpk,1193
+torch/include/ATen/ops/affine_grid_generator_compositeexplicitautograd_dispatch.h,sha256=YSde4i--4aHYeOubjnopPAqprHHj_-BBFgMM0Jn2m48,1513
+torch/include/ATen/ops/affine_grid_generator_native.h,sha256=XIAKzj_W4-3LvH-q_DKIQtlXgeG1HPe7N19KtZqiu8I,692
+torch/include/ATen/ops/affine_grid_generator_ops.h,sha256=6k0fHqvTJaAmH513lUMcbqbdy3Hny09BZZedP0Q1QcU,1994
+torch/include/ATen/ops/alias.h,sha256=k8LPlJmznTMD2kG-FToICN6wgk_RecU_5ZQ5OuuXcx0,627
+torch/include/ATen/ops/alias_compositeexplicitautograd_dispatch.h,sha256=6VotKbMM5R0GKEdKbiGXEYg61aUVwBkp8UCnJpub_h0,763
+torch/include/ATen/ops/alias_copy.h,sha256=3ZnhAgZhhiKLUeK3MoJXzTJ-FmxmV_sYEq9HbGiXdHk,1055
+torch/include/ATen/ops/alias_copy_compositeexplicitautograd_dispatch.h,sha256=5WlJxs_AfbbyZgIoQOn5WluDQFgHf-hth5uNZAKiUpk,875
+torch/include/ATen/ops/alias_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5igB1i3qMZZwWLGxwYjkaXdz9ocfcYrbOyoil58SKWQ,794
+torch/include/ATen/ops/alias_copy_native.h,sha256=1M3lWL_kkQ_AbMTZVSV-_uP4nam6ZfilDJ5EyGfvwB0,573
+torch/include/ATen/ops/alias_copy_ops.h,sha256=_SDLRmwZkNxnaElSTbSXlnvt9epYSCHnlyKjBNok0EY,1614
+torch/include/ATen/ops/alias_native.h,sha256=UPaBdHZCh8JUSbGyIYHOnlY10o_kG0gMVkbdWV1i_FM,546
+torch/include/ATen/ops/alias_ops.h,sha256=UdmTY1sWnrUkUI6XtE_M8p3je5vY_js5UOX_k3NESwM,970
+torch/include/ATen/ops/align_as.h,sha256=93qHC2YP0lnN6sLVXMsRud0AuyvHFHnXG2mYWeXq-nc,493
+torch/include/ATen/ops/align_as_compositeimplicitautograd_dispatch.h,sha256=nb-cMhkOmO8r21o10vcHCUTjuffjRoyvRLWGU21kApA,792
+torch/include/ATen/ops/align_as_native.h,sha256=_4PsFbHeKcJTJPN5nVaiVa7xae4TjRgUs7Z0OCiZXjs,515
+torch/include/ATen/ops/align_as_ops.h,sha256=4iaBOETSXa0al1vsFhwJ2yMf_YniZFr0wiE4AXHMqwM,1059
+torch/include/ATen/ops/align_tensors.h,sha256=HjtkOWQ2TRBRBsU6EltfXSIpe-W2AbIakzFQgs_2IsE,677
+torch/include/ATen/ops/align_tensors_compositeimplicitautograd_dispatch.h,sha256=rU4xlJF6Io3cOrjdgnyjT0rdhqC3YJsWrxQF0FxX6sc,785
+torch/include/ATen/ops/align_tensors_native.h,sha256=3LDIIxkBnbLWZ33bk6i9BaCSdLuH80rbtn1hSW9lgzs,508
+torch/include/ATen/ops/align_tensors_ops.h,sha256=uJC6UJeoZDJXzNh6WeOq8_TuXP7MTYZGZpOnWrjgZHk,1034
+torch/include/ATen/ops/align_to.h,sha256=FnzJPP0AR0B9P-4bkRngkcGuoWTwJ-Rya16yWVHvROs,493
+torch/include/ATen/ops/align_to_compositeimplicitautograd_dispatch.h,sha256=mB3Eed8SeV_HwN3Lo0_01loyRCJ5u70IzWGRL4uzlzs,890
+torch/include/ATen/ops/align_to_native.h,sha256=DWVrykTO1f71EiRoylvuy5zhDEbQMPjZN5OUTby3P8k,613
+torch/include/ATen/ops/align_to_ops.h,sha256=F81q28IjjCeqx2d5tac3lSucPfArMprvzi79cBwA6uY,1793
+torch/include/ATen/ops/all.h,sha256=6CD2T4HepvSyw_GRMrCI7zPGRVEBaAs2Z-70fU5C1Uk,3343
+torch/include/ATen/ops/all_compositeexplicitautograd_dispatch.h,sha256=-_BR4CX8sA0M6UOMb_ZQtlBnDvtyDVf-eCOnhlXQ5PE,1053
+torch/include/ATen/ops/all_compositeexplicitautogradnonfunctional_dispatch.h,sha256=O8k4zyELAzs9wZSRkvhyxBeMpgOHW_LBnWeSwdgLU8s,971
+torch/include/ATen/ops/all_compositeimplicitautograd_dispatch.h,sha256=kQxvnzw9ZOK7Dl_a4eGZ14boarkNjAn83f9NDPoP4DM,1017
+torch/include/ATen/ops/all_cpu_dispatch.h,sha256=VEvzY92jUf1eH3De9dEu2qeBygt5u-zwB2e-UmhQTGw,1506
+torch/include/ATen/ops/all_cuda_dispatch.h,sha256=hLSwkUrnjWwnVGoZTeAK1x6ihYdCBadIcVHptJe5B4E,1508
+torch/include/ATen/ops/all_meta.h,sha256=sqWMKpw9OXx3WLF1hRxzKXfIKnuMoe3FDadtAIBDU-U,892
+torch/include/ATen/ops/all_meta_dispatch.h,sha256=gI7mXiscbMIjlHsW_c7wyYBNEzTjF0ipFOmn14rw7_k,1508
+torch/include/ATen/ops/all_native.h,sha256=rWjOUeZ_l8ucuD6z1rscsc0JqyOSLgv1oT7W9T_4qtw,1409
+torch/include/ATen/ops/all_ops.h,sha256=pCvxj32lpHnOGrwAffa95HsjcI2Mb3pR7hFH-ApYUUk,5817
+torch/include/ATen/ops/allclose.h,sha256=wS6-9QjgHoA1-ySNa2w6z3H53MXwD9dfqURvIA6fKjk,813
+torch/include/ATen/ops/allclose_compositeexplicitautograd_dispatch.h,sha256=qPU-HKtBOEw9esjjAgBPDcIbEW-M0vvEYcmaMjpiDBw,846
+torch/include/ATen/ops/allclose_native.h,sha256=zOn0by00uyb-qIvPYTFDkHqOZ1z9j4HDwONv86vOMkw,569
+torch/include/ATen/ops/allclose_ops.h,sha256=c2Z_4uavSZhxT3h2hDzitlQiz4xukkyf4anrhd_G4UQ,1203
+torch/include/ATen/ops/alpha_dropout.h,sha256=RzOZFh_vLZvnTu2jDv7HkbgDXHY5KCJsrA347LjftpI,925
+torch/include/ATen/ops/alpha_dropout_compositeimplicitautograd_dispatch.h,sha256=1rAd24UqhI4E6zicZY2T-xcYYa89_UNOgVLns3eX35o,874
+torch/include/ATen/ops/alpha_dropout_native.h,sha256=RwUH_84XkWBkOEI_DDT4NtSy7tgxZ6lPAo-ckrJJo-I,597
+torch/include/ATen/ops/alpha_dropout_ops.h,sha256=qUIiVs70WkXA_gimoLech1U1F0wk29hq4bT4bpXhG9g,1702
+torch/include/ATen/ops/amax.h,sha256=GlKpuv3yuva86v_2Fcjr810TTdtuXjEMizfk8toyiwg,1265
+torch/include/ATen/ops/amax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dhhdZ0veuV8ZJgob87RF2br8KyyKQ7_hHv3hKNw2nrI,832
+torch/include/ATen/ops/amax_cpu_dispatch.h,sha256=bTSDLN-9YaOQ19tOGvZfTcG5Ft-Uv_z31m3I2CJ13Uo,994
+torch/include/ATen/ops/amax_cuda_dispatch.h,sha256=7l9HqnUM1ITMjbqhv00bDf9RbVRIhqQaUUo3pujE_RA,996
+torch/include/ATen/ops/amax_meta.h,sha256=VgUUz00R56nX9dHp6mF3rpzFyzrDdl653E991Ix4Ntg,619
+torch/include/ATen/ops/amax_meta_dispatch.h,sha256=N0iRa_0MrwaSYe7RERp08xNHexkJTaGAqNPFeVZp_-4,996
+torch/include/ATen/ops/amax_native.h,sha256=gc9HvK2uI6izL7_k-fcVVWW-28QnVj7kqetY7jj5V94,636
+torch/include/ATen/ops/amax_ops.h,sha256=iAJVRECY9vFxm8NmI_uuwiApd3O2R58O-Po7jjAYX7w,1834
+torch/include/ATen/ops/amin.h,sha256=naRws08ETbQZvLMXgJ-zuYIWqQCx2XkS8GeMwPRVIQU,1265
+torch/include/ATen/ops/amin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=n4l4av7to9aq1T46rMJIiK7x5QQ-ZdveuYq2Kt_1OKo,832
+torch/include/ATen/ops/amin_cpu_dispatch.h,sha256=ItocUOwWj82YOdae2NPjYLpsYE5CrmDxMWeJIFeG0Qk,994
+torch/include/ATen/ops/amin_cuda_dispatch.h,sha256=06N22SMiD6AgUOUtQVnUBq2Vu53hnzYeSRmWwIYLJ60,996
+torch/include/ATen/ops/amin_meta.h,sha256=8NP6dSMUScqzSLuqRvDwfDTd29vCP1XbOWPRnUvkIMc,619
+torch/include/ATen/ops/amin_meta_dispatch.h,sha256=pygboi_K_Wt6BTxgR3EQukeYGMEIuBfHQ5sMz3_ByA4,996
+torch/include/ATen/ops/amin_native.h,sha256=esqNxlfZsA1KvJ1O2XQBbT947ETBI9zxQbFfmyY0D7Q,636
+torch/include/ATen/ops/amin_ops.h,sha256=bMiKY_toulTQ37lsjcxrgN8PhkIoNtWerXNDt7wfZ1k,1834
+torch/include/ATen/ops/aminmax.h,sha256=sb3idEGZjyBgmPwyqy7KrU7lOjkrXRIhdh-1KrAYAb8,1568
+torch/include/ATen/ops/aminmax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=NVXGvDIkulwXzFbb3Epl5SX961thsbxfc7TyAiS8-lE,881
+torch/include/ATen/ops/aminmax_cpu_dispatch.h,sha256=Pvb1_DiJdKrgTc-zz2egUhYcuDlqIiTaxrNmDPzOxi0,1169
+torch/include/ATen/ops/aminmax_cuda_dispatch.h,sha256=QhP5UfR2npqMa0WcSLbOunCtQPD0izyq8vosz5Ei6Gs,1171
+torch/include/ATen/ops/aminmax_meta.h,sha256=e6D-c5zFCLRzFsppLpdCpc-h103lk8NxWHGPJ6FhB7c,631
+torch/include/ATen/ops/aminmax_meta_dispatch.h,sha256=5hpxiZKAmQL_bUAWo1cCKcfTyHqbKIlBiF7x9aC2RW8,1171
+torch/include/ATen/ops/aminmax_native.h,sha256=ReWLRzvbvTSm_6i2RWcJM8dZN_Kt7J1l-_d2zvNigL4,678
+torch/include/ATen/ops/aminmax_ops.h,sha256=taff828fCmZG_Qq4pzPJgywmor81OKcLCysYa4I4cJ4,2171
+torch/include/ATen/ops/and.h,sha256=UN2emxvrE27Vd8zL8jbB8OelML3QcAkgNO3P0psFPb4,885
+torch/include/ATen/ops/and_compositeimplicitautograd_dispatch.h,sha256=ctXesQUpQ1hfL4Dn-q5t3U_t6qS_dBXGQnLmEqE1P08,1028
+torch/include/ATen/ops/and_native.h,sha256=d_EPDUCeLVvT-cl21Mu45dRusZiCFAUE70OWYWqVbfU,751
+torch/include/ATen/ops/and_ops.h,sha256=5E07x4OAK77LKxNiGzck0e9QPTWR0vHIOSHqQfpy8hQ,3000
+torch/include/ATen/ops/angle.h,sha256=j8Ah-mAy9qDat4XAYIsDXRZz8v_iBt8h5gS5FCbhubY,1005
+torch/include/ATen/ops/angle_cpu_dispatch.h,sha256=WUvzdsQUiT6_2piUZ-GMqNj5TKPj1xR1ZXn3RAwELXE,874
+torch/include/ATen/ops/angle_cuda_dispatch.h,sha256=8GLy2DqUmgoypN1MhJlOpa6fTk_Ei-PCt1iFXpeJStk,876
+torch/include/ATen/ops/angle_native.h,sha256=nUhGb3s6vlGFaWEreAdK19TpM8dqXKof7bO8etWhMVw,715
+torch/include/ATen/ops/angle_ops.h,sha256=ngOD77_TJI1PPxDcgRc3WW_ln3faBNwF9G8TjTlHoVY,1584
+torch/include/ATen/ops/any.h,sha256=Y7BYeJJZuPUcJFsPnLExuJhir0jw_sp2CcJzzt8mrRs,3343
+torch/include/ATen/ops/any_compositeexplicitautograd_dispatch.h,sha256=-Mfm-PFlLBwYShF2nkvgq3WrBzQpoTnGwGeDDKL8F5Y,1053
+torch/include/ATen/ops/any_compositeexplicitautogradnonfunctional_dispatch.h,sha256=SLNTt6owPxxWO7vdqEhXTG2XoFQZemNjKywixgesqcM,971
+torch/include/ATen/ops/any_compositeimplicitautograd_dispatch.h,sha256=w4q59ZxOZzeeaUeo56MtK3xxkRBreQxI0QSzYDqt0Qk,1017
+torch/include/ATen/ops/any_cpu_dispatch.h,sha256=0wPYeWS0J_m9Z2SvOHBwzi2-WvZlHNVyE_RqhkXO2GU,1506
+torch/include/ATen/ops/any_cuda_dispatch.h,sha256=YTBNllhYHcauscodcajqUciY3ZgkF2XtKuzfZWkiIfg,1508
+torch/include/ATen/ops/any_meta.h,sha256=4CcedkOAETmbPavohHNoRVhsBH3kHEjcFi_k6jG-LEA,892
+torch/include/ATen/ops/any_meta_dispatch.h,sha256=34-luNWSVXBKVgddZf7vWwUbimKA1TJ-qAGG_7MrY4s,1508
+torch/include/ATen/ops/any_native.h,sha256=GowE4SDM8vDMDKnclY9UrXtXVe42NH20sVlB3cgwqq0,1467
+torch/include/ATen/ops/any_ops.h,sha256=_7rGnuK_p2AO_HPd88hVwzlLvgW89ABVOap-NtlmMis,5817
+torch/include/ATen/ops/arange.h,sha256=ay-B5XOk-Joem6iPLHByyikuktZm2ehIwD983REdmBQ,4159
+torch/include/ATen/ops/arange_compositeexplicitautograd_dispatch.h,sha256=dCpSR-uMw9VWbtjyvKRpX5U93H4LrjMg1NOheP1OpHY,1862
+torch/include/ATen/ops/arange_cpu_dispatch.h,sha256=C9Ypq3u7F4qWbk789bHniQ9ymtIaKZcD3VuFsOBZtTg,923
+torch/include/ATen/ops/arange_cuda_dispatch.h,sha256=-qDx-i9dGxN7Hjb4agj2kiiqymNjlQk0Txo82GRrWA8,925
+torch/include/ATen/ops/arange_meta_dispatch.h,sha256=y9edn1kvM-Vqm1UQnotmCTG4u7QKl6O6C-g16zWW0i0,925
+torch/include/ATen/ops/arange_native.h,sha256=XIPLKQVIyFPuOZW1bloBX9hkVV4N28b0MVFaB-gAQ9k,1480
+torch/include/ATen/ops/arange_ops.h,sha256=esukPwSzIMAKZnf8euUDqOKxa2rEon1RkwC_k-ogd-o,5247
+torch/include/ATen/ops/arccos.h,sha256=if4Cj4fjSGCN1yfte9SmAS3pq9NOk7p6oG8dSV8IIEc,1157
+torch/include/ATen/ops/arccos_compositeimplicitautograd_dispatch.h,sha256=jw4rphQLHHWCbSigf7ZPoPWNUpOuOgheIke_dAHWvDU,972
+torch/include/ATen/ops/arccos_native.h,sha256=iLeqRhKkPet-4bJ--JOH2PgFaR9wL0y7qJdOcoiRa7Q,616
+torch/include/ATen/ops/arccos_ops.h,sha256=XzT7b2OmYlKiQzgijFX0O-UzI34yQ4AlkotHAsgO514,2122
+torch/include/ATen/ops/arccosh.h,sha256=cG1CGQcppI0ZJ13jl1tvcUIAql55dPf9OVBnmPeU60o,1170
+torch/include/ATen/ops/arccosh_compositeimplicitautograd_dispatch.h,sha256=M69I6MFjaHKVp03uZT2S_pDD6_hQ4jV8BJY8OU_1kBA,976
+torch/include/ATen/ops/arccosh_native.h,sha256=D7Po5aC9eSDBo2hkyxgfbgjYT30CAXCRFdQPvMtoZBI,619
+torch/include/ATen/ops/arccosh_ops.h,sha256=LXGf18YmN3spOeU3-AcJ5NCFJt0uD9uvfKeCELgHtoA,2131
+torch/include/ATen/ops/arcsin.h,sha256=iWRVeBTrv3YEqDXzrinwj33UW3pldnUDgXp8HGGw66c,1157
+torch/include/ATen/ops/arcsin_compositeimplicitautograd_dispatch.h,sha256=76NDHrGaKw6hf5SOCh_z0Qp9UTlYFqLEkKJ2FIg4TbM,972
+torch/include/ATen/ops/arcsin_native.h,sha256=nLvT1NGE0PC0utZFgsbWDVth068Y8AcRDxm4Wp5-jTw,616
+torch/include/ATen/ops/arcsin_ops.h,sha256=Y-yors0QJcbJIGFLa08-PK1QMO24kHpQeidg7EhQldU,2122
+torch/include/ATen/ops/arcsinh.h,sha256=RlICZheO4gTuH_DixdnLhA775wObD_e94vcXreqCFUc,1170
+torch/include/ATen/ops/arcsinh_compositeimplicitautograd_dispatch.h,sha256=-u5rHNy3oW5PM8Chink7cK_FotvnDM7X7fiRO1zEpSY,976
+torch/include/ATen/ops/arcsinh_native.h,sha256=hhyoE6-iSLm9iCVGmhoqudyMOdprfRS3yZ9MlrJrktw,619
+torch/include/ATen/ops/arcsinh_ops.h,sha256=AwAHIDoEgRtbWybqgsbNDR57iEonzht6qtu4ZAKxYZw,2131
+torch/include/ATen/ops/arctan.h,sha256=-hWZ2XpperhQ2yUj9V8sL82rdticoFvZ9CSCcrL9LVg,1157
+torch/include/ATen/ops/arctan2.h,sha256=WtSjeArEF40fg6u-eE9_iivnd2EHtVcX-zdez4QvI50,1166
+torch/include/ATen/ops/arctan2_compositeimplicitautograd_dispatch.h,sha256=Mj6_sZPVIQkHQPq0CLPgTvxVtWiTGUtPKxQI0nZEAIY,1080
+torch/include/ATen/ops/arctan2_native.h,sha256=bIKaUvATwwkzLtMKDJj84wvFnTNfw9xdwiahKBVzMuw,697
+torch/include/ATen/ops/arctan2_ops.h,sha256=ab0oc92yfahperoSk0YZlqrluPhpDBgFgs9XnkOF0IY,2389
+torch/include/ATen/ops/arctan_compositeimplicitautograd_dispatch.h,sha256=a_ZC-HFEXxXTPp-PtIXhh8Oeb0Sxsw633Prlmc9Ido4,972
+torch/include/ATen/ops/arctan_native.h,sha256=3UKxB8TrRmuPT-wn8u4P1e7yx4iBdH0XQthqOuM9L2U,616
+torch/include/ATen/ops/arctan_ops.h,sha256=n1F9speHGRI513G5VnKIphSzzJHuGPnM1c3x7MeftYo,2122
+torch/include/ATen/ops/arctanh.h,sha256=zYuIKTKFeSwGOqxypu1e1c3vFAMjNIeEVdV-Cuohjng,1170
+torch/include/ATen/ops/arctanh_compositeimplicitautograd_dispatch.h,sha256=NHmbbBPpnIzLN7JRZNM1BjOwMHtjZOeAwTx3x8cy0gk,976
+torch/include/ATen/ops/arctanh_native.h,sha256=94kgWrxq5krZJYImSG7P-aIXEQqaWv-ANF5c8_uJ8-8,619
+torch/include/ATen/ops/arctanh_ops.h,sha256=Br9XaLb3raJg1PQAnV5meZ3ftkflbXAsF6ZtDNfOiMs,2131
+torch/include/ATen/ops/argmax.h,sha256=C8Zun3lH_jgKOG1hJrXoxnqZ7vDNA3lHKw3gmzzUVeU,1336
+torch/include/ATen/ops/argmax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=IPLcxZnKqFbzFrli8nIYL4ylblLo7y3iHsMMoDvizf0,855
+torch/include/ATen/ops/argmax_cpu_dispatch.h,sha256=U0G4VI9t24oJ55ZBfuJ_t0LlaB5LAKyc4o1RJvqOsJ4,1051
+torch/include/ATen/ops/argmax_cuda_dispatch.h,sha256=ld08DRvrgyxHCH3lPD33JORAOhJgaTSnXiw45CQBcLs,1053
+torch/include/ATen/ops/argmax_meta.h,sha256=ZTb7HlYllchTs3qojGFyfWqCFBh_hMkHMlD7qD5q1us,630
+torch/include/ATen/ops/argmax_meta_dispatch.h,sha256=Y0EREve1-4F505lD16_ewfzCAAzEu_mpgB3-Om5SRo0,1053
+torch/include/ATen/ops/argmax_native.h,sha256=JVcpGiMKCaRukqn_I6gtYr3vYFTs7zEybaxIOWO_r-4,651
+torch/include/ATen/ops/argmax_ops.h,sha256=5Nkqo_U0mNKuUTk8BVQgJ4G78yBDCgSF3oNiiZURVng,1900
+torch/include/ATen/ops/argmin.h,sha256=YvcvEeUYNCprcuLkVulzmYA7ke7yobm2BbygDAN00AI,1336
+torch/include/ATen/ops/argmin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=qxvIc4PO_FVE4Yd3I48iA62LNZZvLhIBgQpxa5-JUQA,855
+torch/include/ATen/ops/argmin_cpu_dispatch.h,sha256=NQpc_zxW6qGKo1Lbw_Zf-vRZgsywVi-s_c9xlIg4FUM,1051
+torch/include/ATen/ops/argmin_cuda_dispatch.h,sha256=r9YrJ2oKF8ZL9ctALaTza5rxRxS_q2qoQ9qylKmiJhs,1053
+torch/include/ATen/ops/argmin_meta.h,sha256=mBfDFeu_VrDhYSB1yPpJv2I-XEJso6RFc9RUfqp0I-A,630
+torch/include/ATen/ops/argmin_meta_dispatch.h,sha256=KvJ8Lt_0OYSN6ofbqpENfaz86wTHNVfGYwzCTmNnzGg,1053
+torch/include/ATen/ops/argmin_native.h,sha256=2hFyUKldJIqJTKnzuo_UWVED920BhkkaetmQJt2Xnlw,651
+torch/include/ATen/ops/argmin_ops.h,sha256=IksjHGFxXkr_r44R_M9ZbTM70ukXLfQnV1VpZ4kHIuQ,1900
+torch/include/ATen/ops/argsort.h,sha256=oZgAiXJbbOCAUnLt6mhMDlnUWUXgIhGPC_VKlRnRujo,1912
+torch/include/ATen/ops/argsort_compositeexplicitautograd_dispatch.h,sha256=kriIrT3xEyoKQQOQ0yH4OI-hFWUXBLKOAbWdbYqoV8g,964
+torch/include/ATen/ops/argsort_compositeimplicitautograd_dispatch.h,sha256=ALi_yQ4xbpCl8z_HMTr-Q1ySmRNXWUQ__s6Ol5bUaBE,899
+torch/include/ATen/ops/argsort_cpu_dispatch.h,sha256=_tDikW368xSMbc2Co80wIogHxGmgtTgVMrwSBL4JAfU,773
+torch/include/ATen/ops/argsort_cuda_dispatch.h,sha256=MGKQQVtoM6onNkO6aqR3szVYmW-OKfVJT4zWwYXSL9s,775
+torch/include/ATen/ops/argsort_native.h,sha256=-hk4eH2qmjJV1RZIVEPfaW_Bc8FEtOEx7yNCFDHcc5I,865
+torch/include/ATen/ops/argsort_ops.h,sha256=TcLI2sBHnwoTcGUv9YrlJbFBJz_oEGPVvxSAHUFq6rE,3278
+torch/include/ATen/ops/argwhere.h,sha256=lxW15m2c-BL2bFgzNv4vOJ_RLjElIJw795dw93nR5Cc,633
+torch/include/ATen/ops/argwhere_compositeimplicitautograd_dispatch.h,sha256=oEmh9Sazbi83mlQrioLOkXjuaGywuSxfAar2MLfTUkg,766
+torch/include/ATen/ops/argwhere_native.h,sha256=hYnHPpZCIqRqvYhwZcLUXYbvII8tpvEOwzq33TyhLSA,489
+torch/include/ATen/ops/argwhere_ops.h,sha256=FiKHmo4Q5NhVVCxfYYmT6-AJVCZaelmqOms9kE5Rm8Y,973
+torch/include/ATen/ops/as_strided.h,sha256=Uwo9MAO3OaHJGUkFEGxc2PnPYHqGeJ9RxRby-Axyvmk,3886
+torch/include/ATen/ops/as_strided_compositeexplicitautogradnonfunctional_dispatch.h,sha256=HPd3b1oBOl8XHOox4HGpcw5xXFrTrlRA9uHgMwo_06E,1093
+torch/include/ATen/ops/as_strided_copy.h,sha256=rJpkK5OJEi4kBQ3-ZLTXDPJT9IhOBUFTPeUcnllLvlY,5948
+torch/include/ATen/ops/as_strided_copy_compositeexplicitautograd_dispatch.h,sha256=UxWcI1GGzAQzst5B1Oa2BLy6Tr9NJgcYaqRJNzFmScs,1476
+torch/include/ATen/ops/as_strided_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=phK0t5P3lVOaI12M1rc7eCH1ZwP558sT4qbau2TdZ-c,1085
+torch/include/ATen/ops/as_strided_copy_native.h,sha256=rkBX7E2T-ueDO7VhiPzWEHPWpRmavqRVWJ9m_2PMHQU,810
+torch/include/ATen/ops/as_strided_copy_ops.h,sha256=zDAM4dTtB5PlgkvqGBb5k6VgIMjXLLhb-9WqJaJ6zQA,2306
+torch/include/ATen/ops/as_strided_cpu_dispatch.h,sha256=1WC_g8Xv100fiG8lWOFWwlcnkNEZDxPKYDipTHQQCsM,1005
+torch/include/ATen/ops/as_strided_cuda_dispatch.h,sha256=XgcapudRoxD8W4b6AuifAaLs4mwU81QLzmemEWSvtgQ,1007
+torch/include/ATen/ops/as_strided_meta_dispatch.h,sha256=I53Fha1vmdOAZR3DaihknkzBpLQC0wDi2unBqsGcmOU,1007
+torch/include/ATen/ops/as_strided_native.h,sha256=N4YJIoS5bP_YpX4DvRygV2iIuoIjwxYWq0yHn3GRJRY,1159
+torch/include/ATen/ops/as_strided_ops.h,sha256=1Vs0WNVyvnBocs6I_w938rZs6EVyJ1Z5Bfsi2YPWjlA,2227
+torch/include/ATen/ops/as_strided_scatter.h,sha256=Ha43L-QxMfyEcVDHmd8u9qaQYDJ9sYm9wQrbeJA4U2w,6461
+torch/include/ATen/ops/as_strided_scatter_compositeexplicitautograd_dispatch.h,sha256=Vp7iL-jdE3ePiphziJzrAVSR6Eg2vQ2gWGtgEfYRLb4,1584
+torch/include/ATen/ops/as_strided_scatter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=-rIFcMBQllSXfR-O2MP4Qp4Eyyi5w8UcArcEo6QqtKU,1139
+torch/include/ATen/ops/as_strided_scatter_native.h,sha256=t9I6c7iYp_BSy3p3UirZ2MDND5fF-XjVKhhw34oy3Mo,864
+torch/include/ATen/ops/as_strided_scatter_ops.h,sha256=cvH3wLR2ZpxdzMWvZlThTTzMgWp4ZSjWy1AP88ogkDM,2484
+torch/include/ATen/ops/asin.h,sha256=8ONXMaz32EZXKOTGdpB-fGcPXVrahyjZz1-pasEx1B0,1131
+torch/include/ATen/ops/asin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rQHAdGl_lnlZVEffdFCs2AaXlBmpzAb5wzfcIbds5I8,837
+torch/include/ATen/ops/asin_cpu_dispatch.h,sha256=OuHL9pTRifagYOu7g6iUfFQMJreoJodOWdFbgPVcJbk,920
+torch/include/ATen/ops/asin_cuda_dispatch.h,sha256=qVhBQh2CBSfrBUdf9zFKS-KGDXK26Sl1QIcnh1609z0,922
+torch/include/ATen/ops/asin_meta.h,sha256=GRXe2VNCu3KRMuloF_wDzFmvWF-1lSu0hzDgMHYRSsM,584
+torch/include/ATen/ops/asin_meta_dispatch.h,sha256=TBZ94Bnz43jcXA7HeDKlOcQsRZMPkHMCIFfL3j3dNRo,922
+torch/include/ATen/ops/asin_native.h,sha256=K_K9H74BbxF_Qn0VNxbOOPKr5rRBibe9MP7B3XYAiSs,1009
+torch/include/ATen/ops/asin_ops.h,sha256=0Jtnf_pn6Q7BfJ-IwT64m7F17ciYPVL_MS07Kj73HRQ,2104
+torch/include/ATen/ops/asinh.h,sha256=sXha91JMQNclGr_fY4jVep9jiaB2VSiZmlMpANMok1o,1144
+torch/include/ATen/ops/asinh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XWUBJVXWCOR1SGb3SMCsbBtGfphnS7peYo66N9DqMNQ,839
+torch/include/ATen/ops/asinh_cpu_dispatch.h,sha256=vaPhg0Yu4RhDrwXY9uMyvJW6cXCSsEN-Axudj9Z5Gx0,924
+torch/include/ATen/ops/asinh_cuda_dispatch.h,sha256=HhALrALFbQq2j0EFNZin2Gy0ofneP_RMuHZn2uWTjQ0,926
+torch/include/ATen/ops/asinh_meta.h,sha256=MpO7WhZmrrjNX4EZEVs2_ozt11mSeytvDH7yVTSppTI,585
+torch/include/ATen/ops/asinh_meta_dispatch.h,sha256=ruiNpAsP9VM-FNYJnMUtSNrT6I5Sif_czWTS0GpSMLA,926
+torch/include/ATen/ops/asinh_native.h,sha256=lqI_XtKQ-5rmd_p1kRj7Dm1lWti3xoShS27fClY7z6Q,1018
+torch/include/ATen/ops/asinh_ops.h,sha256=1TGQXVsHDV_WAJCq4TsRH79uDgdbIR3dJlLBBcRCAr4,2113
+torch/include/ATen/ops/atan.h,sha256=jEwBbE72H_Owpw0nejwRdipfFkLrz12dTLW7WbQyqxI,1131
+torch/include/ATen/ops/atan2.h,sha256=lR2icqAxi8F9Mr84iN_nbumFjKAzbVWMQL00o6WhEjk,1146
+torch/include/ATen/ops/atan2_compositeexplicitautogradnonfunctional_dispatch.h,sha256=YqjnXLlGksLr4zjEjpY71TGCLDd_j8c6wekt-xoRi8g,891
+torch/include/ATen/ops/atan2_cpu_dispatch.h,sha256=zMYn6YJFoYVrRH1gECfH-7d8fQIy0pnPRyom2Fx6CT0,1028
+torch/include/ATen/ops/atan2_cuda_dispatch.h,sha256=xTWeq4ixt7FJW7kqKHfBxGm2B30LWHz3Me9ibvIuuv4,1030
+torch/include/ATen/ops/atan2_meta.h,sha256=MuBBlxVqP6e-uEhSW4xf-C8QyxhRkMT5ux5gE_JW6Eo,611
+torch/include/ATen/ops/atan2_meta_dispatch.h,sha256=0FeW_H7IsRfktHWg5g928-SR-M3tSnUhxwRBTwDVQRs,1030
+torch/include/ATen/ops/atan2_native.h,sha256=yYL1F7rygVuSSJmndffxs_xLFF19DQAvi_3OXwuMgaI,630
+torch/include/ATen/ops/atan2_ops.h,sha256=oPgNhC4iDShrIVTxeQsF3Ite2xfq7X8uZ5_VEk56hnU,2371
+torch/include/ATen/ops/atan_compositeexplicitautogradnonfunctional_dispatch.h,sha256=gOueKxq4BYkz195quAbAgPb9RC-j40NJoguAcxD7Qv8,837
+torch/include/ATen/ops/atan_cpu_dispatch.h,sha256=RsD0iE3lk2CMWuWAqHSt9ms0l_vLIWDmG3ZacMPf5Qg,920
+torch/include/ATen/ops/atan_cuda_dispatch.h,sha256=-0BMCkdLIhuV69cmGYNL6geP-n2cgn8CBR2IruVHQ5A,922
+torch/include/ATen/ops/atan_meta.h,sha256=88tLgAJ5J_HnqZzyM15uTCOKDUE7LKxRdI74v1bh10M,584
+torch/include/ATen/ops/atan_meta_dispatch.h,sha256=e3sGwmIE1cTJ2t9XlEKXzh7X_unwMwc44R9bXUn5lNM,922
+torch/include/ATen/ops/atan_native.h,sha256=KvokGFMKxha8JApZWmB1n5a9cq0ADNLF5hPeOYg57rU,1009
+torch/include/ATen/ops/atan_ops.h,sha256=oy_zB32bOoengD4QcXNcksPDGm38xwhduenSGkJqet0,2104
+torch/include/ATen/ops/atanh.h,sha256=QXR6X55rBZ4ZeBWdevuuT0obX-OSku7JPr2u78IjsYE,1144
+torch/include/ATen/ops/atanh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Oo-i9SdkZbDJgWn5INR4ery80-el6-uZBItpmm_GU5I,839
+torch/include/ATen/ops/atanh_cpu_dispatch.h,sha256=DkPSF_j83bb_UQOtoNwRdKH8v0Z3a-IxFY2ryYlYS4o,924
+torch/include/ATen/ops/atanh_cuda_dispatch.h,sha256=0pjqsnPEi1m2644blhUV3ATJD-Z5Ok2lrLTzlCodzF4,926
+torch/include/ATen/ops/atanh_meta.h,sha256=y6mCbeBlntzffvILKQJIb96p4cwA2F9N6HKwGo_XQFA,585
+torch/include/ATen/ops/atanh_meta_dispatch.h,sha256=ie0GfrrAcdXNSxSKl9isvfgjqa9ezsWqoaA4wZkp670,926
+torch/include/ATen/ops/atanh_native.h,sha256=q8UyNsh142pXJiVYCKWs1F9X6RKvIVPQ2GsPeK3KucA,1018
+torch/include/ATen/ops/atanh_ops.h,sha256=_7X3D0VSyw_jU08ktUwx5SfzNqN6zyNC0zYEr41X8z4,2113
+torch/include/ATen/ops/atleast_1d.h,sha256=5Y1eg8Ub_Vpq0K2CV5HNnSghToCQoFH_j1bZ6fytFKU,830
+torch/include/ATen/ops/atleast_1d_compositeimplicitautograd_dispatch.h,sha256=sabjmZ2Q4zW5Ki65GKr0Q5Jx9i5cug-_a4u6EFccaZo,840
+torch/include/ATen/ops/atleast_1d_native.h,sha256=wJRd7nPCXUkBY4TkkXkROXyksiUThteTI3DPMt-mC_E,563
+torch/include/ATen/ops/atleast_1d_ops.h,sha256=58ALb0rasaRybi3xUXE3mIJgG7UBbT3JbUe9nu3ntbc,1596
+torch/include/ATen/ops/atleast_2d.h,sha256=TZqmYODzByzFbOT0Dlw0gLTSqRWsiiWpYyhC2ITlptM,830
+torch/include/ATen/ops/atleast_2d_compositeimplicitautograd_dispatch.h,sha256=Es7bwCTh6K1Hrc1ObtFm19xqK0SEAkdGyBhAeZgdWk8,840
+torch/include/ATen/ops/atleast_2d_native.h,sha256=bGLCAcHQ31advYNBb7jcQFBexuc1oCpRg0gttohdRrE,563
+torch/include/ATen/ops/atleast_2d_ops.h,sha256=yv6WRKaUiFmV2Yk2JFgTrnyFqDS1LQcs-5xehaGKYuA,1596
+torch/include/ATen/ops/atleast_3d.h,sha256=CEhKzESP0GEJOS56eSs3P85tSVvEuFgoWhrsniw3u4U,830
+torch/include/ATen/ops/atleast_3d_compositeimplicitautograd_dispatch.h,sha256=SRXx--ZpMZn0FFTDEadUZ8qWG492up2Wf4YY4duHnYg,840
+torch/include/ATen/ops/atleast_3d_native.h,sha256=Rq_jJ_QxTzpbZ443eOJC2sCUqKB8JAbi9iRUwb2Pt-A,563
+torch/include/ATen/ops/atleast_3d_ops.h,sha256=9XG5HyLn-0rsZMA2fb7l8S4koTXjcK5rZSDApH_vjDQ,1596
+torch/include/ATen/ops/avg_pool1d.h,sha256=4cZBclWtNEBCRWIstXQuXaGZxuV17OKZQ4zAsIPunso,942
+torch/include/ATen/ops/avg_pool1d_compositeimplicitautograd_dispatch.h,sha256=NGtYaWPA-VLongy8-xut4L3di2ee0PApSxIjMyZp2wM,902
+torch/include/ATen/ops/avg_pool1d_native.h,sha256=Lqu0HNt2M6mMsNSfPXk4-HhTOXB10NTEkiejq94dBj8,625
+torch/include/ATen/ops/avg_pool1d_ops.h,sha256=m3VLF_jB5PbRHzrnwPJba_z7eMc855AWB15oEYkhXnM,1385
+torch/include/ATen/ops/avg_pool2d.h,sha256=HrnD3xBp_AuGvmRZY7bKnQtbd8mg9B9bPleqsKSGVMo,2239
+torch/include/ATen/ops/avg_pool2d_backward.h,sha256=0dVPscM7g5wWoJWiYM9vqwoqQvMm0gZsVO296qIp4Jk,2469
+torch/include/ATen/ops/avg_pool2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=-Z2q9NgVi6AGN-6ykCFgRRd9R_yW15VKrJrJNVzgRoQ,996
+torch/include/ATen/ops/avg_pool2d_backward_cpu_dispatch.h,sha256=srMr4tpU8ar8bunkx_JaP-V6BoAZ0X_6VXxGLA_c58s,1509
+torch/include/ATen/ops/avg_pool2d_backward_cuda_dispatch.h,sha256=53jzO9nw0TPsiBxaESCn-jUccPGcaQpjioBYR0pbNsA,1511
+torch/include/ATen/ops/avg_pool2d_backward_meta.h,sha256=f2boF5HdwVVIx2-MDvUU4QHa2MHVudjAk3HVVUkzxMw,792
+torch/include/ATen/ops/avg_pool2d_backward_meta_dispatch.h,sha256=gvz_7H-6aEa_D9wcfbDX_5OgaFi_rOqd83KwUeJLUeU,1511
+torch/include/ATen/ops/avg_pool2d_backward_native.h,sha256=2DOvgBZbj8M6jaIYNmcGxD9rJWg_dPWWsVJ1U7uVJ1o,1787
+torch/include/ATen/ops/avg_pool2d_backward_ops.h,sha256=NjnduYNt_joZk-MR7AScYiLQKvolk4Nuq_wDFii2iMo,2968
+torch/include/ATen/ops/avg_pool2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2BPsKlvsfeuTQcSj9bjCEiete-Vdwgz2Aw7LG7QvV90,986
+torch/include/ATen/ops/avg_pool2d_cpu_dispatch.h,sha256=473279q5SyVN7Ee5b8LyMDpCeSFhFm4c_LWzbPB0bHY,1434
+torch/include/ATen/ops/avg_pool2d_cuda_dispatch.h,sha256=7oPqxayY1wmj1aZV4ZJVKLjDs0VqaMPFM2hLzm7Beoc,1436
+torch/include/ATen/ops/avg_pool2d_meta.h,sha256=0RIHhfws5B5tTW-NFxUGSALi4Toe1W7SegY6VI1mymA,3573
+torch/include/ATen/ops/avg_pool2d_meta_dispatch.h,sha256=A6WxkH5qwNf3pKQ3xAj4ByFFLyj1gfw0DCWWre6UNPg,1436
+torch/include/ATen/ops/avg_pool2d_native.h,sha256=dP6sEAGUUdi4vxzJSoWrJhxvnhyPF-K3dckzSeQpt6E,1866
+torch/include/ATen/ops/avg_pool2d_ops.h,sha256=DMCpD7Dwy4uA6RQbjGAMm5nD7mKOHzu0JZW_1iUR_4M,2706
+torch/include/ATen/ops/avg_pool3d.h,sha256=jPtfFdn2JFBVoGTIrXOu7JJIM8XC0gCXPTXAlylW_6M,2239
+torch/include/ATen/ops/avg_pool3d_backward.h,sha256=Sbg-48LpNG91etg_NrtA4G9fsa8GZRs3jAX9JhlRh5U,2469
+torch/include/ATen/ops/avg_pool3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9821DfL0iyGKYszwkcd5DC97aeLtFKokjoKCNj86fM8,996
+torch/include/ATen/ops/avg_pool3d_backward_cpu_dispatch.h,sha256=AJG0cXUkJWlA9QA0fRP63Z6L4OQABbNjPukS-BXb0Y8,1509
+torch/include/ATen/ops/avg_pool3d_backward_cuda_dispatch.h,sha256=GVMcK9Z1OeM5MeLzLneaFMo8aVMzdcNZGPyEgfCsqEk,1511
+torch/include/ATen/ops/avg_pool3d_backward_meta.h,sha256=a6dPYWt3ERV8jfUCtuMm1BvmqGKwpkaxc27VG8UqS8I,792
+torch/include/ATen/ops/avg_pool3d_backward_meta_dispatch.h,sha256=7j1SkEMKz16zCXui-aYywIj8IjTLbh1xp4snTdZeqdc,1511
+torch/include/ATen/ops/avg_pool3d_backward_native.h,sha256=_9hEpKHi39qKzOOyfr5SmG2G6WM2D0HNZp99d4c5yX4,1787
+torch/include/ATen/ops/avg_pool3d_backward_ops.h,sha256=kUC3Jh1wKbmVB44YzooQVu4YEbORXa9BytjeHYQA0O4,2968
+torch/include/ATen/ops/avg_pool3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=aIJ27Nzi1zmgSNSf4Ocba8tUhdLazS-mF38o5qvCnPo,986
+torch/include/ATen/ops/avg_pool3d_cpu_dispatch.h,sha256=HYyEhPyWgkx107ibAYlP6-a3ymQYdK4jxrpeujL9YTU,1434
+torch/include/ATen/ops/avg_pool3d_cuda_dispatch.h,sha256=ETMQHjmsJK8AUOfEbaGIxciVeAnCOCnGtX3QTuPJQqw,1436
+torch/include/ATen/ops/avg_pool3d_meta.h,sha256=rnxxygGOHfB7wOV4MmL26BImTd2BcVaNdsxBbt-YuR4,751
+torch/include/ATen/ops/avg_pool3d_meta_dispatch.h,sha256=ikgqq3uW618qZsWqV-GNh6SGUfBRiT52ETDbOn6T5lE,1436
+torch/include/ATen/ops/avg_pool3d_native.h,sha256=AD2X__jaAZxFkBJocpBj3LTiVvs1iwqNI8eWFYL4f5U,1870
+torch/include/ATen/ops/avg_pool3d_ops.h,sha256=XpASooI-d8t5ho2vFpxQJLyENP_08auKFo_yCOLidvw,2706
+torch/include/ATen/ops/baddbmm.h,sha256=mYItcuxuRST-io2SE2eZKOy80aGmi6uFTshF_ouLgSQ,1621
+torch/include/ATen/ops/baddbmm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=8Ofyo5U9fpQA2tb4KRJai0j1Sk0D6ilq5kJ0WnWFptI,1061
+torch/include/ATen/ops/baddbmm_cpu_dispatch.h,sha256=9bF7yR6FY-nWl9qxwu6Az1oPbYpqql3ULwyMmpoSsDM,1364
+torch/include/ATen/ops/baddbmm_cuda_dispatch.h,sha256=JOgoWdK9GwbRal6wS-omqqnR9Z05CihOLekwAnC5wi4,1366
+torch/include/ATen/ops/baddbmm_meta.h,sha256=D7B3j9II4JTyOOAbGXlBdvAWCCy4_wSTv9sOU02EipQ,692
+torch/include/ATen/ops/baddbmm_meta_dispatch.h,sha256=ssHIzyYP0Iywmv5IUACn6bnK5wNfBZUIZuYBCquGTLU,1366
+torch/include/ATen/ops/baddbmm_native.h,sha256=oCeklPKm6GEK0wapqF82RtyU6t2muxKC2uDDQrIOLWk,1172
+torch/include/ATen/ops/baddbmm_ops.h,sha256=p5wuL6dyjIRTd7JhOX4J9PDLyj4oV0PodhUo4Vr71tM,3190
+torch/include/ATen/ops/bartlett_window.h,sha256=nhvHvF8NH3dlUxYY3Wdq4imWzvzEGFbGrmsIE_kJw2I,3405
+torch/include/ATen/ops/bartlett_window_compositeexplicitautograd_dispatch.h,sha256=49zFEVy7zDDg7G1qI59iXdHn00stIdE_TA6hZmaIpGM,1706
+torch/include/ATen/ops/bartlett_window_native.h,sha256=4QCwrEDUW0NBCNMX4ajuKknNKam2A3RCCiRTfPpS7D8,1078
+torch/include/ATen/ops/bartlett_window_ops.h,sha256=1tLmQ1pmDGXTN3OJIMM6JNRokDBP8tKB-G7xNf9lmbI,3965
+torch/include/ATen/ops/batch_norm.h,sha256=PBA9D3YHZKn9yOYLXGVQPln3FT6z6B2-2LlZnAVWChs,1109
+torch/include/ATen/ops/batch_norm_backward.h,sha256=JoQ0sUA3ucbSW8oC_wTNsQoD9pgz7WdeRsn8D-PQoMU,1343
+torch/include/ATen/ops/batch_norm_backward_cpu_dispatch.h,sha256=WsmxSSG8yLLZni5A3nbVBLJ3o6Csk2OLZdKVg4K7v_s,1105
+torch/include/ATen/ops/batch_norm_backward_cuda_dispatch.h,sha256=7ez8hB7YTE0MfV3r2ggBzjnThYoHmaqhPgFXqDe2pOM,1107
+torch/include/ATen/ops/batch_norm_backward_elemt.h,sha256=m0MrwAukGbzBlMrKL0qbzSlwGnDC-oME3D5Bz4vWpM8,2345
+torch/include/ATen/ops/batch_norm_backward_elemt_compositeexplicitautograd_dispatch.h,sha256=L_xRh45pKLZhA-GjC6SgQQDCaVWUsx_vzCw1NPi4Gag,1325
+torch/include/ATen/ops/batch_norm_backward_elemt_cuda_dispatch.h,sha256=DPT9v9x0rCpESlKzBisCIncQfoT-Eq6SV3FNfj9vPc4,951
+torch/include/ATen/ops/batch_norm_backward_elemt_native.h,sha256=4vVu8Q6iNBY3bsQ7UrfzMYhA4Tr34rJ1jk-RrX60rZ4,1028
+torch/include/ATen/ops/batch_norm_backward_elemt_ops.h,sha256=lwwKU_nUB5qleX6F6xVUJ7qtVofeMqIbWUjhYyGLM74,3078
+torch/include/ATen/ops/batch_norm_backward_native.h,sha256=aM8luHXa1ydpS-5J6qIIAKfX6QnPMQqmKhMbxAjlAIg,1781
+torch/include/ATen/ops/batch_norm_backward_ops.h,sha256=yyMeyLyICFyiNUlPN8zxQEHxo4cjQU0VBwY_bgWsPlQ,2222
+torch/include/ATen/ops/batch_norm_backward_reduce.h,sha256=0ZjO4riWe-tvlhrjdNeVH1JWxB9nyae4KdSbosbsqHc,2724
+torch/include/ATen/ops/batch_norm_backward_reduce_compositeexplicitautograd_dispatch.h,sha256=_bW_4vY1LhlP5rSiWDoYSjGpE10w2qVg3HY9bAxy77o,1465
+torch/include/ATen/ops/batch_norm_backward_reduce_cuda_dispatch.h,sha256=JhyX2W3swXOYPA53gZQs1k8Yx9evOvzrinP3VBGTQTw,957
+torch/include/ATen/ops/batch_norm_backward_reduce_native.h,sha256=T6IZ9dcOLn0VeAm2eMniIvi5xq1CrqRfGz_noC0SpvU,1104
+torch/include/ATen/ops/batch_norm_backward_reduce_ops.h,sha256=3mWAQ5TryCoZ6WRhb5GUuxRqhTk3LVYPqJjztMcsMbk,3394
+torch/include/ATen/ops/batch_norm_compositeimplicitautograd_dispatch.h,sha256=kRgAkD30i6r6aAG-EJFKcUQzMPEwa0S9zlVFS0OtOqM,1018
+torch/include/ATen/ops/batch_norm_elemt.h,sha256=XKvyfBl8xr7qewQd8m7-Tq1OuWmCko3nmiPWJW9Br5k,1880
+torch/include/ATen/ops/batch_norm_elemt_cuda_dispatch.h,sha256=xWfe9fmG92oZkP5YzDbNXTUIid3gjKRHQx23QrE6O5Q,1362
+torch/include/ATen/ops/batch_norm_elemt_native.h,sha256=6N8Iiap0KOh31A5Fv64or4LHii3f5NVZqJVQlI0mFxs,897
+torch/include/ATen/ops/batch_norm_elemt_ops.h,sha256=v87sXQ7pA18jZLBKbCPmET8SpYXUkASmXdUbCUoA8Gw,2638
+torch/include/ATen/ops/batch_norm_gather_stats.h,sha256=B3rqUPjUL_LP-K-fbcTt-QhZrgI7br27qahjfXGGxUE,2502
+torch/include/ATen/ops/batch_norm_gather_stats_compositeexplicitautograd_dispatch.h,sha256=OXPEiLwwUgvd1clCY7uAR-YFEWfkPrkg7WKHLhK3vL8,1387
+torch/include/ATen/ops/batch_norm_gather_stats_cuda_dispatch.h,sha256=6N5vQeao7VpqFngSDUxWCew2xWmObLi3gyQLeMWf3Qs,960
+torch/include/ATen/ops/batch_norm_gather_stats_native.h,sha256=sChGzuV43rpH4IyYt1AbHAH6BiUmOdHItI3tzkcxQTw,1068
+torch/include/ATen/ops/batch_norm_gather_stats_ops.h,sha256=LBb7QX193pmL_Y4URuQC2NzdefKpN9SrSVKl9Hrxnos,3226
+torch/include/ATen/ops/batch_norm_gather_stats_with_counts.h,sha256=_h4p8kQ0ohCxpjzyzvzZ8xZUAT6gR-vNib7QwCoQVm0,2673
+torch/include/ATen/ops/batch_norm_gather_stats_with_counts_compositeexplicitautograd_dispatch.h,sha256=Fs464tXO4xaBOkDWGxGzl5w_6v1yZ2iyD8EONzqXmcE,1435
+torch/include/ATen/ops/batch_norm_gather_stats_with_counts_cuda_dispatch.h,sha256=XIMliA_MdBm-HNjybKdlbbCc44T6N7JpyQHD9rlLRb4,984
+torch/include/ATen/ops/batch_norm_gather_stats_with_counts_native.h,sha256=w9y7ak9NQAxg2q3UDfRS5MgbValWv3ccwUxG0FCH338,1116
+torch/include/ATen/ops/batch_norm_gather_stats_with_counts_ops.h,sha256=PFxV8rYuDqOAsykdsnb0qIg0xRuiF0q_sBhCA0yck_M,3376
+torch/include/ATen/ops/batch_norm_native.h,sha256=BtfN3b5vJ12OwUkhbhk73lSHxXAfpfoj0REbxU597wg,741
+torch/include/ATen/ops/batch_norm_ops.h,sha256=TkcDBzFnl_4WEU3oQnZypizBpmdKsMpr-OpxpdtWvns,1791
+torch/include/ATen/ops/batch_norm_stats.h,sha256=eXOOAp6MvpNSRjI2R_qYaGo2VyRia3JZFiIMAC9nz1o,1415
+torch/include/ATen/ops/batch_norm_stats_compositeexplicitautograd_dispatch.h,sha256=ZAPOV0qBmd-GZ87oVVTWdPecx6jR9YeA_z1gDsbwtTo,1007
+torch/include/ATen/ops/batch_norm_stats_cuda_dispatch.h,sha256=HOpegR8AfirwAstSrTCTvVDqyNrGWWNDY54bLXZOhYQ,770
+torch/include/ATen/ops/batch_norm_stats_native.h,sha256=iD5HOO3IGPNuhrJG94G6jMtudA8DcELgaXRvTURkLFw,688
+torch/include/ATen/ops/batch_norm_stats_ops.h,sha256=freO-jdCYv4k0MRr3Z1QDyUDFQ-Y4_68lg-RG1JyvJQ,1994
+torch/include/ATen/ops/batch_norm_update_stats.h,sha256=_Kh--bmDiqaM_Rtm9B8X8PSusKfMABmlAv7tVohqHoE,2037
+torch/include/ATen/ops/batch_norm_update_stats_compositeexplicitautograd_dispatch.h,sha256=TJVOKHnbsn1r1p2Y1TeXd0wNxJYYvVxuI7nr3bSG9Vg,1229
+torch/include/ATen/ops/batch_norm_update_stats_cpu_dispatch.h,sha256=IxSC7ZcJMUz-j6Y1kWigZGFvjGVLsJ9rDy-P2q4HI0A,879
+torch/include/ATen/ops/batch_norm_update_stats_cuda_dispatch.h,sha256=YBfHVDxsD8q6qubi7KW7ho_CfELFydIsdOePN9eyW08,881
+torch/include/ATen/ops/batch_norm_update_stats_native.h,sha256=LWQG3mU-WcXNQ8QdueMYQPkrmKjUL7wzRx4bd_UQkl8,1127
+torch/include/ATen/ops/batch_norm_update_stats_ops.h,sha256=aoUD0aL2E2ucYNgg1am4rtiHq3qR5lUXcqzzPSqOzc0,2696
+torch/include/ATen/ops/bernoulli.h,sha256=eOKdZCxBLxtHPM5VMPxJUr_u3Xg6w2TGTMVmD0XIAQQ,3221
+torch/include/ATen/ops/bernoulli_compositeexplicitautograd_dispatch.h,sha256=j0NvIHxYeV4KjWOQMbvLc5a7z0p6VU4OL_JPEtnKVdM,1552
+torch/include/ATen/ops/bernoulli_compositeexplicitautogradnonfunctional_dispatch.h,sha256=VXTfBIDDWfhGDAnlPib8v-mSfUSsYuMZGV8ugOXwi9I,860
+torch/include/ATen/ops/bernoulli_cpu_dispatch.h,sha256=GjPMEcU9PNF6ouR0HdWqiDOSWniObN4VWSjIhTrVQ0o,1186
+torch/include/ATen/ops/bernoulli_cuda_dispatch.h,sha256=Qly2J3dg1T2OE1DzSrzJGhEMKv5scwVL_vzh-6mM-tY,1188
+torch/include/ATen/ops/bernoulli_meta_dispatch.h,sha256=xH3DQ9eyiBbUmuBJOOnskDhi8vl-aUqLqqsS3CIuN18,926
+torch/include/ATen/ops/bernoulli_native.h,sha256=fxKEJ5O2ZGi62AwGI5eMECZ7fgybtHB7K4VLCK99EhY,1479
+torch/include/ATen/ops/bernoulli_ops.h,sha256=g_ugB95-IeUQELeZQeYGL2SCR9RFxGxgM5lUWabXqww,6639
+torch/include/ATen/ops/bilinear.h,sha256=7sbS1s37wHbnRrdyhhVUbdKHjPQnMH_nwWsBMojVFzM,809
+torch/include/ATen/ops/bilinear_compositeimplicitautograd_dispatch.h,sha256=HxUNiGaH-14s8_XWwZTnYKgfWbO_YVvJ9cQQuB4UM50,867
+torch/include/ATen/ops/bilinear_native.h,sha256=oMr75RrJkwn32VrDrT-o3I8EBpTkQzggLzEaMvLriR8,590
+torch/include/ATen/ops/bilinear_ops.h,sha256=OZucn9NXyEcfNxuUnCuG41de8O2no1Qf0o1uyz9eltQ,1297
+torch/include/ATen/ops/binary_cross_entropy.h,sha256=xx_K23HyZVz6CDdkwz8ZgSKurG1TX8ZpcfFH_ud87yk,1720
+torch/include/ATen/ops/binary_cross_entropy_backward.h,sha256=Mj3MZcF00NbHndp47DQMGySp1CIC_7Z1gVmYvqcztOI,2075
+torch/include/ATen/ops/binary_cross_entropy_backward_cpu_dispatch.h,sha256=uVfJnBuINHvmcXds_-zxZbVAjKO-CO-OuwK5vquDDfc,1372
+torch/include/ATen/ops/binary_cross_entropy_backward_cuda_dispatch.h,sha256=Sl_UHuyC0NLXdOph14CyotpfmcEgIfc9oFQDwxwA8a8,1374
+torch/include/ATen/ops/binary_cross_entropy_backward_native.h,sha256=4NPmSyALthXPQ92SHW5nYTHnBElqo_RO-hyyTdo0Ta8,1355
+torch/include/ATen/ops/binary_cross_entropy_backward_ops.h,sha256=S8lZ7FQYzrCNmrorhh7ErpdieFpsUlBV0mV9H9JScWY,2582
+torch/include/ATen/ops/binary_cross_entropy_cpu_dispatch.h,sha256=B9U_i7dGjF8l4QpK-wUQyV_1Vbx7qOKZhfk5Pi-a6o8,1235
+torch/include/ATen/ops/binary_cross_entropy_cuda_dispatch.h,sha256=rc-f3TUSgE7qm7ZWzRREQemX47jrpg5gs3FfS8LlNFM,1237
+torch/include/ATen/ops/binary_cross_entropy_native.h,sha256=UozGsVTsiHagVMDJND9kI6p3DYnIK35jqFQFaxw4ytU,1177
+torch/include/ATen/ops/binary_cross_entropy_ops.h,sha256=4y0E90xnhgL91L-Q963D3vCPGaHfZeGxMyOeEuGzajs,2278
+torch/include/ATen/ops/binary_cross_entropy_with_logits.h,sha256=FDpTjNLU6B_I9M_eL8oG4P6ZKV_UsqoMdHDl-bh3hxk,2101
+torch/include/ATen/ops/binary_cross_entropy_with_logits_compositeexplicitautograd_dispatch.h,sha256=Vd_g6jTY4rye-gFq_e8T7V7zRuTcVVnIkCWuIsQbvK8,1465
+torch/include/ATen/ops/binary_cross_entropy_with_logits_native.h,sha256=mEAPJJSa1UrCGJ_FiDp1LOtaZeOBWDcj8vX0yn4tlM4,919
+torch/include/ATen/ops/binary_cross_entropy_with_logits_ops.h,sha256=0F-2dr0is5Y0VmUpkH0VIpVZR0gIX6HsLpUGJRdkVbw,2666
+torch/include/ATen/ops/bincount.h,sha256=JYxiW-QpHrZ7mL3H6E3RiCKqEfsgKATZXtBzlCjIP3w,1414
+torch/include/ATen/ops/bincount_compositeexplicitautograd_dispatch.h,sha256=sRXI4NoAVpCSbRpSMvChhdDwt1SwZvIMPCHAreQV-wI,1004
+torch/include/ATen/ops/bincount_cpu_dispatch.h,sha256=Z-NpYZzxqGtI7bANxf-pbD5W5_gmTE9ntjZCnRV1ek0,791
+torch/include/ATen/ops/bincount_cuda_dispatch.h,sha256=tCF-foKIdajo_rH3Ip-b07xgKeZe6RYQrJTP5IB72BY,793
+torch/include/ATen/ops/bincount_native.h,sha256=KQPSNeDwJEO3mpuk40I9__7_4TXINmSPpbyaoCtVEjI,838
+torch/include/ATen/ops/bincount_ops.h,sha256=6x-7vjBRGncdS8OV-izVVCRHaLNSfdrXPM9XA1lG9zw,2028
+torch/include/ATen/ops/binomial.h,sha256=M0S_L9fUb9-om756Nfjw0R9DhkaKhr1P1NKZ3Oex5Fs,1446
+torch/include/ATen/ops/binomial_compositeexplicitautograd_dispatch.h,sha256=5yLUwmjkLjrord49nWVRCQJf6HpPWQm5t5xZI1TBX_o,1022
+torch/include/ATen/ops/binomial_cpu_dispatch.h,sha256=7PmfKrnPNNjNH71M0dNn16L_rjjH-vigjRwLUEr-LCY,805
+torch/include/ATen/ops/binomial_cuda_dispatch.h,sha256=6ZLvp5CuFYedrJBWhkyh1IS0dTQC839u-h5Y9SINDMY,807
+torch/include/ATen/ops/binomial_native.h,sha256=pX2DF7YBWXC0IWWmWZjQh5Rw7QiiTmQoevny8qlHWDs,874
+torch/include/ATen/ops/binomial_ops.h,sha256=yQiQt1qdWC9VIaVkFWlHm2AS95G4abEVpyQ0dixjug0,2060
+torch/include/ATen/ops/bitwise_and.h,sha256=_FUh-JXy1Ux6H_mXdGIK5QnGKEohrKTiNBVW4NlKGzE,2796
+torch/include/ATen/ops/bitwise_and_compositeexplicitautograd_dispatch.h,sha256=8ZaI1H4eg5D_cXL24Bvi7jGQsDcbD5HbSUGog8qBGGU,1400
+torch/include/ATen/ops/bitwise_and_compositeexplicitautogradnonfunctional_dispatch.h,sha256=MJzsMWYVZHkb_5VyR6QjOujDYNDjFMvxA5bGR1eFi1I,903
+torch/include/ATen/ops/bitwise_and_cpu_dispatch.h,sha256=EKMSRJXrsv5kBpkeX3vZpLL7nOd_PhpHorM0coVr9QU,1052
+torch/include/ATen/ops/bitwise_and_cuda_dispatch.h,sha256=kj_kV0ws2q8v7fkOcnn5rNuai5j45Zxc0yiA634Ed4s,1054
+torch/include/ATen/ops/bitwise_and_meta.h,sha256=io9ZroX-MxW0agaSeyfTJ3_uUOyqkXSDYs5xmFpnhy8,624
+torch/include/ATen/ops/bitwise_and_meta_dispatch.h,sha256=Wao3v2z8ZnVqJdDL2fM5AioaxK2PQz-U8U3gxwC-6OA,1054
+torch/include/ATen/ops/bitwise_and_native.h,sha256=V5rCcRdjXXW50kwbhBewro6ozyqyhcYN4lgPt0D8TMU,1139
+torch/include/ATen/ops/bitwise_and_ops.h,sha256=BmmlioF68yYciK1hFJGuMqVccI77tcO2lOLtuEWFlyk,5979
+torch/include/ATen/ops/bitwise_left_shift.h,sha256=ugjGQYfqIVK02lSdoYHPUMXd_dZLloZOmnJxXYteTV0,3034
+torch/include/ATen/ops/bitwise_left_shift_compositeexplicitautograd_dispatch.h,sha256=AdNDWeu-6klGNM-OwdXdXixTJpsmOEpx-KERmCnp-64,1449
+torch/include/ATen/ops/bitwise_left_shift_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xznL0Pf7UHLXibz6MhFFPfZTgxTqrueSt7SRfKgcAjE,917
+torch/include/ATen/ops/bitwise_left_shift_cpu_dispatch.h,sha256=Td4Rxgw-afqnp_BWY9OaUuaUFJ27Z-kSI-zTPvyHYNo,1080
+torch/include/ATen/ops/bitwise_left_shift_cuda_dispatch.h,sha256=-h5zYJVAPvIZN37TVh_ldkAjsqoQpKYEvjOLLLAjYj8,1082
+torch/include/ATen/ops/bitwise_left_shift_meta.h,sha256=h6Fx5jd0DS1gPQPbQm3ntmqtc9cMlk3VTSm5Hbccq-c,631
+torch/include/ATen/ops/bitwise_left_shift_meta_dispatch.h,sha256=eb5xFg84HRrRHn1ubU7lzu2AtnmSndxOlo3lFpOeRTw,1082
+torch/include/ATen/ops/bitwise_left_shift_native.h,sha256=vQOzM-UqhVPvMtDDgLveRVkCDQwqsunQ6ysdXucf7MY,1195
+torch/include/ATen/ops/bitwise_left_shift_ops.h,sha256=hkzyTGjLVduBjtavm6_17ZMRoq71nMcEtME7swaCIvw,6210
+torch/include/ATen/ops/bitwise_not.h,sha256=NqI4CD5P6Fe_fNVxiA-gMOVWKiyRqXQ6IW9g3zFrGio,1065
+torch/include/ATen/ops/bitwise_not_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dfVbUdqzflc6_VEoePRAtcu8wYq47L8kN_ceko_WtsI,851
+torch/include/ATen/ops/bitwise_not_cpu_dispatch.h,sha256=X1haEgPEEWAhmDS8eI1eFu26hgsW81IEdCd88L9DVKU,948
+torch/include/ATen/ops/bitwise_not_cuda_dispatch.h,sha256=2OSMuXUSuYRNZrIMTmCcISa-jw6xGvwRo9C7IC0652w,950
+torch/include/ATen/ops/bitwise_not_meta.h,sha256=xozA2um9u3OpuzSwshAlMCIklldTLXK0rIKwIZlcc3Y,591
+torch/include/ATen/ops/bitwise_not_meta_dispatch.h,sha256=zmQxz6rREY57rwObV5jcWvwixD3sVMKyW3VFUDSaN8Y,950
+torch/include/ATen/ops/bitwise_not_native.h,sha256=Aegjgh1rLebwMK49kHDG-avQC5HdoE1zWMncRCGX6iA,622
+torch/include/ATen/ops/bitwise_not_ops.h,sha256=ytleaNcIwLgLWLGrRSLMIEgW-CDzZ-I31gct5MGdtp8,2167
+torch/include/ATen/ops/bitwise_or.h,sha256=bwutPfrjbOrpn6L5teHvp1JDgbORQSifNj9GkWZ4EbM,2768
+torch/include/ATen/ops/bitwise_or_compositeexplicitautograd_dispatch.h,sha256=JKEgJ0whAcAMbO8NtAt46GUbI-UyQiXVAqHDOIFyxz8,1393
+torch/include/ATen/ops/bitwise_or_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Z1JKmNLgp7K5WmPpXI-oJKMrFrTGHLIogCIZH8m5Al4,901
+torch/include/ATen/ops/bitwise_or_cpu_dispatch.h,sha256=aNXdW5P3YMnd-YnGKwlcz6_jzyRxfVdno8JHOF0B6mk,1048
+torch/include/ATen/ops/bitwise_or_cuda_dispatch.h,sha256=QqkgltCyXXVfabHm7AUK7I6MCvynqL0jsgQ-ruX-nck,1050
+torch/include/ATen/ops/bitwise_or_meta.h,sha256=1KVIJAf2ChXEj6Zv6H5EwmI1GykIgq8qvH8HzhKUeMg,623
+torch/include/ATen/ops/bitwise_or_meta_dispatch.h,sha256=n4UN3njmnUIPZrAvOcob-GKThUtUpouN20gaPZvMunQ,1050
+torch/include/ATen/ops/bitwise_or_native.h,sha256=OHhp27C_hisUO_xM7qCmAP-OW9_OFWHrZJZ-wVmKIkA,1131
+torch/include/ATen/ops/bitwise_or_ops.h,sha256=6HUyKGYr602tD2WkTZI0OKJ03nmjUBoGb_d30PIkp2E,5955
+torch/include/ATen/ops/bitwise_right_shift.h,sha256=WZL7IWwZxkwT91kBLgs12e-iQH1xvTWugkJmptemgTA,3062
+torch/include/ATen/ops/bitwise_right_shift_compositeexplicitautograd_dispatch.h,sha256=Oeyu_Q4mUOeLpeJ6hLvmvW021M-XSTNwbOXTAhQrsgQ,1456
+torch/include/ATen/ops/bitwise_right_shift_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ZLB1Q67deHOZ5bUJYfyETrdQdj21ElCllB4XTdTXkaQ,919
+torch/include/ATen/ops/bitwise_right_shift_cpu_dispatch.h,sha256=98hmqzwBwCeybollq59L1pkfYnPsYJLDEsmVD9ZNPN8,1084
+torch/include/ATen/ops/bitwise_right_shift_cuda_dispatch.h,sha256=3OCzn7HkXoXiXzX8CjCC10oOf4yYqeR74vVFSOHrTJ8,1086
+torch/include/ATen/ops/bitwise_right_shift_meta.h,sha256=zPmfcKx58L1wdBvzkCwdoyZcTu4f6IzdaaA8Sw9q1OA,632
+torch/include/ATen/ops/bitwise_right_shift_meta_dispatch.h,sha256=SMycmub9tn68MQc92iVR0w1BGeldVvAj1wh9V2IuzLY,1086
+torch/include/ATen/ops/bitwise_right_shift_native.h,sha256=Ynzm39qglxrm5BRgo_qSVqnetYDLWL9DE_FDDIKFPGs,1203
+torch/include/ATen/ops/bitwise_right_shift_ops.h,sha256=edmQcHytzGX40reKv5SCX4DDmZzKsAHrprPFXqCbQVg,6234
+torch/include/ATen/ops/bitwise_xor.h,sha256=SpTypmAnaB8yNqBRKkD-G0DpyKgRTAnOJ7Fp6fcp8Ik,2796
+torch/include/ATen/ops/bitwise_xor_compositeexplicitautograd_dispatch.h,sha256=cXHAagz2ZgByCJMCtRiQDqol_MQNDNTnzRifpF6ijfk,1400
+torch/include/ATen/ops/bitwise_xor_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rMofNG8-fc5ojqPyq3YW7EeHRF6qcjAHg-xyO-Z86hw,903
+torch/include/ATen/ops/bitwise_xor_cpu_dispatch.h,sha256=k_hDQhYCc6IQJKGHHZ7W8Z8_Isz7y28HJrNgXjFxLbw,1052
+torch/include/ATen/ops/bitwise_xor_cuda_dispatch.h,sha256=SZV093s2DccxtNOVrKT3ekL-Vz4iiXogTrUIZaCvN-c,1054
+torch/include/ATen/ops/bitwise_xor_meta.h,sha256=hYvN2b4JUdhHc_g6jFU2RRhR_XnjAAMme8F7_ZPpdek,624
+torch/include/ATen/ops/bitwise_xor_meta_dispatch.h,sha256=7-USEQJJdk4qFc-jZEQAoisApIlk7O9s7L6Db5Tau8Y,1054
+torch/include/ATen/ops/bitwise_xor_native.h,sha256=AZMx0BZsPzG-bZ9XN8WkoZPzkHafEDHg-CM6xwQ5eW4,1139
+torch/include/ATen/ops/bitwise_xor_ops.h,sha256=d4n-37PghtUXE5VbG9OKgCpbkwQyPVv_zLX-tGp7DHc,5979
+torch/include/ATen/ops/blackman_window.h,sha256=7ERdLtUH3ZdjOb0UdySFyZVnc844Yl73x6HmJA5eZYQ,3405
+torch/include/ATen/ops/blackman_window_compositeexplicitautograd_dispatch.h,sha256=oSGfCTqu-iwfvrQYV1zFcmcF53-IFUg_qc_YBqk8B5I,1706
+torch/include/ATen/ops/blackman_window_native.h,sha256=ry5I36yLG-Ozvm8m0UYP3pZ841UOXq6yD5L9lvIx8P4,1078
+torch/include/ATen/ops/blackman_window_ops.h,sha256=AahMdtFHcZon5_RnRZ0hgU6_dF69CHf7pHNp34Dr3tU,3965
+torch/include/ATen/ops/block_diag.h,sha256=E1gUutESogZomlWX4me92MRfu8ac9s-4oGhgGGHi5Bc,1076
+torch/include/ATen/ops/block_diag_compositeexplicitautograd_dispatch.h,sha256=-LBKvYSKIsSqmw7cYB_Io13cOf82V2S1pV9EZik8Us4,930
+torch/include/ATen/ops/block_diag_native.h,sha256=UBnUOISd1Avg2JdjbH3uhp0ULVLpji1LFTg-140GzUE,571
+torch/include/ATen/ops/block_diag_ops.h,sha256=l4JLjof1d39O-oUEMySJRmvBSj3TJtQr036qz3U-JIY,1612
+torch/include/ATen/ops/bmm.h,sha256=IjrgXxSCL5piSW2nTWzimkkehyKdsF_Psoj2RmpRP58,1117
+torch/include/ATen/ops/bmm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=lkPn0Te0SbAOYDsmtNCHddxe9ROOx6MJVuXdKj-PxP8,812
+torch/include/ATen/ops/bmm_cpu_dispatch.h,sha256=Tk5v-4kJbuVK7VkvuF8DGjJ7Fx6GncR276JJqANcUdw,943
+torch/include/ATen/ops/bmm_cuda_dispatch.h,sha256=VkOtk3avLtOl0jva4BcubsGfuzJdaNYmYekAUPTPEY8,945
+torch/include/ATen/ops/bmm_meta.h,sha256=iJ3c4HQIOO6JM8qv7ztrBLYj3SrdJaSuuUxavC1sbak,608
+torch/include/ATen/ops/bmm_meta_dispatch.h,sha256=a7XP4cS94lJOIKLhwdGa54UN5gcH5FhLZ7LeLfVGnLU,945
+torch/include/ATen/ops/bmm_native.h,sha256=oqnd5DEPyBdcbPxqVEBgxzAcmTGecTFxk0u3tA7hoTQ,1477
+torch/include/ATen/ops/bmm_ops.h,sha256=saJsW5oNDUmOQUSi9xEWoDdyP0O16MiJEq4WIcdxfRg,1738
+torch/include/ATen/ops/broadcast_tensors.h,sha256=c3hCcZuuhiOzK-nz9gzKxqGB6t1-kutInvVYcPLnwmM,693
+torch/include/ATen/ops/broadcast_tensors_compositeimplicitautograd_dispatch.h,sha256=2EVZOKuLXaOqBtct3I5TPA5NsexwS7BsyNJYEX3Xmq8,789
+torch/include/ATen/ops/broadcast_tensors_native.h,sha256=6HD0eshbLXLkds5znbSBENcxp7ofgBTpvCS_T-BKgnA,512
+torch/include/ATen/ops/broadcast_tensors_ops.h,sha256=ehTAWOiBPdDKtWik0HirwiKJxlgk014HnCsSiqTlKks,1046
+torch/include/ATen/ops/broadcast_to.h,sha256=7c8C6a0_dV2BTkoPyVIFqGaWQZBh_4WlJbIFf9g8QUg,1449
+torch/include/ATen/ops/broadcast_to_compositeimplicitautograd_dispatch.h,sha256=rDQbKsedKW7I22IjBMmS2vBlpXzpyNCnuZDMYBETdIc,885
+torch/include/ATen/ops/broadcast_to_native.h,sha256=lY4b_1WfRzb1Z3O9QDISRyA7_dNm_12z3WOwaWAnUsY,526
+torch/include/ATen/ops/broadcast_to_ops.h,sha256=DsQhBtOk1s23x2qFzyKiFtKCcN57o3zzj49Gvil6_Mk,1079
+torch/include/ATen/ops/bucketize.h,sha256=1eAfCitKSZgRZsYV1XM4mixQWynh8bdoss59L31lfDc,2623
+torch/include/ATen/ops/bucketize_compositeexplicitautograd_dispatch.h,sha256=shWFqfYbLNpHzLp0RpXHq2GZmSdGEaRVWFZUCzhDh4w,1003
+torch/include/ATen/ops/bucketize_cpu_dispatch.h,sha256=EQG2QlwM8JXWINglJO6oNeBStDj7td5AilcSdw6JVmU,1215
+torch/include/ATen/ops/bucketize_cuda_dispatch.h,sha256=F2wgBJDfZGEJpJDliBI-LipB8cHdVYOIdnKwz5ThySs,1217
+torch/include/ATen/ops/bucketize_native.h,sha256=yyse2LQbBfjvXENypQINnXk90ZJed8FbBWE_CtUyFW8,1399
+torch/include/ATen/ops/bucketize_ops.h,sha256=FOYgQ7sprI6Ca_xHOX4G6jkts8Bb4tchvtzS0Cvh_eM,3706
+torch/include/ATen/ops/can_cast.h,sha256=y81trB8z1sUZ3rap_bonzmb5tVvd0IbX1hjfhRuZbqk,666
+torch/include/ATen/ops/can_cast_compositeimplicitautograd_dispatch.h,sha256=P-hoK6KYQUmv7L4eH2FOnCu2M2GFIi7a8HRgj9WR_20,776
+torch/include/ATen/ops/can_cast_native.h,sha256=Cw5d5ihTy2DVTw8k2oFF6mdxE2FxmAifcPBC89jlB9c,499
+torch/include/ATen/ops/can_cast_ops.h,sha256=F0tvXsoE8n022nCzjv1hAOsUG_78iYAIHvgsR3kBoiM,1017
+torch/include/ATen/ops/cartesian_prod.h,sha256=KD15pWOg6YNxgLiZN1JAfI_U1iL_y0wJgYdEndeY2aY,664
+torch/include/ATen/ops/cartesian_prod_compositeimplicitautograd_dispatch.h,sha256=dmymsj4ZqUPsOKgt_d4eaastHOR4f1xiXDui4nLIIlU,771
+torch/include/ATen/ops/cartesian_prod_native.h,sha256=z1p6HCfEISZiu3HmYXv3asVe_9aTV4KVsWLXtbpCuVo,494
+torch/include/ATen/ops/cartesian_prod_ops.h,sha256=LMWJEGAovV_6FIi8jlIrqeV3u3eMU9sdDPb32OKupeE,990
+torch/include/ATen/ops/cat.h,sha256=gKWX3V_peiG7f20XoNKvqRxWM4tH_eyRSzzgfjtfWfA,1793
+torch/include/ATen/ops/cat_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dRkwFq1hCtidrynksryEs8L442Z7RFwxTjywwk0rZUY,813
+torch/include/ATen/ops/cat_compositeimplicitautograd_dispatch.h,sha256=KxjO71AjyTb-EdyPDOUZTFEJp6fKFil6SUoNqWTdMkk,960
+torch/include/ATen/ops/cat_cpu_dispatch.h,sha256=_zpLE9puvNocjc75ELNUuJKbRyyZ0K2dYHFN-ks69P0,944
+torch/include/ATen/ops/cat_cuda_dispatch.h,sha256=9JBIkZv7H-4HETgykO21_GSencT12_zgC2YrBpfU60U,946
+torch/include/ATen/ops/cat_meta.h,sha256=4jgqbU1wzsZOQqq6mATZJCZBVPHdxuHhN2VwoLhBwZ8,4937
+torch/include/ATen/ops/cat_meta_dispatch.h,sha256=vAbAQK7lGBPpvvC7nGZ0XgqqecLedHQ_hkzB6SyWC0g,946
+torch/include/ATen/ops/cat_native.h,sha256=UDyUnarH7KPioQJaGISLfF-jQN3ED4QtWdI08Ekd1Kk,1562
+torch/include/ATen/ops/cat_ops.h,sha256=K7QjsdAt9yaqHsz7JgR5cNkiWmNvI5ztjlJwXmKY3Vk,3025
+torch/include/ATen/ops/cauchy.h,sha256=kTBkryQE8kmGYMKxkKGkDeOokXPyBlDP4eO6WrTT1as,1521
+torch/include/ATen/ops/cauchy_compositeexplicitautograd_dispatch.h,sha256=2Ua1jy1AZbIgYTCGj1fkVYs0FVHnxcQ3Jv1KYpUM5sc,1172
+torch/include/ATen/ops/cauchy_cpu_dispatch.h,sha256=SP1xQoL4gRuA_dxhb8RY4RIkHbmegMEfVVnOrFOwrVA,807
+torch/include/ATen/ops/cauchy_cuda_dispatch.h,sha256=kH2i_Vxa5eVAeeCum9iVSyK4BFNbdCaAviJGzcWyZ-M,809
+torch/include/ATen/ops/cauchy_meta_dispatch.h,sha256=FaIREEwHnZnLHtI5U40hEA8ls2xQzGHWjRdvc0JeOzE,809
+torch/include/ATen/ops/cauchy_native.h,sha256=XkVj_81B-Xs-7DvpSHgOfz760Rqr8zRKV-otujn6NFA,867
+torch/include/ATen/ops/cauchy_ops.h,sha256=F-9C-cMWG6fm_PetarizG2wfS8KGvO3h-kHSegstmhs,2872
+torch/include/ATen/ops/ccol_indices.h,sha256=v4xJ6OO7Fu3a87VNNn3ZxIPaemWm-IUlQqbGc9LKXwE,497
+torch/include/ATen/ops/ccol_indices_compositeexplicitautograd_dispatch.h,sha256=4WGOOfAKe5FzRJgpgbWPk1dpC9mT6flRTo-jlF7Rgks,770
+torch/include/ATen/ops/ccol_indices_copy.h,sha256=tpAE14u2zoDYVmL0_aP4ktnu-S7a-1bDNgdAIT22-PI,1125
+torch/include/ATen/ops/ccol_indices_copy_compositeexplicitautograd_dispatch.h,sha256=bVxleViJAnqMvlb0AnvtmSsAQfECmNGip_Sf87jmMU0,889
+torch/include/ATen/ops/ccol_indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=3K7KeH9UnDDQD9xzgR5RCuyDyaRymqeSHQHgfU4Yzds,801
+torch/include/ATen/ops/ccol_indices_copy_native.h,sha256=IrYHdmjBWAKeqk57IoJG1ic70-qtwFPZaJCayoWBPcw,587
+torch/include/ATen/ops/ccol_indices_copy_ops.h,sha256=BweOv85XAZhhyDvMGxLl9eJxdBoL14WGTx1AraF4kJs,1656
+torch/include/ATen/ops/ccol_indices_native.h,sha256=4XvKnlpvgiM0QHxXnPTLhagrtyRcvtQtm1x3VCqCHNI,572
+torch/include/ATen/ops/ccol_indices_ops.h,sha256=TCNpDqKhvU__pRQK-u7ALujYLuz9-C6R2tenD49-qcs,991
+torch/include/ATen/ops/cdist.h,sha256=O5yoWefS_Pk9dVJiY5H86XiGC-V4MIwa49wQgAis9dY,771
+torch/include/ATen/ops/cdist_compositeimplicitautograd_dispatch.h,sha256=tf1lklD-TzUpRYE0TIfETrhHG9nGwnPqSPVFI2qW1C4,850
+torch/include/ATen/ops/cdist_native.h,sha256=NvoH73TkLL4MBmgN8fJyGb865jPMp1W1R7g_GhEH8dI,573
+torch/include/ATen/ops/cdist_ops.h,sha256=RNwuFsw6RSj2Rj9NXRz5ILg1C5QWxwfD5vlIhcIadik,1202
+torch/include/ATen/ops/ceil.h,sha256=t3chF36-LOfgq2AibS9CYkqgVnRb9vJyaY24A06VKFQ,1131
+torch/include/ATen/ops/ceil_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WP7fIJDR0KTZohmjmePgEXX00sN3cbK4u8hi4PCZM8Q,837
+torch/include/ATen/ops/ceil_cpu_dispatch.h,sha256=7zwcrxZGixOXwT561Voq0rQRziNhnK953PwQRbmsvAk,920
+torch/include/ATen/ops/ceil_cuda_dispatch.h,sha256=Tpk2bpAj3aYJ-gptXs2H-4Avb8GqWK_bZWVQa9-OfkU,922
+torch/include/ATen/ops/ceil_meta.h,sha256=xkveZ8cWVBREa1fuzxg2oDI75uGR1wsL2ozX_S4pJlk,584
+torch/include/ATen/ops/ceil_meta_dispatch.h,sha256=QQfHlzGmC3pWl94y77QsMZP0SgSMC8cqV5tlvtDf-5E,922
+torch/include/ATen/ops/ceil_native.h,sha256=wg1LkQCIrESsqa_1vCdJmbgVmX6k7kqc3yeJq59zhcs,1009
+torch/include/ATen/ops/ceil_ops.h,sha256=fo4Onq-4ct-r5yZXyTLSXFbmYj4OGmoA-ydeqMlB8r8,2104
+torch/include/ATen/ops/celu.h,sha256=KkbzXvMULCcREIML6gTYpJBfkjHEtQ1rv5t7W0SkQrc,1347
+torch/include/ATen/ops/celu_compositeexplicitautograd_dispatch.h,sha256=d9sUBHZ9CwUxLUt7_FTphTtbiVqNbgB1DCAFPblSESM,1080
+torch/include/ATen/ops/celu_native.h,sha256=3dl-xBxzwybt5rdAC_KiG1ZMUAeVAH89bYxNHST__5E,696
+torch/include/ATen/ops/celu_ops.h,sha256=80eihAqTJDKPDQoTReOXXZSTRqOQIfX1V6daxFSC42U,2374
+torch/include/ATen/ops/chain_matmul.h,sha256=lFspfx_iqWBxA1fq-13w9JJ-gVSAg1FHdX53Y2gp8G8,1105
+torch/include/ATen/ops/chain_matmul_compositeimplicitautograd_dispatch.h,sha256=tXk-x1GHWlZ5qbO2J5K-nr7IReloIamp6TqcWRt3DU4,939
+torch/include/ATen/ops/chain_matmul_native.h,sha256=8ItxEld4IFZhiJ0xhuyULm4o2y0ckRBt4UIvCsGJeZw,577
+torch/include/ATen/ops/chain_matmul_ops.h,sha256=xlp6Mt5OVgW8NnOly4enx93pLjomTP5hSp2m1rKw1ts,1630
+torch/include/ATen/ops/chalf.h,sha256=kcpcRrk_J49-k4q9yOYBQ4DNOK0Y2-ErCUMip3oR650,490
+torch/include/ATen/ops/chalf_compositeimplicitautograd_dispatch.h,sha256=58aHcm9DL2RtTTBuNeo7OpKysSgUyr03Ym_5GkzxDO0,827
+torch/include/ATen/ops/chalf_native.h,sha256=1yGMWjcX761lSaEpMbGBzrz_UStDG-xcJ4NjfMLB2MA,550
+torch/include/ATen/ops/chalf_ops.h,sha256=6wv_Wgvb8ggz3lq8y1sioPVw0wELSoFKlA7uSswjPy4,1134
+torch/include/ATen/ops/channel_shuffle.h,sha256=1WImMnCK17UscQEaBg6p7EdBE30q1opxFCjvmhKsurE,3584
+torch/include/ATen/ops/channel_shuffle_compositeexplicitautograd_dispatch.h,sha256=xFU9dYhNLYPJpMfKn_q4cGbvRc5Vk1fyTysp6NINZQI,1146
+torch/include/ATen/ops/channel_shuffle_cpu_dispatch.h,sha256=QK4ePyg72Ho8o65p_egeK-ujnrdXE6obVJruRUgfAAQ,835
+torch/include/ATen/ops/channel_shuffle_cuda_dispatch.h,sha256=UgzPWdfgg7OGtmaGlgejv9Nl7gNTBh20AvJeY_ZuJS0,837
+torch/include/ATen/ops/channel_shuffle_native.h,sha256=LBp3yC5I2TpXhCmt00Sglul3nvN482KBTYvy6kdGp_w,719
+torch/include/ATen/ops/channel_shuffle_ops.h,sha256=rDZpX0e1ZUfoP4sGac703LAyVs0c_zgr382GH_qNhmA,1780
+torch/include/ATen/ops/cholesky.h,sha256=fubKEihGyoIoVczIUsXnL3Ps0zNFXURH9Po33PSt244,1158
+torch/include/ATen/ops/cholesky_cpu_dispatch.h,sha256=D58RdBAXHqkk2keK-Dxh3TnwKkOsAE8AJvhg4Fbs6WU,931
+torch/include/ATen/ops/cholesky_cuda_dispatch.h,sha256=tgs2VPSBRRpUsnTj-vm-RmrCWgh1ckRu-K5WDSMzHIE,933
+torch/include/ATen/ops/cholesky_inverse.h,sha256=_6erhe50xzrUWCsLuCmtxEyiWbpPofPU390gmkuoNpI,1238
+torch/include/ATen/ops/cholesky_inverse_cpu_dispatch.h,sha256=DRZm5bNPDnMmwGXtdtRc7Hu7Sk3G9whru8UVL-GUN3U,955
+torch/include/ATen/ops/cholesky_inverse_cuda_dispatch.h,sha256=yuJ_hQntkLoX8PGe4sMY7IVf_vhR5lu-YnAh5KRZCYc,957
+torch/include/ATen/ops/cholesky_inverse_native.h,sha256=96rTnzp7WQtUt0oaZV_AD7unT3Ode6QjNHaJLfTv1i0,615
+torch/include/ATen/ops/cholesky_inverse_ops.h,sha256=lag6qy1nLq6TIwAEYdpxyoyL3VvurLM2-Os9N4goUp4,1746
+torch/include/ATen/ops/cholesky_native.h,sha256=oMIU38xLlOqUt7whxBSyyWAiU67lB-V65RGnIeulPBA,599
+torch/include/ATen/ops/cholesky_ops.h,sha256=opgK2hCt2HAVPeEgGnPdhFgpz4JDkQiC8usdwZVapOc,1698
+torch/include/ATen/ops/cholesky_solve.h,sha256=zt8rIFTIwyQW-2LkQq7CgyNV7_3-98VL1R6UORMJUvc,1368
+torch/include/ATen/ops/cholesky_solve_compositeexplicitautograd_dispatch.h,sha256=7LP8DVCZhUR-9GC-shuwTxYYkZlm42sa5qXbAxHK1V0,1074
+torch/include/ATen/ops/cholesky_solve_native.h,sha256=oXc4gW7ulSUgnX94kYsGoseQrRxEo5lmm59F_-pOxqo,665
+torch/include/ATen/ops/cholesky_solve_ops.h,sha256=YyaVFFLYcMr5QjW7_me7ZvuDHDHZ_jsWUVfl82ao_00,1912
+torch/include/ATen/ops/choose_qparams_optimized.h,sha256=7vNXB6Nij2JCBi5Pnki-hs0rrKEf2QHGifIlxwwfJ08,883
+torch/include/ATen/ops/choose_qparams_optimized_compositeimplicitautograd_dispatch.h,sha256=RE1in_qBLmU9q-dyCaPFiEziALzkifJw1kLDiYL3t2c,872
+torch/include/ATen/ops/choose_qparams_optimized_native.h,sha256=_789iok4WpKgLUAxcl-Dtyh12NTGzX4dXRi9B2hUJyA,595
+torch/include/ATen/ops/choose_qparams_optimized_ops.h,sha256=7PU9tBu6mXzWLinsmsmfuYETXClz4xBkkJVzZPAggzA,1323
+torch/include/ATen/ops/chunk.h,sha256=o-4impzEtgQJxKIcC41St_mGy4TCJA2TNkCn8TdA6G4,716
+torch/include/ATen/ops/chunk_compositeimplicitautograd_dispatch.h,sha256=Z9whs8-l3niDCyIflFS2476ld4SW4YEQK-EeS8fkay0,809
+torch/include/ATen/ops/chunk_native.h,sha256=Y2jyIWNv-4nFeF8hjxDiMMyoez3QNBOns2fvPQ3NFXU,645
+torch/include/ATen/ops/chunk_ops.h,sha256=-zUEHdV-jnUmwRKMjN75kirjxbVZT9ZXqu4EZ8pRVAY,1121
+torch/include/ATen/ops/clamp.h,sha256=VZoaWv1YheYiccxs_sXBfpmKh5Afi3Ia0M3q2v1cG5k,2942
+torch/include/ATen/ops/clamp_compositeexplicitautogradnonfunctional_dispatch.h,sha256=T0apPFk4JJOGan9u0tyYaeGJPD7gzUv0ZAebW3U0Qq4,1312
+torch/include/ATen/ops/clamp_cpu_dispatch.h,sha256=-gArl3MHHuvTcwEauQ2kC2g75XvhmKwxwtkSYh-oYjE,1901
+torch/include/ATen/ops/clamp_cuda_dispatch.h,sha256=qJt9b0in1x9IjCE-7ZCIcsqjv-Tuh9hEbdSx3nt4VvQ,1903
+torch/include/ATen/ops/clamp_max.h,sha256=c25L3Z4GlsH_COxI4TMqBIFzpO2J4GjFjz6ksrq-BiY,2283
+torch/include/ATen/ops/clamp_max_compositeexplicitautogradnonfunctional_dispatch.h,sha256=W91EUPZhWIMWT_xkkeQz25f3Ye4BQ9YLX_7O7uxRWdE,1054
+torch/include/ATen/ops/clamp_max_cpu_dispatch.h,sha256=LDogH0WJh2EAWV4_ijIKirYlA6i87B_kdayAq3r46U0,1406
+torch/include/ATen/ops/clamp_max_cuda_dispatch.h,sha256=kXt-RgfBhjjof4v2D0k5iUYVwz-o3qyAKwPSbMeMR6o,1408
+torch/include/ATen/ops/clamp_max_meta.h,sha256=Ow1GmT0gXXZ-WSqtoY2q_mvt4QzUmzc8hx3vAfyR-RA,765
+torch/include/ATen/ops/clamp_max_meta_dispatch.h,sha256=w4HHJ5S7uHbWPiIbjWK1BNXcbCzTc1IM7MgnEx3anQY,1408
+torch/include/ATen/ops/clamp_max_native.h,sha256=eIkt_fe8dT9tBxXFUqf5BEm6HZiRbZKrxX6tcbXXoyg,825
+torch/include/ATen/ops/clamp_max_ops.h,sha256=-cc3F-ePLnza9KgJZNKK16yhpOuD4sK7sFu8HsXmLiE,4405
+torch/include/ATen/ops/clamp_meta.h,sha256=TUlbseYVkboL2QNy62_3Tv9QxR1QjuOfyoLQ2lfsHVA,817
+torch/include/ATen/ops/clamp_meta_dispatch.h,sha256=tMUcaMLvNZdAvsYA7riPJRbGp1JtTK5KR0bZO0iqR-w,1903
+torch/include/ATen/ops/clamp_min.h,sha256=n9BbMwJrua4RRy6Un-UEIjO2_kw9TcgwkLBTyzaJ6qU,2283
+torch/include/ATen/ops/clamp_min_compositeexplicitautogradnonfunctional_dispatch.h,sha256=VcAAaMT34NKMJrYZba60ovpPs6FqlyP2C9-notPuqXE,1054
+torch/include/ATen/ops/clamp_min_cpu_dispatch.h,sha256=pWeh2HkMexdrYj8juQmQlpidc-J2dkkaehdcNc7jZVE,1406
+torch/include/ATen/ops/clamp_min_cuda_dispatch.h,sha256=2GQ470IpvGVcnQBastPbzBNsxa-wRs8nMdIbUK4tpF8,1408
+torch/include/ATen/ops/clamp_min_meta.h,sha256=I7sZCDZNcCOVI-XPXCHK1mV4Kw_o8AF1ge94vvoBO1s,765
+torch/include/ATen/ops/clamp_min_meta_dispatch.h,sha256=rjEqR4kNym9Nt7gI8nKdXNPbZRRdPhpHFL1gJJmj048,1408
+torch/include/ATen/ops/clamp_min_native.h,sha256=NsMPM43wjWmapG6WdXIIIWeUByo8QgNePj3ReKj6umE,825
+torch/include/ATen/ops/clamp_min_ops.h,sha256=Xyq3iXsYp1IfPLvWKTr_vezfHQQsYdQtpzrUJVgprhE,4405
+torch/include/ATen/ops/clamp_native.h,sha256=HSstAXVhZ3Lxb4k7rWnhWq8LbVGPEGYYbqRS8ZmMedk,1044
+torch/include/ATen/ops/clamp_ops.h,sha256=fHVkoIcxh3UPXz4oCxjpivVJuMgvWyx_jHoQvPugml4,5497
+torch/include/ATen/ops/clip.h,sha256=cuWrh_NLQ0VlUaY8r6Kv0wBlTdGVJrnyZh2uuRzELgQ,2917
+torch/include/ATen/ops/clip_compositeimplicitautograd_dispatch.h,sha256=Woi8jGOoQgAT2x24KBNzyAz5vo6UhXSiycXfsmSQDBo,1937
+torch/include/ATen/ops/clip_native.h,sha256=gTLR-rQ1EbLQP8P_9tjehrijlK2f-DylvPTqW6-vsTs,1351
+torch/include/ATen/ops/clip_ops.h,sha256=GeuKx2q-m_f4SFpl-JHkM6g3HFePKTO6L9wPtDBxMfk,5479
+torch/include/ATen/ops/clone.h,sha256=5uKZrr1nkG0WZqKb9bM1Mxd-JlHJA5VvPRaEKCaX2cw,1332
+torch/include/ATen/ops/clone_compositeexplicitautograd_dispatch.h,sha256=TQRJ1nYMyn8IMa50d186QfF3FFmPHRScMvbgczaxXDw,1095
+torch/include/ATen/ops/clone_native.h,sha256=2Br-gm41T6ZQm_DJZDxe68OykbHwiG-z3TsV0IiyHiM,1310
+torch/include/ATen/ops/clone_ops.h,sha256=6xN6l8GV2KCduHPOGhNo_YwCmSeaHEX8s3Y8TRFSZw8,1921
+torch/include/ATen/ops/coalesce.h,sha256=rmUKD0Hzfnk_oeyI6W-hnSGb5byS7qmZbSLrgxrwmYg,493
+torch/include/ATen/ops/coalesce_compositeimplicitautograd_dispatch.h,sha256=nFzB-bQ0N0MOJHUFrhpowltb0DP2uxWppm6if3mWlck,766
+torch/include/ATen/ops/coalesce_native.h,sha256=gYgKk2GEC0h0le-CJOK7OTUh1hOc3bx6ik8ylSd4YqU,489
+torch/include/ATen/ops/coalesce_ops.h,sha256=KmwTa2FF-PbDFY3MNLGUQ-FqKzHiEsITfSUQScQd59Y,979
+torch/include/ATen/ops/col2im.h,sha256=naww8VjZeBwcPBZJrw3QSp4ER9UWwJbXnjS_xQk-HjQ,5861
+torch/include/ATen/ops/col2im_cpu_dispatch.h,sha256=0p1Ni6Xvk1tICZ9Lfl_dX-BDlnbvlZBhu9wCIJ3JQSA,1919
+torch/include/ATen/ops/col2im_cuda_dispatch.h,sha256=cjoEDOZBzvgv4GDYNhFPR6RMuI-YnA7eAnRfJz93V7g,1921
+torch/include/ATen/ops/col2im_native.h,sha256=r-nW_Ia3iFIltYUSsPaY7R7-ARS0dJwP0kfs2BLGHoI,1247
+torch/include/ATen/ops/col2im_ops.h,sha256=MGUGJTvKYzo3RgnjykO5TOY_op0fsDui5pHqkrJZVPc,2498
+torch/include/ATen/ops/col_indices.h,sha256=Q4eoCQVEKpnrlbqiQZ1yPAZu7MnNQgEqoAwkXd2T060,496
+torch/include/ATen/ops/col_indices_compositeexplicitautograd_dispatch.h,sha256=GcY7_tnCy0qrhoDP335cbHGm240I6UcwcrCd1n5-5KY,769
+torch/include/ATen/ops/col_indices_copy.h,sha256=YGPf4yQvJa0dSJM4yUzo-eJ4jR_Ygqacm4hryqrQcyM,1115
+torch/include/ATen/ops/col_indices_copy_compositeexplicitautograd_dispatch.h,sha256=U65MR5erMxTs_pIluZKSFHpvZ6hHgcalC-vI-xYgng4,887
+torch/include/ATen/ops/col_indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Xf1aREZaOYqUgVxd2-Qn1IjPYv8L18LmGzKFlh9HHGA,800
+torch/include/ATen/ops/col_indices_copy_native.h,sha256=Fa4-6NL_HH2EyrxjM7uT4KG7jQ9RjGQqxYAZah8tqIg,585
+torch/include/ATen/ops/col_indices_copy_ops.h,sha256=7JmMq4iMovPyKKrbcgIef2lFbpycg7fcO7lkkpvY66c,1650
+torch/include/ATen/ops/col_indices_native.h,sha256=xLFS2nZqwmr4R7TObfWfSolaxegp4FRz3U_DdyjDKpQ,570
+torch/include/ATen/ops/col_indices_ops.h,sha256=pM9TZIz9_V5gGXDwTp_3AztwISpmNECJDCOpIvf2huo,988
+torch/include/ATen/ops/column_stack.h,sha256=Ug2ikY87OSfewXxYx-gjHIrjKyJiEeHyjioyDDDUkDQ,1096
+torch/include/ATen/ops/column_stack_compositeimplicitautograd_dispatch.h,sha256=JXWKV1zOf0K0vJJILsp3bdowyzsxkdk1PIAlTL3OIDg,936
+torch/include/ATen/ops/column_stack_native.h,sha256=aIUmsUhSHnGmxtyg1vCfTgqLHGTh9jhXEe1Jq5hHywU,575
+torch/include/ATen/ops/column_stack_ops.h,sha256=kAJY-cQHtEzNluwP0MOlzmKm7gArdC6HUJJgUn2SRfU,1624
+torch/include/ATen/ops/combinations.h,sha256=NWScgM2SxlGfChTxm0Za6xCVC4D1_z8Z0Gys7u3neAo,750
+torch/include/ATen/ops/combinations_compositeimplicitautograd_dispatch.h,sha256=HINIJGIdGdJCnEIXLIEMdqOz8Pb_sUL09bhrFsb2bRs,812
+torch/include/ATen/ops/combinations_native.h,sha256=yvhvDZ8A5gmnLJsUIDnT6zXICjNSH2l6Kta3unyR_vM,535
+torch/include/ATen/ops/combinations_ops.h,sha256=Ou4OncrZaNXCWCyQ-t1SaiWWCDk_boERF3wFyDJc-6o,1106
+torch/include/ATen/ops/complex.h,sha256=J7c_P-xGmmBMHkhbfct66sllaFMJm3DNeF5uaer1KZ4,1157
+torch/include/ATen/ops/complex_compositeexplicitautograd_dispatch.h,sha256=FjsHHUPn2jQRIC77XSuQZZzklU-WCHpEexVYM9HJTq4,790
+torch/include/ATen/ops/complex_cpu_dispatch.h,sha256=-nU9jv1fw1XsrEK7JVNMMsor3ntzNGYO23zDDHgDE6Y,875
+torch/include/ATen/ops/complex_cuda_dispatch.h,sha256=BEbeYfSJrsq0qQcRdwz-Os_fCU_pumWVfLI-QDpL_Wk,877
+torch/include/ATen/ops/complex_native.h,sha256=kXCL1jZYfEjcfUzO9397u_jJJmi-PR6ZCwyqi4xgS2k,617
+torch/include/ATen/ops/complex_ops.h,sha256=j0j87eF3wJAjHTx_IZ23Y1MP54ep2LgsVH5vUk0hw_M,1762
+torch/include/ATen/ops/concat.h,sha256=1ble04qzcL-7i0NKpAUL69a9JNFNSMsJiSHg4jUObZQ,1814
+torch/include/ATen/ops/concat_compositeimplicitautograd_dispatch.h,sha256=XSGUZa5yG4c8FnA7utPF5aMBFpNPzrF-P7nhoxxeuFc,1220
+torch/include/ATen/ops/concat_native.h,sha256=-ikaio4EV5c-x1duOhas56qRAwY__aSuHHEXMgVXfCs,755
+torch/include/ATen/ops/concat_ops.h,sha256=XIapH3VbCTpWyyQHO0U0LaNVWze9R4BfcQOtiPsLmA4,2989
+torch/include/ATen/ops/concatenate.h,sha256=NykVcQeJGb9ddGrWBeL1BB1ZAW5tPismlxpYgqrhn2s,1909
+torch/include/ATen/ops/concatenate_compositeimplicitautograd_dispatch.h,sha256=T6BBiY0g95HyKHsqrTldtdhEI99tUt2y6Zhwh6Km7-o,1250
+torch/include/ATen/ops/concatenate_native.h,sha256=R-kYRvjMAUIsZZi8FKIMia8IUkA_7gGoRRaXXlG7KfI,775
+torch/include/ATen/ops/concatenate_ops.h,sha256=--8eAcukqtnJ8lJRZQUacnmRllTsMYiGjEfbX1psUbk,3049
+torch/include/ATen/ops/conj.h,sha256=Yrr4wM8OXxYbJx2O7ZxTwmTo088c1z_so8sA5Dld57c,634
+torch/include/ATen/ops/conj_compositeimplicitautograd_dispatch.h,sha256=gG4OYaWXqTf9ozYuc1YoSj3ATrwz3RKKf9yw6asFJoA,762
+torch/include/ATen/ops/conj_native.h,sha256=ccV3L79a5_371E4JJ3snb51Kje7zBqp9JbCffoqb9YQ,485
+torch/include/ATen/ops/conj_ops.h,sha256=6nSy_L-Sru9NrhANH_IMgM5NOkC6CDh0qh78WGtMmFU,967
+torch/include/ATen/ops/conj_physical.h,sha256=gSuryA8uTRUlyq3Eom4Zk84f797FbAXEQYoSlksjaeE,1248
+torch/include/ATen/ops/conj_physical_compositeexplicitautograd_dispatch.h,sha256=on5qUc9_taEPD9Krkd4JsZdCoXvZUMQjsyUQvJO2J_o,768
+torch/include/ATen/ops/conj_physical_compositeimplicitautograd_dispatch.h,sha256=VmeGaNahiSzBJT4RTXMB8BDqQLvOZcjWe_xRimIPP2I,771
+torch/include/ATen/ops/conj_physical_cpu_dispatch.h,sha256=7iNhZm--iZqCsPzG4GWqc9BOPh7maSzZ9hxNtCkJxPQ,837
+torch/include/ATen/ops/conj_physical_cuda_dispatch.h,sha256=GjNPY76piL4f1icyPg4h3C95b9pnFthC2EyXFooNxZI,839
+torch/include/ATen/ops/conj_physical_native.h,sha256=_xoj0umfvOG8PfAD3csYeAmjCbH_m49cj07AcjFpEn8,894
+torch/include/ATen/ops/conj_physical_ops.h,sha256=WtTpCmlW3A5vN42JNmIIpilyBOIlcuEEUJycskWgpCc,2185
+torch/include/ATen/ops/constant_pad_nd.h,sha256=KbAcEQDMiKu1mhoQFDi4wJGiiV9yDQ07KbShKKv8vVE,4266
+torch/include/ATen/ops/constant_pad_nd_compositeexplicitautograd_dispatch.h,sha256=ATkctSPAvOi9sYa5tHfr3rsOl7CMokuNOQvLfF3HsKE,1509
+torch/include/ATen/ops/constant_pad_nd_native.h,sha256=NvSlsKrNttQlLeEbri2nkALLePyvofQOXQh-mslr7es,690
+torch/include/ATen/ops/constant_pad_nd_ops.h,sha256=9bVRY9N3p_R5nh4deSiDVIfIygGIJ6ZohcFLgb7nbOc,1990
+torch/include/ATen/ops/contiguous.h,sha256=Ebaxi1AV2oouz9br36sKlH6bn81Kajve-mLTWyJErDs,495
+torch/include/ATen/ops/contiguous_compositeimplicitautograd_dispatch.h,sha256=oL4NPlaZqvXX13dtjOU5l3VddJ5WjnAkua_r-YYjodg,825
+torch/include/ATen/ops/contiguous_native.h,sha256=phoJmN4A4-gxMTT786BMd7Br8ytBLaUXIbahkvODsZg,548
+torch/include/ATen/ops/contiguous_ops.h,sha256=v77OBaWMddf3c_raOwYYFb3nVa4EC-FBeNADmk24wqU,1116
+torch/include/ATen/ops/conv1d.h,sha256=usorbWl4A1UecSwRtTwXT86_Oo4cg_kOvJORUzvXFKo,4528
+torch/include/ATen/ops/conv1d_compositeimplicitautograd_dispatch.h,sha256=OWBI6dqXwH1nQt1DZXNFpn_jk6OU93QN3XrVhYKduD8,1696
+torch/include/ATen/ops/conv1d_native.h,sha256=L_W3M_6VGEHDrPaXJHHYqEqlnakZShH1pD3pefhnkCo,1007
+torch/include/ATen/ops/conv1d_ops.h,sha256=2dvDeQ3F22shXy4_B8ZcGUiOJHJRvw5p-ZlCWeL2iiw,2720
+torch/include/ATen/ops/conv2d.h,sha256=JPrOku6u_YBqJaFK-xessNKqdvukcy7GDayh7kVR3rw,4528
+torch/include/ATen/ops/conv2d_compositeimplicitautograd_dispatch.h,sha256=AOljqpFi1ljH0z2buNtdyJql8vaQ3XwqybwsgGcMcpU,1696
+torch/include/ATen/ops/conv2d_native.h,sha256=4zqi9cyiLSyR7VdKalKJHN0nzOql30-nSuGj4pQJ_jI,1007
+torch/include/ATen/ops/conv2d_ops.h,sha256=BBaIRWEuT-SesRtvvc9s1E_D2UAaPmkUn1orHKPefY4,2720
+torch/include/ATen/ops/conv3d.h,sha256=dEqKfP4fqEI8unbETR6refZSeOdw0Jl70SsEGtJ7jZM,4528
+torch/include/ATen/ops/conv3d_compositeimplicitautograd_dispatch.h,sha256=Wk1r3G4ngLImQGximQ6E25efY0w1Hoh7DB8JWw8gzAk,1696
+torch/include/ATen/ops/conv3d_native.h,sha256=ra5M8IYimqVYe6_wvnfFwp1jlRV1ufDAfY9JUtmjLIM,1007
+torch/include/ATen/ops/conv3d_ops.h,sha256=m1xbjJ27girszLKDC6Im6HJEaEKwNSgGdpVoFCv0SwY,2720
+torch/include/ATen/ops/conv_depthwise3d.h,sha256=84VziWCFoXSSi_6P3A2QZ1anwy68QYFwcsBvrBOl9bg,7311
+torch/include/ATen/ops/conv_depthwise3d_compositeexplicitautograd_dispatch.h,sha256=oqzNaF0y5pgh9xry6i6fXb_uMLuMYLsQ2oVSLtoytI0,1802
+torch/include/ATen/ops/conv_depthwise3d_cuda_dispatch.h,sha256=qs12HHbFYRLGuwPFRLoOlosj4yg1coGbBsPRxrUoF-c,1165
+torch/include/ATen/ops/conv_depthwise3d_native.h,sha256=3agbEcQbwLkI-9n7RdHbev9JCP6vVlj2VaK1V8ipaIw,959
+torch/include/ATen/ops/conv_depthwise3d_ops.h,sha256=b6ATwlyYNYiwxhik2CsgP8QDtDFjJX-9ZeredGuG0gA,2906
+torch/include/ATen/ops/conv_tbc.h,sha256=XH8pn-sN3aIVhrJaaw5QcUdL91Zjjz4VvjUzpNJ1Prs,1408
+torch/include/ATen/ops/conv_tbc_backward.h,sha256=cD1Qi9gE6JiZ8vF1ekkunJDCYT8BXn1aRvTCbY6wvls,891
+torch/include/ATen/ops/conv_tbc_backward_compositeimplicitautograd_dispatch.h,sha256=6GxVEHNMyW6tottxNnWkUrZxE53IhThRBjiQLDvzbzw,902
+torch/include/ATen/ops/conv_tbc_backward_native.h,sha256=mDAH-TNpRqXEx8KePuViWFPEB_eZkpemKFzLvfN5t-Q,625
+torch/include/ATen/ops/conv_tbc_backward_ops.h,sha256=JL1k2YE_y183lmlttbhSHMxedpGdo0dRyDy4qfkl3O4,1428
+torch/include/ATen/ops/conv_tbc_compositeexplicitautograd_dispatch.h,sha256=hprKU4WmQ-Xao_LP1nzdSbQ31KxB2cBTP4mZeT9DTz0,1126
+torch/include/ATen/ops/conv_tbc_native.h,sha256=lx_eTHVYbgqrZWadlChFPB5xbQdRDnrg8EKP1yefhnQ,701
+torch/include/ATen/ops/conv_tbc_ops.h,sha256=wezqCTeMACjDX_li8DUzM29swjUWnHQ8d7A6XkkehRw,2038
+torch/include/ATen/ops/conv_transpose1d.h,sha256=Vq2pG13m3hfj10HHGRXKaQ0wnIaLk3tRS2yYx03cHQk,3005
+torch/include/ATen/ops/conv_transpose1d_compositeimplicitautograd_dispatch.h,sha256=UthS6txZ_F3D-2rAAmzrnb4jDGklskGMXuLoU4sFMpc,1329
+torch/include/ATen/ops/conv_transpose1d_native.h,sha256=ekD3jmjtw_3YQJqI_m1H9VRHmjdYNh5376wtkH38IDM,782
+torch/include/ATen/ops/conv_transpose1d_ops.h,sha256=nH1440B53GC9kNfpwKGWSupHTzaPNaSQLzTfi7uIB1A,1720
+torch/include/ATen/ops/conv_transpose2d.h,sha256=01nasKvFZwhPqLO45srznOdsyQ_fVExm9-YAg65Xgl8,3041
+torch/include/ATen/ops/conv_transpose2d_compositeimplicitautograd_dispatch.h,sha256=PEg-LkSiwoj4SS9kqklSJvIKqSXGXBoCUlHpjAYwXbU,1329
+torch/include/ATen/ops/conv_transpose2d_native.h,sha256=550Hqhge-N55J7WIPvw7GTs2B4Vmf-xAzLUCjSXw4yg,782
+torch/include/ATen/ops/conv_transpose2d_ops.h,sha256=ESqa6B6E8fjBVE5N_TWrLB0HoCZj-lMoycNAxv5LNkY,1737
+torch/include/ATen/ops/conv_transpose3d.h,sha256=-Mpr1koCD8KQDxFTaTDEn_VCdneVRT-CL5qwJWsxwA0,3041
+torch/include/ATen/ops/conv_transpose3d_compositeimplicitautograd_dispatch.h,sha256=8yHU2kA6XYgpz2kJI_V6INFOV07_LZRRj6OCsX2oOo0,1329
+torch/include/ATen/ops/conv_transpose3d_native.h,sha256=mGj8wVQ1PWpmL5YZWNi0COsSIY_WfrmOckfyuo8AH8Y,782
+torch/include/ATen/ops/conv_transpose3d_ops.h,sha256=_yaDcX3shd9NtN76boyDmLTdMw9aN1PkxYRUuXlpW3Y,1737
+torch/include/ATen/ops/convolution.h,sha256=5jy_xk_z7Dns82DXUyRDNYH9QfdllCOxW9YD1TwA86g,8104
+torch/include/ATen/ops/convolution_backward.h,sha256=xDH_ppxnwqGRPaDUqdP6IIukhexNkAP-2OeLsEw9WbI,11505
+torch/include/ATen/ops/convolution_backward_compositeexplicitautograd_dispatch.h,sha256=-0UXHz1KzXh-H7Pe8e1f0vGLIKTqoqwQa-JcCu_xCVM,3314
+torch/include/ATen/ops/convolution_backward_cuda_dispatch.h,sha256=aLZEMnvCvqGljYhKD5L2LJGjzm4sCcISEKCoiOhz_1Y,1446
+torch/include/ATen/ops/convolution_backward_native.h,sha256=T7MAG_5pX6Ylwfn3KORtm2eqZwbrp83xkAjT_3ts7To,1278
+torch/include/ATen/ops/convolution_backward_ops.h,sha256=oYjQRexK2qvLA_1gOH1JOkxurpOIS4K-H_wva2RuFJY,4025
+torch/include/ATen/ops/convolution_backward_overrideable.h,sha256=JJx517KQA2NVlOZ6Dc3CyPQ3GDl3zFsdbe4z1JgxasQ,10702
+torch/include/ATen/ops/convolution_backward_overrideable_compositeexplicitautograd_dispatch.h,sha256=GWt8g0mT9y6Tq9Gusu0jhNFOAZ6WinapWWHLnYctkNg,3167
+torch/include/ATen/ops/convolution_backward_overrideable_native.h,sha256=WNQ6Yx5X3_QYxUb1krRy6eK6kwKsW-qUzBpZyuUZqm0,1229
+torch/include/ATen/ops/convolution_backward_overrideable_ops.h,sha256=ikYeQaFezwrsDwQB8NyllHzzhyy98cj4YVS1Tn-wCDk,3880
+torch/include/ATen/ops/convolution_compositeexplicitautograd_dispatch.h,sha256=j4QR_cFv04nU0_dRcb25DFx9mosqsvziPabeg-x1US8,2503
+torch/include/ATen/ops/convolution_native.h,sha256=ztUAP-IBLtn6ApeupLkdRnhfn-WSLPr0FIKPIgLP_4Q,1022
+torch/include/ATen/ops/convolution_ops.h,sha256=fFsnzgF3ePx50iYWW-K1O0N0mANtgUskNcImVbk0Xns,3142
+torch/include/ATen/ops/convolution_overrideable.h,sha256=onaerehJo5LwBxL2tby883uggkoGgytYLd0oFcQz0ZY,8507
+torch/include/ATen/ops/convolution_overrideable_compositeexplicitautograd_dispatch.h,sha256=WgtJ3zynkTJwbkZWFwq2aDPHKQkjrbpbpVeTuqKI1as,2581
+torch/include/ATen/ops/convolution_overrideable_native.h,sha256=yGokWMAs54DqRLOJEA8ZIgj4p07VVjtG7Uqy4s41KAg,1048
+torch/include/ATen/ops/convolution_overrideable_ops.h,sha256=2tpP8NhDzgFsN3VSHpDnM7npiGoD15RvxQYZ4S32azQ,3220
+torch/include/ATen/ops/copy.h,sha256=9Y460pVP3fYuz9uEhh4LzWTkBGk6ghTMZO1wSvA1IW0,1304
+torch/include/ATen/ops/copy_compositeexplicitautograd_dispatch.h,sha256=VDFyaba0I6QR8Yg9StZHBY4CgstzvxVeyQPfsxTCdUE,1053
+torch/include/ATen/ops/copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=pRa4Ov8t7RUzBl7h3WOwkTPHPjcesg51lwjazDCtCAQ,837
+torch/include/ATen/ops/copy_meta_dispatch.h,sha256=wcPxFfAd6yECGRsuPQVHKDMHkYu-XmHgM5d5ZXCldUw,769
+torch/include/ATen/ops/copy_native.h,sha256=JgMMiKk1pEa21AKmJqe_IH6XoB2D63jLpBFC38d3L5w,1296
+torch/include/ATen/ops/copy_ops.h,sha256=imBnwomr5Br576Vh5eyrS2GK9W0YLA73f8MsoDgLtLY,2551
+torch/include/ATen/ops/copy_sparse_to_sparse.h,sha256=FvSaxqLHFSFgwjd7XN4QGsPfpagx20y4QL5WqKLnZ1A,1766
+torch/include/ATen/ops/copy_sparse_to_sparse_compositeexplicitautograd_dispatch.h,sha256=IEEjBlmvKAh1ItZgSsA0H0UPNjEQXT_VZAj6-YkPWPM,1107
+torch/include/ATen/ops/copy_sparse_to_sparse_meta_dispatch.h,sha256=vhi9mRGJHF2CPBPW9LjmsDnH08quPjkZa-8pPp5oxNk,783
+torch/include/ATen/ops/copy_sparse_to_sparse_native.h,sha256=A7UuhoYSo5nRqlwNFyUm7sygctG0l6pvCKYOK4r5ct0,792
+torch/include/ATen/ops/copy_sparse_to_sparse_ops.h,sha256=JiUMVpriD2t5THYB4Y9KkEBo2AKT_kTy_4BdAdOQxtk,2704
+torch/include/ATen/ops/copysign.h,sha256=V7T8Hjo5E2W6g3IUKgc3-qMbNdkjD86WRZt-khqALjI,1916
+torch/include/ATen/ops/copysign_compositeexplicitautograd_dispatch.h,sha256=Y1mTBzgiIs3DB2TkEd3whbVatSUTnomrFtMPxAz3SR4,1084
+torch/include/ATen/ops/copysign_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sO_Fu4Yucd8CXmcJJ-wm-t8WZwdjEG57WOYQ4FCITYo,897
+torch/include/ATen/ops/copysign_cpu_dispatch.h,sha256=h9zyuXG5gbYPpYL8XcLK-CrNXwcU0V0R_SOi1RIyl0c,1040
+torch/include/ATen/ops/copysign_cuda_dispatch.h,sha256=JdAHfnBrhDrHvXiwfJdx39rBw9qdTl3owMh6E7S5Lis,1042
+torch/include/ATen/ops/copysign_meta.h,sha256=gFvSpx81Nkvn2TIiCdGhsIfIjGGmRQIWnxVDmV-PsqU,621
+torch/include/ATen/ops/copysign_meta_dispatch.h,sha256=nVtC1rX3wIQtjbiUUQfJqnK5w03tHevfth62SoItA34,1042
+torch/include/ATen/ops/copysign_native.h,sha256=ZblMCtZpT4i7rYSO4Wp8cy9iEn2IPdplVeaGlnHNMQ0,913
+torch/include/ATen/ops/copysign_ops.h,sha256=Tg8r8fC8cGxFNI7lOSOZ2bV2ZF5NSodfZZZl6CKTHS0,4463
+torch/include/ATen/ops/corrcoef.h,sha256=GDBasS1FlJ6aPhH5_9L-iRi7eMVB5eN3TCgq5uJOvXQ,633
+torch/include/ATen/ops/corrcoef_compositeimplicitautograd_dispatch.h,sha256=Qgr8zzSJSOy98Wk5pDDY4duS-gwWzpWCRiyuGLgoISc,766
+torch/include/ATen/ops/corrcoef_native.h,sha256=lNqqSSZ34u5SYG8-_Qby1_Yj3MBlqvpGYvcsrHryEpM,489
+torch/include/ATen/ops/corrcoef_ops.h,sha256=3svqaxwTkyRZfKzUmndCwBSwwGkcsC9n-_GUuujMn_8,973
+torch/include/ATen/ops/cos.h,sha256=swTtg8boheoyxfQiEVPyGiL9yZh9calbm5kdaSSlJJY,1118
+torch/include/ATen/ops/cos_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XKVvuZOuv_bPHRX7C4cwM-cfWPODj0pSOvZ1ZGFxhJE,835
+torch/include/ATen/ops/cos_cpu_dispatch.h,sha256=gw277qd8XP-Y724zsxGLvWZHBCHldZxJXMs7ukg16MQ,916
+torch/include/ATen/ops/cos_cuda_dispatch.h,sha256=bqDfjG5_6nHr06NGx5DEwadJSmaiB-qJzokbef0p9Yo,918
+torch/include/ATen/ops/cos_meta.h,sha256=PPWqlwleiz_3VkN-bCTFI1BvLv-AB7QTAeF-fXLDko4,583
+torch/include/ATen/ops/cos_meta_dispatch.h,sha256=tSRNtVElJrkcfn1ByDc_ochQ6ZAk7DrI-3ZrEloalgQ,918
+torch/include/ATen/ops/cos_native.h,sha256=YUbSFd91EaOFtFfGHxaqq7l8G_taazf6crfoxjFWPtw,656
+torch/include/ATen/ops/cos_ops.h,sha256=1KspHRzN6LgwSy2kNtehQ4btQMjLMZpR7EciXa6POxQ,2095
+torch/include/ATen/ops/cosh.h,sha256=gLjEMFOtkGB_Zd_F0bqDRNaipL3JhRQaSpCmLUgeWaI,1131
+torch/include/ATen/ops/cosh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2Uur5cBIzb7T_-M4SQ1xA2Us7H7rhSDakvpYrF1eHSY,837
+torch/include/ATen/ops/cosh_cpu_dispatch.h,sha256=I5W4NGGCfpx2W1Lf3jjJn_Hq8tCI0OCD0hzhbvC5ku8,920
+torch/include/ATen/ops/cosh_cuda_dispatch.h,sha256=-nja_h6zd3bKq8ed_lFUz5aAqNhPBtkz5HYO39zYNqs,922
+torch/include/ATen/ops/cosh_meta.h,sha256=hqQNhhhZj2xPbGGTT6zaaHQISGJ0A4EBgu5QkmywaYE,584
+torch/include/ATen/ops/cosh_meta_dispatch.h,sha256=yQDVX0UfehAZOYAEBrIJgDgC-5HjlM96eSEkK8dgbdw,922
+torch/include/ATen/ops/cosh_native.h,sha256=7TeexHzGO5RH7KuhVooiMB3h2LzJ3turt5rg5qexkas,601
+torch/include/ATen/ops/cosh_ops.h,sha256=PAwhLupMbpiseVgzR-2YBW0pepMXIGNhxZvN-kfQmws,2104
+torch/include/ATen/ops/cosine_embedding_loss.h,sha256=GSFFIkw954i9D4DmyC9xkS3t7svSX6h9w8zTL0BbERo,906
+torch/include/ATen/ops/cosine_embedding_loss_compositeimplicitautograd_dispatch.h,sha256=WHFcFub8Z_kx9KhnXYL3N8SQtZxtyd3ixksFaRlO6u8,893
+torch/include/ATen/ops/cosine_embedding_loss_native.h,sha256=fLOvgDbDeTC5w8gJPR0sIuGTEA40D0KofWtYm7teUOA,616
+torch/include/ATen/ops/cosine_embedding_loss_ops.h,sha256=fzR_H035Svh6Fcbo8vBMKEM9My9eEnEm4jQBzzgbjPY,1319
+torch/include/ATen/ops/cosine_similarity.h,sha256=zQYcKeTMk3kjZSjuhW0xnan17heypWPcDdC6jhcRhF8,772
+torch/include/ATen/ops/cosine_similarity_compositeimplicitautograd_dispatch.h,sha256=g6y8I6nkWoEnPKivCrGWtqMLMQxIBsQtfXSHOu26imk,829
+torch/include/ATen/ops/cosine_similarity_native.h,sha256=ONwGubUJBOhKWdlh0im9sq7j_6h_a6wAI05I4fg_ReI,552
+torch/include/ATen/ops/cosine_similarity_ops.h,sha256=lVQiKaHbQlvcUvnM-cBjkP5ohOm0RhQUI_XmGp1Q_MU,1166
+torch/include/ATen/ops/count_nonzero.h,sha256=L7WUclkgSzWKBGY2bssh0dmjxBb-ASCaPqTDdyKoWuw,2036
+torch/include/ATen/ops/count_nonzero_compositeexplicitautograd_dispatch.h,sha256=_wbD-YLA17DmE_Y4Um2bKk9dtpIyzwDz9L39NDq-IMU,1275
+torch/include/ATen/ops/count_nonzero_cpu_dispatch.h,sha256=FBrVfXgU6x3nFFrROZJKjhe_gxOe32MuX6zhEQIwfes,748
+torch/include/ATen/ops/count_nonzero_cuda_dispatch.h,sha256=EE3oYmEhT5abweGJHngTdMQKNV7_XqWr0zoHg4NUWiM,750
+torch/include/ATen/ops/count_nonzero_native.h,sha256=9EHrKQbKCl8sw2Bi-HKzR3U3UhUemPiLBlzlg_18kqY,945
+torch/include/ATen/ops/count_nonzero_ops.h,sha256=T64ouGxoBM2W-EaAq1G9Yc0LIXjXwoEiCNM6R1o3_DU,3243
+torch/include/ATen/ops/cov.h,sha256=Zf7EiracNiORT9Gm0PrAoRM6dWBWSVU6algw4QGRhdo,832
+torch/include/ATen/ops/cov_compositeimplicitautograd_dispatch.h,sha256=zXci1815i0BIB8gO88UAdc7m8BGSu1blVh_aI3eC9SM,881
+torch/include/ATen/ops/cov_native.h,sha256=QckYBI2vmxm0G5t4df6IX6BmOqJubmA2_Q4oXE-PIHA,604
+torch/include/ATen/ops/cov_ops.h,sha256=dg_rDs-XSe9-djpqErOj0awTpCGLoDvmAseXaLrCdy0,1332
+torch/include/ATen/ops/cross.h,sha256=Z99Oqf81ZUHkpyOPnxkhHLpKZlbjcluXWaCXh65ROrU,1326
+torch/include/ATen/ops/cross_compositeimplicitautograd_dispatch.h,sha256=wmpGjZD1KV-SUJjjYYLq2qkw_uYmurwgUQg4un634q0,1116
+torch/include/ATen/ops/cross_entropy_loss.h,sha256=3ZlwAXiqfTISTMZZ6i1OTj2hB-kv3-3u-fjNcmEA9rw,2431
+torch/include/ATen/ops/cross_entropy_loss_compositeimplicitautograd_dispatch.h,sha256=Rsj1YTXo_u5IjIehWzMyCxUDPY8M89TkdKAnDvHeNg0,1189
+torch/include/ATen/ops/cross_entropy_loss_native.h,sha256=BEP14EE3fEo01HfY7ORWr5sWvUobyL0ek9vlgHXGNgg,678
+torch/include/ATen/ops/cross_entropy_loss_ops.h,sha256=Z--6bhc194airQfCCPN88Zf7ffyUiEMwvfFcghWYPS8,1479
+torch/include/ATen/ops/cross_native.h,sha256=cpwLO90ccKaIx67tuWW5cdN9QjwEfRXxCBfGhSgOrbA,690
+torch/include/ATen/ops/cross_ops.h,sha256=9MGOyN6Ik6qv9aWJUd2Kom8hVqce44sEl5lAH6Cxg2A,1958
+torch/include/ATen/ops/crow_indices.h,sha256=ZHcmhuwvI1juYRE4EpqfcJFDKWpe44liAsYjvSFrYa0,497
+torch/include/ATen/ops/crow_indices_compositeexplicitautograd_dispatch.h,sha256=_w78fpD5cPDBFa5l2dFfGTzKOBPSx1jMppVkqzJ-PyU,770
+torch/include/ATen/ops/crow_indices_copy.h,sha256=GEnii1icR1E3iYVYOITAapWE_rdNNTvTUn3FDKDGkrc,1125
+torch/include/ATen/ops/crow_indices_copy_compositeexplicitautograd_dispatch.h,sha256=LEDe0wumTfyPrFVFsmJz8FomL-_aWjXLgfmg3put_kk,889
+torch/include/ATen/ops/crow_indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dor4GEDzsCoPlSlsDgkJFeuLcKD4k-i-dWyLIFgHUrw,801
+torch/include/ATen/ops/crow_indices_copy_native.h,sha256=a0p9mrVfns8hLkgf1VZCKNEag9AwnOiLA4Q5SHYRJq0,587
+torch/include/ATen/ops/crow_indices_copy_ops.h,sha256=lsEF3UjL0ui4H8HP5ZajAsJfQGDW5WVqNsmbb5okT9k,1656
+torch/include/ATen/ops/crow_indices_native.h,sha256=WUqGYIWxLUO0nLDvO9LCYpaRKaZGqX995IdpEnq8DWU,572
+torch/include/ATen/ops/crow_indices_ops.h,sha256=36t3TF6AYe_mVo7wWA88kZwXQu_uupUJtdxglVl315A,991
+torch/include/ATen/ops/ctc_loss.h,sha256=ESWQTS-emMvqSZG8ACs6AWu0K71TRqpD75zCpSkH9V4,1570
+torch/include/ATen/ops/ctc_loss_compositeimplicitautograd_dispatch.h,sha256=lodC6QtfIpGZWarBKx1EU-y_ZEKhUrjerqhrkNgiWUU,1184
+torch/include/ATen/ops/ctc_loss_native.h,sha256=pHmklPZN9i5zb-lHs2PqZxHyhOLBJkQ1JRNlsaIXblU,907
+torch/include/ATen/ops/ctc_loss_ops.h,sha256=tam1NB_sGcegE5oh9ZpX6WS7oM3ztQcsFOzz_IPnKXE,2577
+torch/include/ATen/ops/cudnn_affine_grid_generator.h,sha256=dWNL5cgN_wp0IH1iVrfNE4MnCUFfGl8r-u6XcehOjmc,1491
+torch/include/ATen/ops/cudnn_affine_grid_generator_backward.h,sha256=u7jEVVDw2U4DYC6GyAYnC5Ee4SgMs_cFxo8ruh0HRKU,1578
+torch/include/ATen/ops/cudnn_affine_grid_generator_backward_compositeexplicitautograd_dispatch.h,sha256=omgVfGaYsaVWSRcW0IB3KYtsgv8tj7uY_3ok0Udwmuo,1015
+torch/include/ATen/ops/cudnn_affine_grid_generator_backward_cuda_dispatch.h,sha256=6c_zsSS4UaFFGCahgjtd-5WGJASaHHpFX-n89fHjLkU,796
+torch/include/ATen/ops/cudnn_affine_grid_generator_backward_native.h,sha256=lbDDk5Jlm801sC4bs6rlnpZypeUPL9VrQZ1RNVmcxRo,713
+torch/include/ATen/ops/cudnn_affine_grid_generator_backward_ops.h,sha256=-aRwVQji_g2Qov33XjUVMi4wg-3GzmqL8fmXTG2n9Bc,2085
+torch/include/ATen/ops/cudnn_affine_grid_generator_compositeexplicitautograd_dispatch.h,sha256=rXr_id-lUlL0PZLDFAndWFduVVPk9zmcBHSbRU54_34,999
+torch/include/ATen/ops/cudnn_affine_grid_generator_cuda_dispatch.h,sha256=Mg-Zbx9D4KO_RHKckBZyuaB5ZnmL5k_ybw-VOv9BAho,788
+torch/include/ATen/ops/cudnn_affine_grid_generator_native.h,sha256=1lwqidKk5c3TKoen23G29f1lyL10-0d099w1slRZOHM,705
+torch/include/ATen/ops/cudnn_affine_grid_generator_ops.h,sha256=lqPhdrBfovnJl1upr6QbHLRy8MZg7Rkzrr2jREInA58,2031
+torch/include/ATen/ops/cudnn_batch_norm.h,sha256=_rGTZLJPm1FoyvcJ15_h1vgEv0N7KOWRbopg7_JXKtc,3011
+torch/include/ATen/ops/cudnn_batch_norm_backward.h,sha256=T4I_mfeLy3-lujd8Jje3BAAyzyo1ajA-T3NFXp8TSsQ,3203
+torch/include/ATen/ops/cudnn_batch_norm_backward_compositeexplicitautograd_dispatch.h,sha256=M9ynmo58XETZga4xOR3FXE3aBlQbNlrD0N5BplXZrLg,1665
+torch/include/ATen/ops/cudnn_batch_norm_backward_cuda_dispatch.h,sha256=1Jy1BZmfFNPIENyXlSWYNjb1alVoV9xRX4fkq92k0P4,1078
+torch/include/ATen/ops/cudnn_batch_norm_backward_native.h,sha256=HMVK5aPhUgsr9v_YPlWUVpo7XxHtZNa5wO0WZn2Ho6M,1320
+torch/include/ATen/ops/cudnn_batch_norm_backward_ops.h,sha256=CvPwl4Zi-6t2y37mniFYIyRpQeTof0XYsqP8zZAyQw4,4057
+torch/include/ATen/ops/cudnn_batch_norm_compositeexplicitautograd_dispatch.h,sha256=2_8gBdeAkFD0894w4NoP1AIRYDwpK3_wi2yrvQDSKRc,1579
+torch/include/ATen/ops/cudnn_batch_norm_cuda_dispatch.h,sha256=oT_kKmlSZdQcoCznpDQu0A5Lmx3MFoRohRsYKl_yXRk,1014
+torch/include/ATen/ops/cudnn_batch_norm_native.h,sha256=QKRsYRe-TTZZYZn_E9fXBB88K2rt1E1yLa2Z5gftF-o,1213
+torch/include/ATen/ops/cudnn_batch_norm_ops.h,sha256=ZJSRGttSpRwgsf6fzII9SK9PSc86PgRyJiXkMP330bQ,3744
+torch/include/ATen/ops/cudnn_convolution.h,sha256=iEAclXpb4jZzWyvmB8BVp0L73oLUNoYXIu0L_zvcVsg,7654
+torch/include/ATen/ops/cudnn_convolution_add_relu.h,sha256=EsZctE-g3imaCndymkZ7OTyI0w9vqY5dxikONa5ie68,8233
+torch/include/ATen/ops/cudnn_convolution_add_relu_compositeexplicitautograd_dispatch.h,sha256=FiQhO8AgxCUruvfWvcbtSS-K0kOz2A1B-HDsWSnGHXk,2050
+torch/include/ATen/ops/cudnn_convolution_add_relu_cuda_dispatch.h,sha256=kqV74BIl8sUnk19R74cOWVQe8u-cDaMJW1dzEKEsZZo,1289
+torch/include/ATen/ops/cudnn_convolution_add_relu_native.h,sha256=fScBMZUca9rXMkzaWqvJ3Br1xmN9ta0Lc110QALQgMw,1078
+torch/include/ATen/ops/cudnn_convolution_add_relu_ops.h,sha256=6ArUXQWc8pUcKSC9idc9LEoqo8yluge03zHAGPCzwVQ,3300
+torch/include/ATen/ops/cudnn_convolution_cuda_dispatch.h,sha256=YaFY9gjKM4k1dNQOLAgTlELXPHQnZOONzBjMOnWfwrs,2251
+torch/include/ATen/ops/cudnn_convolution_native.h,sha256=WZcG0hFo3kC7SR81mhnnseI7ijjkgN-nlu-sbiXmnWM,929
+torch/include/ATen/ops/cudnn_convolution_ops.h,sha256=w5C4E_SBMlb_J17X-IAzhd3IHo0IiFIzoQCNHLFDl2I,2906
+torch/include/ATen/ops/cudnn_convolution_relu.h,sha256=QbNzJRo89dPNXsWez14-KG9y-41hmZEByRs2VcWAGXo,7059
+torch/include/ATen/ops/cudnn_convolution_relu_compositeexplicitautograd_dispatch.h,sha256=E8-Dw2wHlMtfb6v1T01xscasJkjpA2BLZ6PI2V2b5Ws,1774
+torch/include/ATen/ops/cudnn_convolution_relu_cuda_dispatch.h,sha256=CzOW78g0C5EYt5F0m4ZNZT979enGWKyrErbhPx4Mu0A,1151
+torch/include/ATen/ops/cudnn_convolution_relu_native.h,sha256=mBgqf2ASYSPaWsMNBZDrFY_1PEnatVhz-qVbunkuAew,940
+torch/include/ATen/ops/cudnn_convolution_relu_ops.h,sha256=cinQgL-epDn59sXAorT6EQCtCPi5deSRPdVyU4usHwM,2852
+torch/include/ATen/ops/cudnn_convolution_transpose.h,sha256=tyEDMuMGqXmxmPwD4YPnnq8H_HNvBsI_tISaE017rjg,8870
+torch/include/ATen/ops/cudnn_convolution_transpose_compositeexplicitautograd_dispatch.h,sha256=Ak52MBqjj8TkxX5MtRq7zLDR_o3c0_SdQJXU1VDvbTc,1974
+torch/include/ATen/ops/cudnn_convolution_transpose_cuda_dispatch.h,sha256=xmvTx8EkFeA4j-xcn-a1SHY6LZr0XCE4xRAPxxn59T8,1251
+torch/include/ATen/ops/cudnn_convolution_transpose_native.h,sha256=mdPrhfSl-mmT2FzHcfWW0RLmdWdeImqc4VvnYUlhN-U,1040
+torch/include/ATen/ops/cudnn_convolution_transpose_ops.h,sha256=-euPsLDgfpwp5nafk1mKgSbN2csnwG3PSo3rNqX4wNw,3202
+torch/include/ATen/ops/cudnn_grid_sampler.h,sha256=VYlKE4mSTVAhrshRCESYJbKY2QTHfeS70Z5PZRnY6EY,1274
+torch/include/ATen/ops/cudnn_grid_sampler_backward.h,sha256=fomw9dbnm4t1SCZhhVEUxkHlBH-C7ihm8LhzOqb62aY,1779
+torch/include/ATen/ops/cudnn_grid_sampler_backward_compositeexplicitautograd_dispatch.h,sha256=blb1k5yEpgDhv-rEyyTpUiJ3PcvMuOwe2aF3lUvf7HE,1117
+torch/include/ATen/ops/cudnn_grid_sampler_backward_cuda_dispatch.h,sha256=6uvFt8Ug12xf33J9ANxaaRw67-qmJMwSXdSY69QXI50,825
+torch/include/ATen/ops/cudnn_grid_sampler_backward_native.h,sha256=SmJZPXrF-lIXpxiuVFTNfLYrraTLKlfWJf9sSbuL5yQ,793
+torch/include/ATen/ops/cudnn_grid_sampler_backward_ops.h,sha256=dKSQl1gW3FlHQX979J9yv-d_wvsjnVx92rJb79w_iog,2362
+torch/include/ATen/ops/cudnn_grid_sampler_compositeexplicitautograd_dispatch.h,sha256=sX_Pp6YMhGvDf0YSUuEeayTbV_Aqvp9oC_gHZ-HnzKI,941
+torch/include/ATen/ops/cudnn_grid_sampler_cuda_dispatch.h,sha256=YwZPDzrrJAefCUs8Vg15yk7OdmObQI4xsKjJ2veupUI,759
+torch/include/ATen/ops/cudnn_grid_sampler_native.h,sha256=IUM5kbqYJr65PbMnhQhEOyWA2UXOMB-eWMC-_c5w99w,647
+torch/include/ATen/ops/cudnn_grid_sampler_ops.h,sha256=yO2grglRr4SBRLFnkpDbI7ri_5xKFLs1TY-hLkurWCs,1835
+torch/include/ATen/ops/cudnn_is_acceptable.h,sha256=m8CPpy2Qu1DVRluJ3P7MYjkN5BNUudps58DfMF76VUk,669
+torch/include/ATen/ops/cudnn_is_acceptable_compositeimplicitautograd_dispatch.h,sha256=E0ZgfkRQcvvGaP34ONxiQn1PtPZlFmH9nyYCz3-wGUo,771
+torch/include/ATen/ops/cudnn_is_acceptable_native.h,sha256=sTzHj2dDjfIdvUHjqw5iU3r3kFWubRqd4DugykVNDAA,494
+torch/include/ATen/ops/cudnn_is_acceptable_ops.h,sha256=D3zNVwsWkeKGpVO8FW9NNku6YIOZMskTO2sV9NDD-gY,986
+torch/include/ATen/ops/cummax.h,sha256=pYukgwz9k9FY4aR_ACD56VOPuPRfFKeQ8voAgEr-O9E,2338
+torch/include/ATen/ops/cummax_compositeexplicitautograd_dispatch.h,sha256=JAsbyGjv8yHd9qvsIub_amJCvIqUy7kHnWUMFa1qpDk,1089
+torch/include/ATen/ops/cummax_compositeimplicitautograd_dispatch.h,sha256=ysKrZo_zIiCtP2NM7FWbx3t2jjXesY3qvwVU6d4PY8k,1101
+torch/include/ATen/ops/cummax_native.h,sha256=7-3BfiWgvH40pvnTrXBPPpaRFpf1ZH_l3gbnssqO-Ag,911
+torch/include/ATen/ops/cummax_ops.h,sha256=S2OwuixN8NCm1P7w1xUrbu2B9nV-Bzz7gSu1qzB_6kI,3595
+torch/include/ATen/ops/cummaxmin_backward.h,sha256=p3sPW55GCQrq3teTQLEgNIwC1UkUghNpuyr_uqxjjHI,800
+torch/include/ATen/ops/cummaxmin_backward_compositeimplicitautograd_dispatch.h,sha256=zgUxDvn3JeRV1T8HH7wlJ_SOmfWDblm-aRCdDuRLD6A,843
+torch/include/ATen/ops/cummaxmin_backward_native.h,sha256=7juatun98ujlPxyeFJ5rfX5VN3iVEozwQmfXqXVb0sQ,566
+torch/include/ATen/ops/cummaxmin_backward_ops.h,sha256=Loa8RpajstYXErtEYtUKvzDBpDwpTNnpUSPxT2GVHcE,1225
+torch/include/ATen/ops/cummin.h,sha256=_LWPoZjqhhpbDmFWSkTk8sP8mNryLiLIj06gNa0HeyI,2338
+torch/include/ATen/ops/cummin_compositeexplicitautograd_dispatch.h,sha256=kc3U0-PI7dbqXr1f0IXzDXAdz29cGdqR4FhmKxkXw2o,1089
+torch/include/ATen/ops/cummin_compositeimplicitautograd_dispatch.h,sha256=-0jp9zEiv4a_fMS1YeyFUKwVVAAKkA_OE9GEkAn3IZI,1101
+torch/include/ATen/ops/cummin_native.h,sha256=hmJnKx4lG5-PXImI-EAVSeO4b65Crhc3M4jhmEaxU1g,911
+torch/include/ATen/ops/cummin_ops.h,sha256=_BNGFROmStBNEyh_qn8vY1XGTGSEFd4OEVG0od2-q0s,3595
+torch/include/ATen/ops/cumprod.h,sha256=unNW8kedi-qJPXLezHQhRa0JP4XkQNV4FDJL_Kdohcw,2279
+torch/include/ATen/ops/cumprod_backward.h,sha256=ShGAhfyti9SNAP6EO2-Eaocc9LZvtY5S5iQbZh2mahg,789
+torch/include/ATen/ops/cumprod_backward_compositeimplicitautograd_dispatch.h,sha256=wLxWUZU6Af4t8iHIxKTlR7jCShqfM-MmgAgxaE0ORHk,840
+torch/include/ATen/ops/cumprod_backward_native.h,sha256=sty9vnj3HvZ1cGbwnXiZbbB2Xx-t2iSed47voKN6-6c,563
+torch/include/ATen/ops/cumprod_backward_ops.h,sha256=LCG7KQ3hYNzvBHGNf3J-J3DsgecR8miUl2uOSY4Up2s,1216
+torch/include/ATen/ops/cumprod_compositeexplicitautogradnonfunctional_dispatch.h,sha256=JzraimtePKAMn9p_roECtzfZ06XXYjNwmWYRA1P8V9Q,977
+torch/include/ATen/ops/cumprod_compositeimplicitautograd_dispatch.h,sha256=Q45oAhAVXUeNc0TkWM9eNYhJQZnqeta90DHtHLRQbLc,1245
+torch/include/ATen/ops/cumprod_cpu_dispatch.h,sha256=qsEnFPsganQjrj0gqSgBSxEq-_tTCm77MOcR0v9SnLU,1185
+torch/include/ATen/ops/cumprod_cuda_dispatch.h,sha256=lDi1Y0ARYav17J27Cbx3O0iRLpH5Am7AjTtMV6RNNgc,1187
+torch/include/ATen/ops/cumprod_meta.h,sha256=eYSb6a0QgMjY2up7vR1kU6LY-IAHjpgNj9OOFv8-TSw,639
+torch/include/ATen/ops/cumprod_meta_dispatch.h,sha256=W2NL1dxsyJhZoAGx8gxmNcrxCqtlZ_APIsrx0K_HcCk,1187
+torch/include/ATen/ops/cumprod_native.h,sha256=yrLyUmXvlx9rzz9KuXs-Cmi2B9JGYuWBv63Y7pTV0Lk,1046
+torch/include/ATen/ops/cumprod_ops.h,sha256=kFvrAZHVXVrWtAP-7GD9Tmq3qdwnnMVa-5YoAOtEIvo,5032
+torch/include/ATen/ops/cumsum.h,sha256=pFCATQGc2kjfS4SUNqrO6OwZhErUu9DCrTgYclOPBWw,2260
+torch/include/ATen/ops/cumsum_compositeexplicitautogradnonfunctional_dispatch.h,sha256=6ZD3AdwkexbSfcUTOpSZF-1szE5KBdI104o6wLFfBiQ,975
+torch/include/ATen/ops/cumsum_compositeimplicitautograd_dispatch.h,sha256=BB7HXKkzMIlaaDNLruXnWqr-wArIFRu7zKI6JHbGVOU,1241
+torch/include/ATen/ops/cumsum_cpu_dispatch.h,sha256=sa1pIZYNXLQdQlUPKCnDhGC2Cqj_3gOpzggjbQKiHXU,1181
+torch/include/ATen/ops/cumsum_cuda_dispatch.h,sha256=_3SDPDF93LuJxzFw6DV5h5f0Vk_9Jn5ZrjJNaeVHS7Y,1183
+torch/include/ATen/ops/cumsum_meta.h,sha256=Dq6ELbf5c4dUlXh-RN1o-QPvQBurlDt5clPbKen_tZ4,638
+torch/include/ATen/ops/cumsum_meta_dispatch.h,sha256=mMMsQHHkboQ6nhR4J5ss-fWBdb_dEBrBOAissQXax-Q,1183
+torch/include/ATen/ops/cumsum_native.h,sha256=CWJy4C-P8VJPsG5ftrk5q95p-wDElmtwWSyMW92_DmI,1040
+torch/include/ATen/ops/cumsum_ops.h,sha256=xlwPzHMZcfUBMAkQe5wJetmOfYxKtgaa-htS0amWq1I,5014
+torch/include/ATen/ops/cumulative_trapezoid.h,sha256=1exYeRsIoCOeR-hC7FpGdASwqjaDNgRtieGkjmX0xp4,999
+torch/include/ATen/ops/cumulative_trapezoid_compositeimplicitautograd_dispatch.h,sha256=8ZQtDNIBh_WBa_GRz5Y3eO_cP5jkEtEoH1wy8mknN5M,919
+torch/include/ATen/ops/cumulative_trapezoid_native.h,sha256=GWg0L7FvxvCFbSQayzlxc4vlY7tpyQU4fnRcgr7SBqs,642
+torch/include/ATen/ops/cumulative_trapezoid_ops.h,sha256=du_Q-ICs0YLOqj1kr5peSvhApZMrCOCIAdY21MpOLho,1832
+torch/include/ATen/ops/data.h,sha256=olRxkf7UOplqWe3e7OP5pZDmLe234zxef5mp1eUbCgc,489
+torch/include/ATen/ops/data_compositeimplicitautograd_dispatch.h,sha256=7rT5Ey_ek1MWNWGDWMK7RTglC-A8vrIUHUoogFmPrO8,762
+torch/include/ATen/ops/data_native.h,sha256=TsUamkwCK4ExXzifYSMe6iMIMSqsHz9w1wYJxXGWDIY,485
+torch/include/ATen/ops/data_ops.h,sha256=u5ZB5e0cuxEmIjBTvPBdEhTaN3oCXI_ZS7zVWaw209A,961
+torch/include/ATen/ops/deg2rad.h,sha256=_95ds-7gLx3c9HgRSqZDrUT0PIgyvrLjcUTdbvSRb60,1170
+torch/include/ATen/ops/deg2rad_compositeexplicitautograd_dispatch.h,sha256=DLSR889V3eHxDTyTDgFYjBFbYzyQ4e_g78K8hW3VHqU,976
+torch/include/ATen/ops/deg2rad_native.h,sha256=Y6lzpXKK7HUQZLS6XYY-VP1kJ4GtsXI8m3BOtRFYROQ,1045
+torch/include/ATen/ops/deg2rad_ops.h,sha256=OdRtNfWstIS8NuMt9u39a8jLyG23xWV_yPS9o1hnnl8,2131
+torch/include/ATen/ops/dense_dim.h,sha256=4cRjTPlG_8a9j6ZpuIQBweBtVoOlFBGFUNZMuzWkCg8,494
+torch/include/ATen/ops/dense_dim_compositeexplicitautograd_dispatch.h,sha256=Ui5ifUlQs-P3-k8zdjpecNs6nDTcm1yfXzdgc7flXXw,764
+torch/include/ATen/ops/dense_dim_native.h,sha256=wVBeCwmGp3Ns-o556aseyt88_DJmgyX9-sPqxjKmebw,621
+torch/include/ATen/ops/dense_dim_ops.h,sha256=dfFIdqBZog1yvhySDqWSuH-uZTbRkmTEMWQcAgXduyM,964
+torch/include/ATen/ops/dequantize.h,sha256=p52EhUaIvvxpDV6O3oRXCSxX-eH3_y6t9_OqWsfzDTY,1708
+torch/include/ATen/ops/dequantize_compositeexplicitautograd_dispatch.h,sha256=G79b9-0_JeOtygHHMAr06A1m2Npq-6vwZf8wU4ddJl0,1026
+torch/include/ATen/ops/dequantize_cpu_dispatch.h,sha256=PgMCnHQK2lewGWM_pKyXztqTdjHq1sphVO5wR-wODHE,724
+torch/include/ATen/ops/dequantize_cuda_dispatch.h,sha256=sbUXS-BxQPCsWFII-0-Yj7zMWV1u_aMl5gIEhBtWCPY,726
+torch/include/ATen/ops/dequantize_native.h,sha256=XlO3Aq6dGG39YUfAx73Ex-uT4rblKxU_pSr2nNQUMP4,835
+torch/include/ATen/ops/dequantize_ops.h,sha256=-OZ-tyqbEcR6eBGwELdE5M85Z0UpNdHHxetJke3sNog,2891
+torch/include/ATen/ops/det.h,sha256=wDePbrvqjm_Ledl4p9thQKnnhE8cC1W0WiCs7Gjhc7g,613
+torch/include/ATen/ops/det_compositeimplicitautograd_dispatch.h,sha256=vMhr6dD8nYriKxlO7LAas9mbHdj_bRMEbwKfkByWGcg,761
+torch/include/ATen/ops/det_native.h,sha256=xISiolu42yWEzVPa9ugUs0AbTV5EGU7at_avfwMugSI,484
+torch/include/ATen/ops/det_ops.h,sha256=Vj5DXd8PKWt2U3DCF6Q1VRea4zF-QQTORJS1tMO1nks,958
+torch/include/ATen/ops/detach.h,sha256=ik9ZE_g1hyvevsa9YgDwB_LqhfFZ9HguTDOVLnOlrdU,773
+torch/include/ATen/ops/detach_compositeexplicitautograd_dispatch.h,sha256=crcZzI_9nwLGaJvHqbeMlfQpDK3rghIb7ftfD7-K2Yg,815
+torch/include/ATen/ops/detach_copy.h,sha256=FKZ0Sf8MP1P7L_Y18hqQJC2-9_ZjZIM0Zk-RSBnYJtI,1065
+torch/include/ATen/ops/detach_copy_compositeexplicitautograd_dispatch.h,sha256=xqbDYRrKQ3HENY3MW9a_H2FO4r_MZEU-BPYRjjTJxKE,877
+torch/include/ATen/ops/detach_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=vW0hj53gbojTYp7awhEvCMgH3ATWwxH5LDf6gHofF-M,795
+torch/include/ATen/ops/detach_copy_native.h,sha256=7TGbutWNjSLEL7leF3o-fxOAf_SN__uGbGzrjINRNoc,575
+torch/include/ATen/ops/detach_copy_ops.h,sha256=d8aBlrElKzmbT7QyKh0KcxyrnjALAKKtRr8TNprn4yM,1620
+torch/include/ATen/ops/detach_native.h,sha256=Lqu0rAu8I4gE_gFia7O5TJcR0WUzUDgkgbiGqBnLNkA,538
+torch/include/ATen/ops/detach_ops.h,sha256=HCMLv23LQjjPvBb6SRS5SoI6sHW6Jdr5AJa3OYPdNHQ,1505
+torch/include/ATen/ops/diag.h,sha256=vb2jd7bEwwJJGk5eTa6exYSzYtEO_CXyX3oPQ82pMI8,1131
+torch/include/ATen/ops/diag_compositeimplicitautograd_dispatch.h,sha256=edYpNbx-uPwMurX3pmgjbRTGlyh-cXPUVb4hup1v0KU,973
+torch/include/ATen/ops/diag_embed.h,sha256=uTisEuRxIXjZf0nWRxVnl2RZ7OL3Fta_zLsqPCXCcBc,1383
+torch/include/ATen/ops/diag_embed_compositeexplicitautograd_dispatch.h,sha256=gg8ug0EHOEm6fljI_cZ4Uoc9S-U2fToKJT2DCO-DFr0,971
+torch/include/ATen/ops/diag_embed_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BqH6JU_YRm-CUQFRUTvWhpZ3mYiXTmYXqqaZKlpTebs,846
+torch/include/ATen/ops/diag_embed_native.h,sha256=BJIeE3KzhiFUzPFrcxpPM0Cb4P0DC_FoEuDFxO9ZHqY,669
+torch/include/ATen/ops/diag_embed_ops.h,sha256=mptAqmzVQsq5iG3HhfAOAcYv3B0InnlM7lUkqDnELQ0,1924
+torch/include/ATen/ops/diag_native.h,sha256=yc4w-euyMh-gWFORsZPdg-D5Wc3Y_PCLxThz-M3xQi4,599
+torch/include/ATen/ops/diag_ops.h,sha256=S7jqrigTQIddIssEpjQGpYFWhe36gLkZf8_oCTi3vDY,1700
+torch/include/ATen/ops/diagflat.h,sha256=79q9p7mJ_3n4VmV_DoRfR56m_6yQV0SIl1l4xUidSgI,673
+torch/include/ATen/ops/diagflat_compositeimplicitautograd_dispatch.h,sha256=iAv9nwwoz86t3SP_zl3mQCCfQAF_QsHYZ_vBg8lLqh8,784
+torch/include/ATen/ops/diagflat_native.h,sha256=576p5a3hUPL7j6vSB347-c_-CPQ_8zVOZJfgOd6f1v4,507
+torch/include/ATen/ops/diagflat_ops.h,sha256=MOgSp8i8tHXdiBw5qpgqGCrWmrCauws3VABcgKQW9W4,1028
+torch/include/ATen/ops/diagonal.h,sha256=GvmjO5XV0raFRsRKQUHdTz-L8fS-22UQlbwxOtV8BgE,1073
+torch/include/ATen/ops/diagonal_backward.h,sha256=Cl99mg5hvmzqwhCh2_F2Zo21jLFjq-BQVJ46RyX-on8,5230
+torch/include/ATen/ops/diagonal_backward_compositeexplicitautograd_dispatch.h,sha256=AOBdU5Kt4gWehW06MCyD-vmUcCLIvk6MhVu9952CYQw,1711
+torch/include/ATen/ops/diagonal_backward_native.h,sha256=qBx-S9aA4IgMI_jwNXQRmbq-Zt89jw5bunmMBJyWvfM,769
+torch/include/ATen/ops/diagonal_backward_ops.h,sha256=VNqKKNrZmP5mYSw_CLSF4fAd4BKZjNAEfh8gamUTOB4,2210
+torch/include/ATen/ops/diagonal_compositeexplicitautograd_dispatch.h,sha256=YNCL9amA_G1wo5NJs2cWY13NlZUJhLaoM6LR-9sjqJ0,816
+torch/include/ATen/ops/diagonal_compositeimplicitautograd_dispatch.h,sha256=eFMJSnz1dq1oAiLRHonak-2wtUy0wI6EqqvdkPVofBw,840
+torch/include/ATen/ops/diagonal_copy.h,sha256=gpTSmzn8GRGOPvyPXd-8IHjKYOzTP_W6hUjBjnpaKD4,1403
+torch/include/ATen/ops/diagonal_copy_compositeexplicitautograd_dispatch.h,sha256=FqVEXXDUGjaBarEzXdKgH6vPnanN89fGkBUiL3JWP3U,975
+torch/include/ATen/ops/diagonal_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=1eCt651vj8kU98-XvhO2c7oWCIupIeanTt5z2gUjEzc,847
+torch/include/ATen/ops/diagonal_copy_native.h,sha256=eFapkmNecl7PG26LhOskH3TJIFFp-7inc--LwuqiauQ,673
+torch/include/ATen/ops/diagonal_copy_ops.h,sha256=tASZqgsDLLnaqQ451bt-C-OV_8HuYCBef4d6w4ovm8k,1938
+torch/include/ATen/ops/diagonal_native.h,sha256=q4RUZuLjAGo77_F7RqQ_kZZu5k_DRVUeVu55VxtKP5k,669
+torch/include/ATen/ops/diagonal_ops.h,sha256=pyLMA9TiT_xQcDDKJwbodaLaLCG5qU4bjbMGLXPQCwA,1953
+torch/include/ATen/ops/diagonal_scatter.h,sha256=uMzPG0jit7W0qvCQHnA59QQZEu4Y6y5xVKz48bOo4as,1556
+torch/include/ATen/ops/diagonal_scatter_compositeexplicitautograd_dispatch.h,sha256=St221yGHbtk1c16W8KqHEsb1Gp78kre72V65iTIC6Uc,1029
+torch/include/ATen/ops/diagonal_scatter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=gQ6Hz-GumZ1598dqaSGzKKSS7l1kd3AcB3m4kIsIa8w,874
+torch/include/ATen/ops/diagonal_scatter_native.h,sha256=CpZHiE3F3YMMKiGTl7RvzWqKjDNWdtbSeok090D3pOk,727
+torch/include/ATen/ops/diagonal_scatter_ops.h,sha256=fBMgl9nXo9wOAi-Zr9vxuZ4D1IiDmduYdEIG85GDCKU,2116
+torch/include/ATen/ops/diff.h,sha256=7zEAZuEscESViXeeDVVGykzvqyP1CcM7BgIPt_Jl2Rk,1623
+torch/include/ATen/ops/diff_compositeimplicitautograd_dispatch.h,sha256=IZ7Pp_125yA_6VmKZzwnN1dc2LJBBvoY5pO3BoxCZQc,1276
+torch/include/ATen/ops/diff_native.h,sha256=6o1p9RavWh6CKaXMnWwoAOPcVNJRA29wmtUw72pnnLw,798
+torch/include/ATen/ops/diff_ops.h,sha256=VMOW5_ETJHNoT8SsTENLEglIS5bdGcJiQi4ZKaF7OvU,2342
+torch/include/ATen/ops/digamma.h,sha256=DCbpb7Q5xkhbDiIG7fO4C0pF4MzdfBTymMsiurX9FAE,1025
+torch/include/ATen/ops/digamma_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9X1iwB9nsSRxsdntZOMRgNxmGsS45_ZQhKj_pP0pwAU,843
+torch/include/ATen/ops/digamma_cpu_dispatch.h,sha256=MzP1whO9KAJd-sPTA-0DmQFm4nc7wudhV4fErigm4RQ,932
+torch/include/ATen/ops/digamma_cuda_dispatch.h,sha256=jR7Kxf3Kutt18KxH-jso7KLOqnEnbxR_Bq6rrPpplc8,934
+torch/include/ATen/ops/digamma_meta.h,sha256=UkRji9cCYf0tAz78fUaw6JIOnYgBXj8FH3JLNAdrsuU,587
+torch/include/ATen/ops/digamma_meta_dispatch.h,sha256=MuEijZQNPnfdw2EgfID4yZbv9rKtm1BwMxsKMYIHJ9Q,934
+torch/include/ATen/ops/digamma_native.h,sha256=1tf3qjn2Or8BnU0jcMjdcUOma8kOdt4EkSA1q5cGoXc,610
+torch/include/ATen/ops/digamma_ops.h,sha256=95pRtKCzuqvWcr25N4q5uURQ2pe2JkrU5GfP2iDUgi0,2131
+torch/include/ATen/ops/dist.h,sha256=YtuQHwSzsJ71p_2BOo_6BiAFDEE4OWVTy0UYTwzknMU,1251
+torch/include/ATen/ops/dist_compositeexplicitautograd_dispatch.h,sha256=pc6-HxVURdAmbQaoZuiKy0zBIcwKICyCIK7PEulFXsI,1063
+torch/include/ATen/ops/dist_native.h,sha256=yucZAgWqHKREO_tMuo3xHamCPkd1nXjQIAKYndSbQBg,659
+torch/include/ATen/ops/dist_ops.h,sha256=wyD7JR6GdQQ8otEPNeRNCs6wUtNu3EcNt_8m_ItGIPI,1902
+torch/include/ATen/ops/div.h,sha256=9Mi9RkTPku2fDHfasaVycsNXggmwlMKTecXi6bV37Z0,3725
+torch/include/ATen/ops/div_compositeexplicitautograd_dispatch.h,sha256=jGY81xqohLjATZfHV-8xA5iJtzG7DtjtDtG8DwZbufw,1614
+torch/include/ATen/ops/div_compositeexplicitautogradnonfunctional_dispatch.h,sha256=R4g2Ygc6XiMBmfvmt8TU1GRuv0QX5xrkQQH62cEu8YU,1136
+torch/include/ATen/ops/div_cpu_dispatch.h,sha256=Z0FGxxyAYxfZ8rU2h2EfSYne-88OdmnoluIgub7pgVw,1570
+torch/include/ATen/ops/div_cuda_dispatch.h,sha256=brfTgPlIsfAJhuEy-eB7UNCk_VL_vyJm6ffBs0w1AD0,1572
+torch/include/ATen/ops/div_meta.h,sha256=9znvkL5ee9mrA0ZKeyXU3oV4hpbNc9huMjxF04XnDgY,818
+torch/include/ATen/ops/div_meta_dispatch.h,sha256=oz5UE3e8SY829iYZzwL_Ysba-HApIX66AJ_zINMP2kM,1572
+torch/include/ATen/ops/div_native.h,sha256=5rnkIoBd3SJ1nlUwtYWf4J8tOYaChFTIcWbtw4F639g,2519
+torch/include/ATen/ops/div_ops.h,sha256=3Y66woCta1WXOps8pe3WYXVPt6KrNAzlztfaUtRt6RI,9332
+torch/include/ATen/ops/divide.h,sha256=vNREPDOrQts5RzFZEJAtBXWPg_k3OoElokZaZa2zrNA,2624
+torch/include/ATen/ops/divide_compositeimplicitautograd_dispatch.h,sha256=faKU5tLCupTnFlS3ykrAU4EeBOGbEy6wqfaj5uEQQzM,2050
+torch/include/ATen/ops/divide_native.h,sha256=e6iFBh-ucWuU-VWSa1BGzLA8U4XlZKY-pvu_AKXRZ4w,1514
+torch/include/ATen/ops/divide_ops.h,sha256=DgbPd1QvpZrlhHT09uhWYRh1Tyl8xtWmKQcifN07Kck,7812
+torch/include/ATen/ops/dot.h,sha256=1UuXr9OmtAd1xeziesj5fD9rDu5eQoB0QEdc6Gvl5fM,1135
+torch/include/ATen/ops/dot_compositeexplicitautograd_dispatch.h,sha256=usIcLuparc2NVrF5TntbpbjqgiYJq-dhnbfKBM-ixjs,915
+torch/include/ATen/ops/dot_cpu_dispatch.h,sha256=ywDI3f52zvW9ZKo6diE_gnWH81jZEoKLcdRwFswIp5w,744
+torch/include/ATen/ops/dot_cuda_dispatch.h,sha256=A86RTtAXKBpGuszl0vJJJXB-rvKc5BIKkMrFAUY8Wuk,746
+torch/include/ATen/ops/dot_native.h,sha256=7PGyEqJljvQTQh1RS_BRGqkcMVn6ukufnxBk6M4LSz4,696
+torch/include/ATen/ops/dot_ops.h,sha256=gv9JbRQjSCoZLAJy8r_guZrkocYQvKipACGh6fSzl-g,1750
+torch/include/ATen/ops/dropout.h,sha256=ckLZuvwBwoFnSbwIm1UIYnI9xaLCK3HHk8W9JnwPbW0,883
+torch/include/ATen/ops/dropout_compositeimplicitautograd_dispatch.h,sha256=1oNmNCeNCWLHWL9vxzq3kL67NmtOUC8Ir9mLr81pUbE,862
+torch/include/ATen/ops/dropout_native.h,sha256=Am_s8C_2BP-limHudqlMYL7ncF-Z9COE4rZ6Q7HywsA,585
+torch/include/ATen/ops/dropout_ops.h,sha256=mEk39af2nGsRYGCqYkV5bmExg6es_HIHHUYCPXBtGO8,1666
+torch/include/ATen/ops/dsplit.h,sha256=jhKjvCiQhYFJ5iIQRKqJoV1k0LiQRc51Oyy8W_s-ojA,927
+torch/include/ATen/ops/dsplit_compositeimplicitautograd_dispatch.h,sha256=Lc_xGCKzhxHNU6F2ztKMmp3eKEXyWbtDoBFsS4gUTb4,891
+torch/include/ATen/ops/dsplit_native.h,sha256=v5CceKHVxUKD10prClTTwd6ftAXohY7vQAYgnUGwsf8,614
+torch/include/ATen/ops/dsplit_ops.h,sha256=95tud01xSOmnkYVwEZXPNYSCuUmJtbKvrDFYqugFXQ8,1785
+torch/include/ATen/ops/dstack.h,sha256=ircg8ZDuOcy-VbPr0jHcBHCB5fyZRTDmnoKbDdLWiXg,1036
+torch/include/ATen/ops/dstack_compositeimplicitautograd_dispatch.h,sha256=-PJkYjYTP0wjfRHnQapUQfgNNbnBYTdnEAawd6IfuGo,918
+torch/include/ATen/ops/dstack_native.h,sha256=odFJOUGWApyH5F92QolWBMQMtxEzTGJXonPFetCizCA,563
+torch/include/ATen/ops/dstack_ops.h,sha256=4m9Fy1WhPy3wNTRmRS7PCp2yHUEN2talXlJXvu-8kZk,1588
+torch/include/ATen/ops/einsum.h,sha256=S17QWmTTS2g0TwA4-1EwPCNUpuQPiEpZb8wKLcjpufY,755
+torch/include/ATen/ops/einsum_compositeimplicitautograd_dispatch.h,sha256=Zmt4msCBOKK5HKC5PQoZU3miKuRq6ocR3BKgmzS3cjI,835
+torch/include/ATen/ops/einsum_native.h,sha256=mxgfLDc9IH-spmvxpEkdKeCsgiDn-bZi_tL6HRuDcoM,558
+torch/include/ATen/ops/einsum_ops.h,sha256=JMHliVu9Pa6JRbdHnl_DhB6LgbF8l1UMQxOxmJZMRVs,1158
+torch/include/ATen/ops/elu.h,sha256=fRKWVT2PpUMonqJEnpiMjdmedkOea2a63w1VV9pLuSU,1796
+torch/include/ATen/ops/elu_backward.h,sha256=7J_sHaY7TpCRgElq-j5ULpIF_-QTy5fsNYHgwqAjS84,2036
+torch/include/ATen/ops/elu_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=qlCwY_IF0NLw-2QiE0jNvaoCpd26zZVloEMivjNBIZM,938
+torch/include/ATen/ops/elu_backward_cpu_dispatch.h,sha256=6oHWY1Wd3wCF7Qx-uJWFii0PBI5jgqRvVJ0mjgiQwnQ,1335
+torch/include/ATen/ops/elu_backward_cuda_dispatch.h,sha256=fdyXrsKqOmCUyGCynwJB6d4_L_c-d-d6VVSJIKHpi-I,1337
+torch/include/ATen/ops/elu_backward_meta.h,sha256=b3AuQ7jh9zd6EyyjjQT7BV3DLqv6CVDvGfFMDwHwZfg,734
+torch/include/ATen/ops/elu_backward_meta_dispatch.h,sha256=aBlORlbO3W34dcLIfKr813uBE6GBuldwHwh28Ry-2N0,1337
+torch/include/ATen/ops/elu_backward_native.h,sha256=uZS4uwoPgEMLTc7KKrAuDliFMbvOvA93CX7J6JERaRg,774
+torch/include/ATen/ops/elu_backward_ops.h,sha256=zX5DWE4G9aQiAX18ZwWC6dKNWHjGQLOuOpX0gN0_r48,2596
+torch/include/ATen/ops/elu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=h59xyTdy10hFVr9wqnuWFXy1RDVR5VG3mIUD1lDUzB8,1015
+torch/include/ATen/ops/elu_cpu_dispatch.h,sha256=MQ8vMkSuDHX55lAxNnE8GxsxQdYPu8IcXX_quyvHxRs,1270
+torch/include/ATen/ops/elu_cuda_dispatch.h,sha256=c65G_16MwTnsFIaTU3okr2z3a9D0i1a5jL3U43FHPmY,1272
+torch/include/ATen/ops/elu_meta.h,sha256=OGglh6nYU27YQctuuEVnSDQsxiNmHZsnHQQ5KBY7QFs,667
+torch/include/ATen/ops/elu_meta_dispatch.h,sha256=xRS9WTykrUufIbwrl9jW_EFxnQWvpVqdDpIOjNcLFek,1272
+torch/include/ATen/ops/elu_native.h,sha256=Yjsvox0DAq8d2SpuqtmjpTIW4-fhwf-bMzo1ZMKwpWg,682
+torch/include/ATen/ops/elu_ops.h,sha256=HRrvTP5tiN_Pb1tKku0NO1xbLcD0W2hR2Oip3f99k7c,2941
+torch/include/ATen/ops/embedding.h,sha256=pE5jrMHn2tTeFSnHJ9kpQ-YLV0hM2eShX0HgupzMCBk,5378
+torch/include/ATen/ops/embedding_backward.h,sha256=xoM3m72ARBZPvLRof4h-dCN-SH8Qm7f3o4FZSPXZa4Y,2189
+torch/include/ATen/ops/embedding_backward_compositeimplicitautograd_dispatch.h,sha256=5J0XifO3Bq1LhMsYc9b4M2PZNufoKk-ufaJlbRo3XBs,1073
+torch/include/ATen/ops/embedding_backward_native.h,sha256=zWrt7eb5i5O9y_XCjOJpxmlV3DWxNW2aD38kbBmmxVg,622
+torch/include/ATen/ops/embedding_backward_ops.h,sha256=g80RywFuN75gTB_QMR8erO2OH39-dnsiEIZs-y21Cl4,1387
+torch/include/ATen/ops/embedding_bag.h,sha256=fyYBPzy7lVYYEEzQEkyCkUeArJNXoPg7wseRKlKcO-s,1942
+torch/include/ATen/ops/embedding_bag_compositeimplicitautograd_dispatch.h,sha256=9BuoONsmj6yiKNSmu9pdWum6SGALKEIlpR3qtW1KGo4,1371
+torch/include/ATen/ops/embedding_bag_native.h,sha256=kZIvsOhBbM_FpLSmDdsUQa30_DO_Uqvcp01bVaiwY8g,1094
+torch/include/ATen/ops/embedding_bag_ops.h,sha256=wJ4PfDPbzpfAcUl0SGoQauCjBxyfcBoxlggLq3OVlSI,3304
+torch/include/ATen/ops/embedding_compositeexplicitautograd_dispatch.h,sha256=8eczPbmzXRyTbrpuGcqT8-kLZzcRab0-ufAGe8L3x0w,1777
+torch/include/ATen/ops/embedding_dense_backward.h,sha256=JSkpNTC999i5IlfNWDtwFFS0ABc1b7Yj1k_BMapVr0c,6005
+torch/include/ATen/ops/embedding_dense_backward_compositeexplicitautograd_dispatch.h,sha256=tq6A9LTD0Kiig8wrCh9tiiSnGPH7J1sYViaDC3p5x4c,1534
+torch/include/ATen/ops/embedding_dense_backward_cpu_dispatch.h,sha256=xflS-vDS_njA_ikBB6utdaTMEEwrXs9kkv3wQnXhRRQ,1029
+torch/include/ATen/ops/embedding_dense_backward_cuda_dispatch.h,sha256=FequpJMa_WaOnF_1PX5qQN4trbOiwDBe_ZqoDndUMQk,1031
+torch/include/ATen/ops/embedding_dense_backward_native.h,sha256=VByjOGjDYb9pBbhX3wxxMRtlHSm6bpLh7kkKRzV6Z6U,1003
+torch/include/ATen/ops/embedding_dense_backward_ops.h,sha256=Tk8MVUeGvXvA2C-W-CS2YBqKm4xwu-UsnoEeeVq0RbU,2418
+torch/include/ATen/ops/embedding_native.h,sha256=woXeblgfaF5EfNwu6Btz7c2y-YkxbgUrZoNggt2d7zI,960
+torch/include/ATen/ops/embedding_ops.h,sha256=nk3ngB_010_nHCBKokhUvjfP8TWgiV-thp_AviE_g0I,2252
+torch/include/ATen/ops/embedding_renorm.h,sha256=ciRbNyGI0CFrwPZPTL1zbf5qsO-xczvskFqp_FVqgW8,1855
+torch/include/ATen/ops/embedding_renorm_compositeexplicitautograd_dispatch.h,sha256=Hk99z9_8zaNCvQpsJA4at3iwE8dSNruNPzMbJ_IRy9Q,1140
+torch/include/ATen/ops/embedding_renorm_cpu_dispatch.h,sha256=T1QIHLFDW8ngs9ywm8fFp1JHzZE_GzlBZfHc-JDjmKo,790
+torch/include/ATen/ops/embedding_renorm_cuda_dispatch.h,sha256=9hv7EzsAbrhN9UKfbqdPAzJ4yHqyoWndeDVBQuEM8bs,792
+torch/include/ATen/ops/embedding_renorm_meta_dispatch.h,sha256=YxzMsc1SvfuUmiH9JV6tZS1tgWYJ-yzPloNfM10S9pE,792
+torch/include/ATen/ops/embedding_renorm_native.h,sha256=t_CA5XsM2kIZ49akWt9h7HAFwwyQRJpzzX--s3o9e_o,968
+torch/include/ATen/ops/embedding_renorm_ops.h,sha256=VSABSWqnupL1SrtQgmKXiMdz5hBSyyKf_BsczniT9ZY,2845
+torch/include/ATen/ops/embedding_sparse_backward.h,sha256=dVFxyqYIReHPyvWryxsssFVaT0IGI4Vg9QSEDJtIvZI,926
+torch/include/ATen/ops/embedding_sparse_backward_compositeimplicitautograd_dispatch.h,sha256=59UmBtuADhejdZEqMfc59TUmjy3d00WJ9AWdpNms-p0,878
+torch/include/ATen/ops/embedding_sparse_backward_native.h,sha256=vAN0SPS0Fw3fmza7H4s1fkyTHbE-2TutShH5c9w-7pY,601
+torch/include/ATen/ops/embedding_sparse_backward_ops.h,sha256=Oe5gVl43EkLIOeFKS1OQeWvrrj2dAQDLlL483Hxj51A,1333
+torch/include/ATen/ops/empty.h,sha256=5hZvtcD26QKeG3HQhd3SMXdDjgkHJk3ZxvH8xMoSm_E,9256
+torch/include/ATen/ops/empty_compositeexplicitautograd_dispatch.h,sha256=Pg-u6nc1hTg5hgbXXN7D5Sqz5qjYqS3scw7L_snbeRk,1520
+torch/include/ATen/ops/empty_compositeimplicitautograd_dispatch.h,sha256=Ab2ZE86_FOwxSjIBAyZijv2vrVRNdNZbApOKiOCUQV4,1256
+torch/include/ATen/ops/empty_cpu_dispatch.h,sha256=gG-pV-BNnabTixJcdmtNT5LEJIpxn56BugUeU66o4T4,1464
+torch/include/ATen/ops/empty_cuda_dispatch.h,sha256=BVrJX4MYNNrdnBEoP30nV9NaAj0tZbRnspu9rFZmxPY,1466
+torch/include/ATen/ops/empty_like.h,sha256=NvbEXNGKlQe2DBPfb7TSxY_lRyNKFTkMaeKEjkRoqXo,2209
+torch/include/ATen/ops/empty_like_compositeexplicitautograd_dispatch.h,sha256=NKoLc4TIRD7zVWF3qNKUX1Q3EkCgl8jEMh3cblcBGGw,1392
+torch/include/ATen/ops/empty_like_native.h,sha256=XA79blQjIEH86VK_1_hI-Ci6oPskc1PXY1i7TofBR_o,1998
+torch/include/ATen/ops/empty_like_ops.h,sha256=SY_0TzQGTRGxvDFKk2jpbEZUFNdZJuIOAvs9V4GHq7M,2444
+torch/include/ATen/ops/empty_meta_dispatch.h,sha256=qS0_VLwGOvGDuBMelOVg_pWU0y08ynSVTA_jZljk4Tw,1466
+torch/include/ATen/ops/empty_native.h,sha256=IRLonquf2ARoCjDQbTJkEBVFgCAKHgiqL9mq7qmK4Cw,3014
+torch/include/ATen/ops/empty_ops.h,sha256=3Pkn_7-Yx-NKHt2XZVHMhi20F8q5tJEilLbdZoitwr8,4724
+torch/include/ATen/ops/empty_permuted.h,sha256=z_4ce4ouD6jOyrkJhFpXUOaVq14UnwODLwFbV3tpuM8,6806
+torch/include/ATen/ops/empty_permuted_compositeexplicitautograd_dispatch.h,sha256=FqK5pM0eV6-WOdCt_gjN-x1HuO9MnwdJbkY-QTPjR9I,1938
+torch/include/ATen/ops/empty_permuted_native.h,sha256=HKOWtGXZ8mNfAumMz1hqLjMHR5pBFTGolhuD_qxHy9k,820
+torch/include/ATen/ops/empty_permuted_ops.h,sha256=RP8Qet97GLUyZQ0ENKZevkHgQN_y47fSr76ZDevlV68,2356
+torch/include/ATen/ops/empty_quantized.h,sha256=vZs8rWa97ooorMt5XwSqeTpmhSEgk4D0a2EgCPbQ4hk,2470
+torch/include/ATen/ops/empty_quantized_compositeexplicitautograd_dispatch.h,sha256=3a73sgUINb7bGc2T0AVhFuosSoGhimuZZ7v6wyrEYQ8,1048
+torch/include/ATen/ops/empty_quantized_native.h,sha256=__P_VkWUI7OiBzIMR8BpTHlSd0i-u1cz9F0dMe-mt3Y,903
+torch/include/ATen/ops/empty_quantized_ops.h,sha256=skDwcSlXuCCKnKR0NyaxhAoIpmRL9j0oqHyhNKH7Zpk,2638
+torch/include/ATen/ops/empty_strided.h,sha256=jZoF1Y02hCdgsbq86CN6OBfJ5jmtPi9SRT55aY84ANE,6669
+torch/include/ATen/ops/empty_strided_compositeexplicitautograd_dispatch.h,sha256=9Yx0W23lS5yaKrujxuaO8x3yQMEwplxPJfvN3GAtPTA,1166
+torch/include/ATen/ops/empty_strided_cpu_dispatch.h,sha256=RpE01KBO-jwQHXdOPNVvTavTUhmFLDXx3oJl1NYikRg,1374
+torch/include/ATen/ops/empty_strided_cuda_dispatch.h,sha256=PHkb8AeJjOpBqtjB_JyUfRBxNsu2J-fhAYnS6v7jQQw,1376
+torch/include/ATen/ops/empty_strided_meta_dispatch.h,sha256=3EVRhA43wL0iN2-rmPL-3OOBn9d-CvMl7QwIJ0meI5Y,1376
+torch/include/ATen/ops/empty_strided_native.h,sha256=AOKFBI-OwaMj-U8zhJr5W5DIX6Q48y0BWwjZ9ZMb8cY,1557
+torch/include/ATen/ops/empty_strided_ops.h,sha256=8Bb3OZWRp4NNUNmBxCzaHwMXSGmf2dno-1SARIjmegs,2326
+torch/include/ATen/ops/eq.h,sha256=GXMZ0K-27vGhDJF2CMD5DeCJ6d3PacynjUwCneroRok,1830
+torch/include/ATen/ops/eq_compositeexplicitautogradnonfunctional_dispatch.h,sha256=KBRnPMNuCIKfzjhAwMFIMu8zPyTBUJclRyW5rJ4s3pM,1034
+torch/include/ATen/ops/eq_cpu_dispatch.h,sha256=dX1UerPELGPV4lzsajFq2BNzJ4U8rteB_iNG6pY9MJI,1366
+torch/include/ATen/ops/eq_cuda_dispatch.h,sha256=D5TAunT-rKbYZugffS42_hxtzXbOG7-6TYZN8kob5fI,1368
+torch/include/ATen/ops/eq_meta.h,sha256=Eoyo6lqd8ozWwRdKvY5GLwnDf8elrWd_2MxGXw5U180,762
+torch/include/ATen/ops/eq_meta_dispatch.h,sha256=LB_A-cJJ9BdJ6XbKFiU-riS2O7XDrXM5M1AL9AU340k,1368
+torch/include/ATen/ops/eq_native.h,sha256=fB8k90lHCqZGXqHKyl_vmqk_Mb2UDnXavC0-Pof28M4,1306
+torch/include/ATen/ops/eq_ops.h,sha256=UzpohP8DOI_2J4dBJr9FFTRAGw_1N4UXPr5T6TUhJhM,4376
+torch/include/ATen/ops/equal.h,sha256=gxTQVVh7tU4VR6Uud2toHWXFycBiodu6u2NEv12YYdI,660
+torch/include/ATen/ops/equal_cpu_dispatch.h,sha256=j5YI9YxgBAETewaOudtFJrDBjlWTdCdgu5JbKAuO3G4,739
+torch/include/ATen/ops/equal_cuda_dispatch.h,sha256=mchBRbi709Z6951APBwwJTDKDAvKDG1mstukVN301iQ,741
+torch/include/ATen/ops/equal_native.h,sha256=ISVLA6uAl7VLBjRX72Yc0VnsV-UJv3LljSg8pFKvYR8,675
+torch/include/ATen/ops/equal_ops.h,sha256=lMNnRNS62M-XQ-fSn30z2OQ1pte6JM3VZLXVqVK2mlc,1030
+torch/include/ATen/ops/erf.h,sha256=-v5urK-s1xGdjdufyLNFOn32pxVPbPSaEEEqSPJRJSA,1118
+torch/include/ATen/ops/erf_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wGh8OQNFw08ICErp-Tc3_W_brhkUYUmKJuLpARD357g,835
+torch/include/ATen/ops/erf_cpu_dispatch.h,sha256=AvAjSKKI1QA5n9miS9De5mCT6BjVMIxeImwH-wHWf-k,916
+torch/include/ATen/ops/erf_cuda_dispatch.h,sha256=GWFJ8FLIUo8rGp7_yO_BRyqAuw76g_VYO_uw50s8OoY,918
+torch/include/ATen/ops/erf_meta.h,sha256=zYB6_L9Bs8BwZG_AkeUlFmaVYX-aF_eYiiCHJr7OgFA,583
+torch/include/ATen/ops/erf_meta_dispatch.h,sha256=-R-SQRDApQ2COAqEA-W7zlEGrIZ1SBlzcQTi82sChNs,918
+torch/include/ATen/ops/erf_native.h,sha256=DyyHjqt7-2cMFAQmtz7uVSEQxiECCmKCmT_guGeaqrs,1000
+torch/include/ATen/ops/erf_ops.h,sha256=hG_7-iUbRkngBasOzzP55Yd6z-QGkMlNDGSRTXOf2Gw,2095
+torch/include/ATen/ops/erfc.h,sha256=3JNjXsxtIOImRn0c8FGKLBAIVqO0JzGh-Znf1VvRvAI,1131
+torch/include/ATen/ops/erfc_compositeexplicitautogradnonfunctional_dispatch.h,sha256=q-k3nbIGUOcOnj5MsWXChdnTMBhn8-5kB8sd5Fb8xas,837
+torch/include/ATen/ops/erfc_cpu_dispatch.h,sha256=hEQv9d-XZkOz2G1sh8F3jnvjT6YJzyq3vw7tDttSjbg,920
+torch/include/ATen/ops/erfc_cuda_dispatch.h,sha256=d72OS5rCSKyaC6Xu_CqyaFFb8tHLu4Qex1YSUW1GpOA,922
+torch/include/ATen/ops/erfc_meta.h,sha256=Ba__FiLoyW3ayjrs2fACPzlrGgkFl5z5ZYvavG1jXig,584
+torch/include/ATen/ops/erfc_meta_dispatch.h,sha256=CJYQDuJ3y2tvJcXtA7MiRjhxM_3TVPmnVuAwc4swutU,922
+torch/include/ATen/ops/erfc_native.h,sha256=TBtbKKXNz4ltpxOFvOVyiKUyRo73nTTyOGwzdZ9rcSw,601
+torch/include/ATen/ops/erfc_ops.h,sha256=H_aU8tbgl7X3vvL39uUdkycnlbpxOs74d5nJbdz8VHM,2104
+torch/include/ATen/ops/erfinv.h,sha256=2WYxHW8YUd4GMTsb78GSvA-Kc_uuiq6npGINrk50LoU,1015
+torch/include/ATen/ops/erfinv_compositeexplicitautogradnonfunctional_dispatch.h,sha256=fUne7QfatltqmYEf3TRh9rhA6Y-RciRnVYL_GASFiC0,841
+torch/include/ATen/ops/erfinv_cpu_dispatch.h,sha256=Ztz4EPsFCKaHv5JTq-fV5OlxVqC2is5dhPrd09k8w7s,928
+torch/include/ATen/ops/erfinv_cuda_dispatch.h,sha256=aY594X9BP_pSYTU5pf-ZV_YpZmtCLig4Ez01-xQZ3R0,930
+torch/include/ATen/ops/erfinv_meta.h,sha256=yGbCSaxzSZbw4aRBXOm0EN-5cC5FxiAuTZrqaRkfHNY,586
+torch/include/ATen/ops/erfinv_meta_dispatch.h,sha256=IB6PXMBYIu_ZPlpUpHwJ0gtZR5cN03-SrfZ9lIdi-ac,930
+torch/include/ATen/ops/erfinv_native.h,sha256=aTcNwr2ESmKu1eFY-24tH3ux7E7HWbY-HbDxHOObNqY,1027
+torch/include/ATen/ops/erfinv_ops.h,sha256=Ofu5H07WDV1OSEwjgQ19PvqiT7o-Ifc4DzjoK2ceUqo,2122
+torch/include/ATen/ops/exp.h,sha256=l-ovHsjFXBfPzjMPcfjqoqx9_kYtsR9_7J0qpGAGQlA,1118
+torch/include/ATen/ops/exp2.h,sha256=VoewfhHs8MGUpH_-wILQWIn1_BuqTFzce_deZ6Mp6_4,1131
+torch/include/ATen/ops/exp2_compositeexplicitautogradnonfunctional_dispatch.h,sha256=0sDVcNT2fsPkoBdF7c2SLkRb8Qu5BC_ZhTYVXCxFTqM,837
+torch/include/ATen/ops/exp2_cpu_dispatch.h,sha256=ChHI9xli18UWhLndDAE-VrZtlBDl609msXhfsomnRT4,920
+torch/include/ATen/ops/exp2_cuda_dispatch.h,sha256=kHFfupmTIOQ3oT8rn6NcF0aEI8wbGtGBjX9Tk-maJ7M,922
+torch/include/ATen/ops/exp2_meta.h,sha256=8YyXwp2iUe9gkIsUdck50UDuVrPrmrRQJmIX86bhGFs,584
+torch/include/ATen/ops/exp2_meta_dispatch.h,sha256=wu8riUDi1xrg5kTk0hr_0c65UIbBLYFFwaJhTSr_fS8,922
+torch/include/ATen/ops/exp2_native.h,sha256=RihrUrh1UZVnNvqeu7ktLnEiEwMK-J62nDVaMXchSGM,601
+torch/include/ATen/ops/exp2_ops.h,sha256=chG265Me1u53Y4PQtdQS20Qes-UlaItIbdrw-NRIuJc,2104
+torch/include/ATen/ops/exp_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2rqohVS0dE2UKHaFzeWd2kxoZGugi7StrreNa1F_gFE,835
+torch/include/ATen/ops/exp_cpu_dispatch.h,sha256=2lTOIfH7qlYfKCswj8TQo6jF6baWXRvXXOSZW6-qs78,916
+torch/include/ATen/ops/exp_cuda_dispatch.h,sha256=MY8adYFNWWvvAhwbmDuDMoWissmDQ7GMZDZTh8zwR0g,918
+torch/include/ATen/ops/exp_meta.h,sha256=cyrFTah7uEcSGmzQpvccxlMoucXhMbp8tYKoMhGnkZw,583
+torch/include/ATen/ops/exp_meta_dispatch.h,sha256=faByptHQZXch-YyobWHQDNAEq9PVfcLYmtDs8XX8jRg,918
+torch/include/ATen/ops/exp_native.h,sha256=GxtYIEj7_1_FNRtQVr4xQTpg3CzquqZkTOi30G8BHVc,598
+torch/include/ATen/ops/exp_ops.h,sha256=bpDlyVLIS-pAUxgcsDdFvSQc016KvaAWVxrcDCRfgxw,2095
+torch/include/ATen/ops/expand.h,sha256=2TBPBfG4Z2vHsVOb5rL-e1yJzKtg_kYxo1SXJ6rs6-Y,1042
+torch/include/ATen/ops/expand_as.h,sha256=StHIIPoOSOe-S9Jbical6kjeET1-akE1AtbNzb9zaDk,494
+torch/include/ATen/ops/expand_as_compositeimplicitautograd_dispatch.h,sha256=cVEtvoJtb283EXs5fSIIfIxBIVYJDQd4ARPpCCyRD0g,793
+torch/include/ATen/ops/expand_as_native.h,sha256=n7E9OHCt0RCEJs7G1wMk2Iiv9q_FxuMfiYf8sL_g2y4,516
+torch/include/ATen/ops/expand_as_ops.h,sha256=jQf0ptthpog-W75Ji874b89x9haQZ8a3wYPvEAwMcr0,1068
+torch/include/ATen/ops/expand_compositeexplicitautograd_dispatch.h,sha256=Qx0mu67trWhHgomTJ65zvGfIkyWratnKpZ8cCcS0Rhw,915
+torch/include/ATen/ops/expand_copy.h,sha256=ZouophU-hhCs9DDceXXzDrjnoon0N7isB2TR1Qd1SO0,4144
+torch/include/ATen/ops/expand_copy_compositeexplicitautograd_dispatch.h,sha256=PxfPj2yE_V2uwySAAggHjWBcQW_hqe2TA8zoYhgz52g,1226
+torch/include/ATen/ops/expand_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=roKXKPuF_RUB9Xj9pbeHE-qMCfmwbEU5uds7m8CcJvQ,951
+torch/include/ATen/ops/expand_copy_native.h,sha256=DU-JMLG0MPdzswgUvvM6nkOPVzSrj-d8f9b0t6jV93E,677
+torch/include/ATen/ops/expand_copy_ops.h,sha256=nPiobJsUk88sSzgGdi0m2JTJDtXLJQtKpl3CIZFg0_4,1913
+torch/include/ATen/ops/expand_native.h,sha256=ubJrYLdQoQEfdzx3OMQxNCrPjH6_ObyUgWCT0imeL1A,530
+torch/include/ATen/ops/expand_ops.h,sha256=M9vN1aIeE8ggWslW2t-YLroxHdVs0-Aph6_srwAR2ZU,1121
+torch/include/ATen/ops/expm1.h,sha256=zMJOjqbzCUNoX0A2P0RuU6NRGqLFPqC79nRNtJp_54k,1144
+torch/include/ATen/ops/expm1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=vYezwxrqAV3EN_qhHxw729lZtQzbNnM3w8ieEuCtH9I,839
+torch/include/ATen/ops/expm1_cpu_dispatch.h,sha256=W0rNlEV4hw3jspSM4-TYpygYaW6JrTwYtG2KuHd0RCU,924
+torch/include/ATen/ops/expm1_cuda_dispatch.h,sha256=kgOBS_KiKvv-5_DCd6iN2G8JXMvGnoEnK8WyzCL7v6E,926
+torch/include/ATen/ops/expm1_meta.h,sha256=7KbLWjevvtyHhkVigBZd9o0Ap1J91gT7dEorI-n0UTY,585
+torch/include/ATen/ops/expm1_meta_dispatch.h,sha256=8ssRg75TMNvGC5FTliSsbT4bmgqr6DAgNPS_hktXrvA,926
+torch/include/ATen/ops/expm1_native.h,sha256=b-MWnxwaXxPRzKA12MxR-MYJgti0T0JmgxF5Io0uTWI,1018
+torch/include/ATen/ops/expm1_ops.h,sha256=o6sHPgbwIL4YyBHT_qMiZrY36ClGHy2qYQQRcWldKhw,2113
+torch/include/ATen/ops/exponential.h,sha256=qV2_56WYmGhPW7fm2MvY7a5Rq2Y20pe1JJzTiCFEiWo,1450
+torch/include/ATen/ops/exponential_compositeexplicitautograd_dispatch.h,sha256=l7rCj1wxjhWVtwsQpq9KIybjIa0jxB-6JJ2pxFeadHQ,1138
+torch/include/ATen/ops/exponential_cpu_dispatch.h,sha256=0vDNI67kjAHPfEBn5V7WtWuY3Xu7nlljoCgieHu0eKM,795
+torch/include/ATen/ops/exponential_cuda_dispatch.h,sha256=01VrYCz3oTzj6Tn1u7Y87Hz0lEdBX6PIDHKVrpzmH90,797
+torch/include/ATen/ops/exponential_meta_dispatch.h,sha256=9xHejLTHsd_h5y2rqrRCXxj3ti4yYOINfQjGpvnyHyA,797
+torch/include/ATen/ops/exponential_native.h,sha256=jfklTk3lZWqcZAPBmO_e17MHxTuNcgUGjIYsecXeA5I,833
+torch/include/ATen/ops/exponential_ops.h,sha256=yo3zO5fDSDmJsReDVmKOu02OC0Z6mODEGpp58mJik6E,2755
+torch/include/ATen/ops/eye.h,sha256=fwnK3Q2XEn72ZbLZZp_roi3HoaeEIExwmakaS8RhwZY,9695
+torch/include/ATen/ops/eye_compositeexplicitautograd_dispatch.h,sha256=ehsUFJ30ITnyahPix5YLgEtyNsXSa45xW6zlFwQjy3o,1802
+torch/include/ATen/ops/eye_cpu_dispatch.h,sha256=WagdK81J4dFGus7FCwq8mk04QHk4watkX2B9KfU4hqw,1254
+torch/include/ATen/ops/eye_cuda_dispatch.h,sha256=fZMjlfp0iFk0bev_thUZx7p9nIENKSuCGO7OzIAGrIM,1256
+torch/include/ATen/ops/eye_meta_dispatch.h,sha256=2LSooSb0RwLAP5uJzCUe_hzKr4ptVi2_XpxzNpCGW70,1256
+torch/include/ATen/ops/eye_native.h,sha256=B2ccWdVvROwC2oKv2e8LR6ekJ4IPmwkxQ4ukGuZ-rnU,1116
+torch/include/ATen/ops/eye_ops.h,sha256=_Gb9G4TDSM9eE6mDUkxwJ-TmuBsGlgTRPFkUMYGS0Hs,3699
+torch/include/ATen/ops/fake_quantize_per_channel_affine.h,sha256=RXa2aLV79HIhH7LJkCFw9dF43F-kzm0sh--OsRac_Kg,958
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask.h,sha256=hAJzgTe7pce9LK7mropUtUi2R-LwllNvgoiMR3txlfM,2281
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_backward.h,sha256=C7VFGQessePfJyogNs5itxbOy8YL9OEUbK3KDbQM3fI,849
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_backward_compositeimplicitautograd_dispatch.h,sha256=JxMXUPjuACR5mmp7VN-Pg2NUmBPWCSm0EWJXrs54vto,834
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_backward_native.h,sha256=ZCOR-66nmxiWxVZm_gPZP47Cu3Dk-jRpjAh3duQCeMc,557
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_backward_ops.h,sha256=0aXSZbw3wAQei4McrkoopnK2zRSOtD9Dq_Tjs17yHbk,1185
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_compositeexplicitautograd_dispatch.h,sha256=ZXMSU5pKcylMlfjAWD6neNwsbZbPKao2K5mEvx4dT5Y,1251
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_cpu_dispatch.h,sha256=jVtpXecxXCFm47C-QGx8SZzCHyLdGaL4PQ4NJwMTQts,890
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_cuda_dispatch.h,sha256=W5X4cgVJWmhcpTyyqsP3cV7X1A7mYOgucyrfRbYUrp8,892
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_native.h,sha256=oT-ZKFLMVtYp3IxUziVTc6X3VX7KE8ueCmFX3hGz6dw,927
+torch/include/ATen/ops/fake_quantize_per_channel_affine_cachemask_ops.h,sha256=yyunkmqPmbwXn9X0fBj2b7N1ic3WUS8M4G128SrUx7E,2786
+torch/include/ATen/ops/fake_quantize_per_channel_affine_compositeimplicitautograd_dispatch.h,sha256=NoDLgqodKweiKMwy428J_3MP4RoT5_zWod6iKVHWsKw,899
+torch/include/ATen/ops/fake_quantize_per_channel_affine_native.h,sha256=HJbOlOs1YZhCwz0XsjSyfpJv7TS1gpnM--ncn2pGaV0,622
+torch/include/ATen/ops/fake_quantize_per_channel_affine_ops.h,sha256=DMPgArn-qJXFboMEtAxekBg16XPeUmR6XsgY7h39GZk,1403
+torch/include/ATen/ops/fake_quantize_per_tensor_affine.h,sha256=V24sC7BWYBjMWVX7bRd9SDKhtslA-XOnDj9cLruofoE,1336
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask.h,sha256=qaz_DC1Pyg8ySUVODuHWWvFqQb121NQTcqGPUKQInUk,2100
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_backward.h,sha256=Z_Oe6BdgoxIdigDKZ9T66ItnfQhFkyxuABJNC9cXfhQ,845
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_backward_compositeimplicitautograd_dispatch.h,sha256=kgv_kAu6UywN6olqJdChDagPCRRJwjtGMoox6s5AOaA,833
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_backward_native.h,sha256=eQgQOZ19_5vbSDhwqZxJKa6GHLqplgf5hpbkUn2fa9k,556
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_backward_ops.h,sha256=yp2Ddw1xVKxOAHWP2GdhALcWKN3g08IUFlKV1GeEja4,1182
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_compositeexplicitautograd_dispatch.h,sha256=fbadkfIeu7cPKJZ13oVqbDSuZvJn07TygRegim86hRk,1175
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_cpu_dispatch.h,sha256=5_zbe8f0icL81e3zCyenXS5uFjQz8qjbIkFWONtP3dM,852
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_cuda_dispatch.h,sha256=zHXqY_YUz1Qz-NKDPDRfJr5bqx0SwSQ2AuNHcjG1il0,854
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_native.h,sha256=V59n0onJRbuFLh7sq0GftT0eFbKbcOymhLE6XQIRiso,851
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_cachemask_ops.h,sha256=lWz7yiH2wKg1m4bpqIOqPK8p_pulENAZCfpehrIg3xM,2540
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_compositeimplicitautograd_dispatch.h,sha256=CuUbT204hgwVISgRbz0QceEE_pkHUyBMx8mblUoNBdc,1035
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_native.h,sha256=oYfewc82Vp01Wbm9seNTGXUE31mUhHJyMI1S3zbTx2A,758
+torch/include/ATen/ops/fake_quantize_per_tensor_affine_ops.h,sha256=kxRTM4PR8-lOoucnFvu4-w1XzNnFZoYqxd43rPk7kCw,2243
+torch/include/ATen/ops/fbgemm_linear_fp16_weight.h,sha256=14dlQP08ENGtbZbSMGguYInu6Frk-prTvy2u8G0Tgj4,819
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_compositeimplicitautograd_dispatch.h,sha256=2TIc3R-T-6XY5prv9HM0Xk_v0DnkOs72lpAipZPTMIg,843
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_fp32_activation.h,sha256=Edp5duERDy8_hyG__5VBEP3mVSFn48zJVyU28prgfw4,883
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_fp32_activation_compositeimplicitautograd_dispatch.h,sha256=mTUsi4muu5y4oUza740uug5WYOpl3_9TAzZaC4rxWeY,859
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_fp32_activation_native.h,sha256=peC96q4HAAtb209Gum5celCZbbp4COUfWNC5YdMdcaA,582
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_fp32_activation_ops.h,sha256=3G0KdbtxwYSZgkKsRajf-jglH0GtHF4gPk3OGCBAeGY,1268
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_native.h,sha256=l6G7-5B37teFIt9xveq9Tz449iQpg06X9a4f6CdKl-0,566
+torch/include/ATen/ops/fbgemm_linear_fp16_weight_ops.h,sha256=MGQSTQ6sKt9auskl4TaLD4yh5r6OOVSau90Eg3egLvU,1220
+torch/include/ATen/ops/fbgemm_linear_int8_weight.h,sha256=37cZVvhmZuH5V58FYbyDK9Ato7XWpP9TeznAvZzN-wI,1064
+torch/include/ATen/ops/fbgemm_linear_int8_weight_compositeimplicitautograd_dispatch.h,sha256=VOF4hdnMmoQ5V3QOUBKW6kwK4jRD5YsTtIBkS8WsKnM,966
+torch/include/ATen/ops/fbgemm_linear_int8_weight_fp32_activation.h,sha256=3tuDijysDX0XY4QBUc4jgzpaxpcitSD6Wt6sd6nXWiI,1128
+torch/include/ATen/ops/fbgemm_linear_int8_weight_fp32_activation_compositeimplicitautograd_dispatch.h,sha256=B32qVHSu0izolZAH83PYBxnLvJbCQquD-fdfj8E2c54,982
+torch/include/ATen/ops/fbgemm_linear_int8_weight_fp32_activation_native.h,sha256=71ctAKNuloIdDS-Ffw8r9o9h2W0cIp8xhMUnFJhdtog,705
+torch/include/ATen/ops/fbgemm_linear_int8_weight_fp32_activation_ops.h,sha256=a-l3MvA_fMwqrWDQoHDQ6P0ZvxT4357JH2MioADLmKU,1669
+torch/include/ATen/ops/fbgemm_linear_int8_weight_native.h,sha256=I7houFIX9u-VLsNQY6oAPnxDQyGNBeVK5S5R126Jb5I,689
+torch/include/ATen/ops/fbgemm_linear_int8_weight_ops.h,sha256=zCDFZuL84AOzD2C5Q37s7FPo83WjMTagxxbnVvwk49M,1621
+torch/include/ATen/ops/fbgemm_linear_quantize_weight.h,sha256=4klMa2qVFnwaoajSuC-8yLcWQ2Mn8Jsckqat-KmNlAo,782
+torch/include/ATen/ops/fbgemm_linear_quantize_weight_compositeimplicitautograd_dispatch.h,sha256=0Zti5W1-T7nBUKrbxj2ACecAUbif0Mi1P616rTHAOBQ,828
+torch/include/ATen/ops/fbgemm_linear_quantize_weight_native.h,sha256=3oHpnaXw6v7UHr41Sxb9uCwzrK3GO77SZ5UlsQIj34M,551
+torch/include/ATen/ops/fbgemm_linear_quantize_weight_ops.h,sha256=zUFZFDx07sjQE5edAZy-76tm-3Yx1r0nlEkrXB-yGiI,1181
+torch/include/ATen/ops/fbgemm_pack_gemm_matrix_fp16.h,sha256=BhVq3grIJlpLiQyml1zrOlAwevCVAr-caZ9N6ulDkC8,716
+torch/include/ATen/ops/fbgemm_pack_gemm_matrix_fp16_compositeimplicitautograd_dispatch.h,sha256=Ih5X5QkgaWjElwIZOm_kTdPRVdIJNO_zgwdUCBUd0xA,787
+torch/include/ATen/ops/fbgemm_pack_gemm_matrix_fp16_native.h,sha256=CWKdmQdT4ggaR_d48oKKr4J0sKVCU8N8Q4Kkx2VhZVs,510
+torch/include/ATen/ops/fbgemm_pack_gemm_matrix_fp16_ops.h,sha256=uHnTxyEhzUQVN4gGzbZ9nxHKsc18qxmYip8orHYMtqw,1036
+torch/include/ATen/ops/fbgemm_pack_quantized_matrix.h,sha256=MuVcCO8tqS_s6nk7dhq-Z62I5Ri-IRE3UWSQfOSOWpM,968
+torch/include/ATen/ops/fbgemm_pack_quantized_matrix_compositeimplicitautograd_dispatch.h,sha256=5xbXNBNxNtd1wLmRxo1hwUOVwifhP5jCi7uPgLKYLr8,886
+torch/include/ATen/ops/fbgemm_pack_quantized_matrix_native.h,sha256=0RGUI92pUSbZOhCVsYnngywU1wMy3N0tCvBj8mNJu98,609
+torch/include/ATen/ops/fbgemm_pack_quantized_matrix_ops.h,sha256=LUypTsc9n3vyzyOqA_tj11BKFt-IET73UOVT17GfHck,1722
+torch/include/ATen/ops/feature_alpha_dropout.h,sha256=hC7uqZtaBfEBn02mCfEs1YZPjuEpOo6RaeQgHD6286s,981
+torch/include/ATen/ops/feature_alpha_dropout_compositeimplicitautograd_dispatch.h,sha256=Zh7Rcis7WPpgQySTDIHQCCX1AwNskH1EmBmvLhLYMQo,890
+torch/include/ATen/ops/feature_alpha_dropout_native.h,sha256=PvaBXtj42rw5kZUgyyD9Nvo2NU9RLYDy5YrOm4VesU8,613
+torch/include/ATen/ops/feature_alpha_dropout_ops.h,sha256=v4VRElDt16niN_4AW_n-40hdUKF0scweyOXFlx9Zh0s,1750
+torch/include/ATen/ops/feature_dropout.h,sha256=BIAhn7ApKp2sE2SPI-6FacgvOsHVrPl5Zg_tlxDG4NA,939
+torch/include/ATen/ops/feature_dropout_compositeimplicitautograd_dispatch.h,sha256=wkzqotHqspY7l-2e0WUj3yjHtVDBM9sobxIsjs31qR0,878
+torch/include/ATen/ops/feature_dropout_native.h,sha256=Es0z4dRf1a8mo3LR_b8be2-UoS6J0zgq_XjhDvuBP9o,601
+torch/include/ATen/ops/feature_dropout_ops.h,sha256=eENUR4g9IGXrZknNsXe-ET6qJHiZdQ-sxGQv19n9Iyw,1714
+torch/include/ATen/ops/fft_fft.h,sha256=qfm-GPQkk8NVKbOTJW6GeiI-RKO2X6idju1ONkpoW6Y,5040
+torch/include/ATen/ops/fft_fft2.h,sha256=VTavnVw4kS4ZqkfevQSh8ju9CJMHijw2815Pv3ivcMA,5333
+torch/include/ATen/ops/fft_fft2_compositeimplicitautograd_dispatch.h,sha256=-63JI5LwDzL26TDo71QQtrucMIRHDtBlDfLG9ec53mk,1854
+torch/include/ATen/ops/fft_fft2_native.h,sha256=r-k6G5R5okN7PsD1Ky60H2JZ6e1J-MXyDyHa0i7vRk8,803
+torch/include/ATen/ops/fft_fft2_ops.h,sha256=cDWCS6_WID0P0crSwG07Key6aBA3EFIGeE1OZ4wxKF0,2236
+torch/include/ATen/ops/fft_fft_compositeimplicitautograd_dispatch.h,sha256=4lV_52KfhyykEVl7DXt7BqHQRwG7NE45vJTE3p0KvyA,1789
+torch/include/ATen/ops/fft_fft_native.h,sha256=Mudh2pVsbh207ol8O7cGHHKoj1hKDLkRgI-b5_FvF3Y,784
+torch/include/ATen/ops/fft_fft_ops.h,sha256=FdYrAOTu2sfTbMkhCxDKdjlVZba76Ic6zbM95dB8WSM,2172
+torch/include/ATen/ops/fft_fftfreq.h,sha256=bSWsVTuk0cvdaG464lgVP8rgyt9Gha8hmS2CfdNCUss,1752
+torch/include/ATen/ops/fft_fftfreq_compositeexplicitautograd_dispatch.h,sha256=HfrBKswuThmSxq6fiQjlI0Z20hqWBM9HOUgIKCArSzU,1162
+torch/include/ATen/ops/fft_fftfreq_native.h,sha256=2BWt_XRKGH0BatPCut3_6z2DxWgndcApX7nUcyiA4Io,728
+torch/include/ATen/ops/fft_fftfreq_ops.h,sha256=CTM4M0o_r2IZEyKsp9CYhpOGjFZm53PnTCpX13--u6c,2108
+torch/include/ATen/ops/fft_fftn.h,sha256=jiM4N0LSMjDBJwwakpnVNdURmsALxlub9ebOrGfDFgk,5473
+torch/include/ATen/ops/fft_fftn_compositeimplicitautograd_dispatch.h,sha256=0p17AC3NBvhQzXAsWJaa3hwC_ouF4DV7TCm4A4ID3Mg,1930
+torch/include/ATen/ops/fft_fftn_native.h,sha256=WXyEcHhE7RGBEeTjPgXWJzeNJp_cybDg91x-gFxzO5E,826
+torch/include/ATen/ops/fft_fftn_ops.h,sha256=IlQawkb1LYIjxuLmf9cX4Fag7bKMoaWrDblRS6o00Mg,2280
+torch/include/ATen/ops/fft_fftshift.h,sha256=bxOQXornHGcQpIWhVXmVHE1rNlYA2lJZSxE2CpccOeA,716
+torch/include/ATen/ops/fft_fftshift_compositeimplicitautograd_dispatch.h,sha256=qGaK5cJvXcS_7dVd4GEU3Z3_Jn4w0ckokajhhKDPSmA,814
+torch/include/ATen/ops/fft_fftshift_native.h,sha256=Bg-7Rgct28gKWCqT1ZSZtdlcsmltGKiq-yWfsPCNRvY,537
+torch/include/ATen/ops/fft_fftshift_ops.h,sha256=G5LiZIENrC6FLTPZDGg9vdp-wrrBdX4Uutj0vJG1Vf0,1086
+torch/include/ATen/ops/fft_hfft.h,sha256=VK6dEl7C_7eFPTloNJqFog6LcWRCfUOOaeHa6FU3-8U,5071
+torch/include/ATen/ops/fft_hfft2.h,sha256=xc4lQmbWEBaK-YZot1fC-xVM9SuvB_dK5CumTeWRGL0,5460
+torch/include/ATen/ops/fft_hfft2_compositeimplicitautograd_dispatch.h,sha256=UFySt2g7VfxF5SGulAU6OAoMJxx4IuaZAu6XotrhDiU,1908
+torch/include/ATen/ops/fft_hfft2_native.h,sha256=qldxyEcQWMo84HYZ_fkmnwCNKQpGm9m2D4QD1vSDubU,817
+torch/include/ATen/ops/fft_hfft2_ops.h,sha256=T0rQmyJurAYPOdcqtzMT2Qt3TxZJqNVk-Z78CRq7YvQ,2278
+torch/include/ATen/ops/fft_hfft_compositeimplicitautograd_dispatch.h,sha256=Z1LglLvVY3U7PQiZVcCYQ84ekbV26-3ej-hL9c3OIjQ,1795
+torch/include/ATen/ops/fft_hfft_native.h,sha256=0yvQj8z7OccFDj7VaVpPSd9Hp2dVaGBv1VfTOwQ0G54,786
+torch/include/ATen/ops/fft_hfft_ops.h,sha256=HmrSo7aVyLTt1urM2QxbDLfTvgiiuxkKvgangdFYUS4,2178
+torch/include/ATen/ops/fft_hfftn.h,sha256=Yw9mPS_O4Srl_BqSFT4n5sW8MfXgdkN4zdMNGVmzqSM,5600
+torch/include/ATen/ops/fft_hfftn_compositeimplicitautograd_dispatch.h,sha256=gh5mkh6wI36YmzPYBkIhkV8qGxLnA7E8tdsgsnFnBlI,1984
+torch/include/ATen/ops/fft_hfftn_native.h,sha256=R1WR9b9nP1noYsCf2RxSt10krMuyE0OxrYJo5VcVXoQ,840
+torch/include/ATen/ops/fft_hfftn_ops.h,sha256=YRGVLAvkIy1-41uKHW7Dp29KWRwooBvkzIP9Z47rNtk,2322
+torch/include/ATen/ops/fft_ifft.h,sha256=jle_bFcYOaapI6CjtDxxvi7BMLVUrPb8a9FdsZq41z8,5071
+torch/include/ATen/ops/fft_ifft2.h,sha256=Mw3VMUi2kib0a8hQfsl8oC9EHUCLVSQgsRvQN4qMV7M,5364
+torch/include/ATen/ops/fft_ifft2_compositeimplicitautograd_dispatch.h,sha256=t1OHLnjimNRbZULaDzAgUXUIyNzfWX50GlZ_N7l3wic,1860
+torch/include/ATen/ops/fft_ifft2_native.h,sha256=bbPUXpqYoaQ631Q5F0zpfDs9qJ5Lx8YsZYX64PFCb0U,805
+torch/include/ATen/ops/fft_ifft2_ops.h,sha256=b1flbHx1iMKco-xd0UgniGaFDRZVnmjOLDqkQt2JmD0,2242
+torch/include/ATen/ops/fft_ifft_compositeimplicitautograd_dispatch.h,sha256=QsjeBgxYFA32XKl2MHjTJWDxcpee2llGesu9_0Gwz_s,1795
+torch/include/ATen/ops/fft_ifft_native.h,sha256=rL5dEnZDXBZCLxrwZyt6caTyr4WkHFPuBX3PZ9KK_20,786
+torch/include/ATen/ops/fft_ifft_ops.h,sha256=vvxpH8DxyQl6ymsXw-Q1zkCe9GmHR3uw7UF75PubOxs,2178
+torch/include/ATen/ops/fft_ifftn.h,sha256=H2G1TkyiHe0lKRCBC8CwfjI5dOfmWbIei61iKvWq2hk,5504
+torch/include/ATen/ops/fft_ifftn_compositeimplicitautograd_dispatch.h,sha256=Si8WuBPgT2bl671aHYBk9_RryMHBPMbLh3843FuKgT0,1936
+torch/include/ATen/ops/fft_ifftn_native.h,sha256=OrEuZzBI9NyJSeT-Z0CR2LpBqvwPSKv5BuZRoN3oROQ,828
+torch/include/ATen/ops/fft_ifftn_ops.h,sha256=Fe5464Z1YOMWYHjKRpfrzvhtst0KdHlyuL6cevV3NYw,2286
+torch/include/ATen/ops/fft_ifftshift.h,sha256=A_fEOc_cU78vzfqtUrJ1vFhV1tCNZWDpEIdMHuIO1JA,720
+torch/include/ATen/ops/fft_ifftshift_compositeimplicitautograd_dispatch.h,sha256=uMvh2lZ10qWekzS8rp2_hSlMUnaaXL7uw2VJp2_L1ac,815
+torch/include/ATen/ops/fft_ifftshift_native.h,sha256=1KjYDNtsmb59f6VT3SVSyc9qW8yO-VDSr0N_-w1ty2Q,538
+torch/include/ATen/ops/fft_ifftshift_ops.h,sha256=_SuUBjaxmGlTcm_1J3VbmlaqRHNxoPY2mhp7kUBAhek,1089
+torch/include/ATen/ops/fft_ihfft.h,sha256=7fHeyEF-3y-fWr2BTKogowNpAX9VjAwX9mqOsVTn2WA,5102
+torch/include/ATen/ops/fft_ihfft2.h,sha256=Za69VjIvx1BrMirDZ0StZ6NeaPxosef7Pvh8w6Y0Npk,5491
+torch/include/ATen/ops/fft_ihfft2_compositeimplicitautograd_dispatch.h,sha256=E68gBjiI9AwGprd1_GkY4eBG70jrZA8ROYIhGaJr7fA,1914
+torch/include/ATen/ops/fft_ihfft2_native.h,sha256=gyk99mZlYhW0rD3rnF8uGxGXEA318LXMwQ0cK6A-c2g,819
+torch/include/ATen/ops/fft_ihfft2_ops.h,sha256=wO4977rFpQRPqidA__rAoTxNtRbWwwFDfyZGrS7iwQE,2284
+torch/include/ATen/ops/fft_ihfft_compositeimplicitautograd_dispatch.h,sha256=wCiKc9ZesGAyvSVYWnZYfPQYHCysxiA3pnk7dFZETu4,1801
+torch/include/ATen/ops/fft_ihfft_native.h,sha256=mqC_-wCgo-lRopFoRrfia-uIDFyeiYXfANJhOwQz1FI,788
+torch/include/ATen/ops/fft_ihfft_ops.h,sha256=YFA4tsTOumgO--6q11KCyhajpAWH_B3BqCIQ4gp2IAk,2184
+torch/include/ATen/ops/fft_ihfftn.h,sha256=FHdZiTMHPplwQpBS7J1_8vnh-o0BfM0KackDEoysP1E,5631
+torch/include/ATen/ops/fft_ihfftn_compositeimplicitautograd_dispatch.h,sha256=NiuNeHBQO7FkBdHP-wfjHPQZ38pSTlz46_AQUSDahro,1990
+torch/include/ATen/ops/fft_ihfftn_native.h,sha256=_wJZgJlgKI5fhceadno1zRD-uqy0EBvtGk1uAiYtcfQ,842
+torch/include/ATen/ops/fft_ihfftn_ops.h,sha256=UTcCsqBbnpu-CzmsqqBCFE0iWgIvCQe3pU24ZkfL_wc,2328
+torch/include/ATen/ops/fft_irfft.h,sha256=IuNxuG4uWdxA2TjNagK0Mr-uOYtg2BLDSK5geqKr6cw,5102
+torch/include/ATen/ops/fft_irfft2.h,sha256=9897c3FevEtb7rU58BQ-ggjP67WJIXfekNRhsFN31tM,5395
+torch/include/ATen/ops/fft_irfft2_compositeimplicitautograd_dispatch.h,sha256=yTuVJByVNUTC1Cc90_J6RQwgy88-RxzLa_FG6FxPJV8,1866
+torch/include/ATen/ops/fft_irfft2_native.h,sha256=wdnZlgd2PHTzrvap88HYOuEoo3dgZaT27IpEjJ2-2_0,807
+torch/include/ATen/ops/fft_irfft2_ops.h,sha256=oSge64mITmvb2BL2qRUkg0Y9MlIZyfyBoacCU-t_Q6M,2248
+torch/include/ATen/ops/fft_irfft_compositeimplicitautograd_dispatch.h,sha256=MlJkG8MnQYOR_jHmS9qxXADyhYt4y18d2cc414CC2Zw,1801
+torch/include/ATen/ops/fft_irfft_native.h,sha256=jZe6KcAKPhcnUA53xQ2c2snBvKXs2_Ow8uL90rNVEIQ,788
+torch/include/ATen/ops/fft_irfft_ops.h,sha256=yfAMVIrbEZ9_R1KEB8Rl_66FqxJmQhFF8OuvSapBBBI,2184
+torch/include/ATen/ops/fft_irfftn.h,sha256=whXpBOMxTfvDOWVkakOgRN7mARFssvhd4xhZJA8iKuI,5535
+torch/include/ATen/ops/fft_irfftn_compositeimplicitautograd_dispatch.h,sha256=HfX261YyX0exsGBbjvWdPXUwrve6b3psgncmRbRExAQ,1942
+torch/include/ATen/ops/fft_irfftn_native.h,sha256=f6MSiKHdgVbQ2siEdF0Ym3qQuU_cBt2BhlOmDcBZmtw,830
+torch/include/ATen/ops/fft_irfftn_ops.h,sha256=80VQCJudwL3PNgeldM8Wgw07KCyTS9v6WUHsdKJBrhY,2292
+torch/include/ATen/ops/fft_rfft.h,sha256=MVWIJPLnvGh7llzLw_lGvj6DuDmc3-eTIQTKgCv53oI,5071
+torch/include/ATen/ops/fft_rfft2.h,sha256=g0kfDv_G6XrNcmbMvYB2ESB3LbkOZkJ8ocktWx32z6s,5364
+torch/include/ATen/ops/fft_rfft2_compositeimplicitautograd_dispatch.h,sha256=DSGWBvw0F9aSczdkv-hIUUUMFgBZgvbpcBz3KOi8uHQ,1860
+torch/include/ATen/ops/fft_rfft2_native.h,sha256=XWtZIN0lN-mMgoH2__-PiOpwy3gJWaHg1laSgik9N0Y,805
+torch/include/ATen/ops/fft_rfft2_ops.h,sha256=oAZ3J0WS0zpwIdE47z8TzPkAmJ5ry-FOnYbAuPXftco,2242
+torch/include/ATen/ops/fft_rfft_compositeimplicitautograd_dispatch.h,sha256=ZWujkLv9qtstBdOgEJMeGM7FW--GBnPWt-Mi0WRUyPQ,1795
+torch/include/ATen/ops/fft_rfft_native.h,sha256=-ZKENLMsexsg_g2vYaK5IH4jWa9A1Yn62TixL8qK7KU,786
+torch/include/ATen/ops/fft_rfft_ops.h,sha256=7RDeIbg0fhhRevQOtTW1ErXGNQnon_pKKyQSbsib5yw,2178
+torch/include/ATen/ops/fft_rfftfreq.h,sha256=byMAtAxVOtNbmjG3sqz9e3uTgI33DHHoZBq6HRb4rA0,1765
+torch/include/ATen/ops/fft_rfftfreq_compositeexplicitautograd_dispatch.h,sha256=rs7f69poYTw6l38XI2DlxdDb7Bk7jJep_urRBEunSxY,1166
+torch/include/ATen/ops/fft_rfftfreq_native.h,sha256=WyBNJgU_lvEw6F_D8czDOO9flUV52546854L1-kpzoA,730
+torch/include/ATen/ops/fft_rfftfreq_ops.h,sha256=OwbfUDD_ZRa0Y1xEc_F0r0H-GeU3mZUqQv1xd0JCBek,2114
+torch/include/ATen/ops/fft_rfftn.h,sha256=uCL6HAPsi7AE2P8faRdNWNMA4b-uxGdubz6UV_Zb14A,5504
+torch/include/ATen/ops/fft_rfftn_compositeimplicitautograd_dispatch.h,sha256=D0sMa7ywf9jkQk5f47LWRG_25mIapDLkdbdoszkNs0A,1936
+torch/include/ATen/ops/fft_rfftn_native.h,sha256=6gEYqxIjVxvCSOuUqCLhvyX_qf1Dcwxl9Ip9H4N-kAQ,828
+torch/include/ATen/ops/fft_rfftn_ops.h,sha256=IwplfoWv_yvvm9EG7-AUoyuW6knCV6eLv9c22TNx79E,2286
+torch/include/ATen/ops/fill.h,sha256=3AbtoR-4xHvhkbKrRXi-T195XPZfySmzToMvKyZLTe8,2262
+torch/include/ATen/ops/fill_compositeexplicitautograd_dispatch.h,sha256=eeuep9t-XE5g9z8ucNeM8xG-hMLfQENipkzrpSfpbVU,1276
+torch/include/ATen/ops/fill_cpu_dispatch.h,sha256=OgPpV9sOfxOj71SpumrO9Yf_J8orp491V9q4mKuANlA,816
+torch/include/ATen/ops/fill_cuda_dispatch.h,sha256=GIEBMjK-q5Z3YlI48yA8Sn5WVL_tJiEcS7QfnWgTGLI,818
+torch/include/ATen/ops/fill_diagonal.h,sha256=WGV4xHfiQtwrhe2fkTCOvVUTXCyh_udliJYdPSgesy0,498
+torch/include/ATen/ops/fill_diagonal_compositeimplicitautograd_dispatch.h,sha256=IC_PggetcV9GrhMDYpV67jcqVCbgOJUrY3rWlBAvbDA,816
+torch/include/ATen/ops/fill_diagonal_native.h,sha256=nXiN_XRSMLsbIyLo2HaMr44-RkM5c5kIMKQG8PiA86w,539
+torch/include/ATen/ops/fill_diagonal_ops.h,sha256=SAs8QTwZ0z9GAs_MAeBJD_0FSbz8VfK9mA9FRmEVPwI,1133
+torch/include/ATen/ops/fill_meta_dispatch.h,sha256=PulYSplLtOtLRK9kRr8EoAnppi9xv_1qUW7YmR98Oyg,818
+torch/include/ATen/ops/fill_native.h,sha256=QoVIxmXzizUXFn9XYjxZONTBVZbxwKpSADHIjslvoDk,1537
+torch/include/ATen/ops/fill_ops.h,sha256=AjIKTBH9ovot4q726ucTKou1y1Os8GXtGVpzaVcte1c,4412
+torch/include/ATen/ops/fix.h,sha256=xb-fJEU7fZfz19RHWF8AqDUnfwSlXDJt7SjcbCR-FBM,1118
+torch/include/ATen/ops/fix_compositeimplicitautograd_dispatch.h,sha256=1rAxNUzvAbucElQo95oHWe1wygZVKF-WEyl_Pj12c-Q,960
+torch/include/ATen/ops/fix_native.h,sha256=HaI-xJtH4Y3tbgeacvCqjuSdre7OQ4BflMIrAB0GSmM,607
+torch/include/ATen/ops/fix_ops.h,sha256=lCmpWYwGNLDF4l7pqtDyxkO9Gtk0_hSCN1Z1YBYMgRc,2095
+torch/include/ATen/ops/flatten.h,sha256=hTd4I5F6zzdr2Nky0ARdifgf-lzXH8cF2ppEdIE0GGE,1628
+torch/include/ATen/ops/flatten_compositeimplicitautograd_dispatch.h,sha256=rm0Uvy4fOf8eOGuu-oQHmobX2FZOwNqV79yT4vUfVek,1136
+torch/include/ATen/ops/flatten_dense_tensors.h,sha256=ybiSEnQA9pNU269CBRgeelqLVcW3yzEmQAooevs3n0A,692
+torch/include/ATen/ops/flatten_dense_tensors_compositeimplicitautograd_dispatch.h,sha256=0lIlNllTecb53AhiJcPd97M7aH8sir5Y4rIEYtfZs7I,778
+torch/include/ATen/ops/flatten_dense_tensors_native.h,sha256=xQx8vXLXSG7h2WHmMx1PfSasdCkYDzpUbiL3w6bqK7E,501
+torch/include/ATen/ops/flatten_dense_tensors_ops.h,sha256=F0Bewv2ki-z6zI1VibH3U9HX49IaFq-kqTPu3QXtLR8,1011
+torch/include/ATen/ops/flatten_native.h,sha256=ByjDqnQTJzJEwuWmg6FOJY6DMveuDh9kzvPxhaseJdQ,859
+torch/include/ATen/ops/flatten_ops.h,sha256=PQrBHQVW921UmWGQ7N4494NXmxYbu6kmzU5l1Cn77BU,3429
+torch/include/ATen/ops/flip.h,sha256=HfPXPXoHoV1cvX-6DG8FzaBZwPZ9SKXwriUc6hQa5LE,1115
+torch/include/ATen/ops/flip_compositeexplicitautograd_dispatch.h,sha256=-r_AVB4zpyiBpa71S-Hbhx4tKU98SysKQpsHszhozP0,907
+torch/include/ATen/ops/flip_cpu_dispatch.h,sha256=lL16AEyy7O39BJk2Gq0UlEvRDYU97F-RfJRMQc0upa8,740
+torch/include/ATen/ops/flip_cuda_dispatch.h,sha256=WhurYoQcJKvC2LwKjm7EpRRo3WxRGSd2K7s8um6BNLc,742
+torch/include/ATen/ops/flip_native.h,sha256=REoMYghV0u5XHAofZ05fBeKhrTiJvHVyR4OlQMWg5tk,605
+torch/include/ATen/ops/flip_ops.h,sha256=cEM7ct1DHXkklKTn11nwEwkCteDx7ciCK8CbTIHt7qA,1724
+torch/include/ATen/ops/fliplr.h,sha256=sFeZSSwE8Ii3g47g91wd7bM-3pVGEo9igGwoBBwQJLI,625
+torch/include/ATen/ops/fliplr_compositeimplicitautograd_dispatch.h,sha256=9XV_gwYUMMmToJ3jz7Xt17O1Rq9U_ms2846qAHuoPOQ,764
+torch/include/ATen/ops/fliplr_native.h,sha256=2a8oQf47gFOCwYfd-55FVqJjVn6wByKlsBd7uE_LSbM,487
+torch/include/ATen/ops/fliplr_ops.h,sha256=PtMIEuYnpg-8O3a5I7WmsMue4vFjNi5H8txZ5CGCA74,967
+torch/include/ATen/ops/flipud.h,sha256=S4QMPSfyi1hR7r_LqM49Zobq8g-zrZoJ1odVGiV0IFI,625
+torch/include/ATen/ops/flipud_compositeimplicitautograd_dispatch.h,sha256=mbHibeplISZiLHUH_R0-CtytsxvIvnb4VoU4Lw1w7c0,764
+torch/include/ATen/ops/flipud_native.h,sha256=1TCIBL5W0nlVY8b6ycFroHroWGrZKYRCh9HEp-CwZMY,487
+torch/include/ATen/ops/flipud_ops.h,sha256=0AEMwOx3jDxlgizGygdHUlGRVCF8RMZ5j7urURRUbvU,967
+torch/include/ATen/ops/float_power.h,sha256=KQqMJSyjtjJbVDGVwZuZ59n2KMdKr2JqMJx1Hu25lLI,2919
+torch/include/ATen/ops/float_power_compositeimplicitautograd_dispatch.h,sha256=xMb7SNBUrwOKBn-DJ28syR1Vq7tEon-BaC-QtFAJO-g,1819
+torch/include/ATen/ops/float_power_native.h,sha256=4NaUgFb6OLXB7vvzkVmFfezlcoZfQaVN9z_Z1Tdqng8,1203
+torch/include/ATen/ops/float_power_ops.h,sha256=RBT5aLwP2qDm7UBlhu_KEJzKDI-vBEMaRLEzqBCNaPw,6093
+torch/include/ATen/ops/floor.h,sha256=ELZCjVIh50oZqL5AUdMCSJHI0GNK8nWNMGDe190eteY,1144
+torch/include/ATen/ops/floor_compositeexplicitautogradnonfunctional_dispatch.h,sha256=FSIm3qQRi1-5baZ2ID70SgUY0jQLlg2n2Iuz0erAj8k,839
+torch/include/ATen/ops/floor_cpu_dispatch.h,sha256=1HJEpSrpqg8gZcfcCCNZVhMiHclY0Zd5ihTTmGW6l6s,924
+torch/include/ATen/ops/floor_cuda_dispatch.h,sha256=ra0_yJwg-XznM-CY2zHiClZO4rosku8k3tZt62VEqh4,926
+torch/include/ATen/ops/floor_divide.h,sha256=L24NP8dQucGmKzK9fFyiiSXy7dEG87Gaz87N4v_xucE,1978
+torch/include/ATen/ops/floor_divide_compositeexplicitautograd_dispatch.h,sha256=v4JOo2ZeNw04rzype5BbY67n3Y4dVqvrlBUK8ZQLCDE,1100
+torch/include/ATen/ops/floor_divide_cpu_dispatch.h,sha256=Z3r0UdfFs-NFum3XuxIZ57rJCzG9LSPwJkzmla3p9tY,1056
+torch/include/ATen/ops/floor_divide_cuda_dispatch.h,sha256=4QOyX8Rh04IPkn6gYnB2fiTA_6OFMkjQ6XGkEBYXoe0,1058
+torch/include/ATen/ops/floor_divide_meta_dispatch.h,sha256=QilrJ8wT4vLGLraRxa7tU_j8fHqFZklIW2_3Vpa9u98,751
+torch/include/ATen/ops/floor_divide_native.h,sha256=PyKzdLMFxYgaL2Fb88HURcTqM0mM22mRTQNKuRT3swM,1306
+torch/include/ATen/ops/floor_divide_ops.h,sha256=qMuqqKKDDAJXi2VS8Sbjo-pBxOJBXasjN4-eQ9vJIKQ,4515
+torch/include/ATen/ops/floor_meta.h,sha256=G2Et1ZjIgDk12SiHgifEKUiJmjDcD361x9vSsyaniuw,585
+torch/include/ATen/ops/floor_meta_dispatch.h,sha256=Q0VTkuZDFb8pqAhmn8SrBhdf9wNGXhRyilLcb7nsZzo,926
+torch/include/ATen/ops/floor_native.h,sha256=Ofr7JeEojXDCWM-L0JLw9jL4ZgpysNH7OtUN0S9AIB4,1018
+torch/include/ATen/ops/floor_ops.h,sha256=XHBI3mxNLkfYTqoZqXt0g6Dy5uCFR3T76eigYDQqC_4,2113
+torch/include/ATen/ops/fmax.h,sha256=DOZntVVNdkyaq8NOG5FMV5uCXOMO5dq3NmmMPgc12VI,1136
+torch/include/ATen/ops/fmax_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rYm_4zVW5tkQ6Z4ASegs8oV0rPCn9UmldA4B_EQpPDI,814
+torch/include/ATen/ops/fmax_cpu_dispatch.h,sha256=xC9MR5ByoXgZ9Od6ubz4U2UknfEudbmvsL_kYAgtKmY,949
+torch/include/ATen/ops/fmax_cuda_dispatch.h,sha256=Aqz3snnSr8Yc1S67AXDpNwR-bHePeaXWgH6tEHOV_Hk,951
+torch/include/ATen/ops/fmax_meta.h,sha256=3wMUSlYZQIczOIq77In26AV29BkVZThBgJg7zFEJ9SU,610
+torch/include/ATen/ops/fmax_meta_dispatch.h,sha256=DAKrhaUAbCZkXv5I4QfIZny8ccrC6ZR5EjPGgz1Ft1o,951
+torch/include/ATen/ops/fmax_native.h,sha256=C9Z49dIf8_7tdjEkOGfvQQk9TO6GOQlvPaokJt_CFCE,627
+torch/include/ATen/ops/fmax_ops.h,sha256=O8VSpLQgambLeo_QjsXQfHMs7ZSgOVxSHYjPtIPDPfI,1750
+torch/include/ATen/ops/fmin.h,sha256=BE0gH38me3n8pVpefiH_-WqmGuYuLieTmKST9yvv5aE,1136
+torch/include/ATen/ops/fmin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=tghe8Z72h6NhcS1me_RIjXKsmXBh3xa4auY1hON-pLM,814
+torch/include/ATen/ops/fmin_cpu_dispatch.h,sha256=guGGZ-3PCXFQGd8jZ2P0giHgurCwJSWt6A1IhExwtYQ,949
+torch/include/ATen/ops/fmin_cuda_dispatch.h,sha256=Sbk0kGzsBHYoI3fprtA29pCk3H4-bA9CfFSFPBhErlk,951
+torch/include/ATen/ops/fmin_meta.h,sha256=lDcujGjuiQIuafeeXiYf_k1xayRoEmtnjdsAhZGXsFY,610
+torch/include/ATen/ops/fmin_meta_dispatch.h,sha256=G0x71CFiMKa5IQL_XM0aUvTvchZ33rpbqP5GUVbk-Ws,951
+torch/include/ATen/ops/fmin_native.h,sha256=lQrdW0kAOfRmxfnNnlx7ppIMNvNFMdEHbtrVoaiiFKk,627
+torch/include/ATen/ops/fmin_ops.h,sha256=wSZRYUccj_OmgrHhQQsVfxsoFXJ4JZW1KFyVjIxtGMQ,1750
+torch/include/ATen/ops/fmod.h,sha256=1Kt7QbfHQmGxYWRzLWT9JPBR2zi-GaZnpxM4_1xc-Ik,1868
+torch/include/ATen/ops/fmod_compositeexplicitautograd_dispatch.h,sha256=251IW6ZRK6qalybZGy_y90lhXwb0S9bM-7ftj3eU_-s,1068
+torch/include/ATen/ops/fmod_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5F5_7nBrp4Uz4mC5vP3MU7of7dy7rr0ZQWpJinlSHVI,889
+torch/include/ATen/ops/fmod_cpu_dispatch.h,sha256=pJsiXx87F2cIOTeJXt52oXY3Fst3qiPrwcs5dHUKYvw,1024
+torch/include/ATen/ops/fmod_cuda_dispatch.h,sha256=E8aPSaegD2ja82Mani5LuyyjBuFdtv23eb9xN9cIu_A,1026
+torch/include/ATen/ops/fmod_meta.h,sha256=Wuc7ME6GaNMjoEGX7jSjmIdKYfwR_2zC9n4zAZ-hR6w,617
+torch/include/ATen/ops/fmod_meta_dispatch.h,sha256=4kze2hOScbx16l4wxC4VIjGlH9wsDVGIIzquxpzlrP0,1026
+torch/include/ATen/ops/fmod_native.h,sha256=tzuwt7QPzFR4Pyhcc2KDdGtaiddNN5w7tkfjZ72d4q4,889
+torch/include/ATen/ops/fmod_ops.h,sha256=mYp3x0sUoKSO3S-HC6mfl0ZREOVgWkZPuc0N4LMM1EA,4412
+torch/include/ATen/ops/frac.h,sha256=_qI7sNB2vScIEMC1LTQVZci2oMFnT5YGHvBeXQkpH9c,1131
+torch/include/ATen/ops/frac_compositeexplicitautogradnonfunctional_dispatch.h,sha256=W2V1FuAyQb8zcEn4avkmF3ud0GpTANgaosSqk8cio3Y,837
+torch/include/ATen/ops/frac_cpu_dispatch.h,sha256=gNULicNZORnxMkYnnGxYwWLv1rrk61j5eFx1bn171MQ,920
+torch/include/ATen/ops/frac_cuda_dispatch.h,sha256=19Mv27gfEZmjJfOyGx7Kx01XrKVwHGjcEfK0jUCbAWc,922
+torch/include/ATen/ops/frac_meta.h,sha256=jrVoCHhcTSx81IJ2IREPfwUgg3TrfJq2j4EksbAk2E4,584
+torch/include/ATen/ops/frac_meta_dispatch.h,sha256=qqFSiVycZ_nbQw2XZ1o01fXIVG-JvTS39K7YJN197fo,922
+torch/include/ATen/ops/frac_native.h,sha256=B84gFQbQyY_a-_YBeUtGSMi_WT2N18y3I3JdFGzUx4U,1009
+torch/include/ATen/ops/frac_ops.h,sha256=t28YiOy2C-VCJDBWRri3bSViyNt7Q80l9KlUk1X72wI,2104
+torch/include/ATen/ops/fractional_max_pool2d.h,sha256=ljv3F1IsKVitk2g3pf8PkCZo1YDalGWkR5QEuIRYVbw,2008
+torch/include/ATen/ops/fractional_max_pool2d_backward.h,sha256=m7u_rn9xOHWqNJj7ZbuSROZTNUKXuo6GtrcuiWu0CNc,2051
+torch/include/ATen/ops/fractional_max_pool2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=D7Fq_HvtOmaZNO-JmS8zMAaKmGTg-nhPE_QATnmy4BY,932
+torch/include/ATen/ops/fractional_max_pool2d_backward_cpu_dispatch.h,sha256=F8V1UiuYn8eLLp8-Z4VqUXkgy7ZP7fhNUKK3iDijiDg,1317
+torch/include/ATen/ops/fractional_max_pool2d_backward_cuda_dispatch.h,sha256=z4iHw57ZlWA8l44p9B0z2g2Msyofddy2TOW5mf3NnDo,1319
+torch/include/ATen/ops/fractional_max_pool2d_backward_meta.h,sha256=m4bLB0nrKPB4EezYeVRxL4us2oemIdLTHiCaz7q0vho,728
+torch/include/ATen/ops/fractional_max_pool2d_backward_meta_dispatch.h,sha256=Mx_5XZRVJ1m5StO2p5rVK9D_zyprPb2OC8m2qlr6428,1319
+torch/include/ATen/ops/fractional_max_pool2d_backward_native.h,sha256=GIzmrrMww3r9zN_fnO0MlCXRNiqDLBSIuxYKo7nLcmU,1119
+torch/include/ATen/ops/fractional_max_pool2d_backward_ops.h,sha256=Ht1qL5r-i0FliHmA7jtPYgtMqRHUxqzY7EyQJx7FSKY,2548
+torch/include/ATen/ops/fractional_max_pool2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=iRQhoaCx7-QyzYW6Lv93EwBwVEDmqxNEd33AEWlCe9s,923
+torch/include/ATen/ops/fractional_max_pool2d_cpu_dispatch.h,sha256=YPDvgDmFvmY7yrfo7zqELDAWB5j5rnlXisfSn2pNj4E,1330
+torch/include/ATen/ops/fractional_max_pool2d_cuda_dispatch.h,sha256=lDcDU4Bj8JkJF8aIYbYMWR8koVjxWVulMtlWFaEMxX4,1332
+torch/include/ATen/ops/fractional_max_pool2d_meta.h,sha256=_eMRcos1mAJrgJaWkbQCz_mCOeCMOlGjkfdwzYiI3Cs,694
+torch/include/ATen/ops/fractional_max_pool2d_meta_dispatch.h,sha256=958iJSudzKBpARsyJZ2Sdpiv3ckBa-cwGu39qcMyxFU,1332
+torch/include/ATen/ops/fractional_max_pool2d_native.h,sha256=VpXIGc44kux4X-bBLKLDsHkpbc0_07YnoYPmfpqE4b4,1080
+torch/include/ATen/ops/fractional_max_pool2d_ops.h,sha256=-6NSekqohHDEBj3E2vMa8Tdlg39ALvIHQ1jsk8uKCac,2562
+torch/include/ATen/ops/fractional_max_pool3d.h,sha256=5ryoM8srsrbwqfLgKkCB347i7n8hP5I5s21Tn45CiiU,2008
+torch/include/ATen/ops/fractional_max_pool3d_backward.h,sha256=pk3UhEOyj6ySbenymHEADp9pzsC8K2b8hAwEqUd_XPI,2051
+torch/include/ATen/ops/fractional_max_pool3d_backward_cpu_dispatch.h,sha256=DzmYqWlyLGQ56bt6q1LB0gu7UUVOM4I6_fMT5ZxZjqw,1317
+torch/include/ATen/ops/fractional_max_pool3d_backward_cuda_dispatch.h,sha256=YWehyENpjOCpl53WCN_LQ2tefhMdNYnCkqnpL9kXFyg,1319
+torch/include/ATen/ops/fractional_max_pool3d_backward_native.h,sha256=fCF4EsBu0XsiNvCPNybROrONqf4kV3lPF9NIP5TaSu8,1297
+torch/include/ATen/ops/fractional_max_pool3d_backward_ops.h,sha256=3PLVYp2ZAvfFTcKOSZmD1liq767msfIFOlI14P2Cglw,2548
+torch/include/ATen/ops/fractional_max_pool3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Df3mXbR3ZSkyBn_po-aw0S_klTBtq6W6cL7XuQsjO10,923
+torch/include/ATen/ops/fractional_max_pool3d_cpu_dispatch.h,sha256=5XSp9ULXOMzUcXdZhognO_kylqK4rJ7uqLqoO0JTrgA,1330
+torch/include/ATen/ops/fractional_max_pool3d_cuda_dispatch.h,sha256=XF2IigJH3aePEw4MLmQvrel4zghnJc52O-F5lZZxi-E,1332
+torch/include/ATen/ops/fractional_max_pool3d_meta.h,sha256=-yxPj2ortCd21r4iC3PF-gbfZ2lH3WoGzT78aktOmnk,9818
+torch/include/ATen/ops/fractional_max_pool3d_meta_dispatch.h,sha256=_AlLnae2SvCij3j5DPZQ0a3_GuxGh_BtKrr4bVBtaxs,1332
+torch/include/ATen/ops/fractional_max_pool3d_native.h,sha256=IHxpU_w66ypzvThzOjfEy0Z8Tn6f94i3hLvh8btuID8,1350
+torch/include/ATen/ops/fractional_max_pool3d_ops.h,sha256=zpgaUGkcDQ6kxduMN2knZc-AHsCRfJcYmKccjFAKi2g,2562
+torch/include/ATen/ops/frexp.h,sha256=s__5IoEYNDbbJqzLi9atKF9KFFZvRey2PvWzYLJPD2Y,1356
+torch/include/ATen/ops/frexp_compositeexplicitautograd_dispatch.h,sha256=C5T-EyKRo4gmsuvd-iuV2vgx9Ja-Y_aE_Csd5VE5m4k,788
+torch/include/ATen/ops/frexp_cpu_dispatch.h,sha256=AgQXoTT3yVNRYAFBAT62HBou_K9BHfutH_1lVLkGvmk,931
+torch/include/ATen/ops/frexp_cuda_dispatch.h,sha256=8St131-MWHi5P3PMunUH2wXjpgCEbcawIzPduqZvQYs,933
+torch/include/ATen/ops/frexp_native.h,sha256=tS-OEBJ1ahLhx6j08yxIUqL_ep3KNyXQkfx53HeuE3o,643
+torch/include/ATen/ops/frexp_ops.h,sha256=ALC97KfwOW9vdr95BLjCPxzO3QjcEq2CvJC0v1fRtmQ,1937
+torch/include/ATen/ops/frobenius_norm.h,sha256=bSjI4gW_4IXLHnM2Qi2YGsgJzeYoFxm3xjhwlDX2p0M,1358
+torch/include/ATen/ops/frobenius_norm_compositeimplicitautograd_dispatch.h,sha256=Vplafky-TGtQHN_wEUvSKvkm-kTjOI8s7J07QLQHaDQ,1062
+torch/include/ATen/ops/frobenius_norm_native.h,sha256=ybeNTzSZPVAr--clyv_mn_mcOLQweQGyjLYf4-8thpI,657
+torch/include/ATen/ops/frobenius_norm_ops.h,sha256=AvnFASOYEQJoqNmYP64uS5WKe0Q9iIlydEG5YOXmTAE,1899
+torch/include/ATen/ops/from_blob.h,sha256=dZx5exXiBasiMvYtwqPuUTgLhVZgAW-9Z800rttBgMs,4163
+torch/include/ATen/ops/from_file.h,sha256=Fk0pNArb-UTHbXww8lTI_T1W_CN93hBg2imBRTMVPNg,2196
+torch/include/ATen/ops/from_file_compositeexplicitautograd_dispatch.h,sha256=RBl2aF8FqKZyQj5nMICd2S6_hVsTtcTZ3ak2EcnfUr0,1016
+torch/include/ATen/ops/from_file_cpu_dispatch.h,sha256=YRM2fuVveXR2HDnFF0OLYmGcC0qvKbePekNJBXyvwNY,1098
+torch/include/ATen/ops/from_file_native.h,sha256=m4--5JVCVf9oDmdmt1EXeqFHKbINFSbQGMI_BD-Jc8I,871
+torch/include/ATen/ops/from_file_ops.h,sha256=zRUp83wgeEP_RybhCAukmB5uOyklzdXPzLbIxkE-Ghw,2516
+torch/include/ATen/ops/full.h,sha256=6kI6HgOajvB-r2hIe38gXcnYq5XqhMusx50TH7yvgnk,7945
+torch/include/ATen/ops/full_compositeexplicitautograd_dispatch.h,sha256=fKR5xDo5VwK3HAR2hqvej_TBuobBV_RzxQdrMiwLVBc,2546
+torch/include/ATen/ops/full_like.h,sha256=3QONDnvw8xnOscndifsp31qgz5KrTEYPZe6J2tUFW-U,2444
+torch/include/ATen/ops/full_like_compositeexplicitautograd_dispatch.h,sha256=yGw24MrMiaK7Ei490idnvc3vdiTh4x_u3ow9shSrrW4,1512
+torch/include/ATen/ops/full_like_native.h,sha256=bKdY5yVhdhPIyvkrfRp05S1VDfffxPZiYNzXOyTPVVo,903
+torch/include/ATen/ops/full_like_ops.h,sha256=5VjHTAFEzUlYCrIxMILQH_5JGkyBTj82bbyBoveexMw,2640
+torch/include/ATen/ops/full_native.h,sha256=UX0RE7rxreOwAVQEdLnKDlyOmbZKdmTjgFZh-bba2vk,1201
+torch/include/ATen/ops/full_ops.h,sha256=QSy8hH0Qn6VFQkE34kOyhhe-WOzzRMs6eCZzilRppaA,4407
+torch/include/ATen/ops/fused_moving_avg_obs_fake_quant.h,sha256=glU4sLkVuBun_sJ8czFdehDWKjB-_huOH4GMg4Fs-l8,1440
+torch/include/ATen/ops/fused_moving_avg_obs_fake_quant_compositeimplicitautograd_dispatch.h,sha256=XFqA-I8sGlLALfDNmDK3A2M13mx729qZA-RwCh95_Lo,1090
+torch/include/ATen/ops/fused_moving_avg_obs_fake_quant_native.h,sha256=2n2PxRP1iq9ti4TXHHjwt3dQRCtAim06Yw4lpBxVdIU,813
+torch/include/ATen/ops/fused_moving_avg_obs_fake_quant_ops.h,sha256=BakBxOPq2_b-wDUWfhA0ZPrVewSgjNxhkdHD5rxBbeY,2019
+torch/include/ATen/ops/gather.h,sha256=rtGeeWU__CxEcn2nmbHt8Req-EM6R0qGYV_rwWYUc-o,2416
+torch/include/ATen/ops/gather_backward.h,sha256=0LLlJH6doW61iwDPzjTGl_yQ1ccgSDr6lvqoYqQ4Otc,828
+torch/include/ATen/ops/gather_backward_compositeimplicitautograd_dispatch.h,sha256=RgBHAj_gl1r5mQeI7NFnyIVpwmngidmOrXQVqm9dTxM,855
+torch/include/ATen/ops/gather_backward_native.h,sha256=RxqQsbg33rrlJXaiBMbwlLogCa5QuUgo3PrKA7M2O1o,578
+torch/include/ATen/ops/gather_backward_ops.h,sha256=LswmtEQfl8ilD3cq0p-bjkev30T6mg2iFi0SCOVugw0,1267
+torch/include/ATen/ops/gather_compositeexplicitautogradnonfunctional_dispatch.h,sha256=-ErXazNAujTIXpCCEuJwv92j1FwaEo1Inge9rqAP5O8,853
+torch/include/ATen/ops/gather_compositeimplicitautograd_dispatch.h,sha256=3xQOOuztKR3h5rAEFkB2__OoIHwIsEQWU24eAwOhoS4,1116
+torch/include/ATen/ops/gather_cpu_dispatch.h,sha256=iktZfREucwqpg7QzlrKHc3qnrccMdxt9Vz7lU_X90Ao,1060
+torch/include/ATen/ops/gather_cuda_dispatch.h,sha256=8ZAxgji8Dnl1NvdRxbs_HZnwFrkAG6LuZc4Qs1nrWD4,1062
+torch/include/ATen/ops/gather_meta.h,sha256=FDjUgAjpgJpgEnDUVAz32x-0oKIlUGxcPOLvjwnDLZI,643
+torch/include/ATen/ops/gather_meta_dispatch.h,sha256=UrzpQw1xHVUL8caKQVTHH1RB25UTWqhFipEDQ3_kqKQ,1062
+torch/include/ATen/ops/gather_native.h,sha256=6dRaq_gGi7u_PZVsA1GH4QfsCXvUE0HQpNQuzvCYo-g,924
+torch/include/ATen/ops/gather_ops.h,sha256=EdGa_OY3Q7WqxtCkyxtStjVcNd0cloomyvqsoTxb88A,3615
+torch/include/ATen/ops/gcd.h,sha256=5o4uFWk_sp3YqOLQNH3K_M7oxkFKWSdkmkSCIY79DJk,1306
+torch/include/ATen/ops/gcd_compositeexplicitautogradnonfunctional_dispatch.h,sha256=oYwr05ANpnT363tYor-dPh5OFXFoUrSiDAV91MAtGIA,887
+torch/include/ATen/ops/gcd_cpu_dispatch.h,sha256=l4YAY3lA9xO4eVQeROYHO8xm4Z6hnzi38B6ij_lj-tU,1020
+torch/include/ATen/ops/gcd_cuda_dispatch.h,sha256=zjshszA5noT6rIeVL_-kYsFT02KiQbBIfJ4nMykq6c8,1022
+torch/include/ATen/ops/gcd_meta.h,sha256=Pyhmz4r9F99tGaplVAHbnrHqQ6_s3rUE6Hz6dMyHq9A,609
+torch/include/ATen/ops/gcd_meta_dispatch.h,sha256=9kvofJJIPymWLcuVdyQTph15kr7Xcf0EBojR-aivgCg,1022
+torch/include/ATen/ops/gcd_native.h,sha256=5QrOeiMr5NVUu9b6qDz54Op2uFLjSkDTK-irOBmslmg,624
+torch/include/ATen/ops/gcd_ops.h,sha256=cjMxuU45a20Ugxq2FPKawzxkCRpStfc4tFNu_Lw8GdM,2353
+torch/include/ATen/ops/ge.h,sha256=qBF0uMpkPE2oa7_eOe7IQHsU-mXnkPZI_XwIxcUmLts,1830
+torch/include/ATen/ops/ge_compositeexplicitautogradnonfunctional_dispatch.h,sha256=cjmE8YjUbKJr2qoetaOOZa-m5kl9obt-pNmJdmaIm28,1034
+torch/include/ATen/ops/ge_cpu_dispatch.h,sha256=tRMpQFauiFzmEMU_eyMXuxGSyQGdwmcd_ciWApQZMnQ,1366
+torch/include/ATen/ops/ge_cuda_dispatch.h,sha256=WpJp8XvQMVCmi0C-V_gLxRGkKfFfqW4ff8CAJkc19Ok,1368
+torch/include/ATen/ops/ge_meta.h,sha256=AxAz0gU1CxuHk1L92BzziVs53B0l1nlRtDJm4EVZzw4,762
+torch/include/ATen/ops/ge_meta_dispatch.h,sha256=CvQK0S14D2zdUH7i4-fsQiOrIYFUcG2Hs6xrjzfDSLs,1368
+torch/include/ATen/ops/ge_native.h,sha256=bHGLMRE9dhe3shNQ5sZwjVWU-EsrPYnGejCwqDAi3ZI,1306
+torch/include/ATen/ops/ge_ops.h,sha256=jZNR4gkcrVjJCGC8vDbj32EiR26frKmIlGbxGjg9sq4,4376
+torch/include/ATen/ops/gelu.h,sha256=o_PfwT3X96pxz4E1Snflw58SBCZNHP34Ey1bP9I_P3A,1426
+torch/include/ATen/ops/gelu_backward.h,sha256=_FlEGY1Bt0-CZVYWaJ6g8krJozTWLHc1JeXKhSGqCKc,1568
+torch/include/ATen/ops/gelu_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=LidVJsBV89MRQr3-axMjIZsLSlqtgRZAHntThFq8Q3g,866
+torch/include/ATen/ops/gelu_backward_cpu_dispatch.h,sha256=s3vhJTpyR2vxSRSiTK_Rm7UP9PFMP0P_6_OBimi3WW0,1112
+torch/include/ATen/ops/gelu_backward_cuda_dispatch.h,sha256=k_NUWbnYLchjNuqtoG2Sfp3nQztbT7vc3SosGypmcG0,1114
+torch/include/ATen/ops/gelu_backward_meta.h,sha256=jdOvRDCPTOeYMIUyJXhkyKAGfMd-a96PSCwASiPD7sM,655
+torch/include/ATen/ops/gelu_backward_meta_dispatch.h,sha256=85Piox3vP6LC_9ZdrLu9ZNBC77VqyBE2gYi3IQ8Z7E4,1114
+torch/include/ATen/ops/gelu_backward_native.h,sha256=rpkNTKtqa9LSLHlLkTPL0EZhJiA6g1kvIqBpn2yUt4U,1205
+torch/include/ATen/ops/gelu_backward_ops.h,sha256=TkSG-ntI2ddeVEZ5zxDLf-ECmlUORpxS2u8m3DyUfFw,2089
+torch/include/ATen/ops/gelu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=eLvTVbIYed1-qTh8AdWPZ96wGZRm-sWy3zmc_BRBx0c,911
+torch/include/ATen/ops/gelu_cpu_dispatch.h,sha256=FZXTnR5XNKvMoV-RDTWezdASU2cKU2z4w7DEhy8S9qQ,1061
+torch/include/ATen/ops/gelu_cuda_dispatch.h,sha256=AZmXiQ0RjUhtnv_KIoDA1DKqh8kEy3BOCblP73l09_c,1063
+torch/include/ATen/ops/gelu_meta.h,sha256=HLKy7OtQkPm4YxHDO0sVsD3NCiAWLGUTreDsxnXdsbI,614
+torch/include/ATen/ops/gelu_meta_dispatch.h,sha256=JFOhpdjAQkT_e7FEnHbujceWux7UHLHPuMA8H3ue83A,1063
+torch/include/ATen/ops/gelu_native.h,sha256=FBDuyYE7UIMp2u1HKsWfVXYFOIoh9geuGd1Wiius5gE,1411
+torch/include/ATen/ops/gelu_ops.h,sha256=jcv8wIbypkRCALP6kBMEXrE1xF-E7M2oFKahCrC_63o,2416
+torch/include/ATen/ops/geometric.h,sha256=l0-z1-INXcwEFSBgCG7Lbyq5VswffsT4e0fzrUAXXBI,1384
+torch/include/ATen/ops/geometric_compositeexplicitautograd_dispatch.h,sha256=TUd0uqBKo9tR2-7IS94TsbZ_h-vIXJ0kYU4safr4hBk,1116
+torch/include/ATen/ops/geometric_cpu_dispatch.h,sha256=KlFg1l-OJ4GMzbz-KE6o4m3TmAoY9nrW2P4GTBXxGx4,787
+torch/include/ATen/ops/geometric_cuda_dispatch.h,sha256=ADqP9Mo98wuZgxm4Ta7UjmqsOc66Bm-E5CY3hTNX6MU,789
+torch/include/ATen/ops/geometric_meta_dispatch.h,sha256=wnReH5HldE1hdugv9ZgAEdIeJnFwM8bAUBkmXfnwyUI,789
+torch/include/ATen/ops/geometric_native.h,sha256=VKnNBt8j1Y7X2sBpqUAzb7q5GtCpfEv0VlO8DEw0gIw,811
+torch/include/ATen/ops/geometric_ops.h,sha256=HzuOY5E-x7VkJsGn1wVpmb4TSy8qf3JvenZ2XTFNklY,2695
+torch/include/ATen/ops/geqrf.h,sha256=KNOGNwvu1p2baivRbldQKIK-gKWTqLqDh8OZixM1Ax4,1198
+torch/include/ATen/ops/geqrf_cpu_dispatch.h,sha256=MnTJuO9R1jrWbFLy79DU4MIAXQXgFvmr8cSHQWsoNkQ,985
+torch/include/ATen/ops/geqrf_cuda_dispatch.h,sha256=WQip14-Uo9guM7oBv7vdJsptgdJ1nbf99KMgo07ItYU,987
+torch/include/ATen/ops/geqrf_native.h,sha256=vMc_ZdQSL20pniiisAgir5qL17FNzaeYwNkD57gm5tU,631
+torch/include/ATen/ops/geqrf_ops.h,sha256=pM37zThjjJLd7PMfwuzvx9nKUNeEXPSoDB62-K6sET0,1830
+torch/include/ATen/ops/ger.h,sha256=AxZD9ZTsrn2P1X-rPrDKPvW-HRuy03IxmAsFC7YMnr4,1117
+torch/include/ATen/ops/ger_compositeimplicitautograd_dispatch.h,sha256=y2TnESZk-XQq0Puu_XfqIxCW8LQ8T0yZor9bL-vYC3E,987
+torch/include/ATen/ops/ger_native.h,sha256=e42lXzzHG9k4irOznudfFb20VbLbcVQJ5IVxVHS0emA,609
+torch/include/ATen/ops/ger_ops.h,sha256=JiSjkYG7eqLEvo5RtLTENFaVoq3yI51tzOJLxswMJrA,1738
+torch/include/ATen/ops/glu.h,sha256=5m7FaJs9Ms9IjGPKYfKpZ_l18NPgT3pukwBprRYSYjc,1081
+torch/include/ATen/ops/glu_backward.h,sha256=6dPSW1ei0AAl2jI7fIxtfugH72glsFnxAmOTTKIxO7k,1421
+torch/include/ATen/ops/glu_backward_cpu_dispatch.h,sha256=lQ4iPRYT1IvRyy_f06PnowzyH8oqxKhgyBPFO-AWGjo,1044
+torch/include/ATen/ops/glu_backward_cuda_dispatch.h,sha256=ElFssOj8pVG168yy0E8uiyTUFDWI9hGuWIk9koiH1AE,1046
+torch/include/ATen/ops/glu_backward_jvp.h,sha256=YhvquPF2S9JTIqYCZchXHSrtirgpU90eBeGu7jQU_bY,1778
+torch/include/ATen/ops/glu_backward_jvp_compositeexplicitautograd_dispatch.h,sha256=YarW-uwH0b0Ejr6MYuGMQVRgvg92VO0Y2cuFeCr-oWE,1125
+torch/include/ATen/ops/glu_backward_jvp_cpu_dispatch.h,sha256=Uo4n8sIPyTkP1BABdijnJXlCIkixZlS90aeVg9lYGyE,849
+torch/include/ATen/ops/glu_backward_jvp_cuda_dispatch.h,sha256=kTS7w4HjDPgtHfCRyPae5Bas41-DCaQ40XQsYt2k5Io,851
+torch/include/ATen/ops/glu_backward_jvp_native.h,sha256=yTE3dHdzoWpcXOKysWpbWZj1cQy38XUw6GL-KXLAsWI,823
+torch/include/ATen/ops/glu_backward_jvp_ops.h,sha256=78VafEYwVaCZQSn7Ru3yc1oUbkuubAHvuAgU5UQurps,2438
+torch/include/ATen/ops/glu_backward_native.h,sha256=a31uCulmt2euBrwUkgX7_VT2orGeyDovNSnsJHxs4bQ,933
+torch/include/ATen/ops/glu_backward_ops.h,sha256=XG0-W9vZqA6XHuGLOjahZB0ux9GLStEE9OM1fFr_pYs,1964
+torch/include/ATen/ops/glu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=uYoGBVMBtBeSUbmPmOaInltz-sUUTCkVJAOK0u56tC0,803
+torch/include/ATen/ops/glu_cpu_dispatch.h,sha256=crP-5fbYrSPl3-M_poyyfcflvxmAHKYvAv21WZoDSLc,913
+torch/include/ATen/ops/glu_cuda_dispatch.h,sha256=l1TPcyaWIMpbNf8mPbeATW_FComn246sWixL6Fal-YE,915
+torch/include/ATen/ops/glu_jvp.h,sha256=wy0KOIDQFk58Do2nAXXaeWYLS0PmfQYXA3hz24h86hM,1316
+torch/include/ATen/ops/glu_jvp_compositeexplicitautograd_dispatch.h,sha256=k_lw9-e2cU3fU2gtT7T6Ks1ICKswtwxGlnAd0fRCdLc,983
+torch/include/ATen/ops/glu_jvp_cpu_dispatch.h,sha256=CNgzSjRKNFmB-qot4tuHWPzgzv-NPDmHh5EncwoQCmY,778
+torch/include/ATen/ops/glu_jvp_cuda_dispatch.h,sha256=E3eGmMAoXJBHHQM9R6O-i5mJxfvTmVsFQ2yRQobwv-g,780
+torch/include/ATen/ops/glu_jvp_native.h,sha256=D6MUD5GvRXfNs5fRUnEDP7y8UfnFtHJfOS8EYeWrH5Q,681
+torch/include/ATen/ops/glu_jvp_ops.h,sha256=lBK0hhzYwIM8w22sr2s5KNseYwG0aQNvPcn1vd6lH3A,1980
+torch/include/ATen/ops/glu_meta.h,sha256=9JcmH5oo0MrMcfJZn4Y03rkI1f-oxXBIzGldVMPHkT8,596
+torch/include/ATen/ops/glu_meta_dispatch.h,sha256=Xwf774Ourowh70eqFz9gBQP0VdSoCJ4xAG5OYR1VqOM,915
+torch/include/ATen/ops/glu_native.h,sha256=-8LxErNztAcsitB71eRgIa2BrSUnpIoqI27WuCY5d1Y,611
+torch/include/ATen/ops/glu_ops.h,sha256=fYbX9FWhQenJNLIBMFkQ1K2uEVtnQrg7LjmYFB-LEGs,1666
+torch/include/ATen/ops/gradient.h,sha256=lLzbixP0TG_Ur3TMEDu2bMf6476vIFgk-yIBGAh9PUQ,2860
+torch/include/ATen/ops/gradient_compositeimplicitautograd_dispatch.h,sha256=tLJE7osgAx6rPTQ1JZFfoUFD7Ic_RP7KrFxmBq_uQ9U,1784
+torch/include/ATen/ops/gradient_native.h,sha256=SkmPlvm_ckRp3LZCjqNwXESa8PiWsR15se5MoJrdTYQ,1507
+torch/include/ATen/ops/gradient_ops.h,sha256=guN9kiMoedkbHB4PWbYWdBHYEYicbSBn9m3lIFZDVVA,6480
+torch/include/ATen/ops/greater.h,sha256=giYL0CSsI32g8n8JzNm_yAc_IFtZCkgYMQ9l4emJJWg,1925
+torch/include/ATen/ops/greater_compositeimplicitautograd_dispatch.h,sha256=lbKvwzKcV77BSoYL8-6um4kdEKKIRWCAWz7fK4PWVjs,1450
+torch/include/ATen/ops/greater_equal.h,sha256=OBcwAiuMx49_5_92P1GXHmTzGz7PvKEGRplFryB8AaU,2039
+torch/include/ATen/ops/greater_equal_compositeimplicitautograd_dispatch.h,sha256=5PVSe4ZwHrBnH65M_m1MlSlnfQ4tb5uGqajsmHOoQn8,1498
+torch/include/ATen/ops/greater_equal_native.h,sha256=IIuQIg1zgWB2CAJVMfltjA2lhLoqw1VbOFpT7aSr2lk,997
+torch/include/ATen/ops/greater_equal_ops.h,sha256=v9zJcRoXdyHo1cdB_KhlgDOGshqCzjjZNWRur0mTFB8,4574
+torch/include/ATen/ops/greater_native.h,sha256=w_E1ehCVbHNHgL6h1dMehZLk2Ofy9kIF_DF-KVsP5uk,961
+torch/include/ATen/ops/greater_ops.h,sha256=9mop-4kYGEcn7VQ2QwZ6ApMSHNQBANgxZTQt33UBT6k,4466
+torch/include/ATen/ops/grid_sampler.h,sha256=RTgMWZ5-mmAYikL9q5BG-j-slf1RsrBpu8ltzC9EL70,877
+torch/include/ATen/ops/grid_sampler_2d.h,sha256=_uwLPcPMNu7WXDV6yEULwIspYszepzOU688HF9uxBPo,1789
+torch/include/ATen/ops/grid_sampler_2d_backward.h,sha256=0xRLk1BQLhJctkz9Y0imxTPImgwNtNmm5SSD9-dPe0o,2485
+torch/include/ATen/ops/grid_sampler_2d_backward_compositeexplicitautograd_dispatch.h,sha256=WF_mk4Q5ON0IqLSvXq5i8grWGrU1gJt_mFZKGfz_foY,1321
+torch/include/ATen/ops/grid_sampler_2d_backward_cpu_dispatch.h,sha256=rRMAfwtGcudMQ-ggTVDQk3XfT9Arxb01xT2zT3OpvsI,925
+torch/include/ATen/ops/grid_sampler_2d_backward_cuda_dispatch.h,sha256=ie6KxsszaVT2Rl1w38llNRmByVIIV8_jAHNiQxVlqL0,927
+torch/include/ATen/ops/grid_sampler_2d_backward_native.h,sha256=iyd8lRwjvUvgoXyGTk6YlK7ct5j9hlf4Lwi69Nw66_E,1265
+torch/include/ATen/ops/grid_sampler_2d_backward_ops.h,sha256=fpGfE_u9yyOkhN_uYCtsRqoY7qC8QKsfIbRaDHN95LM,3004
+torch/include/ATen/ops/grid_sampler_2d_compositeexplicitautograd_dispatch.h,sha256=DdZ_puSwkm2nGBdv1fUrqB5c3kLMdkfzJTChUl1WNpc,1077
+torch/include/ATen/ops/grid_sampler_2d_cpu_dispatch.h,sha256=2Y4cKMMiJkyxfCNkyuIdVnWRDeoQtmvZ-fdIBKIDZlw,825
+torch/include/ATen/ops/grid_sampler_2d_cuda_dispatch.h,sha256=tnSJZgv6YQ2THedSiB7MDkgF3eh9xBKPDQaSCicxupk,827
+torch/include/ATen/ops/grid_sampler_2d_native.h,sha256=I30SS9lHH4z2DjOtDCtTonZPO0ZT0qvdD_crA8dI4tI,943
+torch/include/ATen/ops/grid_sampler_2d_ops.h,sha256=0p9hEWk1UgijXQrY4_hPQVjAYlPkS1z82y4qxcdeHLw,2268
+torch/include/ATen/ops/grid_sampler_3d.h,sha256=6nHli5ddTm5VN11jqdD7sDtnvVtlCWdDGSC4gQRgctc,1789
+torch/include/ATen/ops/grid_sampler_3d_backward.h,sha256=S_rIfNpDK0CG2pvZd3Ossp1qHT7KhCtp_kKB3uVVw2A,2485
+torch/include/ATen/ops/grid_sampler_3d_backward_compositeexplicitautograd_dispatch.h,sha256=ZbI7r9KSyNaoT6U4fM6FjD2x1id-RThaVn02AXYMIz4,1321
+torch/include/ATen/ops/grid_sampler_3d_backward_cpu_dispatch.h,sha256=kD7aG-f4_nkVLdoP8XpzU8isEZkvEOlF8kaWy7L7OYA,925
+torch/include/ATen/ops/grid_sampler_3d_backward_cuda_dispatch.h,sha256=gKxrdwb-2IT51ijl8PXANrELMJgsmkeTifAxivYBGHU,927
+torch/include/ATen/ops/grid_sampler_3d_backward_native.h,sha256=5pn1GO4v1zr6b_bIxXFMEK_X4UjAyHa_YKh16N8w1Gc,1265
+torch/include/ATen/ops/grid_sampler_3d_backward_ops.h,sha256=Bhxg0yA_Qe1t2KEdmVEW2N1bmE7VZR6SNzEVVNUFuu0,3004
+torch/include/ATen/ops/grid_sampler_3d_compositeexplicitautograd_dispatch.h,sha256=iYQyA7rCoJ94mqtNvDWElBk1cVQahmB2pX6HCkjKGbU,1077
+torch/include/ATen/ops/grid_sampler_3d_cpu_dispatch.h,sha256=hH2MXILS_78WmrIAiejNC2j3qreFWT9fGlCuWY5uFwA,825
+torch/include/ATen/ops/grid_sampler_3d_cuda_dispatch.h,sha256=u4IULs0PcIya_JzRwIKmqp0axB2qsIqJkrIH8eRWR54,827
+torch/include/ATen/ops/grid_sampler_3d_native.h,sha256=HhK46FD7o7694rYiZsQIzDARggYYQQh_rxxvt12qhYc,943
+torch/include/ATen/ops/grid_sampler_3d_ops.h,sha256=YOJhka4TZVz9tRmPeFEODmHgIAh2P3BGh-c9pr2sut4,2268
+torch/include/ATen/ops/grid_sampler_compositeimplicitautograd_dispatch.h,sha256=4lhrlXaY14QaSNZOXYJ-5TlDARdmL0V780NgdiQngDE,866
+torch/include/ATen/ops/grid_sampler_native.h,sha256=B-O1H-G7iyki3Ye_nJYVSkwYFEjhoRcw0IjC9eHCedY,589
+torch/include/ATen/ops/grid_sampler_ops.h,sha256=Ef3IvwsM168R5yAFTqdoX5JWZcPBwKfkFyl4gj65V7w,1297
+torch/include/ATen/ops/group_norm.h,sha256=wXvRinAXxzCQ9Y9lt2a_MQCXHKN_npqFd5dUF_4mmI0,943
+torch/include/ATen/ops/group_norm_compositeimplicitautograd_dispatch.h,sha256=Vner38XN3HuPSNF9Qvcuv0HghufQRwqC5qBD0ji7Gqs,924
+torch/include/ATen/ops/group_norm_native.h,sha256=9QyaNSgKIQt-qJna25yCWBgmpIkVMsBr7nb_UyedoR8,647
+torch/include/ATen/ops/group_norm_ops.h,sha256=WP65S84DWcp49NKao7wd1vh9n3Gd7DeppvEW85eqIlQ,1453
+torch/include/ATen/ops/gru.h,sha256=9GtJYe7qMyah6hHtPD3XExKoB-Pa-DP0Dd_fCx4RWvo,1560
+torch/include/ATen/ops/gru_cell.h,sha256=c4N3yw8zyKGtEJMsI6pc2_3zf2ybRMGPevN8k6GvkLQ,902
+torch/include/ATen/ops/gru_cell_compositeimplicitautograd_dispatch.h,sha256=UmGvZYjJe85Zjo1saHKIiPervwhIjRupphiXAxNbJRY,930
+torch/include/ATen/ops/gru_cell_native.h,sha256=oXF5mw4tbVH6tByqnZpDjk3SNl6SGY-olJphKrgLaDA,653
+torch/include/ATen/ops/gru_cell_ops.h,sha256=61KZJH2V1es5SSJRjj59y1Nx-3CTVH4SqIP3gqhzgGQ,1499
+torch/include/ATen/ops/gru_compositeimplicitautograd_dispatch.h,sha256=xe0XpYVnxpc-1irRWnb_RBp7aHTIc6TB5_310usWhW8,1175
+torch/include/ATen/ops/gru_native.h,sha256=VeiH1Z8-LzrRy5hdlCLxzXBm7BNVFnBVvm82EinpefU,898
+torch/include/ATen/ops/gru_ops.h,sha256=VpqIa6ZCY-a314jkKdYZH21JrrS5-Z2_D20_rtb_zcY,2732
+torch/include/ATen/ops/gt.h,sha256=bwELFL2hwhiwcbx27TpAEUTC1i5oO7oCag-jG4wboRE,1830
+torch/include/ATen/ops/gt_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Z2sQFPwBYrYYaz7bYFG7f1Rbyc0lzuLB6j0FmZdm_e4,1034
+torch/include/ATen/ops/gt_cpu_dispatch.h,sha256=KvaYtu_1mtuxBINrePTunv1ibkZ9j5jbvDQKH55X8Zg,1366
+torch/include/ATen/ops/gt_cuda_dispatch.h,sha256=22MIm_dB38x-ppbu4fTD2OFy4SCwOKR8aQrdqh5dKVY,1368
+torch/include/ATen/ops/gt_meta.h,sha256=XLrkF6aPk1XbVnnpXz31mL6Zp1A1FHI0yjOIwx6k_DM,762
+torch/include/ATen/ops/gt_meta_dispatch.h,sha256=1PUK0yKZPj9DMvmkqw0uyxD2HqpSBrnVh2r-4Joyw-4,1368
+torch/include/ATen/ops/gt_native.h,sha256=OHirF20pLeqaDphZMvYQmDVQ2mYUY6jkXKLag4G89d0,1306
+torch/include/ATen/ops/gt_ops.h,sha256=OLFyTV7TwK5E1ThATW9B8JfHibINNwRbLfRCc7k-8Oc,4376
+torch/include/ATen/ops/hamming_window.h,sha256=n11r0w7m0jnr4wsYFudHTIKDB3AfsOC2ENUDW2tfwyI,7026
+torch/include/ATen/ops/hamming_window_compositeexplicitautograd_dispatch.h,sha256=ngk_T-tHVj7GMt7soxv6uoNPzlBHN67IIwi0Wc4JTq8,2910
+torch/include/ATen/ops/hamming_window_native.h,sha256=wnwI5TXa6kPbQksSVjYVGb1921JYCMKGMMkpWiXulwU,1853
+torch/include/ATen/ops/hamming_window_ops.h,sha256=didNbi08UiyLBCl0mK5aWoCChyftBIAEptJd2eGeZOs,8017
+torch/include/ATen/ops/hann_window.h,sha256=B0z_aPen2GgoY0hzCJ7Zz1SgwADWUE8Xvya4zCBZV-g,3305
+torch/include/ATen/ops/hann_window_compositeexplicitautograd_dispatch.h,sha256=JxgJgwxa1OSAoBuGrQv7-0xKpRAJnuELHP1ZkjlHmaI,1674
+torch/include/ATen/ops/hann_window_native.h,sha256=jwAh3VaFy-wsSPTXyCYM1T1ckRG0cGye3oMBTtslGaQ,1062
+torch/include/ATen/ops/hann_window_ops.h,sha256=alK6EZkqMI_hHargFuyiKo-89cO4X-Ekl6ylhHksfvM,3917
+torch/include/ATen/ops/hardshrink.h,sha256=9UvG5v7JsDImkgW5SDYuj-_6ZWu96tuMo9dsKoTmJ9s,1216
+torch/include/ATen/ops/hardshrink_backward.h,sha256=p0bx0k9QfpNce9xevGo1ZePFEOTBbm_5NcoVyl51dIs,1524
+torch/include/ATen/ops/hardshrink_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=T97Gh9wvV3lqj-8FMqWKimFZCd1BDLJhaIGjh_oWe-E,858
+torch/include/ATen/ops/hardshrink_backward_cpu_dispatch.h,sha256=R6_yNVq93aeFWmIJQwtUvpO7ZWcNeFPiRQvJb3eZ0yM,1095
+torch/include/ATen/ops/hardshrink_backward_cuda_dispatch.h,sha256=FIxyjseyeGX2SM1DHrf3X1B0fniRAlp1C2-kyZh_vvw,1097
+torch/include/ATen/ops/hardshrink_backward_meta.h,sha256=jJFW_Mp_m58wtrST6Q2XQh1ZPHqVpXFyTIG8IvR5jk4,654
+torch/include/ATen/ops/hardshrink_backward_meta_dispatch.h,sha256=N4bTge3dwG34fwY83eeqGt-tC70WprBB5R25iPgkMB4,1097
+torch/include/ATen/ops/hardshrink_backward_native.h,sha256=JlmxV9IWduBeBzHSf2zbzRNRqIFiUHDnwugKfgQhlGs,708
+torch/include/ATen/ops/hardshrink_backward_ops.h,sha256=n3HibVd1chiWVLvnD_fnA9NbJ5x6YY4qhvFgkIze0K4,2072
+torch/include/ATen/ops/hardshrink_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BEljD7K-wbeB9zh-lTiXgJoHXH4E68zTp2V9R1hGbC0,824
+torch/include/ATen/ops/hardshrink_cpu_dispatch.h,sha256=5br9nPVtUGtCf2nHZ0HOmQDi1Q2D9ZBhbhadwBIayas,975
+torch/include/ATen/ops/hardshrink_cuda_dispatch.h,sha256=tSLTM6Ml5Sl89xFsFfxdEqr62V8QIc85fFqEj7AFIDE,977
+torch/include/ATen/ops/hardshrink_meta.h,sha256=8oFsf8IVNTBwJxVg4uzYR1OW_N3EA1N2OtaH5cxVtMA,616
+torch/include/ATen/ops/hardshrink_meta_dispatch.h,sha256=rzvVtNptBs_NW14dR1Y2efGfTJGzMzanxGYHSM25--s,977
+torch/include/ATen/ops/hardshrink_native.h,sha256=ffUxSRn6fjHNQm9C5WL7_jH7vCklBnR4kzdArr4MDxo,645
+torch/include/ATen/ops/hardshrink_ops.h,sha256=re3NgmdlL7PmiOlhySkwbIrggNLOqM9NPn3njOXD64s,1794
+torch/include/ATen/ops/hardsigmoid.h,sha256=6s-Puvs3aSWXvtNN23t-fxZzFz3vkWzAloqn3HZftUE,1222
+torch/include/ATen/ops/hardsigmoid_backward.h,sha256=VnHvY9yEenYd5DmQ1E8K3yocY7tkXKLMyRVyBHWFKQ8,1420
+torch/include/ATen/ops/hardsigmoid_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2mr7MsdmJNhyb9nJ09L7eGAk2AHhQUP2FvUUF0z_LMM,836
+torch/include/ATen/ops/hardsigmoid_backward_cpu_dispatch.h,sha256=f-SY4XsJM2VoT_mdgI-0Y6Lv5Qtxlyah1N61MT0DjZE,1029
+torch/include/ATen/ops/hardsigmoid_backward_cuda_dispatch.h,sha256=V-FVIqG8zbPeVBh4CbZlQQymph4aWIfXTm-Vq0Nx_GQ,1031
+torch/include/ATen/ops/hardsigmoid_backward_meta.h,sha256=NX0P0x6hMnGz44aS_4fGDk87HgjXPdAUxL8LFBXk4Dk,632
+torch/include/ATen/ops/hardsigmoid_backward_meta_dispatch.h,sha256=bwhCBuN0XZfiladaNyJqcpMITZEtxEk_jaix3YI9vRU,1031
+torch/include/ATen/ops/hardsigmoid_backward_native.h,sha256=LdUM_J9-7oVQvDCIqm5f-xYm_85G6YndrB2d2LTkBas,688
+torch/include/ATen/ops/hardsigmoid_backward_ops.h,sha256=_ovJBRMzNPbfhKk18r3dfn1xeO1Tv09sbs8MgDnB0no,1924
+torch/include/ATen/ops/hardsigmoid_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xhn5O2eYc0MdXm5NeL1kFCAzwmdAuZFSog28gALPnks,851
+torch/include/ATen/ops/hardsigmoid_cpu_dispatch.h,sha256=q53Nkv8F3mXxfv4NiRwzv2UbcI3w4zvBD5vIFSjcFtI,948
+torch/include/ATen/ops/hardsigmoid_cuda_dispatch.h,sha256=NxtvQvKoB4EGWbZChNDnwU49Wk6UZBqTjb-h7ZDC17Q,950
+torch/include/ATen/ops/hardsigmoid_meta.h,sha256=IGl1CK_S0ZL1QQWmFxiK_JNb2aZsuUJ2agGKqT6UB-g,591
+torch/include/ATen/ops/hardsigmoid_meta_dispatch.h,sha256=hH-nL7cRx3mPwN60hn3aPB5HjzCz5Ttn3OfhodRCeEI,950
+torch/include/ATen/ops/hardsigmoid_native.h,sha256=LpNzfVC9aOb7pl3MZ35WmoXVj1qdJt2zB3Vvgj9vOtM,792
+torch/include/ATen/ops/hardsigmoid_ops.h,sha256=Q7Lcqp8k1e39Tx2nNrY0lr3luTi73ckXDBXLXYkXxik,2167
+torch/include/ATen/ops/hardswish.h,sha256=r-cH6XpX7eiK3xhG2PcPivkvmpspfU9Gc-VhxA4Gal0,1196
+torch/include/ATen/ops/hardswish_backward.h,sha256=dE2_bxfy4hYuVCPBPKh-B7bhD3Se_UHvvBxsWmDOP_k,1330
+torch/include/ATen/ops/hardswish_backward_compositeexplicitautograd_dispatch.h,sha256=rTgzA7AqtQGOeR4PK7ZDMgfqW8SDY5gY53CVc3yjoY0,955
+torch/include/ATen/ops/hardswish_backward_cpu_dispatch.h,sha256=HMty385lv2s0mC6Qj-c4UJAatCRzLrPOKwSV3JjjN2Y,764
+torch/include/ATen/ops/hardswish_backward_cuda_dispatch.h,sha256=PyhZciayHwqkWVRVM-51kiDfHh953Y9wBjCRckH1S_k,766
+torch/include/ATen/ops/hardswish_backward_native.h,sha256=hYEuBJz1E9L2swLGI4OpH4kDTo7AvfV3gsaSJx5tQn0,653
+torch/include/ATen/ops/hardswish_backward_ops.h,sha256=x4LL9nUk4zn-3vFUJ35kp8xG7yIJRzC8Lpr9ENXlR_c,1870
+torch/include/ATen/ops/hardswish_cpu_dispatch.h,sha256=kBXk20TCrpj5cd2PEP3wqVuQp_fzOZKFo5l5KxtyjSU,940
+torch/include/ATen/ops/hardswish_cuda_dispatch.h,sha256=jhpVRHRjJIK75jVRIdaMuAe40RtUFSC9FJjJHZdca1w,942
+torch/include/ATen/ops/hardswish_meta_dispatch.h,sha256=u0i5X_UvWqpMAbS2rrq8pQ1ZL7nAbaGZc6ZNqpK4eEs,722
+torch/include/ATen/ops/hardswish_native.h,sha256=3VT_TXckY1AWcbVRrsehRbjq-h17SpEhLwxzIM9d2zw,625
+torch/include/ATen/ops/hardswish_ops.h,sha256=xX0OSIUyE_WcPaWylVAt_gFoGWuIlisT3Fmux5saIw4,2149
+torch/include/ATen/ops/hardtanh.h,sha256=k8U2NS2JBQJOFABm4bY9Cdhq3RUCRgZUDbcKD9ShXDg,1642
+torch/include/ATen/ops/hardtanh_backward.h,sha256=okY18kvDaGNtW45Ve9vXgEHX8uwR9QshwE8-0ysLFfA,1708
+torch/include/ATen/ops/hardtanh_backward_cpu_dispatch.h,sha256=55Pc5PGjsQV609SFGDkUWnRUI5IdZdxWz-imeAfqqQo,1188
+torch/include/ATen/ops/hardtanh_backward_cuda_dispatch.h,sha256=cF7u7AY9huzUCIkXagwnALAjDoDGRYQDd0lulmCa1AQ,1190
+torch/include/ATen/ops/hardtanh_backward_native.h,sha256=r5IMNHApEKwFoS9dI4zBRbhCdgCeMx7V96nAcePXE14,770
+torch/include/ATen/ops/hardtanh_backward_ops.h,sha256=NYpcsVaOMf68JeE0LQC8HdGU8yB756FAj1ZtwWhy5dM,2274
+torch/include/ATen/ops/hardtanh_cpu_dispatch.h,sha256=8W-va7CImYRRCHdu0YuvCWFmw1grgFK-KXl_x9BGCtE,1175
+torch/include/ATen/ops/hardtanh_cuda_dispatch.h,sha256=XF5uz9yI7n4I-ynsUPla4agbeJmbbrnqazzLO8PtR3o,1177
+torch/include/ATen/ops/hardtanh_meta_dispatch.h,sha256=k8nJkKne2QxLnQ8MQPKQYC6av_dpoCGzEtzx4331vvA,782
+torch/include/ATen/ops/hardtanh_native.h,sha256=IOPXsd_nnyVY4wvsNlPEIj2VVgB6XeeoHn_rq0siy7s,1209
+torch/include/ATen/ops/hardtanh_ops.h,sha256=zwr6I51K7So9OsNqp3PRGeFq9qBeCqqbNK84ksIYOiQ,2707
+torch/include/ATen/ops/heaviside.h,sha256=RBBVsqhddfM36gb8zzO_EoHHslzbWRjjgieEYS7K0eM,1195
+torch/include/ATen/ops/heaviside_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rY-l1c0Jc7NU52e_G7kjORTH1MJviPxztOjWnHlp6J8,901
+torch/include/ATen/ops/heaviside_cpu_dispatch.h,sha256=5E2gw7PJtq3v7vSLkmeWtg0JsWNG0oxrhlbAMaFSKkg,1048
+torch/include/ATen/ops/heaviside_cuda_dispatch.h,sha256=vTspqK5PZ2b0wB2ehC_ykhevPvzkZBqO6bM3mEQWmws,1050
+torch/include/ATen/ops/heaviside_meta.h,sha256=9lGFa_kIGlucyEQvQWNLD2ZweAwzTaxPH1e4mFfDj8Y,616
+torch/include/ATen/ops/heaviside_meta_dispatch.h,sha256=VzCDZYncqqHuScrY6tURCAgJMHwBKXnLW-fgjakdeWY,1050
+torch/include/ATen/ops/heaviside_native.h,sha256=ciKiuT20YBvHfv00hog_rYPTSDZaoeLwC1s0lXRWkvk,643
+torch/include/ATen/ops/heaviside_ops.h,sha256=w9NuGJLGaXv39W8D9C9RRsAkhbDxRrtLESfmWXGNp48,2416
+torch/include/ATen/ops/hinge_embedding_loss.h,sha256=yXYUGU-DAOGBIdlQfQshVFIFwMIQL8uC-0AmrWWQpyk,846
+torch/include/ATen/ops/hinge_embedding_loss_compositeimplicitautograd_dispatch.h,sha256=4OceJCjlx2p7D1zTgc_DqrX6lU1epB_nwcQogI_bVAM,863
+torch/include/ATen/ops/hinge_embedding_loss_native.h,sha256=EFdAC1GfVEpp3UbjlSJzYANCF9SHmzXnMSoOckjjpfA,586
+torch/include/ATen/ops/hinge_embedding_loss_ops.h,sha256=tDiCV1-rvy9wAsxUxtmnhO0whDjHeipb4-PFLfPkPLM,1221
+torch/include/ATen/ops/histc.h,sha256=CODy3VX8Zw2hF3ws26eK_kiNRnbsDh-AYGTYbSKXXL8,1381
+torch/include/ATen/ops/histc_cpu_dispatch.h,sha256=C0qiQXah9GCe-_OjxI_I4qnHg7dwPTIiQ-f4n5f0sws,1076
+torch/include/ATen/ops/histc_cuda_dispatch.h,sha256=J8Sh6wmvB60gW73XplingglyU2cNEbAGXvQ1EnNEgiU,1078
+torch/include/ATen/ops/histc_native.h,sha256=9RKkT2ZJLYyqPBJY2lZL7A-0RU021sJH5VZoQ32Etu0,989
+torch/include/ATen/ops/histc_ops.h,sha256=WM2ZHpRou6rquRVaHc0fVQpfAstuCg7Y4wshgYFXLfE,2014
+torch/include/ATen/ops/histogram.h,sha256=-zLiB9LyVsba_WT5Mn3OuoWl4sY-sMhiVglaqCwWJ6s,3504
+torch/include/ATen/ops/histogram_cpu_dispatch.h,sha256=DLxRcRdtLdIhKQNzU2hPV1OAgPqiGRbSmZ_dTRQH-wY,2038
+torch/include/ATen/ops/histogram_native.h,sha256=vdlxf1WPIIyQ0UfNAGhf7eLD-QT1LpMfOKUQJe8OZX0,1300
+torch/include/ATen/ops/histogram_ops.h,sha256=9Y8s7_Y8yYDTGT3bwvzZ6-dpa9hVwCQNhxXDs61Smx8,4862
+torch/include/ATen/ops/histogramdd.h,sha256=4Gh8vjkLUr5DyvYBwtH4EgIMaw1y4GrBgYcM5WXiz4s,1947
+torch/include/ATen/ops/histogramdd_compositeimplicitautograd_dispatch.h,sha256=ZbbAGMbD-m0oMUU_j3fdBXdMwqbsPYfLagfK5KdvDeo,1445
+torch/include/ATen/ops/histogramdd_native.h,sha256=qZQXQuCsYCWcjPclc2h_9uRj5BVGtmxw1e9Gjb97mFM,1168
+torch/include/ATen/ops/histogramdd_ops.h,sha256=VtFTDvDhcfb4i5G0G1GxVdX1IFlt6VvlaD9QsrLtcSk,3835
+torch/include/ATen/ops/hsplit.h,sha256=o48tduV14cDbos6du1FVNCxG_Agh7ozWRf9uV4CUWmE,927
+torch/include/ATen/ops/hsplit_compositeimplicitautograd_dispatch.h,sha256=VGu6nNlhjaBO0amvWPtO6gVWRbPoVnDUsA_C5U-BXGI,891
+torch/include/ATen/ops/hsplit_native.h,sha256=8Xy5LIrXwJabzTCQmKtBIK7Yt2F3d9kTV5ITa4dKl_0,614
+torch/include/ATen/ops/hsplit_ops.h,sha256=9zOHA_V6PbTjyq3y72I4axN1onGHnj9RqBvlOP2FzoI,1785
+torch/include/ATen/ops/hspmm.h,sha256=6YD55TxetAKHJxJiJ1erza4qsnMRkku3JhJMJEZ-hHM,1137
+torch/include/ATen/ops/hspmm_native.h,sha256=1RhEnTyOdJIHwlZe0FwsGt29_JlA4M1vgLIqrQU_-VU,839
+torch/include/ATen/ops/hspmm_ops.h,sha256=9z96VsjXVVeCFDtrcenbgdspZ83G5gAVj_LzMdtvbmE,1750
+torch/include/ATen/ops/hstack.h,sha256=SWRUv464mwFxZj6jLWwtFyCsvh_unuGEKCcp1envdb0,1036
+torch/include/ATen/ops/hstack_compositeimplicitautograd_dispatch.h,sha256=Zn5t1UPVI6QLC_chOuedSWl1gKC5V8PpacMcdmMvG4k,918
+torch/include/ATen/ops/hstack_native.h,sha256=X_cl73g7b2UI05S8jGsr04Onbne5e3Zt8bs_LcAEu-I,563
+torch/include/ATen/ops/hstack_ops.h,sha256=wSgDh8XOCLWaIAB-ql9KnCXbub5hcbyTGyQQRh22ALg,1588
+torch/include/ATen/ops/huber_loss.h,sha256=-NC5oSg99IyWrdonO4r5SA7d7Vpp6ETtlSQE73xEjq4,1517
+torch/include/ATen/ops/huber_loss_backward.h,sha256=xlMyV0chnFhlzhD1VCcU6uKZEUZZ3i2Bwoj2fDbLiy8,1769
+torch/include/ATen/ops/huber_loss_backward_compositeexplicitautograd_dispatch.h,sha256=oWwfQloaCaNs6W0cTMNX28N8m7s0paHjgD1xj-O45hg,869
+torch/include/ATen/ops/huber_loss_backward_cpu_dispatch.h,sha256=TUPK4NLqHjEZjCwAnV4RIqgmrQh6Dd_KpeYiv75xsDI,1047
+torch/include/ATen/ops/huber_loss_backward_cuda_dispatch.h,sha256=h0wjUErNkhjGs1lOtM8ZTlB4EQaWLXjOTVTutbS8vbs,1049
+torch/include/ATen/ops/huber_loss_backward_native.h,sha256=vhYubiwxs4Zc-AThn2OhPrHvBpc-0AnuP2AxA-M9-x8,782
+torch/include/ATen/ops/huber_loss_backward_ops.h,sha256=eRHzUZIa-uxRx5tyR9yCGWCoYgBYzAzsOhZJm3ukOog,2297
+torch/include/ATen/ops/huber_loss_cpu_dispatch.h,sha256=dD7sZyQq99M_2dm3ierMP0aEgJci-9KjsWlXJLxBhh4,1117
+torch/include/ATen/ops/huber_loss_cuda_dispatch.h,sha256=zSvgocqIkQGHSS_gTNWi5VOLpcdP3BLQPV69OQ8nQD4,1119
+torch/include/ATen/ops/huber_loss_native.h,sha256=61Vy2gt-_iPCN_EccXUQ7Hka0jKhVGe7XsG7QOHL6ow,717
+torch/include/ATen/ops/huber_loss_ops.h,sha256=1rTsrW6m1-Fb_0G3gDYV-Enm0HtZ2jGxUTROUHLBokc,2032
+torch/include/ATen/ops/hypot.h,sha256=Loadhpx2KbXyYFZYFMUaXI8qydasoYJ35GPqSiRJxmg,1146
+torch/include/ATen/ops/hypot_compositeexplicitautogradnonfunctional_dispatch.h,sha256=4mC-9q67le8qKcTvaUL5G0gqCimjGu6tcAR1tet5NoY,891
+torch/include/ATen/ops/hypot_cpu_dispatch.h,sha256=D-Oigt-GgAUHAFbSGynUZBAuWcGbJTDuIcOsMMkCH1o,1028
+torch/include/ATen/ops/hypot_cuda_dispatch.h,sha256=rp74Dn1pEKpjHS9GKzfg4vfIMKZ5h2SzkLG2nD1Q3BQ,1030
+torch/include/ATen/ops/hypot_meta.h,sha256=aR29X2_hAqAwlyh0rSu5GR58jR7MvJhLXyTmht3_EUk,611
+torch/include/ATen/ops/hypot_meta_dispatch.h,sha256=a3w2-mTk6qmemOtv4oLln2txtIRa0vM928tLSmdPySQ,1030
+torch/include/ATen/ops/hypot_native.h,sha256=ivLB8takVj-tNKRrcfebu7gU6jXhpX2EW20ScV2VdDo,630
+torch/include/ATen/ops/hypot_ops.h,sha256=ZXHdP2reacVZgN6lqYsxiU-ejwLLmh_mUNX22OLw8HY,2371
+torch/include/ATen/ops/i0.h,sha256=X8l3r_adpx54nvjHRjRHaM2fIW609lwyVCo_YFj_x4Q,1105
+torch/include/ATen/ops/i0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=TQVvSjHcOOwAB94DWCS8hAYR2Kp41H_y4-U1g1ADRjA,833
+torch/include/ATen/ops/i0_cpu_dispatch.h,sha256=6d_rlXT__vLzsO6Au-vcwQ0l7Wwrc8ce34VvENBsPKk,912
+torch/include/ATen/ops/i0_cuda_dispatch.h,sha256=KYkT6YopLjQE5A7YALQxaPV6LhpXvsg9QKVYHUahJU8,914
+torch/include/ATen/ops/i0_meta.h,sha256=Qg8FUgk0tp7YYFMUS83tUSNeHaKExlKBkvEHr7lRZnQ,582
+torch/include/ATen/ops/i0_meta_dispatch.h,sha256=-99oCMwLHT1cQ90-qkJP6wGMakMhrwaLrlhlttJN1dw,914
+torch/include/ATen/ops/i0_native.h,sha256=WOFD-JEhf2KwteSudsG8-xcmP_wJHsCIukFDRy2SdHw,595
+torch/include/ATen/ops/i0_ops.h,sha256=ICJNo1uFbXm-1LVvruLsV6pK4J1L_rnWb3nW22vdccE,2086
+torch/include/ATen/ops/igamma.h,sha256=Nhfo9sXR1IO6cxCP8Z5BpB9IL40bJ8pMynvs201xkxI,1156
+torch/include/ATen/ops/igamma_compositeexplicitautogradnonfunctional_dispatch.h,sha256=RXQ2KFbVDx_ojy1P6X5UJe23uev5w89sYC7Co1s4Cmk,893
+torch/include/ATen/ops/igamma_cpu_dispatch.h,sha256=Fb5tOPCCrdyNgaD1UEbVKTFfKz04oFA1LQPI00gQNj4,1032
+torch/include/ATen/ops/igamma_cuda_dispatch.h,sha256=jLdlickXI6czL8mPlP6703L8rswUST7f8ijnM-MfcDM,1034
+torch/include/ATen/ops/igamma_meta.h,sha256=eESpb9Omh6tocWQN7K5472G3vZsy9ytbWEDnpHWlBBw,612
+torch/include/ATen/ops/igamma_meta_dispatch.h,sha256=6J4N1rvt0ej8pgVYhR6toFZ0xZzw6T9rPN1YxxLeMpo,1034
+torch/include/ATen/ops/igamma_native.h,sha256=VEf3cesvU90SkYajoO278MZ43jydOvYMvwpHf3o9HvI,633
+torch/include/ATen/ops/igamma_ops.h,sha256=Cp_tw9o4drAq0PBvfuGzVF7r3fljdOn-pgvwZYs0L6o,2380
+torch/include/ATen/ops/igammac.h,sha256=Z6hoXeevL2rjPy47dBmWhvDPf94mQ2vj-J1LlfLJC1U,1166
+torch/include/ATen/ops/igammac_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rBlRimdNlBbYDlff1U8EpRMpzxNpxqpRW4F7Emy-I0k,895
+torch/include/ATen/ops/igammac_cpu_dispatch.h,sha256=ntIbXmvldHTviroBpPKuymzsrKL4Xml71CRXEuY1Ehw,1036
+torch/include/ATen/ops/igammac_cuda_dispatch.h,sha256=j92eayh8eWXGNxH_ETekv00BrtA3hKP2ODLhC2Hglvo,1038
+torch/include/ATen/ops/igammac_meta.h,sha256=ADoyvRiJd18cdAXS0Bze9STr4H5DR_zV3YugCZIOpig,613
+torch/include/ATen/ops/igammac_meta_dispatch.h,sha256=rE8v-jskpM9Mwjaxwbl7sWZjMZnxdBUv-AptmJlwU9M,1038
+torch/include/ATen/ops/igammac_native.h,sha256=R_u19bzzzCBJ656BNyntY5Nrh5clzuQbQjW3z0EGzGg,636
+torch/include/ATen/ops/igammac_ops.h,sha256=spGsIBBWFELZzx_lsi3Jhrm0ZI0QWZ2o1xrOpXapxCY,2389
+torch/include/ATen/ops/im2col.h,sha256=Yp_ZSa8JyYkdEoLMulG0VZWdUdaN5HT5a2Odr3n5VHc,1651
+torch/include/ATen/ops/im2col_cpu_dispatch.h,sha256=_jvIGHMby1azb2qp6vPKYQpvoWHBe9TwqWy_a0IKDVs,1189
+torch/include/ATen/ops/im2col_cuda_dispatch.h,sha256=hkQedhLXBQWIE7xSjgA6OqvEsg17-6HALcK1kMCPmws,1191
+torch/include/ATen/ops/im2col_native.h,sha256=sxnP22YE6193g-wYB6x-sVkcwku7W481dXi39Cgnwrw,1131
+torch/include/ATen/ops/im2col_ops.h,sha256=WTwpjFdGVc3XBfrJMh5SbclhsB_L7Wf0xEh7Kd8h3Zg,2278
+torch/include/ATen/ops/imag.h,sha256=q9wcx55tEfYLi3WwlTYTW1cUcdM1Hudcx-w3EMSs5HQ,623
+torch/include/ATen/ops/imag_compositeimplicitautograd_dispatch.h,sha256=k6fCdg6zHmwu0bceT5Z6Ojtpvc1Z4JEivk1aSSLa7Fg,762
+torch/include/ATen/ops/imag_native.h,sha256=Nmki94OCHq_v12FiKeLnj9PEbictN8zHicyTFo7Mrs0,485
+torch/include/ATen/ops/imag_ops.h,sha256=3Ud3uPJoIpoR5kfAUtVz2Z_S2fvkEa8RaF_uju5hojc,967
+torch/include/ATen/ops/index.h,sha256=jDx7f14zO9BrgoGSWJHVuVVzDn6_sSYFKdc7JpyxqB0,1299
+torch/include/ATen/ops/index_add.h,sha256=4mHhWekmkbSspz9p7-0If__ii9kdsvK8VPGoPx_frN0,1917
+torch/include/ATen/ops/index_add_compositeexplicitautogradnonfunctional_dispatch.h,sha256=jhkdb2fsCe29JTQ5J4K--HmYuspCmSa2JbZci2xBbxg,1035
+torch/include/ATen/ops/index_add_compositeimplicitautograd_dispatch.h,sha256=nIxcakQ_ZpfTNGdZS1L9dCgNGn6HVznqPm-eaCgBKk4,865
+torch/include/ATen/ops/index_add_cpu_dispatch.h,sha256=6Zm_b36B8uOa8RsK9oXnaz-jhAHU5gifS5XyEY66piU,1314
+torch/include/ATen/ops/index_add_cuda_dispatch.h,sha256=n7CoAI4atRcUGe0SydjiDDZGdiOT4tUyqVNkIdj9unE,1316
+torch/include/ATen/ops/index_add_meta.h,sha256=iKViqOrPxYOj4x66lJMrplp8Ry8fFU1Euo03irxA_FY,1155
+torch/include/ATen/ops/index_add_meta_dispatch.h,sha256=t5CO3gH4JaqR1iQSTHNvy88tA-r2yP6D_LvyaK-wNIM,1316
+torch/include/ATen/ops/index_add_native.h,sha256=RiDajMnZhitkut0OA5ixZrJiadceOiRJQIhJjoE_k7o,1111
+torch/include/ATen/ops/index_add_ops.h,sha256=CfW0biWusdOtMCMD8KF_gRmkcu05AS7CWJBJ5KeovXw,3967
+torch/include/ATen/ops/index_compositeexplicitautogradnonfunctional_dispatch.h,sha256=mQjGM6Q3urjQ-RrwwcwNLHbNICvz4KmxM_jWGgo1rBY,845
+torch/include/ATen/ops/index_copy.h,sha256=eL1jbBLEpCYlBOydbe5zmw3eEAjY9vAXqe0rtovA7pA,1722
+torch/include/ATen/ops/index_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ISW5J3en26MzCOfMFHTZe_N86uljfTObV34QLSBnVqo,981
+torch/include/ATen/ops/index_copy_compositeimplicitautograd_dispatch.h,sha256=qjT-iZD3PVfjtbgtGiYU_k-jkH8vsLT0Kp1sw1be1Uk,963
+torch/include/ATen/ops/index_copy_cpu_dispatch.h,sha256=CTfro6ukWFyG7DDYZFC2uA3pMzxr5A_asVDws8Y5-Bs,1208
+torch/include/ATen/ops/index_copy_cuda_dispatch.h,sha256=IigJtGqwuYS8OiEzXKcWQa-MjtqX8z7pm_jXGH6_RlM,1210
+torch/include/ATen/ops/index_copy_meta.h,sha256=N5eukO7RbJU76G6CwLssA2vNIdQ_v63feXCGU4k4hT0,1130
+torch/include/ATen/ops/index_copy_meta_dispatch.h,sha256=YGC5re08ZphuUm9unU6INs8CPExCTxRf8ADh8OLBMwo,1210
+torch/include/ATen/ops/index_copy_native.h,sha256=fwCGPQr4Qt3Mm1LD6_VeJxZrScE84UM9uzzPJIfpNd4,938
+torch/include/ATen/ops/index_copy_ops.h,sha256=xnlIDBkwgSfaIrYYUSrLs48RpaZHHde9lTjuQmstxhA,4420
+torch/include/ATen/ops/index_cpu_dispatch.h,sha256=78FfP3VEGw9uTMoUejBcGTHWbICtoaPuGnRKJUgWVxw,1042
+torch/include/ATen/ops/index_cuda_dispatch.h,sha256=iH4qfSFzG75HnZBkvQyOKDla39oiYZjL_nHIjtsbfSQ,1044
+torch/include/ATen/ops/index_fill.h,sha256=-64PAEjuB8FN9X56ER5F0h1gysXg0F-pGhr9KjK5Krw,3086
+torch/include/ATen/ops/index_fill_compositeexplicitautograd_dispatch.h,sha256=NblXRgpfk8q9MDoExCKsyZqDFE2AnHDq8sIDuldcOvo,1546
+torch/include/ATen/ops/index_fill_compositeimplicitautograd_dispatch.h,sha256=Sn3-N4_ga-20Tz3pLU2xtbQ1Qwr4AabBL_YTp4XqWmk,1212
+torch/include/ATen/ops/index_fill_cpu_dispatch.h,sha256=h5A-lEM80B5lglKP_IZeGcdBvk_IcN0-I06A3ea6aaI,906
+torch/include/ATen/ops/index_fill_cuda_dispatch.h,sha256=jGuEpQzxFEbpk2b_U0L2Z0OSxx6W5iJ490S-gWbK12w,908
+torch/include/ATen/ops/index_fill_meta_dispatch.h,sha256=EZVJfy7fgCF9nUsh4e6rzOx6yfDQ9vX_aNnkwInYTOw,908
+torch/include/ATen/ops/index_fill_native.h,sha256=VOu69b7fk5nA3K9MdW9NwVi9MpqDC-ZXHfsXyCFrdIo,1737
+torch/include/ATen/ops/index_fill_ops.h,sha256=yByjn0cRk3xp9vitTfGmD2VbGGzJ83zqZcXiW5zZyOQ,8654
+torch/include/ATen/ops/index_meta.h,sha256=-W_3OUoSrTtSxGSrmJCJbZJd8rvEvOfinlOzgtLOeHs,1537
+torch/include/ATen/ops/index_meta_dispatch.h,sha256=P-8TWTTmftdxVFMe0pJuHpHuncixF-jZs1tk3xljEes,1044
+torch/include/ATen/ops/index_native.h,sha256=pdrCQ7EAcSpDTeANIoDQSS3HMHhZA8yKbCd52Flh3bA,774
+torch/include/ATen/ops/index_ops.h,sha256=HItb8WTjpEJnTgNAwC-tYEs9Ujh2ws4BppgHSrXJxvQ,1983
+torch/include/ATen/ops/index_put.h,sha256=RJBtOf6ZVcJgkis31_9HrhK6c1zSNz3uFeeAe7BSoP4,1958
+torch/include/ATen/ops/index_put_compositeexplicitautograd_dispatch.h,sha256=tSGeYQR41rQPY64Gpj8m2zDnBjBzXQqnxv1roV42Vew,1402
+torch/include/ATen/ops/index_put_native.h,sha256=ZdwPv2A8GMzgCxN2t2_sVRizw7pNZXNthNACWJKcfBo,937
+torch/include/ATen/ops/index_put_ops.h,sha256=1Rri83jApq10YnXDmgYOeoNKv3wim9HnYS8U-9kXWNo,3142
+torch/include/ATen/ops/index_reduce.h,sha256=Yl3gfaZAcMIKHAvMYsQwbQK8iMx0WZAh8TiQyYv_sCQ,1766
+torch/include/ATen/ops/index_reduce_compositeexplicitautogradnonfunctional_dispatch.h,sha256=R6N_xWY56S2n5BDeYZ4fTsl-Rj418YWb1lzPhnsH2kg,1083
+torch/include/ATen/ops/index_reduce_cpu_dispatch.h,sha256=kRvYVrYZRoeG2YrCNUe00SmO8GcqiAvPuLYl8tMZJcE,1407
+torch/include/ATen/ops/index_reduce_cuda_dispatch.h,sha256=NfFethrIFpZiwBOceL7Ek0PsMGFSXH4o-5fGa4Kvd4w,1409
+torch/include/ATen/ops/index_reduce_meta.h,sha256=hysvkQPZDTwy-2xJ-s55wuES23-to5S4OvM9HTGZ92Y,1176
+torch/include/ATen/ops/index_reduce_meta_dispatch.h,sha256=Rzw9n8_oqGUMr0r2kJhQeoxk3cg0lL9o1K3lGD6O8wo,1409
+torch/include/ATen/ops/index_reduce_native.h,sha256=xWleWairXyw1n-kgMo5_7qni-WcVtA3bp7KsmWSH-2Y,1007
+torch/include/ATen/ops/index_reduce_ops.h,sha256=gbWY4RLWuvE0rqUnnp7dWYOS3Yg1oOOK_-YXNh8Goys,3283
+torch/include/ATen/ops/index_select.h,sha256=31WTyGVzW0Iy8NNPXGD6R66GDBid3MZBFsZpYNurhbs,2170
+torch/include/ATen/ops/index_select_backward.h,sha256=S2LNFlQi0DtvX8zi6HiKJABmV4QfiY8ZDtvuH6oD-38,1846
+torch/include/ATen/ops/index_select_backward_compositeimplicitautograd_dispatch.h,sha256=o9hT6T-ge8JSAEMeGj4p5NzH8U4zMpm5oyH7eG1Lhd0,993
+torch/include/ATen/ops/index_select_backward_native.h,sha256=YgYGobr6rWzUh0a1LcEhJhndGRS83SZwUtbvw58ysDg,580
+torch/include/ATen/ops/index_select_backward_ops.h,sha256=8OpwCOw_gqct9SchZ5R4YD_sUxWARkWfvBkq2J7uFyU,1248
+torch/include/ATen/ops/index_select_compositeimplicitautograd_dispatch.h,sha256=8f4FLKtwe-5DE8GYDoaNPjVtCl6od4KdpapNNtch7Jk,1068
+torch/include/ATen/ops/index_select_cpu_dispatch.h,sha256=1MbvSC-blT9bwOJEXpzUiFT73qsz5N-NBWlJDG1gMDI,1012
+torch/include/ATen/ops/index_select_cuda_dispatch.h,sha256=sCuNKKjpbY8aplDqQ9DyM1b-tdg-eGCjN4iTYyJLWzI,1014
+torch/include/ATen/ops/index_select_native.h,sha256=8bGD1Px0YHJFd9LE4EKNtqBZLpm7C9oCHugGl0HFIPg,1576
+torch/include/ATen/ops/index_select_ops.h,sha256=eJNuV_CGbj-AwqjrGurpfI6YinkLsMfMcuQdpGQxdic,3417
+torch/include/ATen/ops/indices.h,sha256=w7mjMPZoxQTySbbfAkp52kaSlvGCIb4O-BThQFoh1CE,492
+torch/include/ATen/ops/indices_compositeexplicitautograd_dispatch.h,sha256=NtptpbmpDMRQhc9OKENcOkIerT-wV-uREe6T_8m-dfI,765
+torch/include/ATen/ops/indices_copy.h,sha256=NNaEAPjqyz0WeWWegXRT7pGquAq9N6Sc_NEZvPGBJ6A,1075
+torch/include/ATen/ops/indices_copy_compositeexplicitautograd_dispatch.h,sha256=C1pzb113Xh0GV7J5_wlGtrScbU25Y_pohFE5ynQBWsI,879
+torch/include/ATen/ops/indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=VIAEOpaWRV3GAQSCzjzommNlXXMWShHj9-z7J3okeJM,796
+torch/include/ATen/ops/indices_copy_native.h,sha256=XZF0VZ5QOwjhgWQ2319dsjROR7p8UuG5dA5rMtMe8Xw,577
+torch/include/ATen/ops/indices_copy_ops.h,sha256=ANJAk6WdDSGIvLlvmpnvN-halWJks2M4FIicxNFQddE,1626
+torch/include/ATen/ops/indices_native.h,sha256=bDBIuN5wrkpqnt1HGFs4tBYlY4wznm4OZhyc_dyUwNk,558
+torch/include/ATen/ops/indices_ops.h,sha256=lJS2_JNDMvfCXJuSN78FBLOORIMGcvUDinX29Ei8azE,976
+torch/include/ATen/ops/infinitely_differentiable_gelu_backward.h,sha256=kBs27LuLrjOU1M6q0hyv_8WB4ZgWNdK5qtOq431u_FQ,801
+torch/include/ATen/ops/infinitely_differentiable_gelu_backward_compositeimplicitautograd_dispatch.h,sha256=wm77Mxn6ul99VKoUWmCB3rkiqW7zMOv2KJyfSfOKyNc,822
+torch/include/ATen/ops/infinitely_differentiable_gelu_backward_native.h,sha256=aM-OBXAgehQ0-TGd_oQy7yTqXQ4vxvYn1i22gb1H_5I,545
+torch/include/ATen/ops/infinitely_differentiable_gelu_backward_ops.h,sha256=mZbajlTnGhoVc3sSYSdPLHPPa7PhYoA4Amsn1Yd-XJY,1149
+torch/include/ATen/ops/inner.h,sha256=Y-TXNMTjjx05GKo2DHp9rw4tJQiusk5Kl2DQkaf9hUM,1146
+torch/include/ATen/ops/inner_compositeimplicitautograd_dispatch.h,sha256=rGTQcl54_ubMF-wFN4RU1uZoxnBlVVOG1lG0Pl5lgFk,996
+torch/include/ATen/ops/inner_native.h,sha256=7PMf1z47AVkuHSZUCGboxVAnGuBxjV2K14JcmGTYT64,615
+torch/include/ATen/ops/inner_ops.h,sha256=ZJxXvVhOttMXPIx4U5b0TKEkOsu3RzDzewact0PVmd4,1756
+torch/include/ATen/ops/instance_norm.h,sha256=tO-E7VFt8UrNG-jHs3PjEa-5nmqMZ8q3snYkd7QIx6g,1142
+torch/include/ATen/ops/instance_norm_compositeimplicitautograd_dispatch.h,sha256=AX3uUTv2oAtq4DDZUalpehV5KNC4XzjP03cuWiMYD8g,1028
+torch/include/ATen/ops/instance_norm_native.h,sha256=A-Cdo_5HKKbLFwk1P6MB-jpEv9kIv3FRoHeytZCF2CQ,751
+torch/include/ATen/ops/instance_norm_ops.h,sha256=B1YSPOTifoQBL0gsHpzZxRu1UX77qWxa5N1_GMIZgQQ,1821
+torch/include/ATen/ops/int_repr.h,sha256=tnc5tlI5dFmK6e15AOlSLcFiHCCSGUTOwpjuR5TLXdg,1035
+torch/include/ATen/ops/int_repr_compositeexplicitautograd_dispatch.h,sha256=N3eNdxRpL51j-SjJYR1v-_CqBZm5jKDtxN97k-xRFPs,871
+torch/include/ATen/ops/int_repr_native.h,sha256=AnsnTry865_x1Cw_6UyjaKLjTZCgGKXV223XbMjac_g,654
+torch/include/ATen/ops/int_repr_ops.h,sha256=bTs-WKFKly1AyI8zfmmLi-wm77pds4g3UmCXU6uO1iU,1602
+torch/include/ATen/ops/inverse.h,sha256=so8FTr0yYQ3gsye60Qu4hmuh7GdSPZbXx1gEQX8qJd8,1025
+torch/include/ATen/ops/inverse_compositeimplicitautograd_dispatch.h,sha256=3hZZTApRJteFgetCKmFy3PcEGPweUE4OCTHURXkKLOw,924
+torch/include/ATen/ops/inverse_native.h,sha256=5YjwYAX_3IZHa9yRfUW-AswGj9N-ufx7mhkG9dcje3g,567
+torch/include/ATen/ops/inverse_ops.h,sha256=NBMK2F6D1sXeYhN9uX5vn08mmb-NAfY26x04sRgziEM,1596
+torch/include/ATen/ops/is_coalesced.h,sha256=siZrCZ_uO9PcUcFc3EUziV9uJPyoqwH0GoNwGESBBZg,497
+torch/include/ATen/ops/is_coalesced_compositeexplicitautograd_dispatch.h,sha256=yC3pLDFtapo3PUsZdMjxINh25AJ9Oz0vSb1vAp0A_TM,764
+torch/include/ATen/ops/is_coalesced_native.h,sha256=cFwve4t9XlV79Ep89OhHLodXJALFfl6jzhwrzXPQDHc,556
+torch/include/ATen/ops/is_coalesced_ops.h,sha256=aD-TB4D0oes9jyEeASkl7asj5ud0NWztAdLgc9uuHDs,965
+torch/include/ATen/ops/is_complex.h,sha256=AgGryeMgvwojRTWCWBlxsL9PgmqR5M0eCxKD3f4hS_c,644
+torch/include/ATen/ops/is_complex_compositeimplicitautograd_dispatch.h,sha256=PM7uB6Z8ulJJUs-Q9Hkl7Ji_kWrQZb_PJr-8YDSieZw,762
+torch/include/ATen/ops/is_complex_native.h,sha256=It8w9qzZTxy9H7r-8repiLELVEvnjejQ2brKaf5lJWs,485
+torch/include/ATen/ops/is_complex_ops.h,sha256=ujLm7lyRUosIzAAtacPYmvOTM37pa4o1RJHH3kMughQ,959
+torch/include/ATen/ops/is_conj.h,sha256=RbxcIJUYje-KRqF5Y1kZVidZKyHbRWuFcSBQ5IPnx_o,632
+torch/include/ATen/ops/is_conj_compositeimplicitautograd_dispatch.h,sha256=6OF4Lw27SN7l5Gm1nWaZLYM32fjNnV1sgzw1ECfHe4s,759
+torch/include/ATen/ops/is_conj_native.h,sha256=YRcOliz3YV1z54WPXa20NS2sNP2-vB9sADF9samyXTg,482
+torch/include/ATen/ops/is_conj_ops.h,sha256=tKDoZ6nd7mjhmNcLb4gz283MYr6pUB0MurYZGFfsMJM,950
+torch/include/ATen/ops/is_distributed.h,sha256=oZX3BzaeERHCTRWfLutTRz9CNGzkSwy1BgkBRTnO4qY,649
+torch/include/ATen/ops/is_distributed_compositeimplicitautograd_dispatch.h,sha256=OPotyIqyIDnxX7pfFj1_Jd0iAajLgscjZNtEkAWNvNA,766
+torch/include/ATen/ops/is_distributed_native.h,sha256=wXQlMiYTYZPo6KMd3qnsmoV8ItuEUoVQVb0HCRNW5fg,489
+torch/include/ATen/ops/is_distributed_ops.h,sha256=cwKWAUNHt5Yh3dUEbFa8U9u4QPemwUzc97-7BuohCr0,971
+torch/include/ATen/ops/is_floating_point.h,sha256=016WIIf-ytgwVk8LryakZ9Qe1ndIl-UMFmYTms2DY1s,672
+torch/include/ATen/ops/is_floating_point_compositeimplicitautograd_dispatch.h,sha256=A06RbWpiRJ4J4i5_SmDn8j8mWdPdGioKZSH1QNYj2fA,769
+torch/include/ATen/ops/is_floating_point_native.h,sha256=U6_WKPHabB1A5G4r_Lr5KlQ1kEdm4UpDXUuLowtIQ8A,492
+torch/include/ATen/ops/is_floating_point_ops.h,sha256=zXJYb69e6U5kF5UTexO_xdRazgbw9UvWyNeVcxi8_6w,980
+torch/include/ATen/ops/is_inference.h,sha256=w0r9wWrAIaQyOYoMaZNUoNyRB9RuVsrln6qsVk9FzRg,652
+torch/include/ATen/ops/is_inference_compositeimplicitautograd_dispatch.h,sha256=ec1er2INXV2_SN0Toc4IbcmTida63Ef-Z9l20OaopPU,764
+torch/include/ATen/ops/is_inference_native.h,sha256=MfFr_vkBWNE9T8JJ6DRZFloe2riSc4QTQ9YTsFcXKcI,487
+torch/include/ATen/ops/is_inference_ops.h,sha256=7YvphPoFxkffFMcDG6v7b2Q9oxVUYJRVeIiLjf6sLwE,965
+torch/include/ATen/ops/is_leaf.h,sha256=O27KCBpTXjj4poWFtGAvBTmxh8QcXUsJwQzCj9w59m4,492
+torch/include/ATen/ops/is_leaf_compositeimplicitautograd_dispatch.h,sha256=8YSwdYkXAlqtNyy6vzoHCZrf9kg3igxbHG8bKoTQOPE,759
+torch/include/ATen/ops/is_leaf_native.h,sha256=O3qeaZB4ahO5JK96MZFX-6mCqRt2Fd4XRKOxUDZh4X4,482
+torch/include/ATen/ops/is_leaf_ops.h,sha256=BipxhqWZzNhxup7JKX45vzkDoMJX5lIl1VybDWI1Egg,950
+torch/include/ATen/ops/is_neg.h,sha256=lqo9FNpRAxeBPw4ni38ywEoOHKiUFwWlR2kJdmtBpUU,628
+torch/include/ATen/ops/is_neg_compositeimplicitautograd_dispatch.h,sha256=e5vmOK96ljDoaD1ZEQPEQ8zxrLyJ-8JTIeMgKSSJI4w,758
+torch/include/ATen/ops/is_neg_native.h,sha256=0bMXmhijWkepq0Hk_m1Pyv1Oq45ME7SKz7PJCMgYJHk,481
+torch/include/ATen/ops/is_neg_ops.h,sha256=vRHRHduzeGHFRhP4doAsY4Dn7lvSC_rYcUYdfRlcLSM,947
+torch/include/ATen/ops/is_nonzero.h,sha256=upSBZ44-TBS7qg4x8JcJwjQjSepn0MzVsTUxdgEJ5iY,633
+torch/include/ATen/ops/is_nonzero_compositeimplicitautograd_dispatch.h,sha256=OQaAY2in-cvFGggANfAfZKV3BDAtaQCHqIyGSbD5vlE,762
+torch/include/ATen/ops/is_nonzero_native.h,sha256=5DG2_aq9lveWwihGVMjWaFsi7IL9sHEF104-J9rLZmE,485
+torch/include/ATen/ops/is_nonzero_ops.h,sha256=fAQ2qCOyJj-hNSLQFrY0CDLCVxupRoBfRCbuKUPeDd4,959
+torch/include/ATen/ops/is_pinned.h,sha256=lScZAZP9DUo6UNHy4nwxRp4sZ8LFT5xoThhPhyoz3Ls,494
+torch/include/ATen/ops/is_pinned_compositeexplicitautograd_dispatch.h,sha256=XvPDS86TxmonV3zEt7RgIVOSEJuxTJS9I8jagjfEJ3E,812
+torch/include/ATen/ops/is_pinned_cuda_dispatch.h,sha256=_y4x1mUNiLWwskQE536RFvKQ9bi_v589fIPxBcM5zEo,770
+torch/include/ATen/ops/is_pinned_native.h,sha256=CDfagt3f-M6vMqiZ5HKGv7UXS9PN1ryOAC3rfFF1jU8,650
+torch/include/ATen/ops/is_pinned_ops.h,sha256=e9tRA5hqD_kma3wLIf7OGK9kwnv6PS3pMJPBCv-7MJs,1078
+torch/include/ATen/ops/is_same_size.h,sha256=yFEvT8v8yr-FPH9wMKlnHPwOZ3lYGC17fSS40-FVU8s,688
+torch/include/ATen/ops/is_same_size_compositeexplicitautograd_dispatch.h,sha256=wAeTAaogkdseFll4Dul7AntZUVKfJbPlw09vsWq51A8,790
+torch/include/ATen/ops/is_same_size_native.h,sha256=EkBdiYwflxKSVVEc-Mp0dkokoNlttlJlJIZQcvTilLw,600
+torch/include/ATen/ops/is_same_size_ops.h,sha256=s2fL7HmsXz4FGSeOm47ngHotFzoLhGW6s7_G8MvkFhQ,1051
+torch/include/ATen/ops/is_set_to.h,sha256=YCobocZeT_m8HGIQ3ZCfw8v5gAWv-M7h08lFljiNLg4,494
+torch/include/ATen/ops/is_set_to_cpu_dispatch.h,sha256=C44peVDc8STgF5TlW3naz32pjtVhxvXWuSwDqg_Yge0,744
+torch/include/ATen/ops/is_set_to_cuda_dispatch.h,sha256=7uE-ZcNeaYWMlZ21ayYc144zs83lk03eFWl0wrh-kCw,746
+torch/include/ATen/ops/is_set_to_native.h,sha256=BqdtrRdwKrKX6jVd846w1E-XB6xKDo0Ocyke5qpKs68,511
+torch/include/ATen/ops/is_set_to_ops.h,sha256=7lrPVDJna5KMr3bM8NUbbrysfe5dqgf-1P1LFDceEBM,1045
+torch/include/ATen/ops/is_signed.h,sha256=Fxi5jOHRb-qw_ps6j_WeZnQGX72Px8mxqypu1iveDQg,640
+torch/include/ATen/ops/is_signed_compositeimplicitautograd_dispatch.h,sha256=u884jU4_OTpQKNfWKRugrlpuLGpQacdZSKNz7saFGHQ,761
+torch/include/ATen/ops/is_signed_native.h,sha256=h492bHN4u5GmDPwUwruDsWSRKmu64rAIXw7nA9BdTPo,484
+torch/include/ATen/ops/is_signed_ops.h,sha256=HSULAHgCggTv4luaAD5bZShR_iKDxADMLYLgSgnc4JA,956
+torch/include/ATen/ops/is_vulkan_available.h,sha256=Cs0oRN18KVruskdhb6JuDaP472b-0Fw2s3RtisxbwEY,631
+torch/include/ATen/ops/is_vulkan_available_compositeimplicitautograd_dispatch.h,sha256=HHFOPI52jZvU2ZZz2YXIVJucZIy6qadOfvDePH-_jgI,748
+torch/include/ATen/ops/is_vulkan_available_native.h,sha256=DaMlNMHEYJq5eBkkBet3OiBiH2P-jTgZWA1KnWREBpc,471
+torch/include/ATen/ops/is_vulkan_available_ops.h,sha256=pmwy91MGQmC4edHZPQ8LZg8Xm6XxFUkA8Cilal0c3IU,909
+torch/include/ATen/ops/isclose.h,sha256=HEAepcQ1KKn7GMi0F7YqZJ--L7Y7F7mRnUbp56mqGwI,817
+torch/include/ATen/ops/isclose_compositeimplicitautograd_dispatch.h,sha256=2sPLXHrcWuqvEkhLXP_wSFANpRyDt6VpH5IVoYDmyFU,851
+torch/include/ATen/ops/isclose_native.h,sha256=2sWKRXg-i9lw4zYK3jw58JEi2GooorrAilg2m5MgVZU,574
+torch/include/ATen/ops/isclose_ops.h,sha256=VwCkK9U3O1iITrdxaLca5wez0fBmCtWUE72lAAepFEk,1220
+torch/include/ATen/ops/isfinite.h,sha256=cJxz_yuFPzqDCPmMPbSKg3-I8xWhpek6B0yCa3HF_Nk,633
+torch/include/ATen/ops/isfinite_compositeimplicitautograd_dispatch.h,sha256=6gIF-qr537lG4VF_zaUN8eX6t1JmilAHpTwSK2etg_Q,766
+torch/include/ATen/ops/isfinite_native.h,sha256=JYP5t-WkgdGH_ieuI7H3Wj_cMcLGGGhUOk8zoMFUCkk,489
+torch/include/ATen/ops/isfinite_ops.h,sha256=bYX8MffWS3zGN1sfD-e7rVSX4OeYPgSuWA2fRlmmqBo,973
+torch/include/ATen/ops/isin.h,sha256=jzUTgnb6n6UqQQMuXB_kkZQX0kL7955esd1c6k4DzJI,3980
+torch/include/ATen/ops/isin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=DbQSEtmQVYZYcTzdmbToOsTaJkczCnWxrgAOR1Y54kg,1139
+torch/include/ATen/ops/isin_cpu_dispatch.h,sha256=PIGEL0_12S73-xp3zUZjWt87LY15lu5yHfma-r8-E14,1986
+torch/include/ATen/ops/isin_cuda_dispatch.h,sha256=lnkeCo5IIHaxVBka7jb0rG0N96Z7hfYd4Y9na0VPrHA,1988
+torch/include/ATen/ops/isin_meta.h,sha256=6vnEA-mtStR0-tj80l0H9PkrIYjp-43cYTA-iXxf3Ys,1069
+torch/include/ATen/ops/isin_meta_dispatch.h,sha256=r9pisiDzRKbOg2rHU-hd5srMZDR_hU4cfq6-RtDn5gc,1988
+torch/include/ATen/ops/isin_native.h,sha256=8HaKJBH6BRMQ6dNzveMsnCwVB2b6nOMfHNxRvoUpHfY,1170
+torch/include/ATen/ops/isin_ops.h,sha256=MSs1WGYIsmyYnYsU9gRfG2gw-DzFLiLwAz_Wph5cH8s,5582
+torch/include/ATen/ops/isinf.h,sha256=Tr9YQ3ImBR6oqGLlecMXI7ZfClHauq7M2fI1V4ut2z8,1005
+torch/include/ATen/ops/isinf_compositeexplicitautograd_dispatch.h,sha256=2vxqvNiqAMknXD2tgc0XI0XPhKho-_3QdmaQ9uz9zDg,918
+torch/include/ATen/ops/isinf_native.h,sha256=3MGemUmd5naePrkYeizOxfs_OJuwk6isCfXKbwai3eQ,752
+torch/include/ATen/ops/isinf_ops.h,sha256=y1mrl42kXgHRiK-gNFYv-Rti4SPHNaIEtA6PTM1qMVU,1584
+torch/include/ATen/ops/isnan.h,sha256=JsHdU8jZl9yRQVJR6QLHt9l46tq0WWrDS-w8d5_nQgM,1005
+torch/include/ATen/ops/isnan_compositeexplicitautograd_dispatch.h,sha256=0rerY-imE2tu_5ntwS1WYzpWFc_nfMmllp7BPHauBuE,865
+torch/include/ATen/ops/isnan_cpu_dispatch.h,sha256=RvGBhKcczUpWPCaNlnHs4yLGfy-9uJCZqPB_YMx5pkU,719
+torch/include/ATen/ops/isnan_cuda_dispatch.h,sha256=yeJ84r1Mf9u_6eB7k1NxWC--OHmdv1MGg9_Liiw3jfc,721
+torch/include/ATen/ops/isnan_native.h,sha256=PtIkzMuxehtt2jUvMjay0suCo-i7PH21VOEyUa-vFnA,687
+torch/include/ATen/ops/isnan_ops.h,sha256=Fsfl-GYZBdY1iLEwqY9PbsGu1KW_lvwLciR2O8pqTe8,1584
+torch/include/ATen/ops/isneginf.h,sha256=jl548WsjXxiyNCSXZWnc-7umKLN5agMDfudw3NkFOTk,1035
+torch/include/ATen/ops/isneginf_compositeexplicitautogradnonfunctional_dispatch.h,sha256=na5G02vfqv_qZ06ZhunIX4FVd2OzbGBEJ8EKgcRYnx4,792
+torch/include/ATen/ops/isneginf_cpu_dispatch.h,sha256=_6-kZGLygWlMHzQNvQtJFcSDe4TsEr7fxpTgoW53y60,883
+torch/include/ATen/ops/isneginf_cuda_dispatch.h,sha256=-kgtLYxzmPSPTNUXJR7bX0iXrO9iSxmhJL-vEDidgzo,885
+torch/include/ATen/ops/isneginf_meta.h,sha256=lutNGvey8wQN4SayR_4viMzQuPoVebM0Kym8-bo1s9I,588
+torch/include/ATen/ops/isneginf_meta_dispatch.h,sha256=hApmHsMa8d_yZiCwzPRYeuqB_6XSISXrAAVguQ7_Lcg,885
+torch/include/ATen/ops/isneginf_native.h,sha256=KHpZr_OHtPXoV1QgcxxOq87XhqjX-m0dBgLfq3jliIo,921
+torch/include/ATen/ops/isneginf_ops.h,sha256=1t_cOZEy9aJjuj1DezuqdsEls8sL4l-qQ7AJ2snqGjA,1602
+torch/include/ATen/ops/isposinf.h,sha256=Kd_FIKBWXHM-zguP2e5ilMYTORH8j7oc-nYR1eejpKk,1035
+torch/include/ATen/ops/isposinf_compositeexplicitautogradnonfunctional_dispatch.h,sha256=bkhRb_WOB7xTExZM9-UtXhWQ4GxJMVXHphjl119uNBI,792
+torch/include/ATen/ops/isposinf_cpu_dispatch.h,sha256=qwFtIg51JGhSsvkKHaVUSaocwRxmwEmVTlkygP8yfWk,883
+torch/include/ATen/ops/isposinf_cuda_dispatch.h,sha256=dUqldPPiINjCj26On1xOF9Xh-xfK5EekKc0zSFYzmSs,885
+torch/include/ATen/ops/isposinf_meta.h,sha256=jKApVqS3K9lpXXHVA8Sjh65pRVJ9mKZz1zM5NI7sQwA,588
+torch/include/ATen/ops/isposinf_meta_dispatch.h,sha256=AwDhbHfTlqRygBVDMdrZn6dQ3likrfN9GnG27sEYFn0,885
+torch/include/ATen/ops/isposinf_native.h,sha256=P5kVC_yykWM3bSZ1Zip9bTX2iALVYcDjfuHd84fV4vs,921
+torch/include/ATen/ops/isposinf_ops.h,sha256=imsB-x0YEpksrLSzL2ZY02fQCSA1CzWDB1BERIfibrY,1602
+torch/include/ATen/ops/isreal.h,sha256=h3QpNkuqJwsblhZnvsTrhnkmBjusruONs8-8SpUnAkE,625
+torch/include/ATen/ops/isreal_compositeimplicitautograd_dispatch.h,sha256=wssOt2_7Jl_wPKpeF8gBgvZigg7_2r8N1YK5V9G5Xyc,764
+torch/include/ATen/ops/isreal_native.h,sha256=cQ9NrL_AT1te7mL5z_LWronW7RqYNvxNrOiB8MWaV6Y,487
+torch/include/ATen/ops/isreal_ops.h,sha256=xd8nb3gOx5lStloL-l7xyPZmHAPf9VQCDk4UOLMOYHE,967
+torch/include/ATen/ops/istft.h,sha256=0RQMmLWdpGFb7jztF2eRtsupjp7k9vwhGIB0jlBtbew,1226
+torch/include/ATen/ops/istft_compositeimplicitautograd_dispatch.h,sha256=gSuhyig2fA3hGgNr2KjRz4n5d63lxAQxKQh1nye-2NA,1092
+torch/include/ATen/ops/istft_native.h,sha256=BYbODzK4fd_twoxpkYCSOo1bZ6r-EClNwf7mya7UCS0,815
+torch/include/ATen/ops/istft_ops.h,sha256=g2EMU8l5DMgKt9is0kgOypqUqqWXxF-0Txn80WyV7R8,1810
+torch/include/ATen/ops/item.h,sha256=cBUeSvTKuuAai3mIRwoycGrZE8EOO9Aobd19yzQBQSU,489
+torch/include/ATen/ops/item_compositeimplicitautograd_dispatch.h,sha256=ZlQsPmxfYxn7eSvY3f1D_S6fYZrRSSveSxKGU6OrXA0,762
+torch/include/ATen/ops/item_native.h,sha256=oBwqDUIj2AeXXBQx9SOBIgsLMKPf4kfQuOhS69Wy4YU,485
+torch/include/ATen/ops/item_ops.h,sha256=58ljbr2AU3IXw3QxjTycL2fZr80hPTwC8N9n5n9nL3g,961
+torch/include/ATen/ops/kaiser_window.h,sha256=0SkIkZhpY3m8rdoY3o6TuBvfGIyHl2CWpKuTKFEjPnY,4992
+torch/include/ATen/ops/kaiser_window_compositeexplicitautograd_dispatch.h,sha256=QeHNOMuoZ6hVMVzgYYNVpIXVvwVbRah825cHrGUVXGo,2262
+torch/include/ATen/ops/kaiser_window_native.h,sha256=uYWl37OzfTB8zEea1SGiSFG9syfdd2Z_rR0KquvWX3A,1430
+torch/include/ATen/ops/kaiser_window_ops.h,sha256=dhdqt2xdGKdmjiUZ_LT0yyJNux2t8zWWkG-U7iLAH_s,5840
+torch/include/ATen/ops/kl_div.h,sha256=BuXuz6sCN9Ta7UlWRBzjx4dtDpbddI3jjKu8xOpDDwQ,806
+torch/include/ATen/ops/kl_div_compositeimplicitautograd_dispatch.h,sha256=cEFMesvwyJaiJr3hpFfTrd231Z6ZnUXKVb5vbOXWXNU,853
+torch/include/ATen/ops/kl_div_native.h,sha256=Ts0dSAZHFFlVNKoSN7QjbHrhzuqk2vwoapUu2gj5LXE,576
+torch/include/ATen/ops/kl_div_ops.h,sha256=YhE6RDkgFtmmudDi4R5t52NWSL7XEXl6xUK4hPl1n1U,1189
+torch/include/ATen/ops/kron.h,sha256=Vgb5TDxSHFeLjPStObgwePf-tyHbPdiQxca9o8m_dug,1136
+torch/include/ATen/ops/kron_compositeimplicitautograd_dispatch.h,sha256=M4rrYdqvzM-H0qSdsO59O-lkY57No4I6ENSI9Mkm-L4,993
+torch/include/ATen/ops/kron_native.h,sha256=SyvImcxev1j6TbkTEPPfqFqhMcmctXnQZ1Jlgq786OU,613
+torch/include/ATen/ops/kron_ops.h,sha256=fTTMYcrNXDfUT27iNi9LU4YlN0BClLg0DNZy7JjQbFw,1750
+torch/include/ATen/ops/kthvalue.h,sha256=3Nhqvjua3qvFPdi59gJ0NKYcAyVAVBm51XVmidOdk4c,2811
+torch/include/ATen/ops/kthvalue_compositeexplicitautograd_dispatch.h,sha256=IMuzI1cKCxbkJ_JSpH1XfTSrU8L55kuen2Knwbg3YhE,838
+torch/include/ATen/ops/kthvalue_compositeimplicitautograd_dispatch.h,sha256=7eSi75LeTWUpcsSWQ0inYryRG1oURls7RcHp-4_4Y8w,1194
+torch/include/ATen/ops/kthvalue_cpu_dispatch.h,sha256=NiFRB46RuO_2NaGAbSZVzzcYxKOPPgR0kJaN_17OTEg,1016
+torch/include/ATen/ops/kthvalue_cuda_dispatch.h,sha256=LxDzYMfSWFkv9FVF4e6y1tn7h4LpJ60a2KMFxiCwUdk,1018
+torch/include/ATen/ops/kthvalue_native.h,sha256=QShWPUI29coJhu6pDz_a20gU-B9mLj4bqHut0rE6v_U,1213
+torch/include/ATen/ops/kthvalue_ops.h,sha256=LABuJlUEtsijE4g6C4SAPEYzFYg9V0TRniXUhz9lyNc,4002
+torch/include/ATen/ops/l1_loss.h,sha256=0p5sissDSFixZeY59NasAgH6wANZKq7E7_rH5CyYfyI,749
+torch/include/ATen/ops/l1_loss_compositeimplicitautograd_dispatch.h,sha256=DdwctjgHfcBJpq3IbK6ZSJlfoCeId2T4SJoq0F_Fs0U,831
+torch/include/ATen/ops/l1_loss_native.h,sha256=Jg7QRMt7uskzT6D5rX3m9yzlyj2awDARQNwTPnRik9E,554
+torch/include/ATen/ops/l1_loss_ops.h,sha256=t0gDnTTg4VP7Emu45tcv_kjjGn7wYak8TDa9te95kWc,1126
+torch/include/ATen/ops/layer_norm.h,sha256=28PDMTew185aXgYZk8AmpSsFAXQ39531YkQSasnRF1A,2375
+torch/include/ATen/ops/layer_norm_compositeimplicitautograd_dispatch.h,sha256=lkM8SgUdPpTiXp73D1WHyPqG2xr4Eh8mcbT_y9zCbLI,1175
+torch/include/ATen/ops/layer_norm_native.h,sha256=WhPf8R1IveSkJw5JoHLF3tNWfd2boddfW8o2IKepeMk,671
+torch/include/ATen/ops/layer_norm_ops.h,sha256=MygUN5ypIX9mdXBgW7fQ9SLYkySHFvBJzhTQneXYMP0,1509
+torch/include/ATen/ops/lcm.h,sha256=G7KQydvbxgiClz1rfhtBmgMMu3E2Qf1Ndy2NoS97MO4,1306
+torch/include/ATen/ops/lcm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=cAGOr3tQDesg_kq6DxPStJVQjiQ_JZ1LnoT2_XLXxt8,887
+torch/include/ATen/ops/lcm_cpu_dispatch.h,sha256=EIqGnY-65IygmauP0_oPS_0Noeo7DtQE-qpapsaV-cw,1020
+torch/include/ATen/ops/lcm_cuda_dispatch.h,sha256=mH-0ksfTKxqtai8mGEwjGto_Z0weRSjShnJilzbFEyU,1022
+torch/include/ATen/ops/lcm_meta.h,sha256=z9k-UKYXJwRcTa4kx3JKXOSvTd5iSTzQWkiRuQWlONg,609
+torch/include/ATen/ops/lcm_meta_dispatch.h,sha256=WZ8--OWURo4XcQEyY_OT0uBGK3s1AKvgYO_aRDcx1Ac,1022
+torch/include/ATen/ops/lcm_native.h,sha256=RnMFfka8rKGvL1PJ-U2y7zJ4Dbd56K89GzknmGIvDRA,624
+torch/include/ATen/ops/lcm_ops.h,sha256=6FVe64z4a9eJa4KTJVwgiif4_tkL11X5_t1wpxbE5Z0,2353
+torch/include/ATen/ops/ldexp.h,sha256=1Uu4GFwHuhCOOYAvETDaonfvkpNerDyZ5PwPz-XPZ9U,1346
+torch/include/ATen/ops/ldexp_compositeimplicitautograd_dispatch.h,sha256=aAt401aajRcGOgUSHa2dWY4Y4UHJ2IJ_8k89TR0TuaY,1072
+torch/include/ATen/ops/ldexp_native.h,sha256=KOkRskDN4-5demkp2CWuEFgyfGxZhgt9_eC3z_YJ1DA,691
+torch/include/ATen/ops/ldexp_ops.h,sha256=m2M-LWql2APRm7CZ3oFj97SUCKG_rqP-Pn1RnhXdqAg,2391
+torch/include/ATen/ops/le.h,sha256=vMAOyN47eNd5xFLcOUfdaz1s6Jy5ZhCGSCntZbyBCsM,1830
+torch/include/ATen/ops/le_compositeexplicitautogradnonfunctional_dispatch.h,sha256=nAFDacOx2DNEjeHaEtA44QHZSX5W4MlwF1YcJgvWt-c,1034
+torch/include/ATen/ops/le_cpu_dispatch.h,sha256=uhlqk131ERYt8VmsnuqP2p_91C3jOVHkcijSPAqQIKA,1366
+torch/include/ATen/ops/le_cuda_dispatch.h,sha256=fV_zhFJUL2NzCHJgbyLnKKPOiG3SPXxnyqTRCwl16Y8,1368
+torch/include/ATen/ops/le_meta.h,sha256=lhxN7wQ-cOIcedtn_chq4GXMwgnSkv07CGZmCMCNjuw,762
+torch/include/ATen/ops/le_meta_dispatch.h,sha256=9ZuWvTOL5uQ9PO0A1yj_64Bh0uf3tVFGJrX6gWq2JFs,1368
+torch/include/ATen/ops/le_native.h,sha256=BME4o_ymmb8tcmUUaTzZi10xDjh2FlRwRIb2feCQyB8,1216
+torch/include/ATen/ops/le_ops.h,sha256=X1HCyn6xXonUOGGfQvzp7K-aaQNcPxk4AZ0KRXAEcTQ,4376
+torch/include/ATen/ops/leaky_relu.h,sha256=gAWTrPJKwthgrnshlocx4MOSlaml89VXZDlqQoEbwsY,1540
+torch/include/ATen/ops/leaky_relu_backward.h,sha256=_UuYip1r71f-2xxtDn7x2bL0uE2O3b6MI2z7gguSaB0,1806
+torch/include/ATen/ops/leaky_relu_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=JlDYL89-QIouDMoca884wLPQYT8XApBSRAbQ4ry3z6c,891
+torch/include/ATen/ops/leaky_relu_backward_cpu_dispatch.h,sha256=qnwO7C80nvREYGs3FpBFFyfRPOSTZMBXZ_faT7ZajB8,1194
+torch/include/ATen/ops/leaky_relu_backward_cuda_dispatch.h,sha256=7nXYkqzamWEWSL25DLwqZjClrHSdBAJAm950XI4ILwo,1196
+torch/include/ATen/ops/leaky_relu_backward_meta.h,sha256=0geKet73rP7_Zx1j9hdqPZdydXEo-OII3FtuITA1k8A,687
+torch/include/ATen/ops/leaky_relu_backward_meta_dispatch.h,sha256=DTbDlJU99_xlks6iXwUEBc6RDnhOMwwz8XxeZvD7ZL0,1196
+torch/include/ATen/ops/leaky_relu_backward_native.h,sha256=lDdD-8MVmg5k-Ubq2KNu9qebbwWGPEdO94def4Jnxv4,741
+torch/include/ATen/ops/leaky_relu_backward_ops.h,sha256=heuAzp6cEPownUHWC52GdRRrVQj03gF2CGpXSB22CNg,2282
+torch/include/ATen/ops/leaky_relu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=45bX3czHACelwUcKfixLNRmJ2GZ7gaBLWUHTgduZ3Wk,929
+torch/include/ATen/ops/leaky_relu_cpu_dispatch.h,sha256=MNnw9gneQFVevSNjYrd-zPmFWcW_64NhwWUAAVvHIP4,1099
+torch/include/ATen/ops/leaky_relu_cuda_dispatch.h,sha256=YpnBgBpwRy_wRWLjQaA3NcCz8DX-7oP3J57iqJksCEY,1101
+torch/include/ATen/ops/leaky_relu_meta.h,sha256=YwzjvVb1zrTRwVq2hr7Gfkiw_clIsirue-1A4XsV7i8,625
+torch/include/ATen/ops/leaky_relu_meta_dispatch.h,sha256=UgSbPrZcazh0-M1-FTSRT6tstp6kmhSzck7iGWx-ulE,1101
+torch/include/ATen/ops/leaky_relu_native.h,sha256=oU6v39PQhPay1hY9xIzI9Y0FyL2vIVwpBIdRKcCJZWI,1006
+torch/include/ATen/ops/leaky_relu_ops.h,sha256=J6xZJuU5N5niXGOeSt6tMQ0UzAFFVBNrC0SdHxsAdLI,2512
+torch/include/ATen/ops/lerp.h,sha256=5M3JRv3oqR0bP9HNn48JmtUsfB7fY0Wkek5r3LGYyVc,2132
+torch/include/ATen/ops/lerp_compositeexplicitautogradnonfunctional_dispatch.h,sha256=k8mmxOxkIwdeJXsVaq8Ch5J7nps_YfZLW0UfXivqMC0,1142
+torch/include/ATen/ops/lerp_cpu_dispatch.h,sha256=cGDE7_7aMW-bmQ50UQnPdxFlmcmu19N2FvcdSU6oY-U,1582
+torch/include/ATen/ops/lerp_cuda_dispatch.h,sha256=46PgRppUorrhLx3oOHc3HLEg_f5fA4jkIw_wrMLTJ50,1584
+torch/include/ATen/ops/lerp_meta.h,sha256=1aaMbxOF8LAHapbUc4cLLUV8LGzzFZ6A5yYC53IF0qA,816
+torch/include/ATen/ops/lerp_meta_dispatch.h,sha256=OAvSXM5utS3BzjkCyCRIj3OZMS0im-iHoX2YVs29Gpg,1584
+torch/include/ATen/ops/lerp_native.h,sha256=gqOVrXLmNjiakkGCDE4dQjrW_FF79xDJFF93Zh3Ec4A,860
+torch/include/ATen/ops/lerp_ops.h,sha256=qr9urGJU5te0s_cOIVv0Lvq_PSyOb38Ax6mqg8UiJkQ,4910
+torch/include/ATen/ops/less.h,sha256=ZOsgSMadm3fFynW7MZaxCHYdgQzGLfROANscig7af4A,1868
+torch/include/ATen/ops/less_compositeimplicitautograd_dispatch.h,sha256=h8_iLv2NZ_vWcXEJ2kE0oqxPktH5kRQxzaLZb5u7lAg,1426
+torch/include/ATen/ops/less_equal.h,sha256=sByiEjLvrMDJo2Ly29QpL77zLp0Z7KOLwD0Rh2WB1js,1982
+torch/include/ATen/ops/less_equal_compositeimplicitautograd_dispatch.h,sha256=HldrZ7I4qFiLblsbZpNUp09lYq00e5bQXDatHI6DhKc,1474
+torch/include/ATen/ops/less_equal_native.h,sha256=5nXepScBMcM0e_n_iL72-vGqzYtJOIS8Fy3AOMTQSRo,979
+torch/include/ATen/ops/less_equal_ops.h,sha256=_MOb2B-FrN5uscp4UDKyvGnW_KBwlHnhyH8SaolaOAM,4520
+torch/include/ATen/ops/less_native.h,sha256=pwqblzk5etREZLoKnraVMHGzGpQQor9oy2YLkTrA1wc,943
+torch/include/ATen/ops/less_ops.h,sha256=2mvp0zDOTz6k7UCRhBCOT_lLK-8-uNl1Pb51-0yhEpY,4412
+torch/include/ATen/ops/lgamma.h,sha256=XM7ZQeCOD67_p3IhfEs9qJ7NIL6zZkmCeYoswIiUoq0,1015
+torch/include/ATen/ops/lgamma_compositeexplicitautogradnonfunctional_dispatch.h,sha256=rZqhFXhcU-nmbZ2wOuD-u8KHNdgYMpRYQt-BzoxS8mw,841
+torch/include/ATen/ops/lgamma_cpu_dispatch.h,sha256=T8tQq41Ao_PKjQaKTYXKQJ03d9wMAtr9NEFUsgpJpS8,928
+torch/include/ATen/ops/lgamma_cuda_dispatch.h,sha256=MtY18bz8r_yeUjUFbl03hUIQGT8lhbqYbcBxrZu_FAU,930
+torch/include/ATen/ops/lgamma_meta.h,sha256=mVcNa3SJV_u2Dt_N1lYzcQiCZVLZOOiv0u1LvZuilJU,586
+torch/include/ATen/ops/lgamma_meta_dispatch.h,sha256=URa2AhwDKi5HIkPzGTb8jyjdf3PbplyHKUY8boVYgio,930
+torch/include/ATen/ops/lgamma_native.h,sha256=wmy1y41Weh5niuS6kMLFTZM3bsGAdtaSu87hCkku4Gs,607
+torch/include/ATen/ops/lgamma_ops.h,sha256=JnyEbAdY_gMMukeYq-Wfz_M6NZ7cPgoLklKZBOG80Ww,2122
+torch/include/ATen/ops/lift.h,sha256=-ETrVpyCoGKp01wmVX1g_FZCFAEhfIxV50ZxVXLkoPg,995
+torch/include/ATen/ops/lift_compositeexplicitautograd_dispatch.h,sha256=s_qMNtOHoiiLcIa0ORiGWFYuUtN-sI25ELheo3nlNMU,915
+torch/include/ATen/ops/lift_fresh.h,sha256=ITB3FOammNPaJKRViQlojOxjhRbQFjTEMQ9JX_8nIkM,647
+torch/include/ATen/ops/lift_fresh_compositeexplicitautograd_dispatch.h,sha256=Epp3eIkqwBXIoyRvlyOC37GqqputV8dEDUxfUlePUl4,768
+torch/include/ATen/ops/lift_fresh_copy.h,sha256=ickiZ6UgkSXHy8vmFD9AN0jqbyx13IPAyk4LBkWpxcU,1105
+torch/include/ATen/ops/lift_fresh_copy_compositeexplicitautograd_dispatch.h,sha256=V638bvtxhLG_tfXr2hDynzA1nlm3F38RiERbWUGz8d4,885
+torch/include/ATen/ops/lift_fresh_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=mUq97k2g47V7UMj1bwth1mj96g3dmFpk93xGVY_hMXI,799
+torch/include/ATen/ops/lift_fresh_copy_native.h,sha256=hnKkY2merRN9g4brPwQS62robFxnyV2onM1JYJrXfuc,583
+torch/include/ATen/ops/lift_fresh_copy_ops.h,sha256=SLKg74l0RanMmQjUZ2-gZ0Ki78qDr4RsdpnApdcd4Mg,1644
+torch/include/ATen/ops/lift_fresh_native.h,sha256=TMr6FmHGIevX2xlmKCHZXERq2HPQ7-9F3ZEPn18vfeM,491
+torch/include/ATen/ops/lift_fresh_ops.h,sha256=yzbH_ttGKv-PghCPfNJM5F1e5wz9lolD8lYFkwbbwdo,985
+torch/include/ATen/ops/lift_native.h,sha256=l9cakGfAOWbxTo3xnTlXXPtIGlurq835y8lD67TH1sg,561
+torch/include/ATen/ops/lift_ops.h,sha256=aTxz5F-HjseLvQs3Y19U3NUmU1Pun6xm58tZDaUlAw0,1578
+torch/include/ATen/ops/linalg_cholesky.h,sha256=lQtgovYxDEU1DXK8nXjvrqwQg8kcXVfI5bJyprRqTME,1231
+torch/include/ATen/ops/linalg_cholesky_compositeimplicitautograd_dispatch.h,sha256=AeQTce46XEZ1XMKLAvuoyta2I_xPueqUgkVSqn0ALUY,996
+torch/include/ATen/ops/linalg_cholesky_ex.h,sha256=XwoytPIbxFo5hId06PrUfI42sUGoUTycUFnqTxjpjKU,1649
+torch/include/ATen/ops/linalg_cholesky_ex_compositeexplicitautogradnonfunctional_dispatch.h,sha256=DmQ8sjVgsv-xvdPtLZ2jc6zlXH9nRqvTD7_is42Egx4,870
+torch/include/ATen/ops/linalg_cholesky_ex_cpu_dispatch.h,sha256=jp6nL0xHjHECvBbG-05mp0ZZH4oqU5bZ-NczqNyoWc0,1143
+torch/include/ATen/ops/linalg_cholesky_ex_cuda_dispatch.h,sha256=9KQ1cc9zfJyNExBdNjbpc5qfajZfbm9bW3uCRf6e_EY,1145
+torch/include/ATen/ops/linalg_cholesky_ex_meta.h,sha256=9QXR4WgVMhNiwZXGKXaueV9F5jonjM6No5cm-JQmpqQ,629
+torch/include/ATen/ops/linalg_cholesky_ex_meta_dispatch.h,sha256=oZzyKuoZClkeng2J_RTrQGjLFgm_uAOvVnV9BU4twnk,1145
+torch/include/ATen/ops/linalg_cholesky_ex_native.h,sha256=P2I6PdwaoBq68MQ7xx1BBlAlxMfE_SDKe5sDawOBWZM,697
+torch/include/ATen/ops/linalg_cholesky_ex_ops.h,sha256=vjew4Dg7kPUdmkuV_QTSjvff-eko8G2Hnlcnp-e7cAA,2150
+torch/include/ATen/ops/linalg_cholesky_native.h,sha256=EvF-X1f8_iZyR5p_gnVtT6Y1TtiTeITAJvGtYJvnJZM,613
+torch/include/ATen/ops/linalg_cholesky_ops.h,sha256=_srkPW1y_WvhJcXRnmX0SAZ2rydqb-Zt3AsKlXqXs4I,1743
+torch/include/ATen/ops/linalg_cond.h,sha256=y8Dan5vPeZ2mVW2hBLHv-RTyMmOqlxIUlqtb5Yd3ur8,1965
+torch/include/ATen/ops/linalg_cond_compositeimplicitautograd_dispatch.h,sha256=hKTqwcicJYz5QNC_tUvGyCfjJ4cikQSG1pXWe0uITQ4,1369
+torch/include/ATen/ops/linalg_cond_native.h,sha256=xzsywViHVxf_CEhCPYVUw4es28w4RoyYBN057i8gqZs,850
+torch/include/ATen/ops/linalg_cond_ops.h,sha256=7bvZgenfp7nT2aUIjWlq93eAAEwD9CR55cZWuwqL2io,3233
+torch/include/ATen/ops/linalg_cross.h,sha256=W3UaAQloW6wQzjdaWPoUPlxaCN71jL2J7phddiqzprE,1315
+torch/include/ATen/ops/linalg_cross_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WxdqUrIeN0dnAB1Dhsrvo4heiigJ1foqgQbNPkIrs-I,838
+torch/include/ATen/ops/linalg_cross_cpu_dispatch.h,sha256=GbUiLkfRAo3bBs_hP60FNHqbZtBvvu7k9t0HO5Uda1s,1018
+torch/include/ATen/ops/linalg_cross_cuda_dispatch.h,sha256=nJYsij1yAWkz-u6h9zD9C18rW1t6gYRcN_9KOlgo4dw,1020
+torch/include/ATen/ops/linalg_cross_meta.h,sha256=aKi1uv86XVufBIqJ61AacgxYZOFmJ995A58fkFvP9iY,631
+torch/include/ATen/ops/linalg_cross_meta_dispatch.h,sha256=llqEj0BPdym1Z4fNBLfVb4gdzOSVsbO2LeFRLPa_C48,1020
+torch/include/ATen/ops/linalg_cross_native.h,sha256=DQxUusqh5G_cemtygLcYn8MVKEOeqks6LNTs51qy9Fo,777
+torch/include/ATen/ops/linalg_cross_ops.h,sha256=QD-YQ_8gXimbahQ8Geh2xvN-TNX_OTVF1xNxhvMnGJ8,1895
+torch/include/ATen/ops/linalg_det.h,sha256=CyvnNZfXgdtaksuzO7qcgPpY8KpVvpbjFTQA6pm5r_4,1028
+torch/include/ATen/ops/linalg_det_compositeimplicitautograd_dispatch.h,sha256=dYCsBZYJzGdz__EwNHNbA4a0nbCgxN9B8p-1OA_6j8c,924
+torch/include/ATen/ops/linalg_det_native.h,sha256=QtoTQYdfwI1UVSS4sACgcGFJ1IzQva3FYAFNz6JIy4c,567
+torch/include/ATen/ops/linalg_det_ops.h,sha256=gSreHedyKUuGrkFd-IxpnQiXVJlw5TJH9dWct3rF0HQ,1596
+torch/include/ATen/ops/linalg_diagonal.h,sha256=qHp93j8ma1FSE5XrSYFXvyLrH93cCRhtd36_A2LKVfY,773
+torch/include/ATen/ops/linalg_diagonal_compositeimplicitautograd_dispatch.h,sha256=PUqGbsFh5qRWriLNSflGHNEKFKsbKxCyFTz2dw2w7KA,822
+torch/include/ATen/ops/linalg_diagonal_native.h,sha256=PWheJBfpHMWUJ9bKSrWAY0eKMJtX9KsdGEjk-wSoEOI,545
+torch/include/ATen/ops/linalg_diagonal_ops.h,sha256=OFL7gXgY8v0hzrhYi7KZ-ml2oX-jSPANiXT3t4rxHnQ,1149
+torch/include/ATen/ops/linalg_eig.h,sha256=s-hbCPnB2iEQkiNX1SnO1dqgNFR44FKCZmyI8SAGmhQ,1427
+torch/include/ATen/ops/linalg_eig_cpu_dispatch.h,sha256=IXX_aHDbu9PYzx7yxtEuljgMXaDewPUWb827O5NRo7U,1038
+torch/include/ATen/ops/linalg_eig_cuda_dispatch.h,sha256=H7rrfuazDX9pi6DtBjvZxco3-IS89JNEiz9yleGGRes,1040
+torch/include/ATen/ops/linalg_eig_native.h,sha256=pl8gXCrgLkEDF1qAnJLIDzqQ8kNNn0R0p9FHCOmJsu8,660
+torch/include/ATen/ops/linalg_eig_ops.h,sha256=C3T6wXAk_qo3jZgxsCeYYmXUt4XYEmDtTkBcWHL8_T4,1961
+torch/include/ATen/ops/linalg_eigh.h,sha256=Nf18N4L7BKpwPjtWwL3unO4selAMELqdKMFpfVTXwSQ,1536
+torch/include/ATen/ops/linalg_eigh_compositeimplicitautograd_dispatch.h,sha256=M7U0cEFF-8l5MHaH_NY4_w0D7R0qnDXUKdXLNk1yf88,1144
+torch/include/ATen/ops/linalg_eigh_native.h,sha256=D_5Oeln-NdicZ6D7tLOw8HhfhZp9Cq6hxM_ZCKJAdTQ,703
+torch/include/ATen/ops/linalg_eigh_ops.h,sha256=bVgmoeCbaUw06ZUiABDLlkBXoCOKZESXrNbUqbYVu7I,2112
+torch/include/ATen/ops/linalg_eigvals.h,sha256=KLwTCgPh3jws-9vJDBW6yxO24SsF7HGhjKopwsAWVN0,1095
+torch/include/ATen/ops/linalg_eigvals_compositeimplicitautograd_dispatch.h,sha256=WLOpJ_8pVIPUeTJWWrvLYYSr9UFVwQwftehDlxUduXg,772
+torch/include/ATen/ops/linalg_eigvals_cpu_dispatch.h,sha256=sf0tsRZxx9i3EWBCWwv9kJNwRUJujhz3yljugOM4C98,839
+torch/include/ATen/ops/linalg_eigvals_cuda_dispatch.h,sha256=avcvg216S9vIWDoq5XlgHHUQ2IsbkvsEEfie49qs_tg,841
+torch/include/ATen/ops/linalg_eigvals_native.h,sha256=FXxUp9PkLcv36njZTFE9DioXmq7cboGY-m0qJPx9nN8,581
+torch/include/ATen/ops/linalg_eigvals_ops.h,sha256=xj0uHNLHALAmcmfuO2BQqveQrgthnyKiCP_aSwbxgsY,1638
+torch/include/ATen/ops/linalg_eigvalsh.h,sha256=tVKBKbbn290_JsFbJ0x7lgrrTVxeSXsxTIVL3nE9S-w,1242
+torch/include/ATen/ops/linalg_eigvalsh_compositeimplicitautograd_dispatch.h,sha256=d8dIOnhLKOFUXrncNdEQGrvs3_d_aQTvmNjzXnShNIU,1025
+torch/include/ATen/ops/linalg_eigvalsh_native.h,sha256=CIIhES1A2qDceu_NWbQ3nSpFgW0fkcGnyTAmWyGbHxg,633
+torch/include/ATen/ops/linalg_eigvalsh_ops.h,sha256=7cboAcJ6c7SLg_lj06upzr9x16PGbufuF9gRCbQGbH8,1804
+torch/include/ATen/ops/linalg_householder_product.h,sha256=-s7JACd6LvkBuI-P54NVmw2Au_3HjThRszwiszbZuvc,1347
+torch/include/ATen/ops/linalg_householder_product_cpu_dispatch.h,sha256=bvrmTo0qKelasHOFD-6sMqk_utquKXUvu-emGLkJcYA,1012
+torch/include/ATen/ops/linalg_householder_product_cuda_dispatch.h,sha256=CZZJthOjlqWBINhAfbgeMrSa1fkNtH-e_mFTByXT_Qs,1014
+torch/include/ATen/ops/linalg_householder_product_native.h,sha256=kYk5QcZiYQFPE551zKlPFi1BU0Q4o4j7OjyO8KLV2k8,655
+torch/include/ATen/ops/linalg_householder_product_ops.h,sha256=KAysmwuzUgqKIRm3PB7ODJuQ2OKZZUyfPyp5ZZx4fj0,1876
+torch/include/ATen/ops/linalg_inv.h,sha256=SLBssB2ItRMogCC8drQvuPlk03dy6XAmz-OBxxz229A,1028
+torch/include/ATen/ops/linalg_inv_compositeimplicitautograd_dispatch.h,sha256=xifdp404nbGnsKcgjlYZH3C5vYXt2AI5T3hJDBp0EXQ,924
+torch/include/ATen/ops/linalg_inv_ex.h,sha256=UxRoJ65tDCDR2-KDf1-HU5FPbkq7IA0iJBXpb5dPTng,1527
+torch/include/ATen/ops/linalg_inv_ex_compositeexplicitautogradnonfunctional_dispatch.h,sha256=y8IGNs_EPJG_OStM1lJshdO_oWINpDBaVu9FaO4449E,844
+torch/include/ATen/ops/linalg_inv_ex_cpu_dispatch.h,sha256=kGYXUMJSGuIF-4TZQFTx5K3oTE8O_5Ap0nm_-_fPspM,1083
+torch/include/ATen/ops/linalg_inv_ex_cuda_dispatch.h,sha256=8DyzJ7eKuZoJ9erFCn5zX7ogTCRIrXqGv3_U_TWym78,1085
+torch/include/ATen/ops/linalg_inv_ex_meta.h,sha256=aGpyvGbzkkuu3fRSCH9epd1Hv5zIy3_uHZ960JmqPMQ,609
+torch/include/ATen/ops/linalg_inv_ex_meta_dispatch.h,sha256=cZ-MXYBoSiIhJ3mO2lR0A8b53lMirMGsvigO95H8zBY,1085
+torch/include/ATen/ops/linalg_inv_ex_native.h,sha256=oa46dOA2U1qH4mbotJRtNR71uSWLrHR_fLNyAjBxhrg,673
+torch/include/ATen/ops/linalg_inv_ex_ops.h,sha256=ysBMW6FhZqG6WmIsZBKlceBvReHnZtKyK4IKEyPAQ54,2054
+torch/include/ATen/ops/linalg_inv_native.h,sha256=N7nyGXFNcgg8KPRdcZyR2Ky624Jf2_oeWiQvLqzUN-g,567
+torch/include/ATen/ops/linalg_inv_ops.h,sha256=dXULkP5n2swsupP1KlcJ-B9cMZdS2bCLLCoxc4vgD5A,1596
+torch/include/ATen/ops/linalg_ldl_factor.h,sha256=7-vG2ApO0ky4NYYyHXkmSBtRq9XP3PKa3h8LpY-HE1E,1524
+torch/include/ATen/ops/linalg_ldl_factor_compositeimplicitautograd_dispatch.h,sha256=rLPIQKmR-hvDbhsNfxeamYsk9sp6OSehHs0I_5Wz4fs,1133
+torch/include/ATen/ops/linalg_ldl_factor_ex.h,sha256=BVeMgHq8jpzR7VTb8QXjZNe8Pew1XX3NNPt9DTMH6_8,1908
+torch/include/ATen/ops/linalg_ldl_factor_ex_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XoLjJjg2Xgbe19pZplpYNkg7BzrQI08E0xGPlAInbb4,887
+torch/include/ATen/ops/linalg_ldl_factor_ex_cpu_dispatch.h,sha256=m8MTePggsQs0Nhw3JyHWCw4Ybsy8JxhVUhNG8ieg2n8,1242
+torch/include/ATen/ops/linalg_ldl_factor_ex_cuda_dispatch.h,sha256=EKIdD96tRVvOfjDzeBpt9PMsuS5gA43GrAKUeK94dtQ,1244
+torch/include/ATen/ops/linalg_ldl_factor_ex_meta.h,sha256=SYlxrbzXRfSkOKXTseMfNKXG2m4iGdyEv96krC8ffK4,635
+torch/include/ATen/ops/linalg_ldl_factor_ex_meta_dispatch.h,sha256=OKxqYiYpXg2OHeW9Cn4NN57TeBXFaKjjuBIxqCFl_0E,1244
+torch/include/ATen/ops/linalg_ldl_factor_ex_native.h,sha256=JkpUMmmjOvHfp-V64ZhGVPMN4L9pICpcjxL4KkbcGNg,735
+torch/include/ATen/ops/linalg_ldl_factor_ex_ops.h,sha256=VHR_uxZBq8H1YbNA_un2UUP6a0bjRJjyWocpaA7Tz6Q,2378
+torch/include/ATen/ops/linalg_ldl_factor_native.h,sha256=jBMtlr0l20E5NKpYosznfKdSe-MPeoyTtUal9hV7zsc,697
+torch/include/ATen/ops/linalg_ldl_factor_ops.h,sha256=tx2b2-ddI5UbgmO-xs6ma-2h75I9qMYu9dZWZHdQg4Q,2051
+torch/include/ATen/ops/linalg_ldl_solve.h,sha256=m60NV2vp0ESkD8R_Y-7yQFqjwCgCq0bLXEWGhPLSA-A,1514
+torch/include/ATen/ops/linalg_ldl_solve_compositeexplicitautogradnonfunctional_dispatch.h,sha256=CV3VnzneqLbwlhVjHM7O2zDjR9HbSE7mR4X6Pby-8zw,869
+torch/include/ATen/ops/linalg_ldl_solve_cpu_dispatch.h,sha256=nLU_qlUPQbsrNp3mo2Mzn-ibSdThflElNnDKYxfaHI0,1108
+torch/include/ATen/ops/linalg_ldl_solve_cuda_dispatch.h,sha256=PWy4L7ZdrnQ_IAKEz4LlX0e_-JsjKtZCxSwaKusPsR4,1110
+torch/include/ATen/ops/linalg_ldl_solve_meta.h,sha256=l7WgRWK73ArpN5CXNRtYWb3T2LZkYAv1EPKnaV390AQ,659
+torch/include/ATen/ops/linalg_ldl_solve_meta_dispatch.h,sha256=tzqJiqVOMN5qcLSUIplJXZTaI2UslRcNgKcY80ANcmY,1110
+torch/include/ATen/ops/linalg_ldl_solve_native.h,sha256=BXPd7S6J7IOekheb6lrdAEufpHu4SJpT2oqCRrFjp0E,700
+torch/include/ATen/ops/linalg_ldl_solve_ops.h,sha256=IeSC4dJZUdxWMpbdl8srmGcKpi4_ud90EDuNx83Ldyk,2087
+torch/include/ATen/ops/linalg_lstsq.h,sha256=yH1swuGgbiqXX8w6M8BTjlui4i9gbi89oLhK5r4HEJY,2371
+torch/include/ATen/ops/linalg_lstsq_compositeexplicitautograd_dispatch.h,sha256=bU02tR0xyyVCynVnACWH7W13pthrtPVjq9R9obniNME,942
+torch/include/ATen/ops/linalg_lstsq_cpu_dispatch.h,sha256=7rMFmahk_QQYXOiHQvqMMgMhMU1SlDqiNvA0kDtRMzk,1317
+torch/include/ATen/ops/linalg_lstsq_cuda_dispatch.h,sha256=Ywup6yUkZpbIkX6Cjw53YtxXYntesVRwdNKkLy3U76A,1319
+torch/include/ATen/ops/linalg_lstsq_native.h,sha256=mYrpv-Q5aSFzDIiYQ-1ri_oIegzKE65nJkeS4tRuSGc,975
+torch/include/ATen/ops/linalg_lstsq_ops.h,sha256=3OT7KZQhLni54fdw3r8kSn8W5Am-999kKZLdO6YTMF0,2977
+torch/include/ATen/ops/linalg_lu.h,sha256=U8o9FifneHng2M_--lh6Y6uYOLbF2MX0DUkCZCKgaNc,1463
+torch/include/ATen/ops/linalg_lu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=smtmNY4C8YljZ1ykgna3nAc41ErMW43WWQg6y47dWtE,843
+torch/include/ATen/ops/linalg_lu_cpu_dispatch.h,sha256=Xp7_D4L1il7ip5dwwtKO_Pqz3OWh6N0JhFNzzjfoVIY,1099
+torch/include/ATen/ops/linalg_lu_cuda_dispatch.h,sha256=uiYoc1rh5c-9GtJj34CAPP-11HZIBg5k4eDnzkM0JtE,1101
+torch/include/ATen/ops/linalg_lu_factor.h,sha256=xFvxsomRp1Gfj8y4s_v4gdSO5p_-HTJQlwvY7XFepbc,1446
+torch/include/ATen/ops/linalg_lu_factor_compositeimplicitautograd_dispatch.h,sha256=8vUJQ8riaNtEXmkP4XvXh5qDoZu45IrXYH88MHa1EiU,1107
+torch/include/ATen/ops/linalg_lu_factor_ex.h,sha256=Jd2O8obbvGQrucJ3PHPT1HqF8huLnLJafnJnUjF0tVY,1830
+torch/include/ATen/ops/linalg_lu_factor_ex_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AuCmBCTJMmmgAt5ZTS_I4yS8dWyK9zES31pa99w-FFM,878
+torch/include/ATen/ops/linalg_lu_factor_ex_cpu_dispatch.h,sha256=R1P9J-kB3kP7sqH5Lc5ZT5odnFN9JVd10j4YCIm4t1M,1216
+torch/include/ATen/ops/linalg_lu_factor_ex_cuda_dispatch.h,sha256=Mn2CQlZLkBe1FhWH7rMyuCrAp9NzLyay3e4ZgDDw4BQ,1218
+torch/include/ATen/ops/linalg_lu_factor_ex_meta.h,sha256=CmyDT98YlBdSTYpLDEyoCwjhGJFZ-Vn3Fr5wYidjVHY,627
+torch/include/ATen/ops/linalg_lu_factor_ex_meta_dispatch.h,sha256=eXbcXiFGM_Ikqgela1zN1EglIZilZxdeyYAHwZUwU14,1218
+torch/include/ATen/ops/linalg_lu_factor_ex_native.h,sha256=e_VS3XGamzXWwxPEB_FpBfyZ7irUDTlS10pPrANV7cQ,725
+torch/include/ATen/ops/linalg_lu_factor_ex_ops.h,sha256=fpoh8YmqAjndsG2cjfWM4uknJvlnqo9xF2yWxbWgTJ8,2328
+torch/include/ATen/ops/linalg_lu_factor_native.h,sha256=xpqbYMq9GCW_tP8DExeMIELeWI9SXSwdX8nwLDBAdIc,680
+torch/include/ATen/ops/linalg_lu_factor_ops.h,sha256=MSl99HgWh5Ilqr3_WVyuwnIm9loAnE1bPtd3C6-gkvw,2001
+torch/include/ATen/ops/linalg_lu_meta.h,sha256=IUTWgxdT2Abuwop9vWsfvKElBsaLGfgUc1faK0Wmr4U,598
+torch/include/ATen/ops/linalg_lu_meta_dispatch.h,sha256=B8teXxNTtx2YftlFlWnvYJz8Nw3QJVRb22GZmskEWno,1101
+torch/include/ATen/ops/linalg_lu_native.h,sha256=RogYrGKd41B9xQDBxoZEC31NWqtp_CHmaPYGmGGW5gs,667
+torch/include/ATen/ops/linalg_lu_ops.h,sha256=i00jI5Pi1dikFvdf-nsAxUbQerGTzoDLT8YmfPcal98,2085
+torch/include/ATen/ops/linalg_lu_solve.h,sha256=BNcEhxRYmFiA0Hyy2d8uaANCMVeA3e7hG6gKIhsNhaY,1595
+torch/include/ATen/ops/linalg_lu_solve_compositeexplicitautogradnonfunctional_dispatch.h,sha256=yDxFDDhx0T8KutdXHAJhMf9fnn7Iu4JOymmVwAUVA9w,882
+torch/include/ATen/ops/linalg_lu_solve_cpu_dispatch.h,sha256=Pogx7Ji1bVUqqADhPj-IyHf44YPpzm6VLgLM-h6K91g,1142
+torch/include/ATen/ops/linalg_lu_solve_cuda_dispatch.h,sha256=kYq9fGi2__Qzd9GDG9Klte-ryXKZDcl5vbaTSozunG0,1144
+torch/include/ATen/ops/linalg_lu_solve_meta.h,sha256=mgLfCBD5uid2ih6LybmGSkRnM76EGyl8q7jKpddyYYE,667
+torch/include/ATen/ops/linalg_lu_solve_meta_dispatch.h,sha256=nw642a0aRVtBLFvBXa5E_80BBLR7sT621A0pDE3JanE,1144
+torch/include/ATen/ops/linalg_lu_solve_native.h,sha256=WR-Y277oMTYWk7CBZ3OkwHuV_AJH6BJumuVfVWwFKvA,706
+torch/include/ATen/ops/linalg_lu_solve_ops.h,sha256=L0cYgXWYT_Dqsl-VyL__Pq6I9pt67ZPAFA0jrJHraxY,2157
+torch/include/ATen/ops/linalg_matmul.h,sha256=L39TLdEXj80ajEfZQxDTQuBvMoDG4PYnR5-OWFQfzdE,1226
+torch/include/ATen/ops/linalg_matmul_compositeimplicitautograd_dispatch.h,sha256=Q3uz6RawtS4rq_yETtDzm23bP4v35zDesmU8KjkBj8I,1020
+torch/include/ATen/ops/linalg_matmul_native.h,sha256=81L2omQ8BBYmzVk6CcGQna063zeG80QRjj5-xahrCC8,631
+torch/include/ATen/ops/linalg_matmul_ops.h,sha256=SWkk1sA2-nikkuUw_VQD42qY4bQEbozCojGZ5-Q4u1M,1804
+torch/include/ATen/ops/linalg_matrix_exp.h,sha256=fVWkO4u3lhMZylGOIDw5f56NG7QSlwVbD7M6UmF3FMo,1125
+torch/include/ATen/ops/linalg_matrix_exp_compositeexplicitautograd_dispatch.h,sha256=m7KVL5YQSOj0jmGsp6hX59dYJ14RQgYKiy-_kL3PsyQ,889
+torch/include/ATen/ops/linalg_matrix_exp_cpu_dispatch.h,sha256=brPS4ishlrgIM0GQYTkpMfzy5NC14JfUImajpcjnSX0,731
+torch/include/ATen/ops/linalg_matrix_exp_cuda_dispatch.h,sha256=skDxjmJFuCVge-yFNbu8ZZzu9Z3vxQnRtMwD7T3h2MQ,733
+torch/include/ATen/ops/linalg_matrix_exp_native.h,sha256=QyBI4JapGxd326jgIxU6XsQMc_mG-3Z58RCAwYSUJgg,587
+torch/include/ATen/ops/linalg_matrix_exp_ops.h,sha256=Ku2u8WPenxtN8mgUXDBCBfrRFhVSzEyptmQ69be8AAw,1656
+torch/include/ATen/ops/linalg_matrix_norm.h,sha256=ORvJU---DDGBimfi_fMCrZdmnV4vpuC7hoJlUedGlsc,3147
+torch/include/ATen/ops/linalg_matrix_norm_compositeimplicitautograd_dispatch.h,sha256=1trsOTo3butPXz_b-lWyFVctmC9AFx7btx53npcPdJ0,1914
+torch/include/ATen/ops/linalg_matrix_norm_native.h,sha256=soLihIbSvKVHntOnRgPX5eETM6yeIUqP_zMmWy39DWY,1197
+torch/include/ATen/ops/linalg_matrix_norm_ops.h,sha256=YofL19H01RdQegwM_HoE8f5HHpGb8A7IrgeZ1Aa3q1o,4325
+torch/include/ATen/ops/linalg_matrix_power.h,sha256=gSFbsjHD9E1MZmm9DGz1UgBjQBWTzUP5i1TkfTPzfh8,1208
+torch/include/ATen/ops/linalg_matrix_power_compositeimplicitautograd_dispatch.h,sha256=3sHPktmIURdB8o_H5ehBCYGQBKRUcb3j3XyhXxILems,993
+torch/include/ATen/ops/linalg_matrix_power_native.h,sha256=PbV7mVeFM-7rIu9PXV2YkBHRiBT4_iZcL1KhQFk3BXg,613
+torch/include/ATen/ops/linalg_matrix_power_ops.h,sha256=L-jE8IZ7kO4L3bvlg-ebebMv-kew8YTHc_SoMnaOUx0,1744
+torch/include/ATen/ops/linalg_matrix_rank.h,sha256=f3-G2ykakl0vpLPtcMtUlYFLZMGybRQQlyh30C8jLo4,4903
+torch/include/ATen/ops/linalg_matrix_rank_compositeimplicitautograd_dispatch.h,sha256=cEyVGQUFRcVLxP75EE_-eXCROMl4MxmdgLrss34GvKw,2496
+torch/include/ATen/ops/linalg_matrix_rank_native.h,sha256=sE8jDxOxJ42aJ5QDcRvhczEJdRKx2a0Z0g8yCAX_NGI,1609
+torch/include/ATen/ops/linalg_matrix_rank_ops.h,sha256=B5h5qWqa-GfioXh3y6paHOj-81U-h236evU3JmzFM4I,7323
+torch/include/ATen/ops/linalg_multi_dot.h,sha256=3_0zpx2TF9dxPYU_S4utR3U1d-l3yTs7MKc-uo3TRVs,1136
+torch/include/ATen/ops/linalg_multi_dot_compositeimplicitautograd_dispatch.h,sha256=bXaWoHpaT67VqY7UPfhALyd4AzXT1xFQUYeTIp5XiiY,948
+torch/include/ATen/ops/linalg_multi_dot_native.h,sha256=ZPYSBAJDlDERrbadfqBwmzMGffXGkO4GDCBNEjH1hoI,583
+torch/include/ATen/ops/linalg_multi_dot_ops.h,sha256=DprcDcANn2iVicW_KOBVsHhmjPV4bhwCG8qbqjlsoyE,1648
+torch/include/ATen/ops/linalg_norm.h,sha256=yel8plcQdtdroVb_97xUeqfoOZwFPOjYqDHAX7WSGDQ,3153
+torch/include/ATen/ops/linalg_norm_compositeimplicitautograd_dispatch.h,sha256=owa4Qufyld8ARQq-jhdgEvJ6wEts_4eZy33EVl5yn2U,2017
+torch/include/ATen/ops/linalg_norm_native.h,sha256=UiwjFu_2majBnDppNpeOW41qcFpr86PH5uIf7lcEM98,1258
+torch/include/ATen/ops/linalg_norm_ops.h,sha256=mNl9gRlwBshR5rnazJ90gYOjFsHdFJYiKIgIM0U1mFI,4435
+torch/include/ATen/ops/linalg_pinv.h,sha256=cDNrlRRr1xbn9Tj4n0YDyvVVczloej6_-DZMd6NyGV8,4674
+torch/include/ATen/ops/linalg_pinv_compositeexplicitautograd_dispatch.h,sha256=g5Oo7lDsticDXlctTZJ00YxqvqGS1b2o1vJRGYCeWm0,1089
+torch/include/ATen/ops/linalg_pinv_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XHXDU1STjIrDjPVsG2W2dMJsk-7rkjatyYZFAL03i5s,907
+torch/include/ATen/ops/linalg_pinv_compositeimplicitautograd_dispatch.h,sha256=MpN03GIu_UC98yBieVcu80CIbyP-qVnwNFk9Ra5ZUrU,1868
+torch/include/ATen/ops/linalg_pinv_native.h,sha256=rco2JFdoe8FjG-IyB4U96FuGOlV9wLvr-fLRdnMnadA,1557
+torch/include/ATen/ops/linalg_pinv_ops.h,sha256=kiTpxevrPPCTn5isgUKjcq9NuQpEeZJEbpoLAi1ZbpA,7179
+torch/include/ATen/ops/linalg_qr.h,sha256=_sUND9Njyi1LkZmR3mU1r1mws5-CI0D5g0mr6-AFNkM,1368
+torch/include/ATen/ops/linalg_qr_compositeexplicitautogradnonfunctional_dispatch.h,sha256=FCJ9MjgtDChbM30XPAGtxzi58IARZx8Pix-jSwWHvYk,848
+torch/include/ATen/ops/linalg_qr_cpu_dispatch.h,sha256=euAJ4D_Rp71zYwdcpiG9s4ytOrpyg5ZVY2qlu6fzxOw,1073
+torch/include/ATen/ops/linalg_qr_cuda_dispatch.h,sha256=zb2_m3CL3xSR6-_W538KkXt04STnT-K4IAoEZSUK3nU,1075
+torch/include/ATen/ops/linalg_qr_meta.h,sha256=pxOGqCC4_irm2_0sz69RfvRcutLgDDK8-061Edi8Lzg,609
+torch/include/ATen/ops/linalg_qr_meta_dispatch.h,sha256=xf8OjPcSwRXrluAzKXJerNZIyVrDsQE-bQpsDwyYLGo,1075
+torch/include/ATen/ops/linalg_qr_native.h,sha256=UsiEYew7uDOQGhTPo8dJRVdULVAwp_7DnrG2hNmskoU,656
+torch/include/ATen/ops/linalg_qr_ops.h,sha256=Pz8ZPaLJeU1ZvwQPDQqdNQ7KwSPK6g0AhijqPsisu7E,2000
+torch/include/ATen/ops/linalg_slogdet.h,sha256=hEryXNp3Duc5jji4gj8Nuj8jGz1d70jyZxnEQi8VeMk,1350
+torch/include/ATen/ops/linalg_slogdet_compositeimplicitautograd_dispatch.h,sha256=di5jHc0VrIubufgKqQBOH1etWRrc2u9r9uc_CokyQsc,1065
+torch/include/ATen/ops/linalg_slogdet_native.h,sha256=O5c5zpE-fLRFECQhPW33Tw5mU570Vv_6SqJRsgu79gA,652
+torch/include/ATen/ops/linalg_slogdet_ops.h,sha256=ssLd9_Dj7QIRarPwmxmGmW0LnIUgc6KqxIj9GN06W0c,1917
+torch/include/ATen/ops/linalg_solve.h,sha256=mQWvdhAiJJYvV7Hb6jqGziln3V-UWoA7WPpB5iIsaT0,1265
+torch/include/ATen/ops/linalg_solve_compositeimplicitautograd_dispatch.h,sha256=8cY-0PMm0sj75iR6eBQOs1kYVQj-KBEnWBDhHw1FuNM,1039
+torch/include/ATen/ops/linalg_solve_ex.h,sha256=42EhYNfEm56H4BYQ9JSVtMf_JhGgQ2jyd0RoS7IM9Vc,1736
+torch/include/ATen/ops/linalg_solve_ex_compositeimplicitautograd_dispatch.h,sha256=HZUPTWcwao_GoW3OhxMFul8gRH0OHZBZ1C3eANupxFY,1240
+torch/include/ATen/ops/linalg_solve_ex_native.h,sha256=SWb_p3H_g7vLEMnZWKxroTAGsB3b34Kow66PkUTrbL8,766
+torch/include/ATen/ops/linalg_solve_ex_ops.h,sha256=AYrRef9dAF-nW-zWSSAFT_RJ4GgraPgbnk9JpSUIRb4,2285
+torch/include/ATen/ops/linalg_solve_native.h,sha256=wrn17aVhbZmiZ1dvDZ02xZsHBqHBKHMap73bHrnnDJM,642
+torch/include/ATen/ops/linalg_solve_ops.h,sha256=M6zaCNGtEadidg0twpSLUMZgwcBI8C9I11N3rN3ta8o,1847
+torch/include/ATen/ops/linalg_solve_triangular.h,sha256=P-EyP2A-H3swgf3eHsAS9e5eus1SOxQLGF6g1sYkvQo,1690
+torch/include/ATen/ops/linalg_solve_triangular_cpu_dispatch.h,sha256=4U0K_-QB9weJUUAgCgnwIcCnvo1fDkGLZFqoYyjmcHQ,1145
+torch/include/ATen/ops/linalg_solve_triangular_cuda_dispatch.h,sha256=CQUuMO8zIXOdehSoQQaf1XJpppDNtM9HQ8dmk-yZjIU,1147
+torch/include/ATen/ops/linalg_solve_triangular_native.h,sha256=WupYsjX3itblir82R9-VtJ_qqgaVHpr-pwN2jC3nwrA,740
+torch/include/ATen/ops/linalg_solve_triangular_ops.h,sha256=WGGezErIhDBwXffyvtNXzDspq_G2dsel8nMTQcDDY-4,2159
+torch/include/ATen/ops/linalg_svd.h,sha256=ExNOmJG_W6lkONMTImt4gvafipddpTwSNU1i4WeNWhg,1780
+torch/include/ATen/ops/linalg_svd_compositeimplicitautograd_dispatch.h,sha256=ClT8lxwaMZLogmilMHvBALfnzgAgXN1wkKPJTle0Xhg,1328
+torch/include/ATen/ops/linalg_svd_native.h,sha256=SrJq43FcQzV5x_Ur_yz4DavzkvIU8mruVvFPEXr0SrM,818
+torch/include/ATen/ops/linalg_svd_ops.h,sha256=hJY5fp1pVi2m5BBXSHVqVjTuSgKkJAXaMkIyosNWe0g,2412
+torch/include/ATen/ops/linalg_svdvals.h,sha256=WzN2ehecXeS4eYgPUrfPYbVQ3zli6uAHGtO57pa6fFg,1305
+torch/include/ATen/ops/linalg_svdvals_compositeimplicitautograd_dispatch.h,sha256=mkSpLo7FHRSmsiTf1ekCnJIrodJl-fMZsHSxbd0bZ_U,1092
+torch/include/ATen/ops/linalg_svdvals_native.h,sha256=goG4CvdRmuDoOWsbPtxn5liAyZSEkKLE-7K_bFdqztY,674
+torch/include/ATen/ops/linalg_svdvals_ops.h,sha256=u7QkSscMCB12wqtyDT04veOo610ISQs5GFoJK5my4yI,1897
+torch/include/ATen/ops/linalg_tensorinv.h,sha256=EWKHEeLlrr5em7u5M7PLPwXgeQjhatGG6tuesYor4xk,1206
+torch/include/ATen/ops/linalg_tensorinv_compositeimplicitautograd_dispatch.h,sha256=oBf9t0vCRaKFN8v36An5TaBsmM7utTyFWiKoNQjrhYc,994
+torch/include/ATen/ops/linalg_tensorinv_native.h,sha256=BuQRPF0R9MrbLzGyM445R1xn4veb3Kls0FGBYR9Ur9o,613
+torch/include/ATen/ops/linalg_tensorinv_ops.h,sha256=BQ1dhISC-eY9Ho08wW_Efnv844x3lESkfj7NeCIMzwY,1742
+torch/include/ATen/ops/linalg_tensorsolve.h,sha256=G0Z4hTeg1UgnaBqIfztN2zf9KXVCxomji6oveY7RONQ,1468
+torch/include/ATen/ops/linalg_tensorsolve_compositeimplicitautograd_dispatch.h,sha256=00A-B2Ulj7kv4kg65hBQgRKlTBB0F6xvL6gbkr8XMNY,1155
+torch/include/ATen/ops/linalg_tensorsolve_native.h,sha256=AjGycZo831S7eFBuNnUqV-8ECKHZiqpgR_JDaKYmYlA,716
+torch/include/ATen/ops/linalg_tensorsolve_ops.h,sha256=4GuQ8YpSIEPnw_ejgUvgkI0r2l3neM6yuHGTykYOV3I,2040
+torch/include/ATen/ops/linalg_vander.h,sha256=HX-dwyxWFnUcCZxZkBGk-HvCbFkPLP4kgWyivaUQ6eE,1584
+torch/include/ATen/ops/linalg_vander_compositeimplicitautograd_dispatch.h,sha256=TUMOCoy3Ya9COq_GAMAO6ESIPv5GwIGPH9Z15bJeokY,923
+torch/include/ATen/ops/linalg_vander_native.h,sha256=MMWz6Z6-v_keI24_Ny1nE9DoMSkdIL5r5wg5IgbRoqg,545
+torch/include/ATen/ops/linalg_vander_ops.h,sha256=Flwcck8X91VkrzWBywDu_3QlGGSXdMB8KczBijBXMko,1092
+torch/include/ATen/ops/linalg_vecdot.h,sha256=EDG26VSs3FoZw9SreQ7MzSekmrmIn0Ws6L9sY8rNDeY,1262
+torch/include/ATen/ops/linalg_vecdot_compositeimplicitautograd_dispatch.h,sha256=JNyVgc0Uml-umeeX2Jh2-odMb3qOTkShubw1fYz8N8o,1044
+torch/include/ATen/ops/linalg_vecdot_native.h,sha256=LaFG3FeONBLErrjhXFQC7WVZls7GSSPh1Txj3Tsk1g4,646
+torch/include/ATen/ops/linalg_vecdot_ops.h,sha256=_gvg7DndsvX8iVnvnA_B_uq8M4_13YpbjKodYrkRQ2Q,1859
+torch/include/ATen/ops/linalg_vector_norm.h,sha256=bFlwJ-CRIIrn9eZBjtuviJiYTqA1DiwWMdJ9iduB3UM,1838
+torch/include/ATen/ops/linalg_vector_norm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sWu91oIuE9anCXLQRj1zcK724Pmfwg8sMFaTfHdwMJw,946
+torch/include/ATen/ops/linalg_vector_norm_cpu_dispatch.h,sha256=QcVIXFhWRp4awoRfHKbJslH-siDlJV9HkC0DFSJ3qaI,1307
+torch/include/ATen/ops/linalg_vector_norm_cuda_dispatch.h,sha256=MP0y4yybRUcAKL1Knkemc52ZPMp1bOTL5pr-xp2hhNc,1309
+torch/include/ATen/ops/linalg_vector_norm_meta.h,sha256=VaA42VAL95U-oAaLqusKYpZZIkgSUicbjKUcQ-BLBuM,704
+torch/include/ATen/ops/linalg_vector_norm_meta_dispatch.h,sha256=d40xc2O19KxySDs-prhXfJqwB6YacTvKQMIRkgJIz5E,1309
+torch/include/ATen/ops/linalg_vector_norm_native.h,sha256=8ABsz0nMm0xMPftRPtg7uFrHfIGNgeFs_DjXqirq60E,749
+torch/include/ATen/ops/linalg_vector_norm_ops.h,sha256=PrQhOfSa_BB2D0TMdHjwfg2-bovPRZmBHOzUYPxtuow,2409
+torch/include/ATen/ops/linear.h,sha256=2VC5Mf5wGE7YrsvJtnCo3VBqa7nDGSYG2asLuocWYh4,1381
+torch/include/ATen/ops/linear_backward.h,sha256=xIn4SWPiDEGO2s9XRbUI5AmA_AzDxqQZZozultYPMjA,2014
+torch/include/ATen/ops/linear_backward_compositeexplicitautograd_dispatch.h,sha256=x8aT0z87AANsyzfWu6-B6cBrKo3cAe4XCTM7UVWAslw,1229
+torch/include/ATen/ops/linear_backward_native.h,sha256=FRHYsKeXrrLV8gbOZ4tq7EmWjS5RM7YovYv9wTrn12A,891
+torch/include/ATen/ops/linear_backward_ops.h,sha256=Uf9cBBI3rVZQHtKDDhqxoVjeZIpJb9yJukglMLgFQOU,2665
+torch/include/ATen/ops/linear_compositeexplicitautograd_dispatch.h,sha256=OYqpLbi_YuCq-40FAWLopipnPGe059Izwj3kFO53pt8,1010
+torch/include/ATen/ops/linear_compositeimplicitautograd_dispatch.h,sha256=_vxI_7noemSVxhonHddPBDWraV8YA9X4QzW82Ve0M3g,837
+torch/include/ATen/ops/linear_native.h,sha256=FBpjaR1n7Ztb41Ob9LUUa3HVbOE4e-fcbWsi-Y8F0v0,842
+torch/include/ATen/ops/linear_ops.h,sha256=0y0UsX9zk6qjgOSyG0CnijZ35bOpNA0Y8ac4L62Ad_o,2054
+torch/include/ATen/ops/linspace.h,sha256=uwcJhz6c7EmJkhS_yiKyg1KyhyDX_yotHwb3kFYsRLw,6864
+torch/include/ATen/ops/linspace_compositeexplicitautograd_dispatch.h,sha256=KYjQUjdc29e5ohCBYXk5Us3lvNj9oUNcFk0Rchrk3TE,2901
+torch/include/ATen/ops/linspace_cpu_dispatch.h,sha256=ulTqqc-sXxiBRDzc6AL_W6IcXoCnwS2Ysmy8aBGb67c,907
+torch/include/ATen/ops/linspace_cuda_dispatch.h,sha256=JMvkDEkCk-8XNIPY2d6NP0bTBfTkZS1V9I-YyLKp30k,909
+torch/include/ATen/ops/linspace_meta_dispatch.h,sha256=tkxveHfnIO5T9J0loBOcuyOII39B9qDRa1I2w0rD0BM,909
+torch/include/ATen/ops/linspace_native.h,sha256=WN8KcHwIZhIZrOdVpG-VN_LKo_Ci0m1239jfdKZsN30,2050
+torch/include/ATen/ops/linspace_ops.h,sha256=v0ryP2QRURVvpMyhv5CEqzXu49cv5u5kn-FlLLUVOiQ,8403
+torch/include/ATen/ops/log.h,sha256=kBRdxvSaujdJqby4Cv-Mc87iQbai56KGo4j5RxGMpa0,1118
+torch/include/ATen/ops/log10.h,sha256=PXrsx6c4Fqt5pkFaBw8_DMqiqosfxHBrjKjwgE0vD9g,1144
+torch/include/ATen/ops/log10_compositeexplicitautogradnonfunctional_dispatch.h,sha256=NP-hwD4L2nLYQH-POFuf7M7aaDxO37MIm9Eos7DE0Yo,839
+torch/include/ATen/ops/log10_cpu_dispatch.h,sha256=C5AAstlgh3CRIbh2CyQuPjf7cx1LOfzS1wOPuSD8Lek,924
+torch/include/ATen/ops/log10_cuda_dispatch.h,sha256=Zr1dHQslm1PiUXxdBtCE5i7egd5NXEYllVcqm1mgXu4,926
+torch/include/ATen/ops/log10_meta.h,sha256=p3GfjSoqADEuyy5eUgAOjME6TVekSxthl_b_CK2Aj3s,585
+torch/include/ATen/ops/log10_meta_dispatch.h,sha256=dY9_HA9tiH6FFYJRqxKOJFtclnp_fCOM6vSbkXxTh5A,926
+torch/include/ATen/ops/log10_native.h,sha256=-DWMlsNK-9PPDYty9Z8Tj27KFUNvMbqW-TKZmQog7sA,604
+torch/include/ATen/ops/log10_ops.h,sha256=VMWMazkB92iwpPZm8BM33tbi_HLcYV3F2w-SnNQGxxE,2113
+torch/include/ATen/ops/log1p.h,sha256=8mKgv6tkqH9peTpnFzNyH3-E5J1gTTb6Hli6REkmAgQ,1144
+torch/include/ATen/ops/log1p_compositeexplicitautogradnonfunctional_dispatch.h,sha256=KqXkNFECg8JrjY62r8R2-r5pliijNanXqkSeXu61U2o,839
+torch/include/ATen/ops/log1p_cpu_dispatch.h,sha256=T5rxVVCiaBTfbTh_lTDDb3SwWXyu6zE805tKIyneuUA,924
+torch/include/ATen/ops/log1p_cuda_dispatch.h,sha256=pFopz_KuXJjjuKIH-9vQ1bYt-i0F7h8CSgmy9QIiHzI,926
+torch/include/ATen/ops/log1p_meta.h,sha256=LhlVn5X9v3Swz9j_0qucfgrqYyS53ff5X3gK6XUyivU,585
+torch/include/ATen/ops/log1p_meta_dispatch.h,sha256=8vlGzc0v3JC6MpahpYFTVy4Dax2egP7eeMxu7gAcuHw,926
+torch/include/ATen/ops/log1p_native.h,sha256=B6G0D1PLNtZ68fR3Sfzp12WNpRmudEjBNJhDhkQbbkw,1018
+torch/include/ATen/ops/log1p_ops.h,sha256=-gjTT5OwDnkl5GjwOYHhCiICrzkR3YI0AuAGZXa8wtQ,2113
+torch/include/ATen/ops/log2.h,sha256=tGDrpJjOqCI3G_KkVtxqwEjvO68EPgfSZelBl-o7d5E,1131
+torch/include/ATen/ops/log2_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AUm0c7_tnZT8LUY2y0keVJiAqRKPfJJuEXDByhYW1Vg,837
+torch/include/ATen/ops/log2_cpu_dispatch.h,sha256=e3oy2Cug8UiLUkCC-bpv96mszAlcL_Ad4oMMAecPrn4,920
+torch/include/ATen/ops/log2_cuda_dispatch.h,sha256=sHoqPDKA3sLwRv2NWahdofJXAqBmmYM-st74vd6gaCs,922
+torch/include/ATen/ops/log2_meta.h,sha256=Y8meCEx89ZpPAzBiGn0AgA5679-DuzQiFA4aQJbOVc4,584
+torch/include/ATen/ops/log2_meta_dispatch.h,sha256=K6J2HMuMjNMaLtK_6oDLaiv9OaivrMKw_Iy-wr7otKI,922
+torch/include/ATen/ops/log2_native.h,sha256=tfW6UsxOqSXuyhQHZksxtzUXUjszegElAFaCmLPCP94,601
+torch/include/ATen/ops/log2_ops.h,sha256=NbrDDBjdbqX-DJE5D0M5ht9lCuAESM09f3DTeLO3G88,2104
+torch/include/ATen/ops/log_compositeexplicitautogradnonfunctional_dispatch.h,sha256=R0qUyXpi3CT-cR2n2n21s5JHMkySnZD19veEAMxnHVE,835
+torch/include/ATen/ops/log_cpu_dispatch.h,sha256=1scbJNlTj9Svm9bpk8dzdf6qnQaybTuz1FXKK4aM6uQ,916
+torch/include/ATen/ops/log_cuda_dispatch.h,sha256=wVeI5GNaoZ-qVyJot-7teBov9ZniPQ5qRydcuixamRg,918
+torch/include/ATen/ops/log_meta.h,sha256=RoxGxV6PlGOFWSpnIRtqlKrRIIzm7hhxXDINQ3ytrl4,583
+torch/include/ATen/ops/log_meta_dispatch.h,sha256=auLInGknpTv08vFk7YujovQ7UrjDGGKQ7u_2kvcPOs0,918
+torch/include/ATen/ops/log_native.h,sha256=Si5KV81O-IVy43yuzv-tnfm5BDnUjLlpcYJ6PxnqXmk,598
+torch/include/ATen/ops/log_normal.h,sha256=o4qOrbvHLqmASmuzuMLenq005Gh60KW6R1A3DAUjbUs,1525
+torch/include/ATen/ops/log_normal_compositeexplicitautograd_dispatch.h,sha256=3HCVdTzfQDzi35NnUvPv6RUtTcEjMsc8CEmWfKP4WXY,1172
+torch/include/ATen/ops/log_normal_cpu_dispatch.h,sha256=WWCZkvmygCYCiD4OJ2b9xUM23C9Sx9WUzWQaOhL8w14,807
+torch/include/ATen/ops/log_normal_cuda_dispatch.h,sha256=1wuglPjrB1bPkrdzPfOtkhr4tNsUUpwYAy8GQ87Av4I,809
+torch/include/ATen/ops/log_normal_meta_dispatch.h,sha256=16WMRLsYjc1ChbL_p7x0mbnJIewLYWdLnSGYOJ0usRY,809
+torch/include/ATen/ops/log_normal_native.h,sha256=A9t1P7EfB_w5fEo0VQMWy_vCVsVLDeo5E-xLx4WclD8,867
+torch/include/ATen/ops/log_normal_ops.h,sha256=7crhbnfi4c9fwxApkArT4pfeinLyWnlzoypV-A2BaHk,2872
+torch/include/ATen/ops/log_ops.h,sha256=4bX1rkb-mNpEyZu0LlCwMIlOptxvsJHHrRM8QQCzO9c,2095
+torch/include/ATen/ops/log_sigmoid.h,sha256=fqINtW3RblpSxqCwMXtnPMifTfQ7tBQy8KOX7qdlZQY,1065
+torch/include/ATen/ops/log_sigmoid_backward.h,sha256=tY1SnC7NBTPT-cPcTAH1AX7SllY_8pkKyJrdoiO7WsE,1570
+torch/include/ATen/ops/log_sigmoid_backward_cpu_dispatch.h,sha256=VYlouOZtPurG_oFO4ZTpUFIdUdmSissSXnHwwUbb1dk,1110
+torch/include/ATen/ops/log_sigmoid_backward_cuda_dispatch.h,sha256=3XkRbmt3bdVwdEph9u9rM2UL0uXLmp-9Z5DnSkA0D6A,1112
+torch/include/ATen/ops/log_sigmoid_backward_native.h,sha256=x-rP5NYEUkQcSMU8darEbpO8u75pytL2Y4Iaw7v0Mkk,1021
+torch/include/ATen/ops/log_sigmoid_backward_ops.h,sha256=waImE7ReUiakqCmnV-jsoihC19P9TkO0i0u4Q1SRM-E,2102
+torch/include/ATen/ops/log_sigmoid_compositeimplicitautograd_dispatch.h,sha256=Ok7h2c47DYJL1q7NUjbtUav2BOUAybPnMr2b1VKNW_4,936
+torch/include/ATen/ops/log_sigmoid_forward.h,sha256=C8puUi9BA9l-8ZLuA8k_RZh5JEzkiV4b8Q2kbhlHvx0,1402
+torch/include/ATen/ops/log_sigmoid_forward_cpu_dispatch.h,sha256=5OgHsH3a5Z-kQMtzEfBi98VvNN8wm5IMMbBytL1IB0Q,1043
+torch/include/ATen/ops/log_sigmoid_forward_cuda_dispatch.h,sha256=-rD7OmAWyX1Wcaax8-makfMsekD_LD_9HWmldJPKt9I,1045
+torch/include/ATen/ops/log_sigmoid_forward_native.h,sha256=RdzfhlK-AbBBWXIpshFGPEGPLzpuEK6AMalJwnCBRnQ,919
+torch/include/ATen/ops/log_sigmoid_forward_ops.h,sha256=UFCcOMPJ6_o6pcsE5LXkPXQne6XGW0wmU-yxdXKbklg,1955
+torch/include/ATen/ops/log_sigmoid_native.h,sha256=nhDNVPjyA2wOlXBPGD3VwwoY8UOZXFZbto76cN_eouE,575
+torch/include/ATen/ops/log_sigmoid_ops.h,sha256=iBhPLgLkybondELseJbJb2J4PmyIeqMH-IPV12Gcouc,1620
+torch/include/ATen/ops/log_softmax.h,sha256=vx26K6AruS0lXRkoEygIbrkL8axyhACcBMzdJCYGnFU,1699
+torch/include/ATen/ops/log_softmax_compositeexplicitautograd_dispatch.h,sha256=YHCTHKUcE7mCTAfidCKXQP2-LgmV2be2s69fJVYrPIw,996
+torch/include/ATen/ops/log_softmax_compositeimplicitautograd_dispatch.h,sha256=vtZzi3QTLqRqRB59R92KG30nDdifqH_-bBtvx6JKeDk,966
+torch/include/ATen/ops/log_softmax_native.h,sha256=NqYJ1SjLd7RGY1ZbL9NHSYdxp46FECQBnKeDS2Ccuzw,824
+torch/include/ATen/ops/log_softmax_ops.h,sha256=L50g2M4_jJj09J7EDXLwwW2VOqQl_DO95eb1xfrhCKg,2770
+torch/include/ATen/ops/logaddexp.h,sha256=ciJPFVwMcbLiTL2-bSHsN6xD7lcum1Xkrp1zXF0BGOs,1186
+torch/include/ATen/ops/logaddexp2.h,sha256=djKiVy3RVa22g_BBEkwlH2MzLAJ07pzpu9X4XlY4t34,1196
+torch/include/ATen/ops/logaddexp2_compositeexplicitautogradnonfunctional_dispatch.h,sha256=7I_XgYDS5ZZvdVRH0t4O-L0t9usQninkZbDmQ2R1Yg8,820
+torch/include/ATen/ops/logaddexp2_cpu_dispatch.h,sha256=u2Ny-PRgGqX-rACBKejXub6FbUsFj_1grlY29le0LYE,967
+torch/include/ATen/ops/logaddexp2_cuda_dispatch.h,sha256=N53TT8UTTQs_6_fj2r66JFVKnGSzdK9OMvYPakUoq-I,969
+torch/include/ATen/ops/logaddexp2_meta.h,sha256=lTL3ZXBI0O2y4Sx1l1JcuY3fs6hol-_du2a5dRBSwe4,616
+torch/include/ATen/ops/logaddexp2_meta_dispatch.h,sha256=KSp3Tv1k2J3YO9vIcmk8U3V3IY7Qn_sLk2a-aLTHEbU,969
+torch/include/ATen/ops/logaddexp2_native.h,sha256=mfv45iAGbZZNo0Vo4t-yaxTx4mHvNxh3I7hjOA49Sec,645
+torch/include/ATen/ops/logaddexp2_ops.h,sha256=AmJtikJ02iO56bYqwUVRPfWwJJqQVQa5Zx2LlKINW8g,1786
+torch/include/ATen/ops/logaddexp_compositeexplicitautogradnonfunctional_dispatch.h,sha256=bc27hqaHJuF1-PlT74ga5CIv1PLV0HoH68lFFA3cGhQ,819
+torch/include/ATen/ops/logaddexp_cpu_dispatch.h,sha256=2ugkj6JTjpTaG1GFYnO6iTJdnakkXWesKbUEard7kSc,964
+torch/include/ATen/ops/logaddexp_cuda_dispatch.h,sha256=nkHjcXhFtrSZH2JCgkqFTVcLWhYDxd6WqQB6txJomh0,966
+torch/include/ATen/ops/logaddexp_meta.h,sha256=p9pIsTyN6cCUaj1XwBl-KU2DuCuzIpbeBgV7qOgoCNY,615
+torch/include/ATen/ops/logaddexp_meta_dispatch.h,sha256=DLlzaAJCcqQCfWMoYf-woFqFHzGT9OWtdlJgrDssoys,966
+torch/include/ATen/ops/logaddexp_native.h,sha256=kTPoq8ngJaiv7Gx7sN36j7kO5rVVlGLQqiZBT8RjAiY,642
+torch/include/ATen/ops/logaddexp_ops.h,sha256=vYe9kVx_sbwcauvdwIgdN_03OPclBAngglDcsHDaa5I,1780
+torch/include/ATen/ops/logcumsumexp.h,sha256=Y9U45TW2nTkWzvPhINcHdVHqivAggkPxcGT1XGBlXQU,1888
+torch/include/ATen/ops/logcumsumexp_compositeexplicitautograd_dispatch.h,sha256=ZdaEVXzPSlWPdldhhjL0zBH0UhjHyuJRqoIoGr6E4CY,978
+torch/include/ATen/ops/logcumsumexp_compositeimplicitautograd_dispatch.h,sha256=maRoxGYE-a9toJGDnFV1WTVX1tVbIG8zT8D5giqhCrk,990
+torch/include/ATen/ops/logcumsumexp_native.h,sha256=ZPIRKEeBvdSD3omS6t60zEkB2yUIc8hjoxuhOWiXUlc,781
+torch/include/ATen/ops/logcumsumexp_ops.h,sha256=URmMrvevQ9gWQR8DF7LyIQRccbtIXC7647KXu8UGOP0,3073
+torch/include/ATen/ops/logdet.h,sha256=KEYhyuZLmepDRuZ5udCrNaxaAv12txmFrBy4oqXM72o,625
+torch/include/ATen/ops/logdet_compositeimplicitautograd_dispatch.h,sha256=sakW73DeFiy3EJoOI6TnZOja4Ux7KfqfyAJlzBDeRMM,764
+torch/include/ATen/ops/logdet_native.h,sha256=UItEOD4mFYabCwpDaWh6SWUm7GIhTvmlQX87ctAFg6k,487
+torch/include/ATen/ops/logdet_ops.h,sha256=9XCtUP-QmX6Dw4_RRUiCMzx6r8XvR-apvYQbD0J7VFo,967
+torch/include/ATen/ops/logical_and.h,sha256=XMA0i9swZpWX284BEPlExTD6MsS2NF152aUqT_hckQM,1206
+torch/include/ATen/ops/logical_and_compositeexplicitautograd_dispatch.h,sha256=B7nBUHUsDDcnUtb1jr4pi59wEiKtks43m2-cXR9IkrE,877
+torch/include/ATen/ops/logical_and_cpu_dispatch.h,sha256=dzXGNFHfpMDWfxKtEa08QXJNUBqzHveh55Bk8v7_1wA,885
+torch/include/ATen/ops/logical_and_cuda_dispatch.h,sha256=kwNsiuoj3AuhHyE9u5oh69fg8T64zXEoBzWy7gRZo0U,887
+torch/include/ATen/ops/logical_and_native.h,sha256=ejfi2PzDXP1IUEk8Fyd6EEkBffJ8Ob8gRc8eXtybG7U,709
+torch/include/ATen/ops/logical_and_ops.h,sha256=9WEpX5w7qUbDJq_k29h3wQu68Yim_lLcXIkeOu3oFm8,2425
+torch/include/ATen/ops/logical_not.h,sha256=m8sc3YfgQBmSpvfDV98nV88azV4K6w9VsIfmKI72ziw,1065
+torch/include/ATen/ops/logical_not_compositeexplicitautograd_dispatch.h,sha256=c0_UHtPG0hnPwvNGu2xPlvh_qD7--bZ642QUCSnJgTM,825
+torch/include/ATen/ops/logical_not_cpu_dispatch.h,sha256=tob0XD-izc3K5yvLxOcasfCwB-kPs4OxhPT3Gs00oK0,833
+torch/include/ATen/ops/logical_not_cuda_dispatch.h,sha256=W9vTjbo5wcHui6al3CEyERTrkmEWS9zjyYAM4XzUvZ8,835
+torch/include/ATen/ops/logical_not_native.h,sha256=4HnY8WeU3N3jhqfFxa-NKDAM7EL6cJ0WRFxjkq0u5ek,772
+torch/include/ATen/ops/logical_not_ops.h,sha256=KNfZuS8HKrXNVSRUoYtxMWY1nCELGYng_ZDv2Wh9toY,2167
+torch/include/ATen/ops/logical_or.h,sha256=d257H4bJ6CG8jOA6_D-M6TX2U9lmIA9v-t1CSt2wZv8,1196
+torch/include/ATen/ops/logical_or_compositeexplicitautograd_dispatch.h,sha256=xBax8bjDlC3gCLLjnSdnVH2g7hNdMvoWPKL4n1nryRI,875
+torch/include/ATen/ops/logical_or_cpu_dispatch.h,sha256=mxXGaNamr-nRzho_VXH3HaQyZocaHNaY-0kTBD1tjCQ,883
+torch/include/ATen/ops/logical_or_cuda_dispatch.h,sha256=2Rp4qKQPdSifWBc6nViCNeEK_D_O8jR07tAsFtpII6M,885
+torch/include/ATen/ops/logical_or_native.h,sha256=Nv_Vbz-ngqfxL0LSTjWSEAQvFwFWm8ZEA3PurIYxxTQ,706
+torch/include/ATen/ops/logical_or_ops.h,sha256=pEL60h3bX3FG_kHjMR8BIgHrtOK5dkB2zh8FSPqjgtE,2416
+torch/include/ATen/ops/logical_xor.h,sha256=CaLcPkSYCM-J43t1nw2CcmsoNUBEn8Lro6G2Qj9cUFM,1206
+torch/include/ATen/ops/logical_xor_compositeexplicitautograd_dispatch.h,sha256=byN_XRa6285A-DveuuYDr9Fh_2JvCXR3hQM3mM2qsec,877
+torch/include/ATen/ops/logical_xor_cpu_dispatch.h,sha256=MNYc3FYQRAZSXG-HbtrtX05RycNuWN4wniBkT3WKNXw,885
+torch/include/ATen/ops/logical_xor_cuda_dispatch.h,sha256=HlO2iVUTQ37xwSimEDWQrjpVQla4z9umbNEljEpeeTc,887
+torch/include/ATen/ops/logical_xor_native.h,sha256=fK7t2JSK7IYxdf9GYDgOGgrsZAG1djxz7B0i_278GKE,709
+torch/include/ATen/ops/logical_xor_ops.h,sha256=dSQPCiXaY6LFMq5QZTzON4B-mOI4TyMs8d6r_zBobGM,2425
+torch/include/ATen/ops/logit.h,sha256=JZ9e6-7gIIUsod-RRAwwIbfRnlLL005tzaWGuYStiEU,1393
+torch/include/ATen/ops/logit_backward.h,sha256=wq2NJ5uMt4lTT2LfbFulzj7iveh-zfEKhSgmqK877-E,1543
+torch/include/ATen/ops/logit_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sCzoa2HrPqdbQbvgMhgvwsJVxj3k9deS105PUPZGiUs,874
+torch/include/ATen/ops/logit_backward_cpu_dispatch.h,sha256=878iRlstGB4_OPbvlyQthgSSR4enw4SE5Tz8fGJazl4,1128
+torch/include/ATen/ops/logit_backward_cuda_dispatch.h,sha256=0O5umbwKdcyHs3V6V8BHMqDCFmmrDoikpbZdFrstH8w,1130
+torch/include/ATen/ops/logit_backward_meta.h,sha256=BLrOdtXMqjELW-vspsIx07R6xyDTyexKQ8FaJjXrReE,655
+torch/include/ATen/ops/logit_backward_meta_dispatch.h,sha256=j1VGfXmFP4UKlvvmisQcxRsbVuuLWAHKBAUNzmhuPIw,1130
+torch/include/ATen/ops/logit_backward_native.h,sha256=kiImgApYTiTKHLKyzgrTMrP_68vPspChqoGGEU9FwV0,699
+torch/include/ATen/ops/logit_backward_ops.h,sha256=AQmo9yKO-Lwv7IXUDcBzvr8SLDRcD2Dnz4pgA3pFdyw,2088
+torch/include/ATen/ops/logit_cpu_dispatch.h,sha256=TLBjPucO0h-mFBFLTkGAvtwX6RpqbGzhMqCGk0304iU,1085
+torch/include/ATen/ops/logit_cuda_dispatch.h,sha256=S8T6fufN5G3AeoEI6piLi8AbuXyDawzOeObQzGW7ecI,1087
+torch/include/ATen/ops/logit_meta_dispatch.h,sha256=M7LC9p0ZXrWdLB35ZtKLKoK5J8_1IgXkSLyTzZzxOks,762
+torch/include/ATen/ops/logit_native.h,sha256=Uy7EaOSyQ5bH3Em6XiQkihSfEf0MbzikP32Ck5th1bU,730
+torch/include/ATen/ops/logit_ops.h,sha256=A6kgU899tYxpJm5UULYMkHKidGDxnucXQHJh6o35kYk,2413
+torch/include/ATen/ops/logspace.h,sha256=HwAgW4fs-kbmpVcuCGg5kQYr1j0MaiMDmneGN1ZALJw,7480
+torch/include/ATen/ops/logspace_compositeexplicitautograd_dispatch.h,sha256=WJMmhXCoZc0O7Itz5Ko6NEWIXO5R6ePtQQMuaj6Nh3M,3118
+torch/include/ATen/ops/logspace_cpu_dispatch.h,sha256=lIbC92l2z6YYc1i69eBuzc9N3mxFJLCF6E2Qvhs5-lY,938
+torch/include/ATen/ops/logspace_cuda_dispatch.h,sha256=Xi-FnMUCpNarqwhTiE7UEzDtf4sU79WyplN-hg-5C4c,940
+torch/include/ATen/ops/logspace_meta_dispatch.h,sha256=KLZEzq5BpvGTkBIU9xk5s4ksGuoETrCxMAhMLoM8Dwc,940
+torch/include/ATen/ops/logspace_native.h,sha256=2RxdOd7QxVT1HrQFEPgeholA9qYcLIWoL-M3rLZizRo,2187
+torch/include/ATen/ops/logspace_ops.h,sha256=9ctvRpkmZfq_0wvVnaEbAx_jvLKq46VI_BP86a-ZZ4M,8811
+torch/include/ATen/ops/logsumexp.h,sha256=TB6QCS9C9JKZQTvoQ-yWxFbX7Yxi1EKB8PlzA_wMYb4,2155
+torch/include/ATen/ops/logsumexp_compositeexplicitautograd_dispatch.h,sha256=UrwIhA6det4vpkAUASP5QCkB5lxt9mfTIe6sfKJ1o8A,808
+torch/include/ATen/ops/logsumexp_compositeexplicitautogradnonfunctional_dispatch.h,sha256=IcoFrqLTlhRccV0UBYg8WcUR8cDbWP8qUUs5DB5Sb2Y,975
+torch/include/ATen/ops/logsumexp_compositeimplicitautograd_dispatch.h,sha256=zK_0YBaabZeNgognSpNYm0UZxRn6RSwfzgBucfiUh8o,1047
+torch/include/ATen/ops/logsumexp_native.h,sha256=42wUaie-IyIutRl4qkz5TGFYPgfSi6-LlOzqTlLcNFI,861
+torch/include/ATen/ops/logsumexp_ops.h,sha256=fm1fNrD_Jf9uxmIqGDvZfx5tIfOHFSrOk5irIx82sZY,3325
+torch/include/ATen/ops/lshift.h,sha256=uibLGdx3W9jR3796lLsC59hG1YXASGbJL9qIb53KcoY,1978
+torch/include/ATen/ops/lshift_compositeexplicitautograd_dispatch.h,sha256=x4myy8Ylu7bzDpBNtcllaXLY81TSMLY0EPrn0eahh7M,1144
+torch/include/ATen/ops/lshift_cpu_dispatch.h,sha256=ImbVJ1OFP-DKtWTFKCfEkjMU-BE_IXHa9yro9xn7fJQ,996
+torch/include/ATen/ops/lshift_cuda_dispatch.h,sha256=Mfch3l_jbK5XQNfaLhXp6Ocvo5HUKhGNsQzHcfLPGw0,998
+torch/include/ATen/ops/lshift_meta_dispatch.h,sha256=8BQni9LNubFUj5L9wWrzOIIUCYoG5w_N5p0wEXKFP0U,830
+torch/include/ATen/ops/lshift_native.h,sha256=J2FMS6oqmiE9RbYyQD7Zv7xT25hJ29uu6Izmj73LjtI,993
+torch/include/ATen/ops/lshift_ops.h,sha256=lMAbUXO9G11jNkW4T1b8Xa78MjXkS029WDzU3eemjqg,4520
+torch/include/ATen/ops/lstm.h,sha256=e2utVUAM8wG4b8VDiRv82ScNsqkyg-Cy3XypGTRvNgI,1601
+torch/include/ATen/ops/lstm_cell.h,sha256=vf1j4KXzE-VmUsfLPvFeoqwGNgC-AjtsiCUqnjBAjak,939
+torch/include/ATen/ops/lstm_cell_compositeimplicitautograd_dispatch.h,sha256=3ENSc9qQQ_satAImfT98ee0-1Ylz0JYTdMFb8JBvHzg,952
+torch/include/ATen/ops/lstm_cell_native.h,sha256=j4X1SIV_r3p5LzUmPabfpZns3QgXKU7M_rkxeKIFCJ0,675
+torch/include/ATen/ops/lstm_cell_ops.h,sha256=smG0o6elQeiHfXhIsRsKGQn0lIyrUpMU74PN9ut_G7M,1577
+torch/include/ATen/ops/lstm_compositeimplicitautograd_dispatch.h,sha256=fkyqlCWp8UACGxzhsW-_yZrLasxjQYICWWrzftAIlYQ,1191
+torch/include/ATen/ops/lstm_mps_backward.h,sha256=r1nQIC4SPb9b-yin4_d8-eLs1afn-rV9xctlC3VLanw,3663
+torch/include/ATen/ops/lstm_mps_backward_compositeexplicitautograd_dispatch.h,sha256=IIdaMF-wEAlREwa7OeMrS5Br8yszFgPQix_4Wkv-xro,1713
+torch/include/ATen/ops/lstm_mps_backward_native.h,sha256=E_Tb7tV1kITGfTt_V1GwyT0vxmYQ7HEq5KJKQ7--2lw,934
+torch/include/ATen/ops/lstm_mps_backward_ops.h,sha256=6hIz1p0X8I6bGMzOiyUoBSnDtH0XFIBHrAeMuH6laFA,4477
+torch/include/ATen/ops/lstm_native.h,sha256=o3PMhWEnBzHrnz7rpwMsSg8VUpYIX3UKZx_6t-fP0oA,914
+torch/include/ATen/ops/lstm_ops.h,sha256=4uGYzXkv_YzOjtwsnac3ARqpnng6ZLBX3V2lcg6ydeA,2800
+torch/include/ATen/ops/lt.h,sha256=Niay9kilblvu43ffVkd-P-lol4WOeRaxOv5RA1nTkVg,1830
+torch/include/ATen/ops/lt_compositeexplicitautogradnonfunctional_dispatch.h,sha256=SArQJmYLRzdjhA9J0YtsRqanWbpkkk5zgBBStLxzXOM,1034
+torch/include/ATen/ops/lt_cpu_dispatch.h,sha256=8cQPcA5Xp1iDmRxCcxKx4l1mRAAiZXSIDRF1vZCSMBo,1366
+torch/include/ATen/ops/lt_cuda_dispatch.h,sha256=b8TooVTHOkBITOLJYs3wsDVv86xvYXtXSpy_Idg7Bd0,1368
+torch/include/ATen/ops/lt_meta.h,sha256=fV4WjB-PzIvhd5rZWsphTq95ngbt5wjedtruUNhd4SE,762
+torch/include/ATen/ops/lt_meta_dispatch.h,sha256=axFyNImwwx6g7Nw3KlcTs7sVCnQ3pVMj7fjo8FFv8DU,1368
+torch/include/ATen/ops/lt_native.h,sha256=hMfYBXg_UJmWgei_tA4ha48Uoq5HGv93VixZYOM8Jk0,1216
+torch/include/ATen/ops/lt_ops.h,sha256=oSUkOkhlcuK9H2yWjI7nyQ8XBVvh6uGez0EZpWzJK-w,4376
+torch/include/ATen/ops/lu_solve.h,sha256=bpio8iokexr8D_crgsiX4aZUnlT7MbLzADMYhThK6e8,1371
+torch/include/ATen/ops/lu_solve_compositeimplicitautograd_dispatch.h,sha256=6-UqzkNBV-lzs9QzSQEJGtdwXCHupVq2c8AGODa6REs,1101
+torch/include/ATen/ops/lu_solve_native.h,sha256=ypER_nRQaAUFhBkSlk1Kp7NhbnoC_UoxE7fNtWGO9K0,685
+torch/include/ATen/ops/lu_solve_ops.h,sha256=Gp6XD8HHV1TqgNhX6OjiSj-zBPjBwrZAjIDVB4lIwxo,1982
+torch/include/ATen/ops/lu_unpack.h,sha256=BDmtY2V9IQS93k49ZyyFdCN0elRtNJrLrFLs6V68LsM,1935
+torch/include/ATen/ops/lu_unpack_compositeexplicitautogradnonfunctional_dispatch.h,sha256=uknmKso8TMw5EhozlajBM-DkV9dXFO0WTr71SVUfMfU,910
+torch/include/ATen/ops/lu_unpack_cpu_dispatch.h,sha256=8V3hXMYZBq1UiRSMlyFWdNLUz8mgALSplAnvjrzu408,1295
+torch/include/ATen/ops/lu_unpack_cuda_dispatch.h,sha256=_n5AavfVhIkZe7F2ysigMDGt09FL2nPHkOJufdPE4l8,1297
+torch/include/ATen/ops/lu_unpack_meta.h,sha256=1FoWSI_YrdFOoxBMoq2_pT_h3jw-3HFvBuKSvbc4i28,660
+torch/include/ATen/ops/lu_unpack_meta_dispatch.h,sha256=bjfhj2g0TjCgAjc4SIZir8fBgrR3otbysU-tIn5YHc4,1297
+torch/include/ATen/ops/lu_unpack_native.h,sha256=osRGJN-JmKc_o2Qw_6AEOiY0rXexxeYrFlJkAMJtptA,729
+torch/include/ATen/ops/lu_unpack_ops.h,sha256=C0sL3Zutx3J54O7HJNi8qfL-I1ImkUkQf1apWuhkBfI,2492
+torch/include/ATen/ops/mH.h,sha256=Jglri1vGC4-ZR3w1yr6xmua6Ryp7g8nIs_jckfwM3rU,487
+torch/include/ATen/ops/mH_compositeimplicitautograd_dispatch.h,sha256=Qgn_B4neSq-pHvFFlgIrYUmjDfzDkDXeFqWYTX2atNk,760
+torch/include/ATen/ops/mH_native.h,sha256=t1VzCcjHiTaxa7aLg580ClparYvvDPP-GvIz4ggcDSg,483
+torch/include/ATen/ops/mH_ops.h,sha256=cLNQa865PZ3SoxKiOVwpx8UZALX9yifKivX_Vi7I8do,961
+torch/include/ATen/ops/mT.h,sha256=kDG_AJra-JMEvF5YWiKjQOnBu9j_G8vdSGHNp8YhDBQ,487
+torch/include/ATen/ops/mT_compositeimplicitautograd_dispatch.h,sha256=9XrU66nNz5i8TeYoRIaxRsuVZhBXBB4Plz9Vz_Tztp8,760
+torch/include/ATen/ops/mT_native.h,sha256=YjOpGe479tIF9WeJoZkA2pX9nkS-VEjeHwEipO30faA,483
+torch/include/ATen/ops/mT_ops.h,sha256=p5lsPyFQN_IhodPzLGgdMkUdLuWkUsDlLWBM4XQAdLU,961
+torch/include/ATen/ops/margin_ranking_loss.h,sha256=5uHM-bjy1JlUKELJPDPwLHPvZYjY2Kgm6v-jV5Y43FA,898
+torch/include/ATen/ops/margin_ranking_loss_compositeimplicitautograd_dispatch.h,sha256=bdfxYFL03AA-RibFkW4dSxsGa5Qi9yamzvUIEnD98LE,891
+torch/include/ATen/ops/margin_ranking_loss_native.h,sha256=_I4_fyepST7oBnP8SX88pqH0wmSnO_rOxk1LccdOP08,614
+torch/include/ATen/ops/margin_ranking_loss_ops.h,sha256=yQDKUukOnXBwGxy4FY429Z3w1-VDXOoIE4d7-5PO9Ig,1313
+torch/include/ATen/ops/masked_fill.h,sha256=_EbMQ-ePZNOmlh-FOVjBzMPPJjmya7rztXI7A7lkZ7Q,2265
+torch/include/ATen/ops/masked_fill_compositeexplicitautograd_dispatch.h,sha256=GtC3FtJQ3kwkxuAo642-kJdb_qckd2ZzpS-iULidfzY,1468
+torch/include/ATen/ops/masked_fill_cpu_dispatch.h,sha256=DWObWOVWsfS7hpSg7kn_0utMHCfake_YmwAgAUT8JCg,880
+torch/include/ATen/ops/masked_fill_cuda_dispatch.h,sha256=WahwAlL1cI8vj-6jdBQ2mJQsYIOAlGJVTtm7MCjXWAs,882
+torch/include/ATen/ops/masked_fill_meta_dispatch.h,sha256=YXkifJG75xG23gj1o9EmvemHPRbvyhztqSN-knCvk4k,882
+torch/include/ATen/ops/masked_fill_native.h,sha256=jMcp_4fjlQFB7S1G4cRyUWO1ETYZaY0LfD81E6eC9qI,1990
+torch/include/ATen/ops/masked_fill_ops.h,sha256=ecc3eDn5qb0kjoTR_5a96wBezNpWdDV_FueAIkly9DI,5036
+torch/include/ATen/ops/masked_scatter.h,sha256=RwcnvGS52j93yRoChAWoQAbaNFOXo112_2eB6xDOUFM,1377
+torch/include/ATen/ops/masked_scatter_backward.h,sha256=wx6qqlUpdL3GPYYntJnCOwIQI3dZmyqVZp1ATnMbp4s,1788
+torch/include/ATen/ops/masked_scatter_backward_compositeexplicitautograd_dispatch.h,sha256=Fq6xvGYz_QvL5SMKHBwzjsQAZxOLgwe9Ze7A_6sdvTo,973
+torch/include/ATen/ops/masked_scatter_backward_native.h,sha256=X0MHZO73Xo2HpCoqq85r_R1nxN-iioY0FXWBnx82tHU,570
+torch/include/ATen/ops/masked_scatter_backward_ops.h,sha256=3lvuKm4FiYWit5BaIAQ_xi2hlUooZXh5W0f9OZ3zhw0,1213
+torch/include/ATen/ops/masked_scatter_compositeexplicitautograd_dispatch.h,sha256=HMpnqJA8Prp_D--kCluZ7KhvCIW3rQAies1AhDq2unU,1101
+torch/include/ATen/ops/masked_scatter_cpu_dispatch.h,sha256=_Leg0ox_AEk2TWF1pr2Sa3HZk5ue1ydwvDImeokiFno,777
+torch/include/ATen/ops/masked_scatter_cuda_dispatch.h,sha256=sNnC6beSVZc45z4K7MmAehRQ73m-qmhgkZ1VJC0Fi6w,779
+torch/include/ATen/ops/masked_scatter_meta_dispatch.h,sha256=8XCK4lE9U9k7q_CCD857a5Xs38lcEOa7MDWa1D154SE,779
+torch/include/ATen/ops/masked_scatter_native.h,sha256=ZlM1nVXZ2orBpOZpxkrb6z0RHqLr77DX633lZeGPctA,916
+torch/include/ATen/ops/masked_scatter_ops.h,sha256=a7uV62SrSgGX6lRzgNtfHrJy1ze9WQTKXmx_1dWEigs,2710
+torch/include/ATen/ops/masked_select.h,sha256=exCRhiM2FdCtCYqSI45koKZakvUQOoX0ArBbpOmD9ns,1217
+torch/include/ATen/ops/masked_select_backward.h,sha256=rw3bRxMX7MSNvKQMWixfr4qU38IbVD27HPASfvWhdtY,780
+torch/include/ATen/ops/masked_select_backward_compositeimplicitautograd_dispatch.h,sha256=2RFDp1nA2LuekX6SdqsjouB2lyEE4l2YKeK0dx9fJG4,831
+torch/include/ATen/ops/masked_select_backward_native.h,sha256=4MWrs0VKmfc8WsEZaQV7--hWzz4CsrCWM495S_3j4Vc,554
+torch/include/ATen/ops/masked_select_backward_ops.h,sha256=hDyHqsvk_q8EGODw7GJr4ohBI3O2z-AyR-ddVxNWqM8,1184
+torch/include/ATen/ops/masked_select_cpu_dispatch.h,sha256=8Yt4cYmNe_XhIorOZp6C2YdCxP9qXjyAtqgfTeLourM,973
+torch/include/ATen/ops/masked_select_cuda_dispatch.h,sha256=flnYJp7xyQbIouWT8T3ojlp61gnxOuX3fRaylYutPjA,975
+torch/include/ATen/ops/masked_select_native.h,sha256=mQts7YLhDtSpJ34PXFuaQvj8dfKakb_J5ORCtHmkJYg,843
+torch/include/ATen/ops/masked_select_ops.h,sha256=olTZ87FOp1uTJUha7l6tzv8E9lJw8bpQoz8cXkYlCj0,1798
+torch/include/ATen/ops/matmul.h,sha256=8xvjzS8MS3IyXouIcgZ-Lks905KxKDVDk7sMRXjques,1156
+torch/include/ATen/ops/matmul_backward.h,sha256=UL3dgJwP0P4UaKwK8hHk3qXn-SrOyP_tjwxH_4SrBAw,1726
+torch/include/ATen/ops/matmul_backward_compositeexplicitautograd_dispatch.h,sha256=IfZAwsZXBjNcNtWoYyxLNmLAP-8-3M9v3CrPt_M6FD4,1135
+torch/include/ATen/ops/matmul_backward_native.h,sha256=hb-A_VBd4CUr1VDqQrgPeZtzWtq0J7nwIVH_QLLfGWA,818
+torch/include/ATen/ops/matmul_backward_ops.h,sha256=bo-yyzhkdhIQf6SdoUtq6Aq5kFgd3_Z7uGX447LbnDc,2414
+torch/include/ATen/ops/matmul_compositeimplicitautograd_dispatch.h,sha256=QJtM3u5qAYC6-faSHGw1n0_QJhQXCGkOInYiOQrSZaA,999
+torch/include/ATen/ops/matmul_native.h,sha256=a8EI-ve4QEyZuwBV5VpkhxMriDtbLn2xUOVA3Hqz4xI,815
+torch/include/ATen/ops/matmul_ops.h,sha256=-d5ZUx3JeMDLE8LWeJrK_xjVhpzjQ1j5t24u0ISjrzs,1762
+torch/include/ATen/ops/matrix_H.h,sha256=h22jKZVvthNCtb-Hyc6B5-xyyEsAhA-bLEPofsIR0ME,493
+torch/include/ATen/ops/matrix_H_compositeimplicitautograd_dispatch.h,sha256=-ajflMamPGTvhRi4uy3-skucUUufMNlXVi6AqqP6Z3M,766
+torch/include/ATen/ops/matrix_H_native.h,sha256=8VMFPyYSpWRe8E3-0ds4fAmk2PE432f-bCeAmgpbzSc,489
+torch/include/ATen/ops/matrix_H_ops.h,sha256=88FqmS-ruJsbTZggReLMHxEWZCtxdiN74HLrZp-js6Y,979
+torch/include/ATen/ops/matrix_exp.h,sha256=WAKVQSB4ey2QRI8iOFqIDvuDB1hWQemYOgGSLTRbVLI,641
+torch/include/ATen/ops/matrix_exp_backward.h,sha256=eyRN4U3FTbNGd9WXji-qEX8ZiC42JD-AbsOLVuF1I1o,721
+torch/include/ATen/ops/matrix_exp_backward_compositeimplicitautograd_dispatch.h,sha256=uUS28D7wPGFYwHYcsXYkmYCd5u92FjNrrjH6fIpR4Zs,802
+torch/include/ATen/ops/matrix_exp_backward_native.h,sha256=O08w6Ve-fmwiuQelFbp6n_dn-JUPemWJI5dltuwWwUw,525
+torch/include/ATen/ops/matrix_exp_backward_ops.h,sha256=HWbsK70bFpXN9TQzq6MY009goecdIRZ9e6xB2a34o3Y,1089
+torch/include/ATen/ops/matrix_exp_compositeimplicitautograd_dispatch.h,sha256=BTFybvwdLa7K-3s4NLMqEih9GfEaV3V7dQcrPTSgBYI,768
+torch/include/ATen/ops/matrix_exp_native.h,sha256=zcUwmXWjlk8DYkbrl2USB7Ab66yfjbDn5MLPIqQQqR8,491
+torch/include/ATen/ops/matrix_exp_ops.h,sha256=ERRMvk04r1faHxw4wmZWJnnFlt3lDQZgcAfnRX8B4vc,979
+torch/include/ATen/ops/matrix_power.h,sha256=yLxgn2Sj-8AXoefYTpWYkoE_qNGIzYc8Lte85K-FS8Q,1138
+torch/include/ATen/ops/matrix_power_compositeimplicitautograd_dispatch.h,sha256=ggBKUWmjgiq4CPpuybMr49VyOwqgVHHpTPKx2UgsQzQ,972
+torch/include/ATen/ops/matrix_power_native.h,sha256=wdNqlCx0Jf0Z0A2ssJhs3-17mPdfVG3Uq5OF465rYn0,599
+torch/include/ATen/ops/matrix_power_ops.h,sha256=BZ2IUjwXXdtgUR9W_qCl1O4BtZL3JANnktrhUFLgaHM,1702
+torch/include/ATen/ops/max.h,sha256=en36XurtpBq2woZgjGEVsCq7kCe8Em-6A_esIBdXQWI,3772
+torch/include/ATen/ops/max_compositeexplicitautogradnonfunctional_dispatch.h,sha256=oQgn2RhxmfMGPuFSINQjiah5-NfLl-LS3wWBFMjcf9s,845
+torch/include/ATen/ops/max_compositeimplicitautograd_dispatch.h,sha256=mZb4YTt4QH5ZgOdfKTAruj3yq4RwNUI4vDMBmDizdNE,1426
+torch/include/ATen/ops/max_cpu_dispatch.h,sha256=-8j1oSNDI9PSKEJtpILgrQNqadVeBa0MKmsdWTYdehc,1292
+torch/include/ATen/ops/max_cuda_dispatch.h,sha256=NT0jfu-2O7T2whYD6ZjkJdDH9Xsrr2S6sHs32eI1FjU,1294
+torch/include/ATen/ops/max_meta.h,sha256=1zAiuMoppJFe_DSTuYQTN5jjSGoRrfn05YblIfNFbwM,1088
+torch/include/ATen/ops/max_meta_dispatch.h,sha256=3i8JSPJptX5dfA782p5dM_m43XoPtp7qKI7cyPxlrq8,1092
+torch/include/ATen/ops/max_native.h,sha256=0WSKmEb_O4pofgVjWqDCDIZwVPk3YvAuSbplFK_ikTk,1507
+torch/include/ATen/ops/max_ops.h,sha256=R_eePJPATC2z_BZVwW0AuvsH1eiCL-2BJRP5hFcTDUs,6293
+torch/include/ATen/ops/max_pool1d.h,sha256=5V64npPVE-LQ7n-amRf0d5tJaOgx04cpMOd7oAjM4zI,922
+torch/include/ATen/ops/max_pool1d_compositeimplicitautograd_dispatch.h,sha256=DF8sZvX435wLllAp6uvpUTgms25HffE1cgKSdBKBqyI,901
+torch/include/ATen/ops/max_pool1d_native.h,sha256=K9SYP17EbLP2H-YJhAQy0CCUIfrroEPAy3TvU45RqjA,624
+torch/include/ATen/ops/max_pool1d_ops.h,sha256=IaVQuU1IJoH79YHPQSh61HMXNZh2p2uIkfun9wNnsjs,1390
+torch/include/ATen/ops/max_pool1d_with_indices.h,sha256=jkIGa1zT2SVrE6kP9Yod4BjSoPoqfcBW5Qhd48-zslw,1009
+torch/include/ATen/ops/max_pool1d_with_indices_compositeimplicitautograd_dispatch.h,sha256=C5kjki9wDdSlniaafgHM70uAptXDB_N20LU7ujYF9cw,939
+torch/include/ATen/ops/max_pool1d_with_indices_native.h,sha256=wCHHr9NgcOarsVWxTpJTeuAr3-Y-7CQ_SJ52z7RyceU,662
+torch/include/ATen/ops/max_pool1d_with_indices_ops.h,sha256=l9lpdn_WGW7-QbnyCBNjgMgks9I3jY3n6-Cem8GI7Gw,1514
+torch/include/ATen/ops/max_pool2d.h,sha256=1UR7drXElbeGyRXkvFnzC5cDBi6s3yhnCjiHaugHMmM,922
+torch/include/ATen/ops/max_pool2d_backward.h,sha256=z9Qu79WSHLWN6UxomaqJ8Sv_Mr-RIKUivY54bxlHrKo,2170
+torch/include/ATen/ops/max_pool2d_backward_compositeexplicitautograd_dispatch.h,sha256=gQ7VUKhB527wOR2LVRrxQM5Y5FcwZ3J2TUYAlEZp1Uk,1210
+torch/include/ATen/ops/max_pool2d_backward_native.h,sha256=aKz3H4YmnmDCSk1TRoaNP8eT3zoq1dIxwRyaBHbZUyg,676
+torch/include/ATen/ops/max_pool2d_backward_ops.h,sha256=hRuw2V8glUrERNgIpPruhr7-lTtN38FsSF-1j-skkYA,2698
+torch/include/ATen/ops/max_pool2d_compositeimplicitautograd_dispatch.h,sha256=9Gok7VNwNIHmV2NfC7fxifz_nFTTucD4vMQUNfmQhvM,901
+torch/include/ATen/ops/max_pool2d_native.h,sha256=q1axMLXfKeSHGSSVH7CCKdWFftCisnz9XT9_hN2kOu8,624
+torch/include/ATen/ops/max_pool2d_ops.h,sha256=TJL_UqQ1qY-3PAbqKF7O9O-340YvTUyH1hIydqpGGLA,1390
+torch/include/ATen/ops/max_pool2d_with_indices.h,sha256=71R_3rDTuXpTDzo5YPmJMxPMBbwEqxaPgxh8oBgtrcI,2234
+torch/include/ATen/ops/max_pool2d_with_indices_backward.h,sha256=UBscMPb3ZptVYuPCo3Yjnf4SEIyiLc1nxVy9akCofbY,2464
+torch/include/ATen/ops/max_pool2d_with_indices_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=nGoahet0rfcevcKyuG56TOJh6cIRgbh8noXxmSrw-Ek,996
+torch/include/ATen/ops/max_pool2d_with_indices_backward_cpu_dispatch.h,sha256=lUEzB6hWsVCiLjqc2ll4C9r2p1XouZeYqe3v7tMIS48,1509
+torch/include/ATen/ops/max_pool2d_with_indices_backward_cuda_dispatch.h,sha256=HJxfFJ6ALfEI2gXa0su2rFCB8IXMNqi54YGvoAmX94c,1511
+torch/include/ATen/ops/max_pool2d_with_indices_backward_meta.h,sha256=Dp0sI-dD9gYTuTkJsSyHhvREbT7abi99KfCB9_wKhQ8,792
+torch/include/ATen/ops/max_pool2d_with_indices_backward_meta_dispatch.h,sha256=u7b6dIwWfdxARQwo_3GP-bJxQgDH_MEQWdpsYt-6bu8,1511
+torch/include/ATen/ops/max_pool2d_with_indices_backward_native.h,sha256=Q4U4dMPNSJ9eyFaKuhg55Ymo1gQGl25U6mKPAkAVq0w,1261
+torch/include/ATen/ops/max_pool2d_with_indices_backward_ops.h,sha256=eGx6YAGwHAlEjZFRIzOVOTuGtkI3mxjRqMQKVROrfRM,2976
+torch/include/ATen/ops/max_pool2d_with_indices_compositeexplicitautogradnonfunctional_dispatch.h,sha256=T5MFgLSN2CrBL-ec8cVQC8n0L0qV6_6lIL8JHVbLw2w,965
+torch/include/ATen/ops/max_pool2d_with_indices_cpu_dispatch.h,sha256=Ya8HebugKpVAxZwvxzenIVbhwld-JK6gpP5SszUp3ZI,1437
+torch/include/ATen/ops/max_pool2d_with_indices_cuda_dispatch.h,sha256=g86F4IdJFFVnwVQeWiIqaTyjZ8GY4AeMEtII0CHrSHM,1439
+torch/include/ATen/ops/max_pool2d_with_indices_meta.h,sha256=B9xRpKvNdLLblw-C5CIjdRZtul16DaDbunEbHGv5hFI,723
+torch/include/ATen/ops/max_pool2d_with_indices_meta_dispatch.h,sha256=HUVhgX_v6sL4iuzPQXLee1LS1dUNlJR2ji6ZRWv6xrk,1439
+torch/include/ATen/ops/max_pool2d_with_indices_native.h,sha256=vLMlmtNjZHOkk-thDSpxr-LMzqYbHsFjKZIuCqcejuI,1138
+torch/include/ATen/ops/max_pool2d_with_indices_ops.h,sha256=ekOCHSnFYYomUdjFGsWjCNSPp9-r6ARbWRbazrkIm5k,2772
+torch/include/ATen/ops/max_pool3d.h,sha256=qMN8U_DnosTErLdkrMQVSmskLSeJ07yLWkZwL3kxUfg,922
+torch/include/ATen/ops/max_pool3d_compositeimplicitautograd_dispatch.h,sha256=-59HnY2XbtqxV1pnx0diBuSVITVyeCxnyC7aXE4EdbY,901
+torch/include/ATen/ops/max_pool3d_native.h,sha256=M8IVUvDK6Oa1iLyUL7rKRSUHnwVwxlQc-6YTBFj-4z4,624
+torch/include/ATen/ops/max_pool3d_ops.h,sha256=7POoAsMi3CxO7SBq2_HyYPOlUjTcWaXquonyVeQZWZA,1390
+torch/include/ATen/ops/max_pool3d_with_indices.h,sha256=IHsezZi8dB34FOGpRk4ZIcCvvYq75V6OFFJZ7AW0OLc,2234
+torch/include/ATen/ops/max_pool3d_with_indices_backward.h,sha256=fRQRuKFyZtLAKQymanxFdTNiwf7Gp_0StTHeq3xx-bw,2464
+torch/include/ATen/ops/max_pool3d_with_indices_backward_cpu_dispatch.h,sha256=g9T7v0y6tUwzCVFeSiL0L_Ywsst0ZrfoUUsI2VGvySs,1509
+torch/include/ATen/ops/max_pool3d_with_indices_backward_cuda_dispatch.h,sha256=1UkC4-ToPZ3ZYtuEBAHRlALZ8H2s5SyqGCBXiGOUhzE,1511
+torch/include/ATen/ops/max_pool3d_with_indices_backward_native.h,sha256=jvefMOHGWRSd-q5wYrX-ayMcNsKa40WKkhSrQplwz6M,1553
+torch/include/ATen/ops/max_pool3d_with_indices_backward_ops.h,sha256=Q1JrCcH49teFT6dnxRo0fQvDI9SV44BHCk9tjJc3Lp0,2976
+torch/include/ATen/ops/max_pool3d_with_indices_cpu_dispatch.h,sha256=__GTLWy5DSpJjFbjGsNAPx-mnand2rtIgx15Wtkhb3U,1437
+torch/include/ATen/ops/max_pool3d_with_indices_cuda_dispatch.h,sha256=OJxVUg2NawWQ4mCgbx1rIbonSR8zDFxGhUjMNLj-Mz4,1439
+torch/include/ATen/ops/max_pool3d_with_indices_native.h,sha256=3dVB2iJDD3DFIDSBMbOLgTpVHi6yrwWWWzmeqRsa4Js,1437
+torch/include/ATen/ops/max_pool3d_with_indices_ops.h,sha256=_DhxaSBbJFcioUiE1cvVTzIcAWY5TAzt_ozxLSTktDg,2772
+torch/include/ATen/ops/max_unpool2d.h,sha256=fJDWWBRxicpQ0DvsfozF5I4MO9Vf1bBqX1Rx2ZVNL0Y,4451
+torch/include/ATen/ops/max_unpool2d_cpu_dispatch.h,sha256=Y5vJM3pG_qThEErm0kGhNUrm8P-Ge6qzeUmcQBSqBPU,1499
+torch/include/ATen/ops/max_unpool2d_cuda_dispatch.h,sha256=6LLpeLQzJQAJZJ5s5AavwziNRro5QpO9tfD6x1vsTfI,1501
+torch/include/ATen/ops/max_unpool2d_native.h,sha256=XSqRSX9E5-dP8r4e3eF00aYaSFtOfjAD3HyLueRiZbs,1011
+torch/include/ATen/ops/max_unpool2d_ops.h,sha256=nPR0-D7Re1VsYXg7C8vAjTNabMxMMFGx8tYnk4qlp7w,2030
+torch/include/ATen/ops/max_unpool3d.h,sha256=itV8m6SBD9riJUuaFIB134KUJAa-AKSIYe2-RzpHjTM,5429
+torch/include/ATen/ops/max_unpool3d_cpu_dispatch.h,sha256=11aqKZqsA1BaSqbM3qVgxe9XcL_9vRKaBut5vDSe3BU,1793
+torch/include/ATen/ops/max_unpool3d_cuda_dispatch.h,sha256=2uB5CE8MsqGfIDFNyJJqZbiNF0TCahD8LRMihrfp0ss,1795
+torch/include/ATen/ops/max_unpool3d_native.h,sha256=LderDFqMLZrTHdJ3kfT3oR3d5XNq3lDhZwyijMVDQkQ,1207
+torch/include/ATen/ops/max_unpool3d_ops.h,sha256=NoGj2d00USQl2MmgubCN_gqh-EolJlFVwpJ1mWSeglU,2356
+torch/include/ATen/ops/maximum.h,sha256=7Ke_xLoCo3pQjkjMCyVwgSoRfdvA8V0KdKz1ZdL7F-k,1166
+torch/include/ATen/ops/maximum_compositeexplicitautogradnonfunctional_dispatch.h,sha256=KKg9KPUCB80Lh0emHI4KNMDobeFWnyINTReOsZvw2xA,817
+torch/include/ATen/ops/maximum_cpu_dispatch.h,sha256=pghd81gWcT09b45l264XaXdvV3mSfUF84JYwWnaAHxg,958
+torch/include/ATen/ops/maximum_cuda_dispatch.h,sha256=pCVRIvSNume8t8k3N5X5A5M0xNpES1rttjbHt2oRRhE,960
+torch/include/ATen/ops/maximum_meta.h,sha256=K6mQS2kuy6YnrEIGCPz3DvtpPzp9Xl7gp38AjomiiaQ,613
+torch/include/ATen/ops/maximum_meta_dispatch.h,sha256=TgoZmCVzVoAgMXUROk3C0u_VY05zZEaKtscRbBKdfuU,960
+torch/include/ATen/ops/maximum_native.h,sha256=D9y5v143VDYBpw82MCqiX0xOPPOcwK4hP3oX1QP8_ro,636
+torch/include/ATen/ops/maximum_ops.h,sha256=x4MX1aRx-EfJg2MnxTS3rHfxAKSIhaaGSCpHJneHjVY,1768
+torch/include/ATen/ops/mean.h,sha256=7fzYZpZ-E6s0Pe8h9QxA-gDzNF88dTPzb2zmMzLyx3w,2806
+torch/include/ATen/ops/mean_compositeexplicitautograd_dispatch.h,sha256=vW-cFy-7XffKULYSa9WHgvhcFgnEi3FgBeYW3rt0O1M,816
+torch/include/ATen/ops/mean_compositeexplicitautogradnonfunctional_dispatch.h,sha256=aBpLpmX5708xJwl7qGYgng7t63c6kl4wNvaGN8dbJZA,891
+torch/include/ATen/ops/mean_compositeimplicitautograd_dispatch.h,sha256=ABeBA4kFpoZKvGeYdgPZVVSBVsA-bPMmKefFmUi2rzs,1179
+torch/include/ATen/ops/mean_cpu_dispatch.h,sha256=nTfWuFfm77cbn2Ab2mMn9AEHjYJV0jCSuvsFZ4dhECk,1159
+torch/include/ATen/ops/mean_cuda_dispatch.h,sha256=XPF9oKhY5yDoY0zvm8aWZitgcwu7SFIiZjEZXeQzMtw,1161
+torch/include/ATen/ops/mean_meta.h,sha256=Lm9zK8CD0qEF1GTaQzpRnj608Tn3KgGhnvwB1ZWE-8U,670
+torch/include/ATen/ops/mean_meta_dispatch.h,sha256=VWWAmyrXaEdg5Wi6ILslojWoKHuOxy1sF7ZTo_-5fUM,1161
+torch/include/ATen/ops/mean_native.h,sha256=Tbxw_MDoYh0od8iTv0KkXNCU1N_uEpO5dUGjoh8yysQ,1431
+torch/include/ATen/ops/mean_ops.h,sha256=caNE-RS2ZrXeiMEb3zeIhFJpMHNoUxhldki24Afw2JI,4549
+torch/include/ATen/ops/median.h,sha256=nugEt1bEcMDcpxL0HXy2othf7nR_rlfRtdnSllu1vmQ,3205
+torch/include/ATen/ops/median_compositeexplicitautograd_dispatch.h,sha256=NI0DRVMls9CQcIbk7ZQ9aIyTQBGyH1tB2oeC1ziWrpM,979
+torch/include/ATen/ops/median_compositeimplicitautograd_dispatch.h,sha256=kbnqBK7nzMdcrHhSDEYuNSbPJYiFqjAP747i5KtJ6yo,1155
+torch/include/ATen/ops/median_cpu_dispatch.h,sha256=L9rNNPcB-6eB5fPltEpOErlmdMbh2-K3aAKRlL5ntY4,1041
+torch/include/ATen/ops/median_cuda_dispatch.h,sha256=0U0DKCxKT3UjzwPSci0N0NA4TsV1FanDeUgidYpIeX8,1043
+torch/include/ATen/ops/median_native.h,sha256=65xEUKVsZD_TcSPAEROnv72CJb-ZIbEesEm2utUgZrI,1340
+torch/include/ATen/ops/median_ops.h,sha256=zBT7BqRAchc9Ww6N8G10SsmNAa1SukDWepOo3U62-Ok,5020
+torch/include/ATen/ops/meshgrid.h,sha256=utZtMssSucK2UA6ol1ojoKLqJSU-L0SuCFgGSj5ab88,894
+torch/include/ATen/ops/meshgrid_compositeimplicitautograd_dispatch.h,sha256=ZZdjr_0aAYZNtcE6hrK2wFBtY36i7QDkC9xzT4EwUOs,877
+torch/include/ATen/ops/meshgrid_native.h,sha256=Jw_MQuag9MN_Yi6SksDi443CtuPuBPZWtivWh55vda0,600
+torch/include/ATen/ops/meshgrid_ops.h,sha256=qYCmBNIlUabpgJl9MHEfsKdYkQ9fw47ZMUidJFDpOYs,1719
+torch/include/ATen/ops/min.h,sha256=eqa2ya_OtnKmZP0y9XGhLdwwX348SH7FM3ut59Ef_xQ,3784
+torch/include/ATen/ops/min_compositeexplicitautogradnonfunctional_dispatch.h,sha256=yZeiTF6DsejCuRMy90M7JEKF6ALrLVcp2Y1ChwFQyeQ,845
+torch/include/ATen/ops/min_compositeimplicitautograd_dispatch.h,sha256=MidFFlx8c5xpQi5Q7NNr9uG5kRFdwZNIxt7Ih6ukiBc,1428
+torch/include/ATen/ops/min_cpu_dispatch.h,sha256=bwBX5JE-M14njzn3lPfKH0JkPMeeGTKK-KRg-dyMA_o,1294
+torch/include/ATen/ops/min_cuda_dispatch.h,sha256=WquZLCzonaMeDRYUoJcgPkBio_4OTVxYA8tvYyCotV4,1296
+torch/include/ATen/ops/min_meta.h,sha256=A5VVmQvyVD6DPpfMSqCcLEP5Q0KwcEwM_84ibx1KFpk,1088
+torch/include/ATen/ops/min_meta_dispatch.h,sha256=0HbzU5-UhAgkLA2z8SoxdY9Uqfn9hHPCuMTAkPb40Js,1094
+torch/include/ATen/ops/min_native.h,sha256=pMwXMdtfJ3O7DynS8qEGDBWWyWHWbBjgtmkrGvAZh14,1509
+torch/include/ATen/ops/min_ops.h,sha256=mUO06dj96YHhGsZ8iDSw1JEnC6VY3Eqk6kAio8_XdTg,6299
+torch/include/ATen/ops/minimum.h,sha256=_hFyULaGH6RmJn6bFBbRvH7KmfmRpxPHWdBXsZdH6OQ,1166
+torch/include/ATen/ops/minimum_compositeexplicitautogradnonfunctional_dispatch.h,sha256=YViqkkU8aBEPsqtU_CIBn-IDUAhDTq46ZjK-zYOUfaU,817
+torch/include/ATen/ops/minimum_cpu_dispatch.h,sha256=YzBtN9UsGh6bYXNsxasIRHfnXj_vLVVGNEktglm5IG8,958
+torch/include/ATen/ops/minimum_cuda_dispatch.h,sha256=wA2E_-db0grMPAZSH-jE9xFzvjMZmIwqYgOTqNZFtYY,960
+torch/include/ATen/ops/minimum_meta.h,sha256=x3COf4GRN8MDOGAmLNrSTjWTpqnIQgNkpquNqGVPpDY,613
+torch/include/ATen/ops/minimum_meta_dispatch.h,sha256=ON8t_0TuLWdomudwTRnfRJlsj8fmkQE_Cw93feLpaVc,960
+torch/include/ATen/ops/minimum_native.h,sha256=z6hW33YzQSuOFcldm3Y8sq0Anpj6GLxjaf-GGGkRCiw,636
+torch/include/ATen/ops/minimum_ops.h,sha256=lD8cLnHL4tWVKLBZeYvpQObDM5CKT4oEzrJkRH8fe3M,1768
+torch/include/ATen/ops/miopen_batch_norm.h,sha256=89_-hmnvZxj-yNJU8wDnjVosFZe6j_ghVZSs14PW3qE,2868
+torch/include/ATen/ops/miopen_batch_norm_backward.h,sha256=Dr49vESYKf0JhhqXZBHI3weUmS8WldPOdRzwUhLU8Uo,3009
+torch/include/ATen/ops/miopen_batch_norm_backward_compositeexplicitautograd_dispatch.h,sha256=JxlFLR6Rc8BFPvx9BGXEObWIjcnhrg_FBPecnVl_oWM,1601
+torch/include/ATen/ops/miopen_batch_norm_backward_cuda_dispatch.h,sha256=Rlczt86wXFdYbH7wgF50wPzJ8s-mO_qpbcbhjxU22g8,1046
+torch/include/ATen/ops/miopen_batch_norm_backward_native.h,sha256=15Th7EiaHXl07jMmAxLe4WZ3JEv7e6kSl556mumuueI,1256
+torch/include/ATen/ops/miopen_batch_norm_backward_ops.h,sha256=c8joUkb4g4YF3xW9cqOTsjNpNqXVLC4GqEqHq86Q-5w,3849
+torch/include/ATen/ops/miopen_batch_norm_compositeexplicitautograd_dispatch.h,sha256=QOW02ZhPLJhOigLkHEovbOFjTy9OxXyfXoDxwj7s-bA,1517
+torch/include/ATen/ops/miopen_batch_norm_cuda_dispatch.h,sha256=kuuLPvx5GxN6ZeIiLUc5unI7_f9sJ7_TdLl_wJNzMJo,1004
+torch/include/ATen/ops/miopen_batch_norm_native.h,sha256=5Z2VMQUHRiD268pGufOgJ8ChsU-EvUuNAna_z2-dado,1172
+torch/include/ATen/ops/miopen_batch_norm_ops.h,sha256=xbFOHr-L3xYGBF0O_Ilo5CqiQfstOZLPRePqccAV6C4,3589
+torch/include/ATen/ops/miopen_convolution.h,sha256=8O57b4oTbBcRgWtycrwmg4M1_Tx__v_-9OlWX2l5urQ,7895
+torch/include/ATen/ops/miopen_convolution_add_relu.h,sha256=Ts4wX1vouY2Gqnd-oBnkPIXGA4Vjg2OQqKpAmQi6TME,2970
+torch/include/ATen/ops/miopen_convolution_add_relu_cuda_dispatch.h,sha256=WByDFmsltt6dKiDT1VUL2fFksVCrTST_QcwsFpeieTw,1291
+torch/include/ATen/ops/miopen_convolution_add_relu_native.h,sha256=M8oIdQWhumLG6vGUjhKR2TUh_ErLiDbUsSLi7Ih6UJ0,733
+torch/include/ATen/ops/miopen_convolution_add_relu_ops.h,sha256=WKcg0dgT0MYfsQi80z5gevTgjOJoTcGO_OVGU0fhYa0,1825
+torch/include/ATen/ops/miopen_convolution_compositeexplicitautograd_dispatch.h,sha256=-4S46dpFOTXpePCHBmzbCCq2wq1ghUGYgoyjE_7JoOM,1902
+torch/include/ATen/ops/miopen_convolution_cuda_dispatch.h,sha256=02O5i3A_if7s_Fv78C3ckYm9QPeVbqOuBJh1U2FF-CA,1215
+torch/include/ATen/ops/miopen_convolution_native.h,sha256=wAb4ZiyJGB-BPTXhAFfVgRG3FHg7WtrOlhz5TgC830Q,1004
+torch/include/ATen/ops/miopen_convolution_ops.h,sha256=DdK5CVjeysXz52fYDYH8zI8xM3EObsCeEL72Uf-Ha7s,3068
+torch/include/ATen/ops/miopen_convolution_relu.h,sha256=ZY04H_jAQ68sHbMfgS_pXWQ6HZWnC5tSIbqtZ80Tq3Q,2576
+torch/include/ATen/ops/miopen_convolution_relu_cuda_dispatch.h,sha256=FSik3rtgRJ-Me1H_ANYNVwXpqi1Oyr4mrq1kHoUB7eI,1153
+torch/include/ATen/ops/miopen_convolution_relu_native.h,sha256=CKIQ4FP4ZLaseHaQtG8Q1XWuQEhDOt-y-Kxz3p5_rXc,664
+torch/include/ATen/ops/miopen_convolution_relu_ops.h,sha256=Igi03_gJtilN2E5LLhsSlVXXzr0HgabfSEsmQbTWe54,1601
+torch/include/ATen/ops/miopen_convolution_transpose.h,sha256=FONEFWna4gZdaPc5fGMIafV1MUALfbFZ5AAVKspKl2Q,9111
+torch/include/ATen/ops/miopen_convolution_transpose_compositeexplicitautograd_dispatch.h,sha256=LX_c1SgDN7RzNScXmKs-IDy6M1mwuUWzhAhgYetauPg,2078
+torch/include/ATen/ops/miopen_convolution_transpose_cuda_dispatch.h,sha256=U8WL0Lz3w0gCD8nRqVeFgQHNf1YGgyhsKqcnSYXUWiM,1303
+torch/include/ATen/ops/miopen_convolution_transpose_native.h,sha256=bwKJKUwFfRezvrdpTCEn9D80Vzxp9ja_Yw5Lpzh-_8g,1092
+torch/include/ATen/ops/miopen_convolution_transpose_ops.h,sha256=SsYg6Oxshi6OsQQOgXrQ8wsuDnvgiB_dfPPVVd_6A38,3364
+torch/include/ATen/ops/miopen_depthwise_convolution.h,sha256=6lLa_hb-W0Iz01kDs7KPRgehr_0jZh5SVqFSdgphQbg,8205
+torch/include/ATen/ops/miopen_depthwise_convolution_compositeexplicitautograd_dispatch.h,sha256=g3ORML6JzFIG_p0SjOUy-NINmoxguxdjw2dxkofV07o,1942
+torch/include/ATen/ops/miopen_depthwise_convolution_cuda_dispatch.h,sha256=fK8uNmj48AMrrDQxIAlZj-ELGxLW7kPjesuSMy-Hij0,1235
+torch/include/ATen/ops/miopen_depthwise_convolution_native.h,sha256=kR9KvErpMH5-K6l_ivMTbp4-xdu3hKOw97R0JvxYSBg,1024
+torch/include/ATen/ops/miopen_depthwise_convolution_ops.h,sha256=E3dawVU-qcSnKqk9R7WvYkEsIQ64ikC8K8X4VZ56HBE,3128
+torch/include/ATen/ops/miopen_rnn.h,sha256=n98BmcPCkaLPHHCQJ4-ji8mI6F2USbec13XPwI8ta6s,3698
+torch/include/ATen/ops/miopen_rnn_backward.h,sha256=0slAt2DkD04VPOMcixQLa3Wj0_R8TU7oY2wDfh0lcZ4,4820
+torch/include/ATen/ops/miopen_rnn_backward_compositeexplicitautograd_dispatch.h,sha256=DoZX3-aSQa8CHtsoESjLPpYzPO6_irXA_RjSqHmYFaU,2139
+torch/include/ATen/ops/miopen_rnn_backward_cuda_dispatch.h,sha256=FCIJgaXJX-iBcR0tmAHnlsDW03YtbB6mu1JeXOioifo,1368
+torch/include/ATen/ops/miopen_rnn_backward_native.h,sha256=R1V0h5517G-SXgaFtVOU8kjTXUXXXZeUM6MmXLhUtSY,1847
+torch/include/ATen/ops/miopen_rnn_backward_ops.h,sha256=eCYGedYsSrtWIx6wdRLZJVr6Uqz60kh4g1SEDVK_L8Q,5790
+torch/include/ATen/ops/miopen_rnn_compositeexplicitautograd_dispatch.h,sha256=AZkOJx4e9F-gnHlwUMX0DjjD52gF-dDixuhXd6J3pQo,1785
+torch/include/ATen/ops/miopen_rnn_cuda_dispatch.h,sha256=gNYIOz6OzeJ7Bk3s8TYVEfGPIiOj8Rbovomg_y3A8lE,1096
+torch/include/ATen/ops/miopen_rnn_native.h,sha256=fgtWChkYICx1hFLdc6lJLgRTS-IEF5kdhxMZ_qUe-ZA,1398
+torch/include/ATen/ops/miopen_rnn_ops.h,sha256=bhenzqNihiClePY8tQjYXLy-Hhg5-5wz4O9-cLoTJEw,4397
+torch/include/ATen/ops/mish.h,sha256=pJ2rlCbKVVF8KcYESqjjgduvYLoMq4EXxcIjIt1RMYs,1131
+torch/include/ATen/ops/mish_backward.h,sha256=GOejsGHxrNTmZBbow1LEDXZWsJkUgdk_6-JVxyRl4iE,718
+torch/include/ATen/ops/mish_backward_compositeimplicitautograd_dispatch.h,sha256=sjaTqkPtn8DYRK9BKg9UdQ-Pu9GTC0NgTu0uVNeGBnA,803
+torch/include/ATen/ops/mish_backward_cpu_dispatch.h,sha256=bVODwoS__2M4DEA_Z5QYO7Jdt2SVPfeb3Xfcv1eA5Mc,759
+torch/include/ATen/ops/mish_backward_cuda_dispatch.h,sha256=Uo5MdmBtQwvTo5hwt7vR75_8sb45kGSDq1zwlu8Bchg,761
+torch/include/ATen/ops/mish_backward_native.h,sha256=rKv2-vjjj15ugGt7Dog6WiglUi5yxxYXITfZKPgWrn8,624
+torch/include/ATen/ops/mish_backward_ops.h,sha256=CiaJGTnakc88W9OcdMhQt1CSCPmzcq7_Q3yn_vUDy9A,1092
+torch/include/ATen/ops/mish_compositeexplicitautogradnonfunctional_dispatch.h,sha256=-ibYHDLqaY7uQmXRTpdWzBAAxQrERiQrEcAjj9nF2RQ,837
+torch/include/ATen/ops/mish_cpu_dispatch.h,sha256=7BfOMpIf3X27mStmRGBSwHo2RA2XvgeaDWlXbq9pM18,920
+torch/include/ATen/ops/mish_cuda_dispatch.h,sha256=69PawBuyzCIlcHgrkYXJ8MJy9u2tX34s-2t4L2GrKqg,922
+torch/include/ATen/ops/mish_meta.h,sha256=MSZwIP6rYZETuqK4ce-1DdJn-0utVO0WDfAhvX9gAKA,584
+torch/include/ATen/ops/mish_meta_dispatch.h,sha256=rRObNDUNIDNKE-iNn6tbPuUQfKlnY6AzeawySBqpyM0,922
+torch/include/ATen/ops/mish_native.h,sha256=ekPdX1wp6YLUhDbl4VB8g3-gV_0KNS9njx-bcvcNq2Y,601
+torch/include/ATen/ops/mish_ops.h,sha256=SJxR-qNzaH9nyJcPk91k4BoEwm1hZvHvpfUR636guUg,2104
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d.h,sha256=mu624J2wxzSKEtWwNHlV2_987wAI8zJZCH3JugNOWjk,1401
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_backward.h,sha256=1-XULF-QU4PvMNPZtpkL6CZIm_3TV5OBbd18ok6n1fo,1500
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_backward_compositeexplicitautograd_dispatch.h,sha256=5IQtgzY_LduH3bknIOPNrIMWisl0hzHNYMmEqbl0Ez8,989
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_backward_native.h,sha256=NwNzCfBHCR_N7DSwO1cxEUuJ1FFLf1-HWShPW42eJTM,687
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_backward_ops.h,sha256=BbTbGgk3Cnjx6Ag1Cj2ei9qYrQjB-Gc4cELpv598afA,1972
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_native.h,sha256=mN-A78rhPo7kGmXcasDF0Xnrzu4gZuYEpr7cDVqpLHY,663
+torch/include/ATen/ops/mkldnn_adaptive_avg_pool2d_ops.h,sha256=LhPVQSJ_EE5Fq4T0I5uMdArBLw6z3XvUaWo4ECYN-Ss,1900
+torch/include/ATen/ops/mkldnn_convolution.h,sha256=i0HGkCnYmaANaiMSu8BW9E4FQJWZp-Ka1zGzXFeIgGY,6935
+torch/include/ATen/ops/mkldnn_convolution_compositeexplicitautograd_dispatch.h,sha256=piK087UHd6MJ0P7djf_Xt6iQTqzic0eZCfLK5aGEMNc,2233
+torch/include/ATen/ops/mkldnn_convolution_native.h,sha256=k85d9ZX26F94V5ib1-SILBIn7vLaVnZe_XNe6IdznOE,932
+torch/include/ATen/ops/mkldnn_convolution_ops.h,sha256=y_RDRDSf-O94XAGH9PHNJW9rTmvXPA3Lx7pcs21xvBc,2828
+torch/include/ATen/ops/mkldnn_linear.h,sha256=zzWgGygF0YyuMpbLl14tVnY6CVJOMFn8o_2ruD-dGa8,1442
+torch/include/ATen/ops/mkldnn_linear_backward.h,sha256=xKg-xgltJ82VXxx0lK2H7sYSds4GU5VFr0WuSzxgl3Y,2084
+torch/include/ATen/ops/mkldnn_linear_backward_compositeexplicitautograd_dispatch.h,sha256=HshatuKdCbXJUkH0Damx9mGbmpzm8aYW3k3CoUYFlfM,1243
+torch/include/ATen/ops/mkldnn_linear_backward_input.h,sha256=imFKDSUiYxg3pYNoZxeOfzIqdCpddYqfJTqUAl5aTRA,1622
+torch/include/ATen/ops/mkldnn_linear_backward_input_compositeexplicitautograd_dispatch.h,sha256=ainUrq6BsTfIX39oQ8UGaPZlfWaK48biV7tPwkaShrU,1035
+torch/include/ATen/ops/mkldnn_linear_backward_input_native.h,sha256=AtUXqZGx4PpbwnOw-qVF_WcbxDAI1Xk-6d9cld20XZU,733
+torch/include/ATen/ops/mkldnn_linear_backward_input_ops.h,sha256=3ifjr6daMbmx8EY3bP5H1mt8Hqbi_lRYSRveAogT9VQ,2124
+torch/include/ATen/ops/mkldnn_linear_backward_native.h,sha256=flSGfpgRinw5iJnt5iVAOu1VsUjS-9a3nAWzPRty0VU,898
+torch/include/ATen/ops/mkldnn_linear_backward_ops.h,sha256=4Ld0BUmPNHbhaq2xV6UjrNHLHs1hcWFR4Tct49nT390,2707
+torch/include/ATen/ops/mkldnn_linear_backward_weights.h,sha256=uu42o9QHi_cuRty544UTYVlFunnVF66HQH5V9KWD2ng,1972
+torch/include/ATen/ops/mkldnn_linear_backward_weights_compositeexplicitautograd_dispatch.h,sha256=QM2v61b9EY6_DmLygIrYv-_Z1TA3vtUND8tGSSPNX7g,1167
+torch/include/ATen/ops/mkldnn_linear_backward_weights_native.h,sha256=Rq8cX1D3pDeil5k7zU5ODvKVzGGSIEnPBuYkGFeHtM0,843
+torch/include/ATen/ops/mkldnn_linear_backward_weights_ops.h,sha256=c8pLIlW5bY3erY2oJGyDHKGQca6bzIAlnc2i_aem_Ms,2504
+torch/include/ATen/ops/mkldnn_linear_compositeexplicitautograd_dispatch.h,sha256=lovBTNun6J6izRmXS05Zi98LB9_iwUTC9G7vG-E4OC0,1022
+torch/include/ATen/ops/mkldnn_linear_native.h,sha256=6EtzLkRihk6Rm5uyVtE0PGlW8GcyJYnSuqueU_zmP-o,720
+torch/include/ATen/ops/mkldnn_linear_ops.h,sha256=ic9hxwdqEBpeo2zD3rRzT6ODSzDD3RpcVl4lba3daJw,2090
+torch/include/ATen/ops/mkldnn_max_pool2d.h,sha256=Y3o1tIJQ4cROR7Hr7nP9Uyp0aCkOvgSQd9AkYHD2rw0,1955
+torch/include/ATen/ops/mkldnn_max_pool2d_backward.h,sha256=QRdYJmSeYTzxhsFHDkZZJzGjklwwl-LmdYhXPph5aRQ,2399
+torch/include/ATen/ops/mkldnn_max_pool2d_backward_compositeexplicitautograd_dispatch.h,sha256=W-GHd_uDPgGgJb61UDO_Nuqhz3Lb7r6bZW3FB1nin5k,1280
+torch/include/ATen/ops/mkldnn_max_pool2d_backward_native.h,sha256=yIpwHUmFOj5M9AOjm_m8RRH51v5MaXjEs4cfMieBEVc,978
+torch/include/ATen/ops/mkldnn_max_pool2d_backward_ops.h,sha256=ftIlILpJzN8Fiy0iY7LcB_Zqt8zsujm8vaAaviKpyB4,2924
+torch/include/ATen/ops/mkldnn_max_pool2d_compositeexplicitautograd_dispatch.h,sha256=x-gDfK5YQ3KscofGu6LGMvKk14n3qVtujJBva6zMxtA,1142
+torch/include/ATen/ops/mkldnn_max_pool2d_native.h,sha256=69s_rIcXYc5A5xZlHTJdg9IxmB-xL3MGb10BVz1CMOA,840
+torch/include/ATen/ops/mkldnn_max_pool2d_ops.h,sha256=X1Lwu3roEeGxWERJkzZ-0QiIxW0CCaEIv0qdx1nkqcU,2478
+torch/include/ATen/ops/mkldnn_max_pool3d.h,sha256=lsQi8ygfFJsz9ob2A8KJf8rpcNjkK47qWp_60nMYNkE,1955
+torch/include/ATen/ops/mkldnn_max_pool3d_backward.h,sha256=gEEHsg68L9ZPCU8ifrnxz6EDPORP9miaMW9uNYLYRpI,2399
+torch/include/ATen/ops/mkldnn_max_pool3d_backward_compositeexplicitautograd_dispatch.h,sha256=NOEZKZcef2UHL6jClsc_pGcwyO2riRVc85F2CRRvwmM,1280
+torch/include/ATen/ops/mkldnn_max_pool3d_backward_native.h,sha256=h5xlPnYh0LHpGCwJrAavkg72cE4JJJILx8CStg8thqk,978
+torch/include/ATen/ops/mkldnn_max_pool3d_backward_ops.h,sha256=-lDEFPmslwX3RswE3c6kGkIbvzYac0fLY-ywsH9Jkn0,2924
+torch/include/ATen/ops/mkldnn_max_pool3d_compositeexplicitautograd_dispatch.h,sha256=vIDea-OnUwC_IdUQMpnlBLJn-rILWfhT3pD8ObMkaQw,1142
+torch/include/ATen/ops/mkldnn_max_pool3d_native.h,sha256=IKEmEQ9J9zA0jeAdHq_ZwVhRGqUs-lwjCQCJHGDeH5I,840
+torch/include/ATen/ops/mkldnn_max_pool3d_ops.h,sha256=LojQwe1_TkuAaBMLYhD9aPYYl9n6-i8UAVrLKHmhjTo,2478
+torch/include/ATen/ops/mkldnn_reorder_conv2d_weight.h,sha256=mfsTTbGXzfVrETzgUoa8mjdrBoBHBeODxqyX_RQJsxg,7783
+torch/include/ATen/ops/mkldnn_reorder_conv2d_weight_compositeexplicitautograd_dispatch.h,sha256=fgyhpMgWFHPAMhx6gaAz02pPpt7cl9tuylBjZFKKcEs,1757
+torch/include/ATen/ops/mkldnn_reorder_conv2d_weight_native.h,sha256=yu7MGoiIWt1dOVHTM__M3YNEUCFfKSgLEyi9rDLZWZY,912
+torch/include/ATen/ops/mkldnn_reorder_conv2d_weight_ops.h,sha256=kA3pqTcN2W_V4I5n4TeSdmSdmWTgP5FAEnzxtsf3ecY,2728
+torch/include/ATen/ops/mkldnn_reorder_conv3d_weight.h,sha256=4X63h25MrAym0EckkCCUoeGbsU7LB7Z0yjEEXYmLGqY,7783
+torch/include/ATen/ops/mkldnn_reorder_conv3d_weight_compositeexplicitautograd_dispatch.h,sha256=1R4plubq8sLg-asv5Io_EWN4ujIO-uuBo4s1QVrjM3Y,1757
+torch/include/ATen/ops/mkldnn_reorder_conv3d_weight_native.h,sha256=0Yq1JRBPLWZ25p7B5f43CXarqWrIov6sWb0K8pIl-bo,912
+torch/include/ATen/ops/mkldnn_reorder_conv3d_weight_ops.h,sha256=a_AMsntNoG5WVKVXrtKtkIDsLxjbdtqp7lmdms-dxhg,2728
+torch/include/ATen/ops/mkldnn_rnn_layer.h,sha256=OpEz2OSwCi0Vv_kLedfTyhd2GQfrCmIcLC4WQTZBvNM,3743
+torch/include/ATen/ops/mkldnn_rnn_layer_backward.h,sha256=Q_ax8a1vYyVuAl6yrIS06tuX7mf-JeREIpMuA5r6LoA,5567
+torch/include/ATen/ops/mkldnn_rnn_layer_backward_compositeexplicitautograd_dispatch.h,sha256=Zu4XQF3m3DvK0R9cXwXodiY7v60EiZxatzC5IlY1OyE,2465
+torch/include/ATen/ops/mkldnn_rnn_layer_backward_cpu_dispatch.h,sha256=UwF_W-oM6nMCFphzm_6fzRJvw0OnTmKeSTyMIwrHxiY,1392
+torch/include/ATen/ops/mkldnn_rnn_layer_backward_native.h,sha256=q0W86laWn3xRJQ5q76GpSqwoCyeboZ7kXew89oksKWk,2036
+torch/include/ATen/ops/mkldnn_rnn_layer_backward_ops.h,sha256=89I_z7JUJcc0G8_0-JOKbuE7a-BZWsLobybNT0uQhL4,6517
+torch/include/ATen/ops/mkldnn_rnn_layer_compositeexplicitautograd_dispatch.h,sha256=9hMvweCvF-PAgR_aQ75FP-yAhd6xz7llMQZBjpGBkUg,1761
+torch/include/ATen/ops/mkldnn_rnn_layer_cpu_dispatch.h,sha256=EcOtf3uG9B90tGTX9B2nlGegs2YcfWx6XOYcuOaaHfg,1103
+torch/include/ATen/ops/mkldnn_rnn_layer_native.h,sha256=wRDaoz2K6tZYNGLuYZFMYNL1j-YbuQ6Z_JrDo-qCWLc,1395
+torch/include/ATen/ops/mkldnn_rnn_layer_ops.h,sha256=jr5Hb6gxc_UWwoYzEwWY8miUZ3PqImbq1euvHz7R3QQ,4380
+torch/include/ATen/ops/mm.h,sha256=dtqQN5DohyiSlZ_7bLjEsyEYFljlNPULsjGVNzTedKs,1107
+torch/include/ATen/ops/mm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ReNeYLeW2Oo6wzkTDXZ4WYv2FThtaA1Lh1D3--tv8DY,811
+torch/include/ATen/ops/mm_cpu_dispatch.h,sha256=5PdBe8AGnCEzTroRbrpiF7CZ-W8_9SA9Y-0XcQaCA2E,940
+torch/include/ATen/ops/mm_cuda_dispatch.h,sha256=X4dZ27WGvRRncGVUsFNOB6GPpXRRZG6BCm_ZCtZtJmM,942
+torch/include/ATen/ops/mm_meta.h,sha256=EZEPRUjaIpYSSM8Lj41LridwOeOMwXRIftpO86zWRO8,607
+torch/include/ATen/ops/mm_meta_dispatch.h,sha256=jYXxC7gP-lJ6pE0E6clafVELaW7DDAbWShDhX_l7hsk,942
+torch/include/ATen/ops/mm_native.h,sha256=BjipXeM5i508nMKsc0VVa-t9LJRuvu02ezRn-I52QvY,1175
+torch/include/ATen/ops/mm_ops.h,sha256=srs1mZNgRBHVV9cmYIvAfozeGYYKORZyhF6-T_ZJPnU,1732
+torch/include/ATen/ops/mode.h,sha256=F6fMnjrlVbpP6aYSG7H7QSq11-PrMGZq8getp544rgA,2609
+torch/include/ATen/ops/mode_compositeexplicitautograd_dispatch.h,sha256=yVjw9RBIyefmqmqCh4IwYpVi-ZDfiWk1VhlndK54bm8,1030
+torch/include/ATen/ops/mode_compositeimplicitautograd_dispatch.h,sha256=2cjpJiDxzaczkC3bcy-FxnFkC-rp__vLee7UyN4BAY0,1149
+torch/include/ATen/ops/mode_cpu_dispatch.h,sha256=LXChVP5tLSI6szhpdOuxZ0SkCf9o2Hvu-brMglWFvIA,779
+torch/include/ATen/ops/mode_cuda_dispatch.h,sha256=kVBHurRgXiDpsiIHkEE3vzPMd1dTBH3YJgw2pqCHPsE,781
+torch/include/ATen/ops/mode_native.h,sha256=ILNWCfu6axPcl2Ve9HVsIatkUvL2kt4Yma2DeI3bsYg,974
+torch/include/ATen/ops/mode_ops.h,sha256=LKWYW2ElfwHMAUuNppEqYi9Jqx9Xrc2wsI89WT3-LYU,3802
+torch/include/ATen/ops/moveaxis.h,sha256=UAoobVr2Jmrv12t9S9ZLAUMPGBgQ7vvmbiy_fgDfDzY,1004
+torch/include/ATen/ops/moveaxis_compositeimplicitautograd_dispatch.h,sha256=63FIf4CY-v2SiJFepjN4hutOjXSIXSkyinG5xgS37U8,912
+torch/include/ATen/ops/moveaxis_native.h,sha256=BJBzdfqEVA_FsY1U5ophzzZj3Ynrf5otyiSR3XOhrD4,635
+torch/include/ATen/ops/moveaxis_ops.h,sha256=SRVhVvlvH5GkF5cM8-OCCUS0xNTses5yaTjb6XxgRGk,1852
+torch/include/ATen/ops/movedim.h,sha256=rlrmgxeyTe_Gq1xVHKNjyi_9N3DhcdfrVkyG5-7sd68,997
+torch/include/ATen/ops/movedim_compositeimplicitautograd_dispatch.h,sha256=wB-0aaLseyYN1YOEQCyKxxsx2pJJ1UbPqDm2Jcb4z08,910
+torch/include/ATen/ops/movedim_native.h,sha256=dVtebM6BClrYn3ByyE9jf7c5YidxUIg_b_cyPOX7rrY,633
+torch/include/ATen/ops/movedim_ops.h,sha256=O5BpI4KFlJfMsU0Cjxw49pE5Qv9dZGXRXaXMQwSe_uI,1846
+torch/include/ATen/ops/mps_convolution_backward.h,sha256=Lq1M2tAj0MNi-WAVdCLFDzZZbhUb5AkNDh08y4Ou_hU,8971
+torch/include/ATen/ops/mps_convolution_backward_compositeexplicitautograd_dispatch.h,sha256=Ll7yey86REXlxLuN7b7LmdCESa3p4zstiVMjtCQoNPs,2194
+torch/include/ATen/ops/mps_convolution_backward_native.h,sha256=5GJiEmgnREVo3CaHn1RL7fXrIcpQYX_G-hoFy68bJ2w,815
+torch/include/ATen/ops/mps_convolution_backward_ops.h,sha256=H4EUHaQCFcZGP7fwOsOL0vXP19-3YIgTcaGU4ywIxIk,3437
+torch/include/ATen/ops/mps_convolution_transpose_backward.h,sha256=VdM_cs6qVk6Nto9I5u_7A5XW4TKqZrTuQ7-X-fpgb6k,9707
+torch/include/ATen/ops/mps_convolution_transpose_backward_compositeexplicitautograd_dispatch.h,sha256=6kAymuyRJtQ6yai2CYT_r2udh2LSas9MTt0d_5WrhyU,2242
+torch/include/ATen/ops/mps_convolution_transpose_backward_native.h,sha256=_U7bC_WDQ-WXr2UluDMYMTxyKAERD0pMpEH66kmYee4,829
+torch/include/ATen/ops/mps_convolution_transpose_backward_ops.h,sha256=XS9wqMIg3yA-784TKbZfoRYIV9uLSNxcsDLd1w13XeA,3572
+torch/include/ATen/ops/mse_loss.h,sha256=ggdcRaW8isPUHWRg7FHEmlES9xHlfxIECxn9w12pQP0,1375
+torch/include/ATen/ops/mse_loss_backward.h,sha256=_umnffHaKP_8NL8vLL_yowkdxtEIBCUawWFXwK1gcFE,1675
+torch/include/ATen/ops/mse_loss_backward_cpu_dispatch.h,sha256=prsBkiByBVplwQwpPL6rcwkuHJQHzFumxoqWe86wMc0,1158
+torch/include/ATen/ops/mse_loss_backward_cuda_dispatch.h,sha256=k260nCwJOwDhqtC2PHfTluBlqWSBKxqaZlKYZJgGi60,1160
+torch/include/ATen/ops/mse_loss_backward_native.h,sha256=frKMQ3EP-w6e6ZyKLig13rpfX15_By9Ey984GCYDfIA,750
+torch/include/ATen/ops/mse_loss_backward_ops.h,sha256=SlQZDPEX5VzryZk49GGx0iUXtdmwirk4PmaHUoARWBg,2208
+torch/include/ATen/ops/mse_loss_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wzoVe5Ba0jGdHzrYtqkpLp8aK3DJDDJqAKMtmzPLsAQ,858
+torch/include/ATen/ops/mse_loss_cpu_dispatch.h,sha256=6ZVxCEppchCoCnWGbfhNpNQwIKv8_WEDpyJCCC3fo04,1061
+torch/include/ATen/ops/mse_loss_cuda_dispatch.h,sha256=ZP4HTD0MG8FfGl5OWy4IvOHhrMqswu_wusCfAr46I0M,1063
+torch/include/ATen/ops/mse_loss_meta.h,sha256=35ABDesnff7x6OWUQCoGTEzOa1GeQY_sKjH1H7D0t00,634
+torch/include/ATen/ops/mse_loss_meta_dispatch.h,sha256=wH6I1oRvOpI6RSnxkIYkyHoJ_yKFXX6x0KkFS-xjm2w,1063
+torch/include/ATen/ops/mse_loss_native.h,sha256=wrYXz-paj7J4OVqGR_Ymhu9BYT-im-XTsY-Vg4n7yVw,659
+torch/include/ATen/ops/mse_loss_ops.h,sha256=fQdczsZdhJvPgw1dAQ5lfKr3md9A8x9oMNqFWBM_Dqo,1914
+torch/include/ATen/ops/msort.h,sha256=ctwivNWgQRqeT_SEzHjTWOCs4CQQYrsJTtSL-xHmS-I,1005
+torch/include/ATen/ops/msort_compositeimplicitautograd_dispatch.h,sha256=9Az46MGiuCu0enLjDsr61JyiCbNcoXskzCDxdmUzFPQ,918
+torch/include/ATen/ops/msort_native.h,sha256=o8skUvp37Uw2hvJSo6D7Q_R-Q4HSxjfZp9PqOZa_dqo,563
+torch/include/ATen/ops/msort_ops.h,sha256=wOoWbvh4-M_Q_Gy08oyCwaHat7q5m2kEC3WsvaEtc9Q,1584
+torch/include/ATen/ops/mul.h,sha256=cwHnxU_gSl894P59hT34QmA6UzgQD3qXF9yhgDnzgaM,1821
+torch/include/ATen/ops/mul_compositeexplicitautograd_dispatch.h,sha256=jEUDiEx5YLIIzB2n7F1C1JR2DKu7kyBX5uWh544STWE,1064
+torch/include/ATen/ops/mul_compositeexplicitautogradnonfunctional_dispatch.h,sha256=4Cxk7Qbusyzq3Hj-wvG6lPHkKlk3JaLhvl-wUboT-6Q,887
+torch/include/ATen/ops/mul_cpu_dispatch.h,sha256=PubA9Dmbd9biBychi74OR_taVAhP4Q3D4ZDxDunh6rM,1020
+torch/include/ATen/ops/mul_cuda_dispatch.h,sha256=pT_BMvqChXy5ih3nf4V4aCxMoanv2ZYdM6maN7r329I,1022
+torch/include/ATen/ops/mul_meta.h,sha256=lOel4A0LHABbK1NM0eNI89WGlQqYh_JlIciWGkPDe8g,616
+torch/include/ATen/ops/mul_meta_dispatch.h,sha256=uCHg0P3BoO1Mf07_NsrUU6c4DNnPnqubU3drOWzbFmA,1022
+torch/include/ATen/ops/mul_native.h,sha256=wEDxiQF1Syyf-OCelwXtI38X5C6y801QhLyTXhmNnKA,2495
+torch/include/ATen/ops/mul_ops.h,sha256=e8IgaZ1oeV65OcMsll93oPzMVupN_SvADoWy-BjUYFw,4373
+torch/include/ATen/ops/multi_margin_loss.h,sha256=obPOXDsgVnvGczr8w_jgOgXOCi84uRoK3yP72gU8uZI,1965
+torch/include/ATen/ops/multi_margin_loss_backward.h,sha256=tZ95B4HYgAsAPjfp5v4KsnA857ri58VHm2PEmmOTZmw,2300
+torch/include/ATen/ops/multi_margin_loss_backward_cpu_dispatch.h,sha256=D4hzTedMU_p7kBUWseq_-AyvTEJKQtLON0WQjk2BZ-g,1510
+torch/include/ATen/ops/multi_margin_loss_backward_cuda_dispatch.h,sha256=uU06661kXvpnsKC-nW7f2W7_ORSrGSvRtrSdBOWPu54,1512
+torch/include/ATen/ops/multi_margin_loss_backward_native.h,sha256=7XtajqVlJ7sUlpNf3DkMr5m5I9vmgsjkXLBdJ4ZAivw,1539
+torch/include/ATen/ops/multi_margin_loss_backward_ops.h,sha256=iYCs-lzshQ3OWmR6R1zsU_XiBblJKOaKgZRWQ5TRrGQ,2890
+torch/include/ATen/ops/multi_margin_loss_cpu_dispatch.h,sha256=8vuVp8lt6jZPRGs7hbdKkT4bw5iJNgzBmMLIvDGqiEM,1381
+torch/include/ATen/ops/multi_margin_loss_cuda_dispatch.h,sha256=TiESz-gnu-pXt_8srOmrP3_UHWMwwzFlbESgCDG6PJY,1383
+torch/include/ATen/ops/multi_margin_loss_native.h,sha256=CNA6aUpzhZG3ND8MIPFV6YPP8Dx9zDywOC-yqm-PfLg,1369
+torch/include/ATen/ops/multi_margin_loss_ops.h,sha256=nd-XrNDLXV_uxIA5JIKDgaPC1FxloVS7t5nurxYNzvc,2594
+torch/include/ATen/ops/multilabel_margin_loss.h,sha256=LAWNSk4WqAs-hysOCYA0eSgoRYWJprwsIeFJOpVSvDU,1515
+torch/include/ATen/ops/multilabel_margin_loss_backward.h,sha256=kWwMxN9NnqG5P4SzvnW511EhWqOPC7Ll19FJiPHh350,1992
+torch/include/ATen/ops/multilabel_margin_loss_backward_cpu_dispatch.h,sha256=tHGtNMwj4_hMZc0iYfI7pKc4V6v-lC6d-0PYQFpDDZ0,1290
+torch/include/ATen/ops/multilabel_margin_loss_backward_cuda_dispatch.h,sha256=ztcKAbtClLZTFmf40Wi17o-_h9tf_QBy4YqAZwMMJXQ,1292
+torch/include/ATen/ops/multilabel_margin_loss_backward_native.h,sha256=A2Bqw2ZPGfwkcvLmM_2612bW8bTiQU8hwSNGkv-R3FU,1261
+torch/include/ATen/ops/multilabel_margin_loss_backward_ops.h,sha256=B4zb_qlzKgCZ0kCSn_0fH6D9JeQoDO51M12VAOPLJ1w,2488
+torch/include/ATen/ops/multilabel_margin_loss_compositeimplicitautograd_dispatch.h,sha256=78u8wCES5KDdQni7yL6CIWml732XLYsgeNZg2IMJSKE,1147
+torch/include/ATen/ops/multilabel_margin_loss_forward.h,sha256=AajW7gxw-SB7pSSVoL13_BN4-sHznrHGWDSexUYFDi0,1818
+torch/include/ATen/ops/multilabel_margin_loss_forward_cpu_dispatch.h,sha256=IpM-D4rJyMjV8vt8vfaBPyFlimLBp2m15_nPOkyZXnQ,1220
+torch/include/ATen/ops/multilabel_margin_loss_forward_cuda_dispatch.h,sha256=bkrgCtg7hYcRFM2agOfQYADEZhNcLVHNTPfGsakARDs,1222
+torch/include/ATen/ops/multilabel_margin_loss_forward_native.h,sha256=oewx9-CKnSRAf3KSfYVZlXIqTnY9sOAFXiW_itpFUQw,1153
+torch/include/ATen/ops/multilabel_margin_loss_forward_ops.h,sha256=WVwNb5emXeoLlciYv3_PO4FQScE0urrR1kzaDUrT3pc,2335
+torch/include/ATen/ops/multilabel_margin_loss_native.h,sha256=0OcZo2A3kejPNZBOMs2eFcPSH6ry3s13HK6wkS-a2iU,709
+torch/include/ATen/ops/multilabel_margin_loss_ops.h,sha256=MOgt5N9h_Ee1r6fJ2Sg0jDdDxDdWkXsktGXcdHdcRXo,1998
+torch/include/ATen/ops/multinomial.h,sha256=4A2VhJURVcRtNQvSxc9LXMtKwI8l8hglxCRMHrFjuw0,1668
+torch/include/ATen/ops/multinomial_cpu_dispatch.h,sha256=ik0cox1asfL1OESuXNB_mh8LbXhMI6qA7F8vqTfXmVk,1177
+torch/include/ATen/ops/multinomial_cuda_dispatch.h,sha256=3N07AgY_-zIcfbQbq62c_nDRB5WFdLowZiKHEOXnqL4,1179
+torch/include/ATen/ops/multinomial_native.h,sha256=CCxRbKnFlHJAZUlzHiR5dTj5Ib-iP3d3JZAFcdaGX_o,758
+torch/include/ATen/ops/multinomial_ops.h,sha256=QXLTkQZeqRWoD4yh6ed4TZ0-QIwPWU4HCdapJb0qRfM,2177
+torch/include/ATen/ops/multiply.h,sha256=7z0Rwwl0snxCHGRlsGl56XPWw-zUFFZVJJckw4NbhBo,1392
+torch/include/ATen/ops/multiply_compositeimplicitautograd_dispatch.h,sha256=JVc8j_zycpTTwTEds50BsZk3ARMCKnO18xq-tEkdv54,1245
+torch/include/ATen/ops/multiply_native.h,sha256=Jy0v6CP2CWc_yw3FvBFjcVgmUeBZxnVOSwElNkluCco,861
+torch/include/ATen/ops/multiply_ops.h,sha256=VPBhsE70bMMKo0rDVs3M5V4vW_B3PI7DA5AKUnVOm8Q,3727
+torch/include/ATen/ops/mv.h,sha256=qY-shBP8be_1fv7fWjKYvWEA8My3I02NMRqhShDp_ZU,1098
+torch/include/ATen/ops/mv_compositeexplicitautograd_dispatch.h,sha256=lZCLFGCvxrwdhMImb-9WFpCfholt8zwix1JHc7p0zpM,981
+torch/include/ATen/ops/mv_native.h,sha256=BXjKKrFYWen2CZ7gLmCC5QnyZZ2gzorRfclNCx3Es8U,686
+torch/include/ATen/ops/mv_ops.h,sha256=hQx3m0t08zLcaCbrEk6oUYpsVY-r0-G1gxwd9rR5244,1726
+torch/include/ATen/ops/mvlgamma.h,sha256=mcdTJczeNihO9hrTRVyDqvLVKUlk9XbcujYb7zpa_jg,1098
+torch/include/ATen/ops/mvlgamma_compositeexplicitautograd_dispatch.h,sha256=JfMNo-T0tAdZIlt_AK8532RSvdJJGCepN6YkG2d0x5M,841
+torch/include/ATen/ops/mvlgamma_cpu_dispatch.h,sha256=U5q_MQLMvwJRvK2Ri2oEtfv4kN_ov_y97lZJpsnzeGM,849
+torch/include/ATen/ops/mvlgamma_cuda_dispatch.h,sha256=WYb2MIECUwJWCGovItVl7YXftKqjv9t6dJO0_FlVO50,851
+torch/include/ATen/ops/mvlgamma_native.h,sha256=Q3DSO_4cNNjAvAwC_wQlEPss45PVHrrp51qXdoHZljc,655
+torch/include/ATen/ops/mvlgamma_ops.h,sha256=LWS38cGI49Sl2FninwLjUXay-LOuN9RzZU25DJMWS60,2254
+torch/include/ATen/ops/nan_to_num.h,sha256=DTeTtgwy7uAy0hRVue_9F2FWL1r7krzendootFK1img,2028
+torch/include/ATen/ops/nan_to_num_compositeexplicitautograd_dispatch.h,sha256=qRnI0waPAW2bdK9ORwqlvbuFtFsmUsllFi9lojo0opk,1099
+torch/include/ATen/ops/nan_to_num_cpu_dispatch.h,sha256=WEmxvQzCzYLv0JwlKsDSotUe4yRXZD5qCpSyKJsyAdo,1062
+torch/include/ATen/ops/nan_to_num_cuda_dispatch.h,sha256=DQvGmtTbZhliEt2htxmzLujaQPB94uFrSYxEt4_0ygA,1064
+torch/include/ATen/ops/nan_to_num_native.h,sha256=mpzs6_WzUOZq_jgH1GO5w8o8WdKLmCf-2Q4vQuL2bFs,1582
+torch/include/ATen/ops/nan_to_num_ops.h,sha256=5H8WkUx5xL0kUfo3Ml03GahjMjCoXZQPnOcS75kuSLQ,3112
+torch/include/ATen/ops/nanmean.h,sha256=TmX4qapelHGW6pujyJRMG2kG-_Ybl89mG1a8wol-huc,1595
+torch/include/ATen/ops/nanmean_compositeimplicitautograd_dispatch.h,sha256=04JYzJ8PWiHknDx6jHgh6T2Ty5WV3XWat-6Mnu6awrg,1242
+torch/include/ATen/ops/nanmean_native.h,sha256=i8A2kXcmyz50_HoM9DqPtY11kqHrUmW3EJJypo5SveQ,767
+torch/include/ATen/ops/nanmean_ops.h,sha256=BOMv6omsNdypm1D9gjjfJSjf8uoLlRYQj_Xg2riwHaY,2179
+torch/include/ATen/ops/nanmedian.h,sha256=pBULn7XN4074CUVV6dxjJ6XAKPaPCqirhWAffRoYV88,3289
+torch/include/ATen/ops/nanmedian_compositeexplicitautograd_dispatch.h,sha256=iIxLfSVV3FxrCFhK7FTSjyloybUN700orv8HItOEahE,988
+torch/include/ATen/ops/nanmedian_compositeimplicitautograd_dispatch.h,sha256=8Nh-81uGIeKupoirioYUEH5S_nhKBNsg7M5fW4gCOAU,1164
+torch/include/ATen/ops/nanmedian_cpu_dispatch.h,sha256=vctDDPRonNKcbe-RGaJdAXaLXgT1SVMUZbnQqFEswRc,1050
+torch/include/ATen/ops/nanmedian_cuda_dispatch.h,sha256=5JLcRz9B0xyLsNGWQ5xz19kPG3XqYS8Hh7pXNK5dZ-g,1052
+torch/include/ATen/ops/nanmedian_native.h,sha256=viyu1HdlOLcIf_zuoPKFZcSiXJ5lpT12r-7sOgTUfwI,1364
+torch/include/ATen/ops/nanmedian_ops.h,sha256=jDVyWJLG6uFFzRlG647ZjHUuO-nNaL2hEJ2r3WfcEvs,5074
+torch/include/ATen/ops/nanquantile.h,sha256=zbe03ntX1QqdlPMcmffX0JY0rQVU3nAPfE_89kcnlVo,2982
+torch/include/ATen/ops/nanquantile_compositeimplicitautograd_dispatch.h,sha256=bkAXVMQhD5eyhizwkif64Yj2P14qDFb_a0uqIyzsscE,1834
+torch/include/ATen/ops/nanquantile_native.h,sha256=grzzMM-dn8kfJ20JTcGQZY8wdIcXZBMpkZ-3LCa6mxE,1145
+torch/include/ATen/ops/nanquantile_ops.h,sha256=av9-DLOPJyEhyp5trNUjs1YpMNPPi_Wal6iTBYFH9io,4135
+torch/include/ATen/ops/nansum.h,sha256=1mw0BDuV_kU0zADB_cEhi2Bj634aW3ZcFLn_xE9kmgY,1585
+torch/include/ATen/ops/nansum_cpu_dispatch.h,sha256=SVSAfgp_ZW9QRsF9qba6bg4iGZDf6RW-gQjHKVdQdcE,1195
+torch/include/ATen/ops/nansum_cuda_dispatch.h,sha256=jZ2aklnXDePzOxP7A_8QpkolPJAq1ZR3ffppN92Airo,1197
+torch/include/ATen/ops/nansum_native.h,sha256=yBB9leecXR4mr7U6wEI7PYt080c4Z0d8J_arku1P9hY,765
+torch/include/ATen/ops/nansum_ops.h,sha256=AgRmnGVTA4AXs05wTxWl05mJjpWK9UzpXlPV-4glXXU,2173
+torch/include/ATen/ops/narrow.h,sha256=KJa3Sg7szdzj-pfgzdPU-URkJVOBYYyNYucd9WNhFSU,2646
+torch/include/ATen/ops/narrow_compositeimplicitautograd_dispatch.h,sha256=oyEHgOR4sIWBFraHk2R3t_-9LN5NDaWKPrvv2n1MKs0,1150
+torch/include/ATen/ops/narrow_copy.h,sha256=bGaNMsqXIDRxdTxu4_1HtrKakrsaTYZ4ypXcX0jb6_E,4102
+torch/include/ATen/ops/narrow_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WD9km1plJ9m4iDKP7zllGw1kkhGoi-LvksHuHsin80s,957
+torch/include/ATen/ops/narrow_copy_cpu_dispatch.h,sha256=aqWzrVAs2JtXkKTv_2XcpCfdu_emEKYGz-4tNVZK5aU,1427
+torch/include/ATen/ops/narrow_copy_native.h,sha256=kTADY47GgTLuy1XcA7H2gAQT0XRltFAeTFt_3ARtQI0,917
+torch/include/ATen/ops/narrow_copy_ops.h,sha256=1k6vOgk6bD7_QhmgdQziCCPWe4CDjqG8_gBbNpypcak,1974
+torch/include/ATen/ops/narrow_native.h,sha256=Gdo7rPz4VGEQQgFEg-d6K5m9RQO9creCU4L3l9WXyWY,793
+torch/include/ATen/ops/narrow_ops.h,sha256=vCERx00f6FfuVPZDDDK7cDWGj3QtkYf_RNudQSlcW_0,1907
+torch/include/ATen/ops/native_batch_norm.h,sha256=JthDo1QsN8CpPAWU-ntb0t8VsUIWGx7LYo3RXHhW5fQ,2790
+torch/include/ATen/ops/native_batch_norm_backward.h,sha256=1Wy8w6Xu_sX7k-CUNkD2WH-g2V7C_ZJe6c6HGsh2VWM,3324
+torch/include/ATen/ops/native_batch_norm_backward_compositeexplicitautograd_dispatch.h,sha256=42oFXxwUu-kBJ7cbhaobVxtu75bduf1QUlP7PrqOaVE,1719
+torch/include/ATen/ops/native_batch_norm_backward_cpu_dispatch.h,sha256=v_D1ZtMiTAyb5imNTgl9bA4_TlDWQbEDVtWZr8QQv6c,1103
+torch/include/ATen/ops/native_batch_norm_backward_cuda_dispatch.h,sha256=3NtZvdoJ5JbcKG2IZIyWCjxokt7DHjoL9yPEingr7hg,1105
+torch/include/ATen/ops/native_batch_norm_backward_native.h,sha256=VAWzt44LcVtdd5nIdAWZaofgp1e4irghwFhtbb0Js3M,2243
+torch/include/ATen/ops/native_batch_norm_backward_ops.h,sha256=PK5sh7ZMudKbIDn3xGdNGz_PoFDa6iuasDdJAfQOp6w,4235
+torch/include/ATen/ops/native_batch_norm_cpu_dispatch.h,sha256=e8-Xy26Rr8zJoo99L_DVfeO3BHYDZ_aBnjpRhrm_1wI,1816
+torch/include/ATen/ops/native_batch_norm_cuda_dispatch.h,sha256=wMYs2QM3mdRTTtygh1PGNL0LDMKy3fjvg-_QwhbTDLQ,1818
+torch/include/ATen/ops/native_batch_norm_native.h,sha256=e7fQcuoqX8ZJirJVaMMRjBicuDTNrG6EgwvvXUaFgVY,2234
+torch/include/ATen/ops/native_batch_norm_ops.h,sha256=tzH7mgw0kntc55e14b2q2YWvkQcU1f_yDCXV3oALUns,3594
+torch/include/ATen/ops/native_channel_shuffle.h,sha256=ZlzS8-eg76q0XYju5SS6g6Yu-izZ3AURIux0257Cl4Y,1479
+torch/include/ATen/ops/native_channel_shuffle_compositeimplicitautograd_dispatch.h,sha256=EgPaeX8pigfObD21AIgI9rq7IDkJUv6WwUDBKAc9jkU,893
+torch/include/ATen/ops/native_channel_shuffle_cpu_dispatch.h,sha256=ckCrqMRnuAkwJBAZ84zT3YwRxbT9f57rj-nL0Zh8d84,849
+torch/include/ATen/ops/native_channel_shuffle_native.h,sha256=GOp-cNafRfKtGmc7ZFd7gO2f_9wf3w4C-vXW0cLIvRo,600
+torch/include/ATen/ops/native_channel_shuffle_ops.h,sha256=UHUquz5B_u-8FIO86QJLcXYJtixi7w52aDolEozIr-I,1083
+torch/include/ATen/ops/native_dropout.h,sha256=Q4rF7f6eiIVGFeW9S2GiWBeG-mp52PheHykcVoqZNx8,1524
+torch/include/ATen/ops/native_dropout_backward.h,sha256=hjuBK8_rHK0NzzaQIa3T2ZU40DlWuEkXKC5UlZN7pA8,1482
+torch/include/ATen/ops/native_dropout_backward_compositeexplicitautograd_dispatch.h,sha256=U7WG2d3WTPdD_N8R0MTlRKtxzRbvGDzB8sL21JqHo78,993
+torch/include/ATen/ops/native_dropout_backward_cpu_dispatch.h,sha256=1bORFhHM3PR9-gzAYkolIhplknpTrNFVzax0CauxA6k,783
+torch/include/ATen/ops/native_dropout_backward_cuda_dispatch.h,sha256=5rlBnKFiOAEU8mGr4Rw3f0Ao9Ort-GtWlnjpj0O06W8,785
+torch/include/ATen/ops/native_dropout_backward_native.h,sha256=EryR5mhHPT05a4aO9WBGTX_NEg7CM6zs9iPxbgD-dlE,813
+torch/include/ATen/ops/native_dropout_backward_ops.h,sha256=pckW5clCMbnqf3oqGzloY2tbRC_AqG0und88ERLdMfQ,1998
+torch/include/ATen/ops/native_dropout_compositeexplicitautograd_dispatch.h,sha256=r8mgD659kCKU0CtpPCHT4WZroimdndXrIqtVMyZOkbs,1057
+torch/include/ATen/ops/native_dropout_cpu_dispatch.h,sha256=J1t24v-8w8dvEu4pV9iOB-4RoPCySqWbFyqzfD5ilKk,793
+torch/include/ATen/ops/native_dropout_cuda_dispatch.h,sha256=DpRPEEbKAofktJkwzN2J2QCiD5Af1InDfYeCScpgj3Y,795
+torch/include/ATen/ops/native_dropout_native.h,sha256=IeofZGcI_zpUPRxvLwzRXNbJdF5s5i146XBPtIlpUCU,1003
+torch/include/ATen/ops/native_dropout_ops.h,sha256=aPmxBj2lRdcNyDRvbqs8yGASeXp9-0R0zZH6ulo9yb8,2158
+torch/include/ATen/ops/native_group_norm.h,sha256=fINERjzrTSJ8zTKRv5NBSRQw8ct6I8RK7p7Xug0pkos,7230
+torch/include/ATen/ops/native_group_norm_backward.h,sha256=0HY1aKsx49jk0wD7QqzS9K7s86yc0N4BQWMq-VtMy_I,8739
+torch/include/ATen/ops/native_group_norm_backward_compositeexplicitautograd_dispatch.h,sha256=nqzu8K6VcV76s_yBsCDsu71nDUCwD_vWV84GxDsHRgU,2290
+torch/include/ATen/ops/native_group_norm_backward_cpu_dispatch.h,sha256=9mxBLoL-qZ9rUwTbq3AlJGm_xWpLkaZWn7OiopFhhAY,1321
+torch/include/ATen/ops/native_group_norm_backward_cuda_dispatch.h,sha256=MMBHbLHY8UcUkIC4nz9URzC7xWnyOa7fl04eGWDDig8,1323
+torch/include/ATen/ops/native_group_norm_backward_native.h,sha256=56DK2wn99NaIQKyKXNYufZHorfDUtMcKX01BjtK5658,1155
+torch/include/ATen/ops/native_group_norm_backward_ops.h,sha256=zn7QETKOA4clKYCVe8QwowsDfNR9bP6NQEYgCxpdiuQ,3585
+torch/include/ATen/ops/native_group_norm_compositeexplicitautograd_dispatch.h,sha256=aZYvlIJKnIvFvQvG3Rys29fPQy4Raa5wUEycyHrL0VU,2537
+torch/include/ATen/ops/native_group_norm_cpu_dispatch.h,sha256=bjPQD0fL41trWIbDUhuWtUvtfKZC64RGh_K-w9YJyS4,1185
+torch/include/ATen/ops/native_group_norm_cuda_dispatch.h,sha256=A5FwbDVUfMmvw2DA6bbFJoW3r6zeIB_DAxm8rvRm_Os,1187
+torch/include/ATen/ops/native_group_norm_native.h,sha256=3ihCwfO3Y8qQtyayBkJzDeikY3uIPv1NECYQDpAfR94,1267
+torch/include/ATen/ops/native_group_norm_ops.h,sha256=aaZTC_kcFsM4TbmNHCJv8FB_NbBVfIp1LeQ9T5ltaQo,3143
+torch/include/ATen/ops/native_layer_norm.h,sha256=yM-864AHVZMov2QJcX3aUIsiES5TNjbf2Q2HyLIHX9g,7050
+torch/include/ATen/ops/native_layer_norm_backward.h,sha256=W7wA668N1x_Kdu6v0DGfBu1WI-z0clP5qdN9xsrA6RY,9219
+torch/include/ATen/ops/native_layer_norm_backward_compositeexplicitautograd_dispatch.h,sha256=I2r5ZdyaG2Zi7rvNOMUtCmcwFJVMnVXlXMovTKoJ0L4,2378
+torch/include/ATen/ops/native_layer_norm_backward_cpu_dispatch.h,sha256=_QfSUxGGVDe7zSG4gORp85X4oJxGRqeVLqAPGYRIF-U,1365
+torch/include/ATen/ops/native_layer_norm_backward_cuda_dispatch.h,sha256=Cd4QeMXRt6_XNiO1AKvY7dPyUYxkUUOoK_RR06iDn5w,1367
+torch/include/ATen/ops/native_layer_norm_backward_native.h,sha256=xQOP2FCu8Ox-_u7avqFIsXxAX-lN62aXGBN8ZXBGypw,1882
+torch/include/ATen/ops/native_layer_norm_backward_ops.h,sha256=Ox5VAkO1i8Up2ZAeMP-SgBCnybjKQ43A3OYWsZIzyO8,3673
+torch/include/ATen/ops/native_layer_norm_compositeexplicitautograd_dispatch.h,sha256=QZRBGWVDv2rf9DFooL3xqMEjiXPZLiiCbZtStWVptH0,2417
+torch/include/ATen/ops/native_layer_norm_cpu_dispatch.h,sha256=Zf-n_svH1weG8aJJNATHHEZBN5FRkjUvVil2-E7uOuE,1145
+torch/include/ATen/ops/native_layer_norm_cuda_dispatch.h,sha256=dr0btFvVGwjv2f5XIcegaZqeuFCxpkjVhbNl-oLr36c,1147
+torch/include/ATen/ops/native_layer_norm_native.h,sha256=CRM1bHEKsW52jA_IPMm91E9_amsfvduamrdbG0MPFtg,1681
+torch/include/ATen/ops/native_layer_norm_ops.h,sha256=RiMb8NBDTBowSvwQ3chu0XlwfcokvP-3KAQxoELkkig,2961
+torch/include/ATen/ops/native_norm.h,sha256=jyUdKBVB04sALlooA287pyEBQLQY3LFuqKEsy0kLCTo,2449
+torch/include/ATen/ops/native_norm_compositeexplicitautograd_dispatch.h,sha256=aqZLrU5I0-wzOTHeZLfIFlwUZoZj-HtqnJakjZduDxU,1316
+torch/include/ATen/ops/native_norm_native.h,sha256=xoKCCPCAo7feVv2omd0FWPa4NoMaQAu5bmUmSmFkV0g,1009
+torch/include/ATen/ops/native_norm_ops.h,sha256=KmiGTt4CtHwAQlnaxcqzf_tGND3Zx-iovLVssFsI_Yo,3827
+torch/include/ATen/ops/ne.h,sha256=fpiqwnRQwC1Yi5csDZSIQvAR6C80A6jWG4aJQ1Nt3LE,1830
+torch/include/ATen/ops/ne_compositeexplicitautogradnonfunctional_dispatch.h,sha256=0gw8iMctAjcy-Z2Hpb8eo75Imq53Z2GsmVOZPr-MxMw,1034
+torch/include/ATen/ops/ne_cpu_dispatch.h,sha256=wEEAkM1FWpUvaz-2utdvzOAnm3PnxBdiDy-w2om4mcM,1366
+torch/include/ATen/ops/ne_cuda_dispatch.h,sha256=BuZttwvEAMY1AsP0EBhQkXrIAVYH6qg3P8mZlygb_54,1368
+torch/include/ATen/ops/ne_meta.h,sha256=wZuCJy-XRjTyyiyyA9RZK8Si1joG8KqFJWD7pCjz3gQ,762
+torch/include/ATen/ops/ne_meta_dispatch.h,sha256=vSzkq-l9bjmE5jw-u4khf8OCCah1cgqc_kbXKer1jgk,1368
+torch/include/ATen/ops/ne_native.h,sha256=pyJ2GwLBlOuRdDPWOigNWagLNwr1CdUB4LpZcXyXOMo,1216
+torch/include/ATen/ops/ne_ops.h,sha256=5YSGYg4oDEihLkmaYRarv99DiE_RRWJuFSSKJnz8YgQ,4376
+torch/include/ATen/ops/neg.h,sha256=-0C0jROUjS6iSgbb3q2cceIGrYQUPgSzFk0otd2ouuU,1118
+torch/include/ATen/ops/neg_compositeexplicitautogradnonfunctional_dispatch.h,sha256=8fv7s5dGUs5sM86rIZTZGxgn7oHZU349Mjo2GeU0eTU,835
+torch/include/ATen/ops/neg_cpu_dispatch.h,sha256=7euY_fTbQvFB3hm2rbv6Kn2OVEqlrHIa3QRYsPJiydI,916
+torch/include/ATen/ops/neg_cuda_dispatch.h,sha256=-KZliKkCLs-5szk1vYJ-idRfUsS7Wlku3MNcCka20ss,918
+torch/include/ATen/ops/neg_meta.h,sha256=d7SVBHYwKJ9EFIFUCheTrsNX8QN0SqqT3Ce7N2g4oDY,583
+torch/include/ATen/ops/neg_meta_dispatch.h,sha256=VgpbxF9crPHGqcTksaTWQ2LO67i9nsHusQRU9HglkvI,918
+torch/include/ATen/ops/neg_native.h,sha256=1Uz-HKHVBEkHoAvmJGdSMKBdItqFQQn1-YAvVMqYnJk,1125
+torch/include/ATen/ops/neg_ops.h,sha256=1QVUSd3Pn893aqoKeka7kKF63Y6YHZ7_ROrrM245q1c,2095
+torch/include/ATen/ops/negative.h,sha256=V2OlYW3mdpsKtfKbAe5ajSh6r-KnWTnFjEvLHCRN7L4,1183
+torch/include/ATen/ops/negative_compositeimplicitautograd_dispatch.h,sha256=op-PvxB7IRQOY89z8hgzpEvBJt3HwmIwPOd9bEEtroI,980
+torch/include/ATen/ops/negative_native.h,sha256=yRV4tWMC6KsIHJZt4s4X5QXEVY24khgp9VH_8XBACTg,622
+torch/include/ATen/ops/negative_ops.h,sha256=qbjYNYiSeo5UO_2ABMcNGdWrsBk5BBtAj98Cnd_zK6c,2140
+torch/include/ATen/ops/nested_to_padded_tensor.h,sha256=ZUU_dZ2PZTj4f11BVZCOrxsLQ5216XDdx_Sj5hbdKNo,823
+torch/include/ATen/ops/nested_to_padded_tensor_compositeimplicitautograd_dispatch.h,sha256=6moNWBp6TyA5XkQGyx3md2g4RYuNi7qrh7Y-Oa_Oero,849
+torch/include/ATen/ops/nested_to_padded_tensor_native.h,sha256=MJ7YYrm5mtTp3_-kj_peCU_mVMNf4_c-s-2VM5Y_oEw,572
+torch/include/ATen/ops/nested_to_padded_tensor_ops.h,sha256=27rDY0mvy4gU9uZljB-YYQQaepawoazNn7mXFiN_9wU,1197
+torch/include/ATen/ops/new_empty.h,sha256=3no_ytughJET6VUupWE0nGOtfiiIj-srdF3rGCBd1kU,4363
+torch/include/ATen/ops/new_empty_compositeexplicitautograd_dispatch.h,sha256=TADXCha39FmaxQMON8wzlGAhCbhEJYak0QB6Sf5ehoc,1834
+torch/include/ATen/ops/new_empty_native.h,sha256=mPwnU4dEEu-wVX_vxw-LGatDPqTNe7fcoAsut1EtaCQ,794
+torch/include/ATen/ops/new_empty_ops.h,sha256=rsHOLjXIE-SbrQVoxyv773rD6FN4eKLHuDq-jdcmByw,2280
+torch/include/ATen/ops/new_empty_strided.h,sha256=RlfH0oWpEThjfl8npcB9ltclm14kFePtBcT6rjBm_q4,5227
+torch/include/ATen/ops/new_empty_strided_compositeexplicitautograd_dispatch.h,sha256=7gyzd5EWa-1GeI9YpgmpoldiMEepkEIHYDrNHVjJ-f4,1282
+torch/include/ATen/ops/new_empty_strided_compositeexplicitautogradnonfunctional_dispatch.h,sha256=i9MjY0gZlrR4Jylt_pRMZ1bz-f5iXPRqMgyDbXaa2Jc,1560
+torch/include/ATen/ops/new_empty_strided_native.h,sha256=PJZAF0KuZU8lfRnztSFPR6k07TBTrrSim9mJc8HL2Gw,866
+torch/include/ATen/ops/new_empty_strided_ops.h,sha256=v0DztbYHH1wIlVG6iDBrBwMw5IfrlZQNXmirE0giv2s,2516
+torch/include/ATen/ops/new_full.h,sha256=6-dLQy6ucC3VyOOaupZveaR83HOBURGCOtGBTBRNzTQ,4926
+torch/include/ATen/ops/new_full_compositeexplicitautograd_dispatch.h,sha256=nSzir5AGScE9p-_o4THWkEJdi3vlyaf23rLaDwjI3XE,2074
+torch/include/ATen/ops/new_full_native.h,sha256=dij23jwO5us2BQlwWBNnnRe27UAu-MP0OQ0UaAH6yWY,843
+torch/include/ATen/ops/new_full_ops.h,sha256=DXcufsbMFtHgGAMmUaVdSKV6gWu2sSl1fNB9-w3CT1Q,2476
+torch/include/ATen/ops/new_ones.h,sha256=1Kcol-UcySJP0Z6X7a5JP8Vv4xLFvKDolDH678n4wkU,4334
+torch/include/ATen/ops/new_ones_compositeexplicitautograd_dispatch.h,sha256=Nf-FJ3K6dyK4crObgMCA1BcWNRFlMy1PoRLC4wyNew8,1826
+torch/include/ATen/ops/new_ones_native.h,sha256=0bMgwYCsatc0HcNy9nDvAtt787_qJB8UAZ9rXh2ev3o,781
+torch/include/ATen/ops/new_ones_ops.h,sha256=LP-GxhKbrdMgA9k0fhVcW7K8_Z8AzbLop6Aqa6zajVw,2274
+torch/include/ATen/ops/new_zeros.h,sha256=rdmVUinaQfkQQUOsVUaJuMSSA4UM-WJREqDgjYzuLQE,4363
+torch/include/ATen/ops/new_zeros_compositeexplicitautograd_dispatch.h,sha256=UmRw1md59ZR00A3Tna8yD5EKFS7WsyJmOM8VrRbqtng,1834
+torch/include/ATen/ops/new_zeros_native.h,sha256=_9rYZ0BTJj4myeCnAolQh5RiyHSXTKpOTJ6N1LnesK0,783
+torch/include/ATen/ops/new_zeros_ops.h,sha256=h-BS7xOEw__Uyz1I1tyUb90mVngAT2jsW6xgzxBYocw,2280
+torch/include/ATen/ops/nextafter.h,sha256=hZx5yNDKA9uBNtUSCLVGPXgsaSUFnZm_7i9MqVOSKGk,1186
+torch/include/ATen/ops/nextafter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=vYK-Z3NDwBdNmqQX2vSsLBYvoEUs2XpRPveolkEZ9zA,899
+torch/include/ATen/ops/nextafter_cpu_dispatch.h,sha256=LYp7ltIrRJEYMPKE4dN3jbWCdjlbTM_aPbAnUJLpNkY,1044
+torch/include/ATen/ops/nextafter_cuda_dispatch.h,sha256=Lxj1Z4o1WtYT5iVDG6-b24VrV6WA51-NZ3BKSPLakhY,1046
+torch/include/ATen/ops/nextafter_meta.h,sha256=t0QmuWgkVBzRdoBm5vpynrvJQaHqbgAw5BdOEdLkLkY,615
+torch/include/ATen/ops/nextafter_meta_dispatch.h,sha256=F9PSZdrbwfFI0LlwM3o8PVIPd9HDsZ136TQ8SOSQe14,1046
+torch/include/ATen/ops/nextafter_native.h,sha256=r5DLeBUqHqNfxLNADYFpzmwhkTSpxhQKwiFQS0ZHbO4,642
+torch/include/ATen/ops/nextafter_ops.h,sha256=Kt_ZbcIpQsNnCIr_OGVunSjIr0y2H9QlGswmFqjE79I,2407
+torch/include/ATen/ops/nll_loss.h,sha256=KtiljFDwxXxa7lgVcEKA4w0zFqtKLDw70y76lfmvb5E,5541
+torch/include/ATen/ops/nll_loss2d.h,sha256=1aqDN80EY0OINBjnWlqxmmzvb-QAfdtvs6XiGvney0c,5603
+torch/include/ATen/ops/nll_loss2d_backward.h,sha256=iutU1gt42aKSmNhyy2RNnTnLIyL7tYVzHeontZsYGhY,7142
+torch/include/ATen/ops/nll_loss2d_backward_cpu_dispatch.h,sha256=9LDEQzQDY6AamKXGEBefTvbCKRVer-juBOiZ3a0pmpM,2289
+torch/include/ATen/ops/nll_loss2d_backward_cuda_dispatch.h,sha256=PAWKMeZzxOCPkLv3PrR5L4EO0O0spcEAuNs1Ij_WPRk,2291
+torch/include/ATen/ops/nll_loss2d_backward_native.h,sha256=nP-vdB8nRXzEIWdNYuOnWgqSM8NiZeFmbnHi4F8Wuo4,1489
+torch/include/ATen/ops/nll_loss2d_backward_ops.h,sha256=W4FiYzF6LldLIEZ0wmDc4l29AIL7pMtOl5UDP3OdxKQ,2888
+torch/include/ATen/ops/nll_loss2d_compositeimplicitautograd_dispatch.h,sha256=RCbvXOotnKwjCx-_C-9iwXPQjHeY6VaOewnAE294Ymk,1973
+torch/include/ATen/ops/nll_loss2d_forward.h,sha256=9pfxw9t-uIUpoJcejXB-9RWv8BkB9mm15mYSQMci9vo,6493
+torch/include/ATen/ops/nll_loss2d_forward_cpu_dispatch.h,sha256=8y-NCw8Nj7lGlBC8bIghB1tJdCn3Z8YQOsbJKPgIn2g,2143
+torch/include/ATen/ops/nll_loss2d_forward_cuda_dispatch.h,sha256=3hJzjJLba2Z0l6H6Rpdc6FRFgm7h-u79LEFT21zAd_w,2145
+torch/include/ATen/ops/nll_loss2d_forward_native.h,sha256=mQOeCdvxAHDKXKrISFCI1R_A5bd1z_qWoQQ0ElA9ytM,1375
+torch/include/ATen/ops/nll_loss2d_forward_ops.h,sha256=X7llkzlIS3MmopqZhK7Pgy0O_bBJuLewsM-p-1c1sOc,2729
+torch/include/ATen/ops/nll_loss2d_native.h,sha256=wnwk5-gceXxRnxMXhW7I8vzj5cFpFmx9h3igJm9cpvA,836
+torch/include/ATen/ops/nll_loss2d_ops.h,sha256=gXP_PM83cVcP6AZIXnfQRScixYBfWht816BtyIXYJKk,2400
+torch/include/ATen/ops/nll_loss_backward.h,sha256=iFnF3_OuVrLXs7xiEEO0Hs2A0vfQssg8cUEc9j1eLyc,7080
+torch/include/ATen/ops/nll_loss_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=3-UjUtwNaOFPvWwVnL_qJCuKkytye8ZJq4QRUkJehLg,1231
+torch/include/ATen/ops/nll_loss_backward_cpu_dispatch.h,sha256=YKWWLlIZjVl2YTu7HnZuAp3_Mzcylt1Pj3JKoRMDqJQ,2277
+torch/include/ATen/ops/nll_loss_backward_cuda_dispatch.h,sha256=7Kvl0VW9V0Kb_W9wyn4vxmp58YniqL0LtpXpNL_TI_w,2279
+torch/include/ATen/ops/nll_loss_backward_meta.h,sha256=tFTRCm0kdQOO9BQLDLdZqu2-pBC_PzUlQYaQ9IpO7f8,760
+torch/include/ATen/ops/nll_loss_backward_meta_dispatch.h,sha256=Qm3b0sOpxzjMDl1Z2SvujXQVSod8ZRgkCOXVUDamRhA,2279
+torch/include/ATen/ops/nll_loss_backward_native.h,sha256=IDx8NM_mjywMD5h_PTjkc9tiP8EESu0PdyZ1bSXd1wc,1152
+torch/include/ATen/ops/nll_loss_backward_ops.h,sha256=Q3D_5pAIigIznrbLsX5haVHx0myCauSCBCqd9a4-kUo,2876
+torch/include/ATen/ops/nll_loss_compositeimplicitautograd_dispatch.h,sha256=EKOAtEtvIyVhnhQFGhBf5ubz0XOlXj7ZPPgXX9rffPY,1961
+torch/include/ATen/ops/nll_loss_forward.h,sha256=zhX32qwid-Dx-Vea_h_2lJ_LIEqLU4GYO8B7vW9D3DE,6431
+torch/include/ATen/ops/nll_loss_forward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=3gJVYghyXXevttYbI1NNT8FDP3H5f_UAQ0Q1EM7K7n8,1149
+torch/include/ATen/ops/nll_loss_forward_cpu_dispatch.h,sha256=g83Uy2yRipG4mnC9fyE2MWONxm_mSE4hyWr_VAfcWNw,2131
+torch/include/ATen/ops/nll_loss_forward_cuda_dispatch.h,sha256=ZM8NseOZKXl2fTPBUc68AVPwb9-NWCJCWZ9BCSSL7TA,2133
+torch/include/ATen/ops/nll_loss_forward_meta.h,sha256=CBRvZLZ-goi3TBvrQBrtlIOepxp5djm5oDJd6ppCPbo,694
+torch/include/ATen/ops/nll_loss_forward_meta_dispatch.h,sha256=YzZut38BTN48wxdPMto5b7f4V0bgtHI5RLHiX3b_t7U,2133
+torch/include/ATen/ops/nll_loss_forward_native.h,sha256=O1B5Svp1wT5aHhu7oGCdMvn-6Gp6Vfki3ZJelNSEJzw,1075
+torch/include/ATen/ops/nll_loss_forward_ops.h,sha256=3Fhi23MhfgDv4rSY_PkVxIdzG9Ei3ITxjbrgeylqqfc,2717
+torch/include/ATen/ops/nll_loss_native.h,sha256=q-eYUz9yRaYT_ikBIfyn4V_z9acTmS77jMUw1AuXFY4,832
+torch/include/ATen/ops/nll_loss_nd.h,sha256=Fm1OBsLwWzmFvRXhgbufjBL0ZswVm7UWO1QPFp1VRbA,2120
+torch/include/ATen/ops/nll_loss_nd_compositeimplicitautograd_dispatch.h,sha256=9q2xay-GOuc-ZkP9iE0cYeSvO8BuzH7-FNqLwezJPM0,1119
+torch/include/ATen/ops/nll_loss_nd_native.h,sha256=d_5n9XdjC8LaHNtGhsdZIm7lkLWsE-O_i6dcGzSrbDM,643
+torch/include/ATen/ops/nll_loss_nd_ops.h,sha256=t6VWFX2F_XOkNyKpXxJAacQzaUyJiYzADQ7cVqKpqrU,1375
+torch/include/ATen/ops/nll_loss_ops.h,sha256=P0Efg7LMks2O0fidAGV-8oOmzM2vD-MqumMvmydA1oo,2388
+torch/include/ATen/ops/nonzero.h,sha256=j1i1vZrgucOLFna3fcvZ65-XynStfC_WlT4CiyB0Jh8,1025
+torch/include/ATen/ops/nonzero_cpu_dispatch.h,sha256=JVA9iWUJegnvjJsq2QZC7esCIvmq_8cnSqIKzxowGpE,880
+torch/include/ATen/ops/nonzero_cuda_dispatch.h,sha256=NS-AvF2Ad8-8_7bshKBnpna0l3ear6Ifh1dVV-94w6g,882
+torch/include/ATen/ops/nonzero_native.h,sha256=L-p7_TQO9QWzKL00YjuozZCZysQu4XGpFIN7GAXdl7I,719
+torch/include/ATen/ops/nonzero_numpy.h,sha256=qHwu-Udk6KpboWokxWAdBMzXzIg38eO2DIpergiFNfI,670
+torch/include/ATen/ops/nonzero_numpy_compositeimplicitautograd_dispatch.h,sha256=2M9_IcFfBHE-FLPOGonmDs8s1PaaLDKOkB63BCamvi0,786
+torch/include/ATen/ops/nonzero_numpy_native.h,sha256=i_QB_0kmirxSlWHMDzFU_LRYjExKNYoKKIrPy6n8WhM,509
+torch/include/ATen/ops/nonzero_numpy_ops.h,sha256=VjoeHBhzMIde-izNZvrnJjPAPgflSX3ybRVbLrbyo4s,1035
+torch/include/ATen/ops/nonzero_ops.h,sha256=Z9HAVv3WObxN7nFeb31hERrfm2ABveJ9_H-Z-HnSl_I,1596
+torch/include/ATen/ops/nonzero_static.h,sha256=apzM7aQqVjr3AB1rcQrXlYIyC8AiGGopTeaumchOP6U,1347
+torch/include/ATen/ops/nonzero_static_cpu_dispatch.h,sha256=PLbx0ftOcfMXwgwWPUU5pHKPFpuFo7busPF4WmcxvXA,1009
+torch/include/ATen/ops/nonzero_static_native.h,sha256=1Lx14yP3Be4T3OhyT0o_LxHjA98l1xwvt3i6FY3008w,660
+torch/include/ATen/ops/nonzero_static_ops.h,sha256=I0ikGZjOvSAmdPoriyKmp5KHngRNRbFO0JFv0bxyDkE,1871
+torch/include/ATen/ops/norm.h,sha256=RV_AV4JPz0BFVBZnut-quNbCLiEZ0QL3-ewvQEGHv_I,6250
+torch/include/ATen/ops/norm_compositeexplicitautograd_dispatch.h,sha256=J9QpOhV-MMTqtQ3bYpErP47YI54zTN6uetqYRDD1gCo,1373
+torch/include/ATen/ops/norm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=axfrB--xzxUXGM2lXl4Nc1wVygGRUu7qV9yyC7de-80,1016
+torch/include/ATen/ops/norm_compositeimplicitautograd_dispatch.h,sha256=s_Npi2OBzIVu2FQh8HfRwv0WXjDo6SQ9uEhw2a7tk6w,1642
+torch/include/ATen/ops/norm_cpu_dispatch.h,sha256=oRHvQ2Z0wbeZAUVMs_mSiG_pSvLfTq3EVVaiE4jnd1w,1598
+torch/include/ATen/ops/norm_cuda_dispatch.h,sha256=-0QH5R8yDUDW6MQAywO2ZtxblPoWQ5cRtAazHPmQgQw,1600
+torch/include/ATen/ops/norm_except_dim.h,sha256=H0K9E9MASKWAoWSjt6qOZyee9x5LtzaKvISEIshlTaY,714
+torch/include/ATen/ops/norm_except_dim_compositeimplicitautograd_dispatch.h,sha256=WFyBku0XyXj6g72Hb-vx6c3ss713V9R94V41HMQH3yw,800
+torch/include/ATen/ops/norm_except_dim_native.h,sha256=GxmCRrP_7kooEgXikYRhbF7E_N0g5aoIjU5LbbDfbtI,523
+torch/include/ATen/ops/norm_except_dim_ops.h,sha256=rnTXW55jbLYVd7UVV7eUacYKK-6Z2aJDB7h_1L4hDHo,1077
+torch/include/ATen/ops/norm_meta.h,sha256=VCVOgQtK2wyJ2ElatMdlvvfAMn97GP7-M5NZCUrj47U,876
+torch/include/ATen/ops/norm_meta_dispatch.h,sha256=tPerIpHfPUgAePF29glvJpS7FW7DBb3RAx_M48sqfiQ,1600
+torch/include/ATen/ops/norm_native.h,sha256=Rv4MCm99Os2pLBGCbTSTe1_1MotcVIi0NTSeaFSa9kk,2269
+torch/include/ATen/ops/norm_ops.h,sha256=v8yFjgTqwi3KelwVzAz2o_CMf5fiLSM-bqV9clwQ6h0,10623
+torch/include/ATen/ops/normal.h,sha256=X6i2ILaXudHOKFFFmXSM5Biv23xVWDZ5JgPN4uOu6PE,11689
+torch/include/ATen/ops/normal_compositeexplicitautograd_dispatch.h,sha256=6tdhh8ylOxipXPELHt3va33ArCWClxNDnx0LiyfuGeA,2667
+torch/include/ATen/ops/normal_cpu_dispatch.h,sha256=fuuqby3n7A6tlry4f_rbmHhiOVkrCz5JDvr4Mi_PaVE,2052
+torch/include/ATen/ops/normal_cuda_dispatch.h,sha256=KuAPqktLKuGNbecRsplUJKjb_7lk43ZIG7Ek0b8K4NQ,2054
+torch/include/ATen/ops/normal_meta_dispatch.h,sha256=v2wWumBdYl_cwWdT_Nb2-vHExk74YiSN_N_Tzd7alM4,2054
+torch/include/ATen/ops/normal_native.h,sha256=eVBhD6v8obawCboG9byYOr6h1lK2DSY3zwdCC7uRc8o,3344
+torch/include/ATen/ops/normal_ops.h,sha256=tyxyUkq0Cn5KvtiKSLUJE2HM5u_WzG4m91D8LuUjtLM,9974
+torch/include/ATen/ops/not_equal.h,sha256=bbzR1lSBP8_Opr5TZLhI2AyVPQ9xSpbWBc-8CoFVAAQ,1963
+torch/include/ATen/ops/not_equal_compositeimplicitautograd_dispatch.h,sha256=Hv7pe_IWW23uaET-h9de1yltqNvplM1rgp8QFiBY7Mk,1466
+torch/include/ATen/ops/not_equal_native.h,sha256=eXSXT3iUbXQ1oJJ0XKJNDucqFIk3Uslme6_Ieqwp2hM,973
+torch/include/ATen/ops/not_equal_ops.h,sha256=iFU_wsR6ShtNLgyQdyrh1EJ7fveQfAkhT04Dn6_Dz7E,4502
+torch/include/ATen/ops/nuclear_norm.h,sha256=_i7394hj3q54vxko84jloQ54RECGGgb_9eonlMQyEQg,2074
+torch/include/ATen/ops/nuclear_norm_compositeimplicitautograd_dispatch.h,sha256=vhRWRYRPERaidyNV-hbowCBZ2HlABPaku9map-l-4Bw,1339
+torch/include/ATen/ops/nuclear_norm_native.h,sha256=O9q4uRjHXy3C_AmfwxhMwyj6cRs9CBymixJRmY-Hl6Q,831
+torch/include/ATen/ops/nuclear_norm_ops.h,sha256=wzB4EX4cQaaEPzGpNSSkGS5-IxRhkVxS-dKC_k9XgpQ,3199
+torch/include/ATen/ops/numpy_T.h,sha256=s7RSovFmwpNdSSTz37DrPKMxsMw3ewlJxb03u53TP_o,492
+torch/include/ATen/ops/numpy_T_compositeimplicitautograd_dispatch.h,sha256=OCNdHot_8eP2h9wLwO048woz7aS8pqQo8mcIujot0Ac,765
+torch/include/ATen/ops/numpy_T_native.h,sha256=z9qojWHEUy7hZFw_6RtBnJpw9NnfeLm51kxlbGPAJm4,488
+torch/include/ATen/ops/numpy_T_ops.h,sha256=R2k6SuO6n-6vrijKtlTPyDbeQDUYpcB_Xvw0VEWBp5E,976
+torch/include/ATen/ops/one_hot.h,sha256=C9hQFg6wLg8V88xhJxfNR1-0B5rLvvuVkPG1twcBVvs,686
+torch/include/ATen/ops/one_hot_compositeimplicitautograd_dispatch.h,sha256=tVy4fq7qb7U4eeTz-cPl--TBb0Ee4jVUOWQsKswy5dU,789
+torch/include/ATen/ops/one_hot_native.h,sha256=CklhWCKkpm9QcR2IO6JXvMhIO12UBuAJ2ejNonKyAIc,512
+torch/include/ATen/ops/one_hot_ops.h,sha256=SvV4c3DrBPavuroVvyMn-ZQ1l35QP3yeisqA84N6rqM,1041
+torch/include/ATen/ops/ones.h,sha256=4BRCGOc3dvmxKSvg6TX5XN9DHgElKwwqGGuJRK3KAk0,6857
+torch/include/ATen/ops/ones_compositeexplicitautograd_dispatch.h,sha256=AiETvdSXcoJBdtMd8A1xccPq6gZTUQW4_VpaPKlNWr0,2174
+torch/include/ATen/ops/ones_like.h,sha256=yGV2MdfIVlUAn9gctkCIEOpo0bXfIz-iq-G9qJrd__g,2196
+torch/include/ATen/ops/ones_like_compositeexplicitautograd_dispatch.h,sha256=XR0hn113hRkgXqfdxjJiLMqfOufaOAnhxrs80iGHDjE,1388
+torch/include/ATen/ops/ones_like_native.h,sha256=wGtxXUuizyBR6essUaOJFtepBZyphYfIxMHBqlMqNG8,841
+torch/include/ATen/ops/ones_like_ops.h,sha256=j_pkl8u7SMnzKhOvZf_WuepdvJ15ukgKH-DwjCZXyLM,2438
+torch/include/ATen/ops/ones_native.h,sha256=1i09ugZ6oDRLH20WbM5p-fV2ClMp7_n3R5UTUjjmOZE,1077
+torch/include/ATen/ops/ones_ops.h,sha256=kjU5vUMdsD88kvbZib6bXz_CJxgjBHJKxDkS1E1LxkY,4003
+torch/include/ATen/ops/or.h,sha256=eflD2vA0o9xhbp8V3HgrwWr-0vPPYppFFHi8eTG0NRo,878
+torch/include/ATen/ops/or_compositeimplicitautograd_dispatch.h,sha256=ig4iyemDkwA6VDc2NPJrsRjHRExSL6pSF370YKeHDCA,1024
+torch/include/ATen/ops/or_native.h,sha256=sQk9KFubjyakEgmMT6XJGYb_xPbbTU-1H3kspu3NwrY,747
+torch/include/ATen/ops/or_ops.h,sha256=zsIOHUd0GF5_xiPR9ZbiIX9OZG0va3d7ctuhhiVZ90s,2988
+torch/include/ATen/ops/orgqr.h,sha256=2E8BbpZ7TTuXEMSz-Q3GeInHUDzfFKh6tMMktHzitc8,1155
+torch/include/ATen/ops/orgqr_compositeimplicitautograd_dispatch.h,sha256=oP1VzvT-WgUOZ9C1M2SqhSV68rJ5eMxLAjL7WEq5cBc,999
+torch/include/ATen/ops/orgqr_native.h,sha256=KPFp35J9EAim8o5Wx-m3lXADfFfo2Xx0wATp_aEGLKc,617
+torch/include/ATen/ops/orgqr_ops.h,sha256=X9XfbELpHNRbFxek5wwyGeho-s6_HEV16VnuC0TKsmc,1762
+torch/include/ATen/ops/ormqr.h,sha256=RPRTECibyeVsnysj6FXFOVFvt2CDgJzuYKcYEDXQSJ8,1573
+torch/include/ATen/ops/ormqr_cpu_dispatch.h,sha256=g--JcO7fArdX43KXgL9q76WVWPA_8MrPRRI-GYIAP48,1139
+torch/include/ATen/ops/ormqr_cuda_dispatch.h,sha256=lUHWwaDpsKUzgE4sTV9UaHhfOyCmDkr6GYea2rKQKjk,1141
+torch/include/ATen/ops/ormqr_native.h,sha256=-zqGd500DoN7yhxV_ezdTlmpFatarFGk_ZUvr6JqYIM,736
+torch/include/ATen/ops/ormqr_ops.h,sha256=rtogJUcgh8QGLPM_T4hPrdITRS_Zo8LPoeIKDEsZeqs,2148
+torch/include/ATen/ops/outer.h,sha256=8xs62H_hKGk-9tGK9RHBeAGd6EB7Wn5VpkrGWoUX5yU,1137
+torch/include/ATen/ops/outer_compositeimplicitautograd_dispatch.h,sha256=noHy4UXi4eieN5N9eRpcIwH86Dca3XXx2GXEZHoDD4E,993
+torch/include/ATen/ops/outer_native.h,sha256=MuNmqV_vEcHMxUo7oJn4BYX5z2SCZEYui6umnkjxNpI,613
+torch/include/ATen/ops/outer_ops.h,sha256=Pf-ZUzzcBf0zoRSzbZ1EPKU3AApEJ75dttt0ptV1nW8,1750
+torch/include/ATen/ops/output_nr.h,sha256=BFNC4MbT28nRlxkhGXemxW68SC-vE_jSmmVxFublPM0,494
+torch/include/ATen/ops/output_nr_compositeimplicitautograd_dispatch.h,sha256=ADkZzPrF0NkaDkieqleI9Ul_CZA_0q6DGRRbqC1t9jw,764
+torch/include/ATen/ops/output_nr_native.h,sha256=nTFESmqXGAQ3V2gcAJMP0iupJVAxtE7KpEc4LMKWToI,487
+torch/include/ATen/ops/output_nr_ops.h,sha256=jUHXlgipu0DilJkM23lB33e82KK84aePBkkx4dJCTmg,964
+torch/include/ATen/ops/pad.h,sha256=n3bLwxCn2ZTOfahEIXah1OsfyEFR5psn6D_rFhd_-P8,1780
+torch/include/ATen/ops/pad_compositeimplicitautograd_dispatch.h,sha256=28fqM75cbYejZUJ1AbIZZ0GCqPJyUiyvMrCHR285_fQ,1025
+torch/include/ATen/ops/pad_native.h,sha256=MeDVE5fcX8rpOT5Jd0jyQALh8j-vk8iAWxcb2AkfTUI,596
+torch/include/ATen/ops/pad_ops.h,sha256=WOwXYqyunWLzqWkBwK-KNTjWU3KeqU5ilQhip1GxYmE,1236
+torch/include/ATen/ops/pad_sequence.h,sha256=0NZffDJRpbrlAKdcms-ohQn6u9JwaN95i9bnjYs4Xzc,789
+torch/include/ATen/ops/pad_sequence_compositeimplicitautograd_dispatch.h,sha256=zQHfzgADpJvyS6Sh0jPigaTlFseUo3S3135NebCE8ok,821
+torch/include/ATen/ops/pad_sequence_native.h,sha256=4qukY6r2it5jWGudI9ciO2w3hb9PwumDOpza_kIdtXA,544
+torch/include/ATen/ops/pad_sequence_ops.h,sha256=hKqCGOWg6Dlq-T0gNulOIEPgaenaSiSStaK8JtzyqnE,1133
+torch/include/ATen/ops/pairwise_distance.h,sha256=cUaeq6yT7TN3aK-oEL36ILwKYMCTYOv1QD6om2eSRz0,816
+torch/include/ATen/ops/pairwise_distance_compositeimplicitautograd_dispatch.h,sha256=PJCuj024kpFizJvOWremBwg2xrEckFuZL9p547qPVOM,846
+torch/include/ATen/ops/pairwise_distance_native.h,sha256=zwuvRxV3d7qmMuP3nMkOm7FZJ08-3610dAJaO_rQ9Ms,569
+torch/include/ATen/ops/pairwise_distance_ops.h,sha256=1QsVVoYM7Rhp5ucjbnDoD8fCd-KEVHljcZDUmoywvvM,1213
+torch/include/ATen/ops/pdist.h,sha256=t9zIqsCgUrIQEy2eLnVRcuHEXkEsAg0e4Om39JMBVaA,647
+torch/include/ATen/ops/pdist_compositeimplicitautograd_dispatch.h,sha256=nJWNmO-kEwhIwizjFVtsJ5uwPVp5WPR68hFqDbw9aVQ,775
+torch/include/ATen/ops/pdist_native.h,sha256=OtLtQA0pXD8LS-0RgnWQ_S7su6cIB1TO9ZeZzteggsQ,498
+torch/include/ATen/ops/pdist_ops.h,sha256=n244EMPwJxX19XD9lI2fc0Ejblrk5SsZNHfAKeitkik,1003
+torch/include/ATen/ops/permute.h,sha256=Uaarg1JPaNmrFx9Bs3k_6BHXHjLc-4Ldh3yxHDw_7l4,675
+torch/include/ATen/ops/permute_compositeexplicitautograd_dispatch.h,sha256=znIjnggAXqVPwL1-FUsICvhKAqa70EppXBIJqSNI1is,787
+torch/include/ATen/ops/permute_copy.h,sha256=bMkGWuaFGcISbZ4tA_xYiYoMH_BtXXCRtFZi7tF34_A,1195
+torch/include/ATen/ops/permute_copy_compositeexplicitautograd_dispatch.h,sha256=RpiSHAZlCmZc-aCUlLDmlcAtJhiSlbkm5oX3M-EUVtM,923
+torch/include/ATen/ops/permute_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=HvgN6ExkSCEPfBW-ty9WLMppLX7vJZZgksAl-GEE7LE,818
+torch/include/ATen/ops/permute_copy_native.h,sha256=AP3nR8zThV4hzSJQsAIdL00zJh7xWpwNhYL40CnAPdU,621
+torch/include/ATen/ops/permute_copy_ops.h,sha256=175qzWRSQBJjq9lOUShCiMu7Q5t6lmnvuBWRw2H7JI4,1772
+torch/include/ATen/ops/permute_native.h,sha256=i981QZUEBCvf0422lAtjZ4uHwFcmexuSubPAMRfKF3o,598
+torch/include/ATen/ops/permute_ops.h,sha256=RPT8qIddeD9EYihvSQF0gMYUqQUDapcQEUT6nnYtkQs,1049
+torch/include/ATen/ops/pin_memory.h,sha256=tNepeHcdLlDZSKW7eR_fh320do0P6VFhXHahKKI0yLs,495
+torch/include/ATen/ops/pin_memory_compositeimplicitautograd_dispatch.h,sha256=kocXgLW-JBPhuFlPFQNNT8l5PUfCi7qUJNdd5lfs6xA,819
+torch/include/ATen/ops/pin_memory_native.h,sha256=seqSSdb8o4APs9F0rdPnEO7Uq6aZbgoikGAqzS0C8xQ,542
+torch/include/ATen/ops/pin_memory_ops.h,sha256=aE1jvrYxY5EymOJDDYPAneupjkHx6b1Sir2RSM5i9Ks,1107
+torch/include/ATen/ops/pinverse.h,sha256=8bgHOMGTvqFGDLZS81Ur8G6y9P8H3CRxSrXPjfTGlk4,679
+torch/include/ATen/ops/pinverse_compositeimplicitautograd_dispatch.h,sha256=agiX8Sh2u1RWp5cyWjjoAhOwJRJwjt_VFFCc2dstTk0,786
+torch/include/ATen/ops/pinverse_native.h,sha256=cUnNsrddddJ_YmXnGB8NMfgRuWMMddteVzfhRaA5ROQ,509
+torch/include/ATen/ops/pinverse_ops.h,sha256=ri0SDzK9T-r5T3wYnc3vwgzT2CeSutSwCf8iKmxL8ns,1028
+torch/include/ATen/ops/pixel_shuffle.h,sha256=xOjcfh9uHKSTSXwn5cnGrFulAWqXcC_11EIA50quwuk,1265
+torch/include/ATen/ops/pixel_shuffle_compositeexplicitautograd_dispatch.h,sha256=T6qQA5lkzWlFqcBeRqBYqqr8W2sGmp8UU8nYQ1-8md8,929
+torch/include/ATen/ops/pixel_shuffle_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2KlZIKqBxNARnD7EqM9_l6NYAEsIKZKdt7XyTteDjHI,821
+torch/include/ATen/ops/pixel_shuffle_cpu_dispatch.h,sha256=VMxgDyVdVzrE6RvjqLTJn6Bd0nF8ZDySg6wnkVa1asY,751
+torch/include/ATen/ops/pixel_shuffle_native.h,sha256=e8PS6OXwinWx5S65EDwach0mfBMVoiAUFb_BbAr3-bk,721
+torch/include/ATen/ops/pixel_shuffle_ops.h,sha256=Zfyl_b7IYhH8UBFNpo8Fk0qO9Wgqai6dXQFQkMdBDmY,1786
+torch/include/ATen/ops/pixel_unshuffle.h,sha256=uU3lDYHOzQkpyPP-4JkqHXVL8D_U-wEXbFM6YP2Czy8,1303
+torch/include/ATen/ops/pixel_unshuffle_compositeexplicitautograd_dispatch.h,sha256=8bTZWrKYAEj0Aq0mluWXCi4pywLtREZ9MTT3Olkkqcw,937
+torch/include/ATen/ops/pixel_unshuffle_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AYolLvLlcFkkPYMheQ6wRpA6wSN6NeW81mmMIbpHIW8,825
+torch/include/ATen/ops/pixel_unshuffle_cpu_dispatch.h,sha256=DSsyO3j2gQcQEqhQbIR0gc15Psd_KpyuKtWB8F_4hqo,755
+torch/include/ATen/ops/pixel_unshuffle_native.h,sha256=57bw-1yiR-qZDkCykXF7v7cox_mm7Tvu1B7LnBZSSnU,733
+torch/include/ATen/ops/pixel_unshuffle_ops.h,sha256=Tr3h7cJKo-Qi0T9UgJ9OKelGISx4R1Q3xHF-QUFcw9M,1810
+torch/include/ATen/ops/poisson.h,sha256=-BVaPvTLS0pHCnG59FXe6-c-d7cYsHf8HNxXw3sD3uA,1295
+torch/include/ATen/ops/poisson_compositeexplicitautograd_dispatch.h,sha256=yd4mV6N70240Pjy_0LXHLv_V7ABzCRoso8g78g17hlM,968
+torch/include/ATen/ops/poisson_cpu_dispatch.h,sha256=PKoQN6hYHJjTbp5BVVqRxm1OQ_VryWPHuNubHzV4xxQ,778
+torch/include/ATen/ops/poisson_cuda_dispatch.h,sha256=l-UPjooxB7EQBj4e_xPnIJaw6i6uwJpKLKWBOqdaCYg,780
+torch/include/ATen/ops/poisson_native.h,sha256=Ggz5B9f1AlhlpLXbiiBLm005oJQ6fDPHYuvhM6-ajdc,793
+torch/include/ATen/ops/poisson_nll_loss.h,sha256=q8yztP8ba3vfrPuBax-4CHRpUw7ffutxzYGTVmH1sU4,862
+torch/include/ATen/ops/poisson_nll_loss_compositeimplicitautograd_dispatch.h,sha256=ygZ3zCKxpcJtm0WO2GkK1QBV2JMv_tnEXyBzevESOJs,860
+torch/include/ATen/ops/poisson_nll_loss_native.h,sha256=hjUF2Rlty8Hz776yeilhL5auO6SgVUXWXj-LtlIXTb4,583
+torch/include/ATen/ops/poisson_nll_loss_ops.h,sha256=jLRh-re2KEpptvffH4JJKCbY5XYf1DqcYWNnRbceJEo,1287
+torch/include/ATen/ops/poisson_ops.h,sha256=oBEMv2wupuQHDYQgnvsIniE9_2qys3koIUDr3HTkRls,1882
+torch/include/ATen/ops/polar.h,sha256=89KDwP0NtDFIGBehReg1kc3tdcoLqQyYJ8I-ab0rs1k,1137
+torch/include/ATen/ops/polar_compositeexplicitautograd_dispatch.h,sha256=63Ox2FepgsSZGwAawSnrPlaH1nEQTMtBTpAqr2jp9Xs,788
+torch/include/ATen/ops/polar_cpu_dispatch.h,sha256=Hi3FYfTFa594PdJqZ_sCnyvcb2ih16bPTEk_VNjBWqk,871
+torch/include/ATen/ops/polar_cuda_dispatch.h,sha256=9OVYb0efmcOF7CGqsy_FZuyciMVwUAixJxU47bG81E0,873
+torch/include/ATen/ops/polar_native.h,sha256=Ujs0pXFH6h5BXR46tjamb2H_XmYzaCAzcI03lBZJN9w,613
+torch/include/ATen/ops/polar_ops.h,sha256=wIjAEuscdl__duBUitC0YyxuiklbojwWIWWRdhlzWRw,1750
+torch/include/ATen/ops/polygamma.h,sha256=aNr2PPySN2EB_TEOS3xe8vhyPnf6xE3_qrToXLXsPxw,1108
+torch/include/ATen/ops/polygamma_compositeexplicitautograd_dispatch.h,sha256=ASsPSw-zfYpT8PQJKUnnvPOEPvfjv0MK1OzTLYIr3ME,775
+torch/include/ATen/ops/polygamma_compositeexplicitautogradnonfunctional_dispatch.h,sha256=n1z83T4C-YPI2lWZLG_piOySec1DdPPhaCu3r9_BO2g,804
+torch/include/ATen/ops/polygamma_cpu_dispatch.h,sha256=LGTvcKphVkyna4BvZbWC-kuBS_iF2-ToySj08uKWr3Q,919
+torch/include/ATen/ops/polygamma_cuda_dispatch.h,sha256=MPsys_kw-m2u9VnJhu-rU4YTkA3eYoIUMNrr29FglYY,921
+torch/include/ATen/ops/polygamma_meta.h,sha256=9uIt0c4xgfC7S2_mpAbHqXkC7YwMY_eq209HjP2_Doc,600
+torch/include/ATen/ops/polygamma_meta_dispatch.h,sha256=3JVEP9XNDBNhwIH6dLGs47YbN5tkBkudjoqDInPrRxU,921
+torch/include/ATen/ops/polygamma_native.h,sha256=cwxuFpCuzT2OpPrbMGDE4NhM94aqbUFlhuRlQeeZ0cE,692
+torch/include/ATen/ops/polygamma_ops.h,sha256=frdUASk6J-ZyZdaiHG8G-EKrCu1-sLBJFiQADWZBR6Y,2263
+torch/include/ATen/ops/positive.h,sha256=DPY2F_tB_NmTdCywtCd6HY5xiAovPHEaorLCKbqHAOA,639
+torch/include/ATen/ops/positive_compositeimplicitautograd_dispatch.h,sha256=WBfoIVm0ikbK7jTxuwyaIIp6dgjxkHQs7DaueD2gshE,766
+torch/include/ATen/ops/positive_native.h,sha256=0Z7xuOlZe913TVT4Hubd-dEhwWf3E-rL2KLpzdifvsI,489
+torch/include/ATen/ops/positive_ops.h,sha256=QOYEd5JNnxuGcWGfMijZK8BbP-HuBWIH0FjvOo_cfyQ,979
+torch/include/ATen/ops/pow.h,sha256=0ubBgoMJkxKG__9NWpkswDtatPC5jlLSeEvhrXRYQaI,2695
+torch/include/ATen/ops/pow_compositeexplicitautogradnonfunctional_dispatch.h,sha256=JPxA_SlRKjv2a00yRoSSTDfQ0ZWgOpga2IgPfZbjhB4,1130
+torch/include/ATen/ops/pow_cpu_dispatch.h,sha256=chd2P9T6nZ32HKiEwa3Q8gdqXNYMuBEs8tehRt_Dh7g,1687
+torch/include/ATen/ops/pow_cuda_dispatch.h,sha256=9wRa2C-ltM77NCSAgchGBl07oBXPnEERms3hj2Mc7Ss,1689
+torch/include/ATen/ops/pow_meta.h,sha256=YgsHXLgWJ1xGcAmlv879-Ae_IvQs-xyoTc8Wq8gEBZc,935
+torch/include/ATen/ops/pow_meta_dispatch.h,sha256=qdZqUESwksiWvJPwZ1DmvRZQuUmZbl059u5bmS16pOI,1689
+torch/include/ATen/ops/pow_native.h,sha256=AT0Z3WNyxVIHwCEZh0ZLEp3gTAnjRbgGwmnp8r_GJ7A,1237
+torch/include/ATen/ops/pow_ops.h,sha256=3g8V_t_egj5CKHj6K-mFyG68Mu8mvIN0Qop-8rIFPSQ,5901
+torch/include/ATen/ops/prelu.h,sha256=TsbpoXk3a1tedMr3i8BNrNCUHDg1Q0TlrHN-JRG7LY4,671
+torch/include/ATen/ops/prelu_compositeimplicitautograd_dispatch.h,sha256=DHiEZxoXkNYDxzuO5hTycax7fG_Y533mk3Gos-Vrmbg,790
+torch/include/ATen/ops/prelu_native.h,sha256=5rWCHOBi2piCpykojvBchURNi8vqlA4iGfL-e_jzR2E,513
+torch/include/ATen/ops/prelu_ops.h,sha256=UKGuljOYQo1vi7zXIY42KuaIdfgQuHALEFSm9t_lZGo,1053
+torch/include/ATen/ops/prod.h,sha256=xbJrnKyUBBTb8MdcoKkuX19CMl7WHVsd6zWO3QOYIdI,3294
+torch/include/ATen/ops/prod_compositeexplicitautograd_dispatch.h,sha256=QsRfBaTCebS9R2T7sK0sZ0C_zW3p7BkSkuT6Vco8VCE,956
+torch/include/ATen/ops/prod_compositeexplicitautogradnonfunctional_dispatch.h,sha256=uYoRgtpJW7R9VgJt4_TxmSxZL4fk2RpDCUEFxqhP2WM,875
+torch/include/ATen/ops/prod_compositeimplicitautograd_dispatch.h,sha256=p8umbXYvFIhiGysA46hzR3PjKmr5qb5MeCaoJvL-3Gc,1167
+torch/include/ATen/ops/prod_cpu_dispatch.h,sha256=njF3jj27O6aY3RSxHseo2C1FqAGRlSlWD_uXn9Pwvqc,1217
+torch/include/ATen/ops/prod_cuda_dispatch.h,sha256=0WjYcz0eeuh14QM_gKt6H5h0auIO8Yx_CrERlNBhwDI,1219
+torch/include/ATen/ops/prod_meta.h,sha256=6kWu2IdWRMz77_3dyNBah334yGIpf23kWc4o9sUqyKE,658
+torch/include/ATen/ops/prod_meta_dispatch.h,sha256=ExmlyZLuCh6uc3PghSl2zeXibrm0d6ypM96T0yKFU2c,1113
+torch/include/ATen/ops/prod_native.h,sha256=6W-4ScV9vzKJwx5a702d_zCxf9FLk06ZIBwIeHm0qlA,1185
+torch/include/ATen/ops/prod_ops.h,sha256=cZidpeWhsoP_Yt4nBHOXkCDBenth-ujfvkPvcB6qS4M,5203
+torch/include/ATen/ops/promote_types.h,sha256=PBmPBFIutFemxFOeJqzFV6jD9LbmRaAidYnMYL8ddHE,711
+torch/include/ATen/ops/promote_types_compositeimplicitautograd_dispatch.h,sha256=PXydHUCkUBtxwqqijy44jDt3ON4oHNWn46NmYrto8Vc,794
+torch/include/ATen/ops/promote_types_native.h,sha256=UoXEdVmVWNwNQ3ZZ6_2EkTEQcQR-MIr4DSRmbUzQt3M,517
+torch/include/ATen/ops/promote_types_ops.h,sha256=xrMb3PGNArw2UWdzt-rJErJibmT1lNNEzfvUNVdSaPI,1077
+torch/include/ATen/ops/put.h,sha256=77AiW9GfVnc_VYivaaFU9AqyuyoxrsSJZWtric1FBoc,1444
+torch/include/ATen/ops/put_compositeexplicitautograd_dispatch.h,sha256=l_DGfdycUKgZmXB8dpRWMDuxdT_D5SbzcRmFYE-hwxw,1134
+torch/include/ATen/ops/put_cpu_dispatch.h,sha256=4w1kldOr0MjApINC2y1DTQKALWKSfnDGX3tRAfhZT7M,790
+torch/include/ATen/ops/put_cuda_dispatch.h,sha256=tO-ABuc3BLcp3EqlSCNDFWFnmnMw4czDZV1opfZlGtQ,792
+torch/include/ATen/ops/put_meta_dispatch.h,sha256=lDUgR5LgSZNlJfh8fguKabnS806cl8m5aMUWhhJcCqc,792
+torch/include/ATen/ops/put_native.h,sha256=g3Ui7u9MfEUQOhc_zIKL9OsTPvmjgoVY1indqMeTV6I,829
+torch/include/ATen/ops/put_ops.h,sha256=rsuj47IP6n5jj_hiyOOvE0WHBe5cHp7g_QrBSzuAqXU,2809
+torch/include/ATen/ops/q_per_channel_axis.h,sha256=Mrx7GR076FT7QFXHBzB6u0_FBL5aaQ0Mzy6Z2NHuT6I,667
+torch/include/ATen/ops/q_per_channel_axis_native.h,sha256=MmuKHucG7nsaAzFyZmwsax7e36722XqBHC_Cat467Z8,496
+torch/include/ATen/ops/q_per_channel_axis_ops.h,sha256=owMMXDT6kKAtDzprj67BLgOu3SAVbzTYEbFDr8atRac,991
+torch/include/ATen/ops/q_per_channel_scales.h,sha256=JCRDs73IZ0cuJ86oomULEOEnjYXc2eiS_2i96B_i2r0,1155
+torch/include/ATen/ops/q_per_channel_scales_compositeexplicitautograd_dispatch.h,sha256=BdNy2NLW_IbfCFGdVTgfHs0DoPyvBCpTG8Y-we51VN0,895
+torch/include/ATen/ops/q_per_channel_scales_native.h,sha256=vxRmYiVpfirFqQ7i88_l70_RyImchpr5krSW7rBs2rA,593
+torch/include/ATen/ops/q_per_channel_scales_ops.h,sha256=JHJtC7-FGhcKP0OPmc2EUyLYwZH-QlUsTQUUyiN90HQ,1674
+torch/include/ATen/ops/q_per_channel_zero_points.h,sha256=EWRqHJnslACyKkXgZEaL92ysZtp2TLHOxdA6LnktIWQ,1205
+torch/include/ATen/ops/q_per_channel_zero_points_compositeexplicitautograd_dispatch.h,sha256=zyI61O2nyKl0qwm8xCWSLW-f43wbuolZhFGWwP8ZEOY,905
+torch/include/ATen/ops/q_per_channel_zero_points_native.h,sha256=fK97xD8upHoTOz7nwl3y4BaMxeJc8GU2UAIum8cKMqE,603
+torch/include/ATen/ops/q_per_channel_zero_points_ops.h,sha256=yo8odfnwtz6Ei7Oy0KsLdTnblWiWvcy2azwINZyWlDE,1704
+torch/include/ATen/ops/q_scale.h,sha256=nSySnIIIBQsKYOlfiWue3UaB5bJ9N2B_i3i1ht0qYWQ,624
+torch/include/ATen/ops/q_scale_native.h,sha256=uWJBYOI7C_-JFbN181X2WdQLGE_Qdf7wbDpjMuZ82CI,490
+torch/include/ATen/ops/q_scale_ops.h,sha256=L-sXz8Q00PTN1kJUP673OlU9uoqRa9hHMJ3hRH3Vqxg,957
+torch/include/ATen/ops/q_zero_point.h,sha256=9EUVhJIguEeh8U8z3j6-o93XZedcWjF_cE53AYvxIug,643
+torch/include/ATen/ops/q_zero_point_native.h,sha256=w6SctW6CXeoydhZvUJv9WDpDTVXIiO9BA2Mmtnb9R0Q,496
+torch/include/ATen/ops/q_zero_point_ops.h,sha256=u9qk8NMb6XABWxBJmPU8ssGaNY7I3xQS3M1GVlHDN_E,973
+torch/include/ATen/ops/qr.h,sha256=ofZ53HuG_W8k2rWAzi9MMc6FMV8KTrCZfKDkLXnTU9w,1259
+torch/include/ATen/ops/qr_compositeimplicitautograd_dispatch.h,sha256=_HiiHYUpG2P_4m5PgJQoKRjKXlhj5zint8T9Dw-pyDY,1059
+torch/include/ATen/ops/qr_native.h,sha256=kEif-d-GQX7tcHNBlL6T8X_nn72W3HXO12BN0BKZWHY,650
+torch/include/ATen/ops/qr_ops.h,sha256=gfm5ZyMMMkFdDkgFXFXHPDA7Jpjg78FfBE18UBcsxSc,1890
+torch/include/ATen/ops/qscheme.h,sha256=rvLFYq37tPawyjesyylyASKbJx_fF40QA3tGU9UV6Pc,492
+torch/include/ATen/ops/qscheme_native.h,sha256=PYx9WRBf7qYtQs6f3_2VP6Uq1iIElmF9ARv21uWdJrw,495
+torch/include/ATen/ops/qscheme_ops.h,sha256=OI093FcA0gtkJcUSM52gBH3GgP3T9QKGn2kwUR4oIrs,974
+torch/include/ATen/ops/quantile.h,sha256=0eX4f-vtB_2i9G70bdSGzARjf_zFHeUCmNxRUDOPuqw,2925
+torch/include/ATen/ops/quantile_compositeimplicitautograd_dispatch.h,sha256=ErahUS5ag8nVf-y9Dsjj9amPj7vyzNFpkxNIwBssRvs,1816
+torch/include/ATen/ops/quantile_native.h,sha256=7AqbUsHX6-OTx7tm64G0YWrT5gm6xsEGbOkClaWnUF4,1133
+torch/include/ATen/ops/quantile_ops.h,sha256=9vVNKp9Cqb5dGPhViV1Lx7g5xHv8TzQZA4FLkdH8W1g,4099
+torch/include/ATen/ops/quantize_per_channel.h,sha256=T7upjvKQW-sER52F5wuj75ZLHIydJmUvKeoMSNybuNw,1731
+torch/include/ATen/ops/quantize_per_channel_compositeexplicitautograd_dispatch.h,sha256=ickXjBuswE9V6JsJxytriK8dIwcmVSB_9xIm4fsYWVo,1085
+torch/include/ATen/ops/quantize_per_channel_cpu_dispatch.h,sha256=NaFKeju7p7cM_QrueHErPKxLyxqDHLEKBAdoB-RxWSU,829
+torch/include/ATen/ops/quantize_per_channel_cuda_dispatch.h,sha256=JIBPdR5Uc1MVf0MfcsdrjtPmQPNe51Yf8gfjGUNP8t4,831
+torch/include/ATen/ops/quantize_per_channel_native.h,sha256=MBxqqwmGjJnCKA3hNJvjC5DBAi9lNqUWLTMFsmF0WW0,783
+torch/include/ATen/ops/quantize_per_channel_ops.h,sha256=9qWyZZTYBQgb1wyZzqHFhb46fwzi5pixEbeyHv5YDlU,2310
+torch/include/ATen/ops/quantize_per_tensor.h,sha256=9GuK06e80qrUCPVUQO_R0e33XPvxDBNs_IduOs1IxBI,3922
+torch/include/ATen/ops/quantize_per_tensor_compositeexplicitautograd_dispatch.h,sha256=34H0NkvyD9s6dCwKQq2jiYB0XdkKWm33xFAaVYmiV6s,1677
+torch/include/ATen/ops/quantize_per_tensor_cpu_dispatch.h,sha256=QdydgcSmRkv_QespwhuE_vrXSRS-fnfVeKeIdsbTkuY,1097
+torch/include/ATen/ops/quantize_per_tensor_cuda_dispatch.h,sha256=UsMtktdrp4usMxFc-Ow1sMAmftneuH463NbGL6-8C2k,937
+torch/include/ATen/ops/quantize_per_tensor_dynamic.h,sha256=_16_CQh_nXxdLW546u3-KW6pCkiGwLfXimBHk3hpZGQ,1522
+torch/include/ATen/ops/quantize_per_tensor_dynamic_compositeexplicitautograd_dispatch.h,sha256=ZYH0mlVOHbiGw-yaWCD6t1m3-4VAjXTN2ruaMlMEz5I,991
+torch/include/ATen/ops/quantize_per_tensor_dynamic_cpu_dispatch.h,sha256=1eJnnQqid2OO88F2-eDS4MYR-WkvOnHRAFp7hAiWk1I,782
+torch/include/ATen/ops/quantize_per_tensor_dynamic_cuda_dispatch.h,sha256=-7hnghli2hQCNRS_ZQ85qAkgLBNFFb3bMXVKwfmeiMI,784
+torch/include/ATen/ops/quantize_per_tensor_dynamic_native.h,sha256=yeUNjeFdOYBjo5jrrCoWbai4BW-j-qI5DgzK_YHCDxA,689
+torch/include/ATen/ops/quantize_per_tensor_dynamic_ops.h,sha256=M7rDTT19KxpuT91-xBQrYKX9n3Xt7-PlWxgxHexb0yQ,1998
+torch/include/ATen/ops/quantize_per_tensor_native.h,sha256=CAbvNmK4QCJRBsX25_yi2Ie9JB37xgDsYhmmey3-Ef8,1393
+torch/include/ATen/ops/quantize_per_tensor_ops.h,sha256=AZPzabwZFGwgQpf2-qLNi9GAnxq1nG5suzNtwvmVndI,5749
+torch/include/ATen/ops/quantized_batch_norm.h,sha256=mwj8SMzLu4eots-ZSWlcMHuOgXkMcrm-DH3JGvw2zuk,2265
+torch/include/ATen/ops/quantized_batch_norm_compositeexplicitautograd_dispatch.h,sha256=e6qFMuEYM5bISuNAhUcL10tnrQ_DK9QfnXKgzbNATIs,1287
+torch/include/ATen/ops/quantized_batch_norm_native.h,sha256=jtcQDf_Ovq-xEzXHVMtfL1x6n6jTHCG2d2zIAAC0-PE,985
+torch/include/ATen/ops/quantized_batch_norm_ops.h,sha256=SzmjtVyBdoNvj8705RxVFtFkZ7qkkM5x0psl8vLMtxs,2956
+torch/include/ATen/ops/quantized_gru_cell.h,sha256=sWm42nFyVwp-1KuMjzcC2_D8WwTEF5DkJRwo6odomk4,1410
+torch/include/ATen/ops/quantized_gru_cell_compositeimplicitautograd_dispatch.h,sha256=mye9ElBjpdgd6Utk2WKGA8JdetNzbrgjRAGA12Jxv4M,1156
+torch/include/ATen/ops/quantized_gru_cell_native.h,sha256=o0D9wgMO_F5zW1gaF9CXO1eMDAUhYje5lcrSmUsP9zw,879
+torch/include/ATen/ops/quantized_gru_cell_ops.h,sha256=4eduLwKeUYz_482sFPbmKQcHdEkA3P_FaMfIyRCmhns,2247
+torch/include/ATen/ops/quantized_lstm_cell.h,sha256=1OxmNLoHRuRggjKm6wePnCZ3G7KKUI87eFlGztUfr2U,1447
+torch/include/ATen/ops/quantized_lstm_cell_compositeimplicitautograd_dispatch.h,sha256=CHd94WfD-LLTc15yqjg8dg90n2DTA2ah_Sk-jCMj4Lw,1178
+torch/include/ATen/ops/quantized_lstm_cell_native.h,sha256=RFKEekTB2WI-psKcTPs2A1Xo-HogZA6WCZofIYjIUZQ,901
+torch/include/ATen/ops/quantized_lstm_cell_ops.h,sha256=VaDEw0u5PyqJUKf-5UnW0sl94AWrRrY9ASSBQXNahiA,2325
+torch/include/ATen/ops/quantized_max_pool1d.h,sha256=2pznUUFS0myFrIZGz_zlwk6P54MedivEUiQcNzjReYs,1985
+torch/include/ATen/ops/quantized_max_pool1d_compositeexplicitautograd_dispatch.h,sha256=nTpmlgbJPKzjSKB7TzdnAbX8fP4ozzrZfxz2tQ5GNLs,1148
+torch/include/ATen/ops/quantized_max_pool1d_native.h,sha256=Y_v1jJ_pXOQuXqh9QXG1ChHxqU7dE4T5IKeLAVwvQm4,846
+torch/include/ATen/ops/quantized_max_pool1d_ops.h,sha256=PgdH6ZrXeCIHEBTICy8Fa6Phms58O3nPdY4m9jvf66g,2496
+torch/include/ATen/ops/quantized_max_pool2d.h,sha256=LeY5xA3a6BmhmktykwreuWUIOw-_2svFLva3QhPWjIk,1985
+torch/include/ATen/ops/quantized_max_pool2d_compositeexplicitautograd_dispatch.h,sha256=_mAEwP7G_qANjqlEsnm_cHcW9OrEv9tKx4_Pr3OGjZA,1148
+torch/include/ATen/ops/quantized_max_pool2d_native.h,sha256=mE8nls_NdBrUeCW75dxyf0tNNOiGeQg0b1m9brI4Bx4,1053
+torch/include/ATen/ops/quantized_max_pool2d_ops.h,sha256=P91dAE-kITQy9TDQqf0SMIc2Gnj58Hym-zrLZ6Xw9L4,2496
+torch/include/ATen/ops/quantized_max_pool3d.h,sha256=jm7CD0esIs8Yk7GRYpPXCv-56zJLm-QngwwCSfv65pc,1985
+torch/include/ATen/ops/quantized_max_pool3d_compositeexplicitautograd_dispatch.h,sha256=Ah4TkNI_CfYqSXg7NFT_JOgS5mW3XQxy_CwmZ4HBXEE,1148
+torch/include/ATen/ops/quantized_max_pool3d_native.h,sha256=PL-_xVdcglTvjuU0oeQbq5nG-KiWt0e5aGzzVLn6bBE,846
+torch/include/ATen/ops/quantized_max_pool3d_ops.h,sha256=TUjS0fibXUHRk5ViSXIodazh7n8sMxzF0_TvssspN_w,2496
+torch/include/ATen/ops/quantized_rnn_relu_cell.h,sha256=yc985eYjCO74Ze49FKFvHjNZaI0mGzo12EpiQPNLwJA,1430
+torch/include/ATen/ops/quantized_rnn_relu_cell_compositeimplicitautograd_dispatch.h,sha256=_NTM5Jv2skraZVsgLwRmYOXHo0HdGdQLdSo5fmFHr2Y,1161
+torch/include/ATen/ops/quantized_rnn_relu_cell_native.h,sha256=oD6PcEuguPw7G63wK-_dAcFU7o2VxEdq8iZ224kUGfs,884
+torch/include/ATen/ops/quantized_rnn_relu_cell_ops.h,sha256=Fvik37AemYR03T5F7Wvw0r6yPsV8u7HkBY5nTQFVtV8,2262
+torch/include/ATen/ops/quantized_rnn_tanh_cell.h,sha256=X5lB-uOn7Q-S6G3weEczhPbQXUnNjns3gfuNTIYqp5I,1430
+torch/include/ATen/ops/quantized_rnn_tanh_cell_compositeimplicitautograd_dispatch.h,sha256=hdXVManL2nYQGh-VksacdcyqKPGjaFuUZOYPX2vbkN4,1161
+torch/include/ATen/ops/quantized_rnn_tanh_cell_native.h,sha256=LD1riOoaFvY_GVSJTMcutsyn6dlNmDQAhl6S2b8CN5Y,884
+torch/include/ATen/ops/quantized_rnn_tanh_cell_ops.h,sha256=FStdBWGSBfrZvBgIHIFPLW7Cvfa_0HuZnRKKunQ94K8,2262
+torch/include/ATen/ops/rad2deg.h,sha256=jxNJT4e4HM5TbeFu3O_xJyit8quIRtsD2-oAjHbTV4s,1170
+torch/include/ATen/ops/rad2deg_compositeexplicitautograd_dispatch.h,sha256=rP60qflK5pdHdkhb17SLZSnBZb9bEXGr5_XPgc2Ix-g,976
+torch/include/ATen/ops/rad2deg_native.h,sha256=JaVKPAW4rOG1R1tH7Rn7_C4ypyGps-Mpn_nvt2bdbPs,1045
+torch/include/ATen/ops/rad2deg_ops.h,sha256=AKth119jXGDhdmxNEQAPGd-Jsn85zK_Pm6nN4RkELH4,2131
+torch/include/ATen/ops/rand.h,sha256=fAFPpuGPJDIzJTnMK3sb4wvMm5vjctYC8msvbaILIZQ,24912
+torch/include/ATen/ops/rand_compositeexplicitautograd_dispatch.h,sha256=2I7MyOoqZgqVneuLSsLtBakGygng1mkRQ1BRmHxG7SE,5074
+torch/include/ATen/ops/rand_compositeimplicitautograd_dispatch.h,sha256=wNRe6KPbNZXatGewiYryAMGq3-KsceP0nf2sO7ZKhl0,1194
+torch/include/ATen/ops/rand_like.h,sha256=7BxUqUpbDpwKxqc97NUX8DVBn-VloFYg7ldZUMGHwZQ,2196
+torch/include/ATen/ops/rand_like_compositeexplicitautograd_dispatch.h,sha256=GKvFilfx9HqPr3_Jki_qfXelQQIHQtupE7h58FFpcmQ,1388
+torch/include/ATen/ops/rand_like_native.h,sha256=xXiTHlOIroTD1x4ZGwayojCpMllEQe_QZLnX1a_hkZI,841
+torch/include/ATen/ops/rand_like_ops.h,sha256=kIX2VnOM8aw1zeITP2f2U_unsohEZLDFMVUG42FGJBs,2438
+torch/include/ATen/ops/rand_native.h,sha256=TNAxpGnddtjWBRSz_C1OJPTe7oJUsR4xaxJnhdnz1S4,1926
+torch/include/ATen/ops/rand_ops.h,sha256=PZhETHGuIBiT3ifPhChAu3DbSYy8-l4j60IAS1ElD1k,8333
+torch/include/ATen/ops/randint.h,sha256=7_f-CmcqSfLIW-43-0ASU3Me_5Msvhz8N9QJoHWu0EI,26155
+torch/include/ATen/ops/randint_compositeexplicitautograd_dispatch.h,sha256=kHll7vC6OAgUs4IESjCnO-IvQOUIiOR7_HMe9IPtucM,5822
+torch/include/ATen/ops/randint_like.h,sha256=Ay5Rn2v3nX3R9GyObPouWRjL382vELdltiuGcFrvKpo,15512
+torch/include/ATen/ops/randint_like_compositeexplicitautograd_dispatch.h,sha256=GSJ158rjdA8G5OwQgkgG7-ChXyr1xn346fjDwufRt0I,3902
+torch/include/ATen/ops/randint_like_native.h,sha256=IDGkT0GQ1fK60FrUofjsLk3N3GqUSyimGC4KBhNQtRU,1379
+torch/include/ATen/ops/randint_like_ops.h,sha256=5rqXSWeBOKbQWcZ2NubLBfOjEGaHKEuni68n0dy94rE,4903
+torch/include/ATen/ops/randint_native.h,sha256=lr03JRvd4EZWFMWqvRZbg5YMmgGvLyRyGwVkYFokUlY,1905
+torch/include/ATen/ops/randint_ops.h,sha256=4gbr28SvBG_XxDxZW4wSUoVtEQYrYTJ7PNvLEu7VIQA,8555
+torch/include/ATen/ops/randn.h,sha256=s3QOvf_XLUM54bPgIeY2Vbd2bCR-LQBo5l7NWBaCIOA,25073
+torch/include/ATen/ops/randn_compositeexplicitautograd_dispatch.h,sha256=J6flTzRpf9yYKtM8rixKzxv_50iJFogLcvOE5SnqkWc,4782
+torch/include/ATen/ops/randn_compositeimplicitautograd_dispatch.h,sha256=X7CDngvZE9bRvykiy18ecTwuSTePIBdMTx0jqjc3TFg,1518
+torch/include/ATen/ops/randn_like.h,sha256=FLL09DMSfJI__dxQqSKtAcejLKt_fFwS8Sh8eVnAyRk,2209
+torch/include/ATen/ops/randn_like_compositeexplicitautograd_dispatch.h,sha256=_c5dtJZhGofSjz57wtvZkCHeLyucTvwg2WUsifaCmFg,1392
+torch/include/ATen/ops/randn_like_compositeimplicitautogradnestedtensor_dispatch.h,sha256=21b6Ptlw-c92kSHNoMfDxqsLCg_CohEkssr-kic8BM8,1138
+torch/include/ATen/ops/randn_like_native.h,sha256=bxyBhhOCwUezO7nX2WQp3lbvtIrHts1SAhcVmU3Plek,843
+torch/include/ATen/ops/randn_like_ops.h,sha256=U43VapBu60f7OQZ5WzvStNG7FtkQoU-Xb06FA2TotxI,2444
+torch/include/ATen/ops/randn_native.h,sha256=FcGbvcwFKXj9ncRvxk9I5h_nWkaEI6edLBLX2lM74DA,1934
+torch/include/ATen/ops/randn_ops.h,sha256=n7t8nraLEMQ_CYPYwUZATiag26ry2LvhFRC5vY4bnqU,8357
+torch/include/ATen/ops/random.h,sha256=pkeZVGKKHnDWwzM6nFU_Qw29uKbqqb2tWvCUqjq0vdc,3220
+torch/include/ATen/ops/random_compositeexplicitautograd_dispatch.h,sha256=hideafbsoEfTN2z6DTI4DwGQ0wp6bECtV08Bbf95Tgc,1976
+torch/include/ATen/ops/random_cpu_dispatch.h,sha256=AX_KDBI3UWfuiyyoVDhWFK_yfV-EN3YWFhTjrbpmhv0,1045
+torch/include/ATen/ops/random_cuda_dispatch.h,sha256=okfAsOHoTYkczs9U17QqSHODz331J_BS0FfMSu68R3o,1047
+torch/include/ATen/ops/random_meta_dispatch.h,sha256=f0589RsXv5uLYTf-H-al-H2ErnpXKDejKJtyWhjqAEo,1047
+torch/include/ATen/ops/random_native.h,sha256=vaAUD859VrcuTVZeDgSf33oxqjmdprKlBr0gq4-6jyI,2017
+torch/include/ATen/ops/random_ops.h,sha256=X_BZrHPcooAhg01UAKt3iyKtu18sBzGjs1FIHpbN-P8,7414
+torch/include/ATen/ops/randperm.h,sha256=OcHujcL155RGwL-uKDwFH_QWDujHPozQPrk1V-2RofI,11036
+torch/include/ATen/ops/randperm_compositeexplicitautograd_dispatch.h,sha256=wrnWce2oyNo_kce7bkS5iEEeI39mZsm081e-zhm-4qM,2274
+torch/include/ATen/ops/randperm_cpu_dispatch.h,sha256=8l-gxOBKzpVl8q6TQxYieexGLrpp-DI-3w7YXYtlEqM,1122
+torch/include/ATen/ops/randperm_cuda_dispatch.h,sha256=53wTn-HUiD3SktVTyvC60TM7QSG89CMRd7If-2QkOxQ,1124
+torch/include/ATen/ops/randperm_native.h,sha256=Ebw3TQEMnWAy6tjEgNCd3GNB76IwPauvtR3qEaRf4tI,1164
+torch/include/ATen/ops/randperm_ops.h,sha256=SCuW40LkrQI-UkWHBcGVnCHTPfgaILSlM8ZPjyl3VMU,3977
+torch/include/ATen/ops/range.h,sha256=zsaiXBge7Y2pNl9UAb_prQJyPVeu5Wmxn3UolLsTk8E,3381
+torch/include/ATen/ops/range_compositeexplicitautograd_dispatch.h,sha256=EbhcEAP-37htLpxuxMu-GHvjIuj9uX3L-VTe-zw2Lkc,1629
+torch/include/ATen/ops/range_cpu_dispatch.h,sha256=-1-AMk7WfA1bS1JkZQir3cRFV9O-KyvXZ7CZqNyV-_E,921
+torch/include/ATen/ops/range_cuda_dispatch.h,sha256=gd8fhCREoZUKnkfzzy9bhrkAsw9FGBfv3jpaY2AFcU8,923
+torch/include/ATen/ops/range_meta_dispatch.h,sha256=ZfGyV-T6liGMdi1Z1IBqmzbUS_EKLhIjGWl03akaXO8,923
+torch/include/ATen/ops/range_native.h,sha256=WvBXruywCM5I6ZwNTxoz1Q2AMKaYShXdeGFQHEkg5V8,1299
+torch/include/ATen/ops/range_ops.h,sha256=P4aHO3dZ7gZTZX38_oGc11fWRTf3VhVox-QGCP6W6Bg,4245
+torch/include/ATen/ops/ravel.h,sha256=H5vq7fq5VC9s-r1fL828aIgGwm6PzuRP7NyFb3Ufk88,627
+torch/include/ATen/ops/ravel_compositeimplicitautograd_dispatch.h,sha256=y34AGJ-fC0ir8cxN9PK5iRh3NEVBVyFQpfdj3W1KmCY,763
+torch/include/ATen/ops/ravel_native.h,sha256=ObLL8hhn4LoCbl_D8DJeywyQ5u8j_bOkzKUGDzmGexE,486
+torch/include/ATen/ops/ravel_ops.h,sha256=GEJQStdOtidOMcd0RFKTpQN0lAW0q0X_o_V8_PhLbHs,970
+torch/include/ATen/ops/real.h,sha256=O0VLCesFTxfn5fVSSGCo-hKjdwTLGbbdluuTK_vB0aw,623
+torch/include/ATen/ops/real_compositeimplicitautograd_dispatch.h,sha256=6YNWDH2lAMTG3q3-6sMk-oGOjw_JJKHVoJB2_3UYkfc,762
+torch/include/ATen/ops/real_native.h,sha256=thhSnDY9FEgg2wNLKivxGFGjqCKK8Ya1r0wZSyU5nEA,485
+torch/include/ATen/ops/real_ops.h,sha256=7TNm3m7hKJdFCaTyg5zyUKrOlArw9ktTyFZy1_ZJxuY,967
+torch/include/ATen/ops/reciprocal.h,sha256=clxXczkmG9l_pIAfscv0v7a0k8UVv6vrcV65zYn-ji0,1209
+torch/include/ATen/ops/reciprocal_compositeexplicitautogradnonfunctional_dispatch.h,sha256=J_4RQFUT9KSGXNEDQkJiwN0dTGpeA0Zk6MignB34bTM,849
+torch/include/ATen/ops/reciprocal_cpu_dispatch.h,sha256=dDhXsZ1vOEoOMKD2kbBrBP6OM6QZxFlq5Xxt26h0Dgg,944
+torch/include/ATen/ops/reciprocal_cuda_dispatch.h,sha256=dYwm58iVZsm0GZvrj7v1O7wd9fo7sQb7wg4zuw7BdI8,946
+torch/include/ATen/ops/reciprocal_meta.h,sha256=iY-88cd4Yon00eDn8H_seJpPnmOwhUfPXW1dZ9s0qug,590
+torch/include/ATen/ops/reciprocal_meta_dispatch.h,sha256=tPwqi_RTl-9qeA9HsJoMQp87fRPKA_tpD2AhbCLAZlU,946
+torch/include/ATen/ops/reciprocal_native.h,sha256=WYT8FAIFiuvAddZAMoZn-QJqfoyTExyCg8o_S_VO2Pk,619
+torch/include/ATen/ops/reciprocal_ops.h,sha256=u73LNWR5VoiOOR7gjlKJnGYr_kSg5sfvFkPn5vbBFcQ,2158
+torch/include/ATen/ops/record_stream.h,sha256=Au8Ke7RnxxLZQ1-h1Fx681-c7LD1XyWcIq2X3AUYGvM,498
+torch/include/ATen/ops/record_stream_cuda_dispatch.h,sha256=GPazjuR-Wmnn4PUBOcIDw-vdf5P7Eq9eqL5vCR1K7Rk,731
+torch/include/ATen/ops/record_stream_native.h,sha256=Jqu0o7Odc7auf0HUlykdM6LZ3Eu9rbvz1DXJC2kP5Dw,501
+torch/include/ATen/ops/record_stream_ops.h,sha256=Gh27W0SQZd5rLdx2D5oVsUlXXzIt5grKS_7Gjv_8hok,1002
+torch/include/ATen/ops/refine_names.h,sha256=2dZftYjxZ2TOPIRRqX_GPtwXX6u1vsSF3wxhRgDyXPc,497
+torch/include/ATen/ops/refine_names_compositeimplicitautograd_dispatch.h,sha256=8H9ZnsGXJhB9doMZPEOxAMQ8SvcKB-Ka58LeGL-S63U,793
+torch/include/ATen/ops/refine_names_native.h,sha256=Gck-irvqOyotZ9ma2s1KIuoCm3ufP9oMaxW8DXpV9Ts,516
+torch/include/ATen/ops/refine_names_ops.h,sha256=O2Q2ik7Bm8LOH3--P8gRk6KefNveJWxdoW_CGk8_Ks4,1071
+torch/include/ATen/ops/reflection_pad1d.h,sha256=OBeNExdUHroPlQ5R6nZMt_g0d-A5DA7yVaC_Ebpf7Lk,3915
+torch/include/ATen/ops/reflection_pad1d_backward.h,sha256=pSbd9NVLVzx5OVH-thVUWbXu-MupQGpvXUNRG_KlRZU,5078
+torch/include/ATen/ops/reflection_pad1d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=95aWO_HH8E3qaTZ7MJDPkeYHINT4hQw8M1A3o5J4Pqw,1007
+torch/include/ATen/ops/reflection_pad1d_backward_cpu_dispatch.h,sha256=AEFqDUiMaM2qny8f9ZDyJ4B92irNj7oSVLjQdswsb90,1605
+torch/include/ATen/ops/reflection_pad1d_backward_cuda_dispatch.h,sha256=XJxhGgNrK7Ea3sjjUbObaOE0JfGBavX2-YIdWmky778,1607
+torch/include/ATen/ops/reflection_pad1d_backward_meta.h,sha256=BI403FwsbJXc2IigC0j_S-okXTtKbN8Kxi5jvIpgGJY,668
+torch/include/ATen/ops/reflection_pad1d_backward_meta_dispatch.h,sha256=Sn2aR1y1iboVxz0C1yEMw_MEbBHgxbSmLpbH2nb2KU0,1607
+torch/include/ATen/ops/reflection_pad1d_backward_native.h,sha256=lKGVDD5QAPUg2j-_YThrKgO6PXWKc7Oty8eQ_dgpxyE,992
+torch/include/ATen/ops/reflection_pad1d_backward_ops.h,sha256=KSxmevPRjZ7Mf-USkgIODc3x0E7jA_FhMN8NVmwTieA,2150
+torch/include/ATen/ops/reflection_pad1d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=I-LHGrJ1CA0q5q1062boCYDLfbpXVJZI8UOaU6uTUiE,925
+torch/include/ATen/ops/reflection_pad1d_cpu_dispatch.h,sha256=somMZblKAyhJAOaq6vDkT4EXtAlkptnsVJTCGty63sU,1331
+torch/include/ATen/ops/reflection_pad1d_cuda_dispatch.h,sha256=qN_8bcvpwSnl5FHYHY6rvhYWH6jFwCdgE9qUZ6wouX8,1333
+torch/include/ATen/ops/reflection_pad1d_meta.h,sha256=xBKVUZj1HkD12XF1HwkUIwYnE4QEiL5pdVZvzARjCL8,627
+torch/include/ATen/ops/reflection_pad1d_meta_dispatch.h,sha256=gDk3u5d3Vpmk6aQe6RYRor9MpXf7pdOk16znJlJ_1Vs,1333
+torch/include/ATen/ops/reflection_pad1d_native.h,sha256=sqwJzy_Xd6SYo9MRyjWdl2vftpY87PwjXPlXdLj8MV0,996
+torch/include/ATen/ops/reflection_pad1d_ops.h,sha256=36Wtp5jW9BA_j0AkbCRHj8qUTPaKdgUnHQ8_ZE0Jdog,1846
+torch/include/ATen/ops/reflection_pad2d.h,sha256=BBCbMluQCIWzhpvsYpkRylbT2dZKwrwhOREYTZrYOWY,3915
+torch/include/ATen/ops/reflection_pad2d_backward.h,sha256=aW3pzyeXIVwOA_NXL4aVfhTPwg9DugRODahweJrN90A,5078
+torch/include/ATen/ops/reflection_pad2d_backward_cpu_dispatch.h,sha256=lQOD4hAqcxjNFI8cd7OiPUPiUdkVbMqxXS2uK87-zsY,1605
+torch/include/ATen/ops/reflection_pad2d_backward_cuda_dispatch.h,sha256=T0fmRINLtZQdJLuUq1d7gxcDCZLBnlMqFgI-N-9GthQ,1607
+torch/include/ATen/ops/reflection_pad2d_backward_native.h,sha256=k3BhsRINY2E2ktojJkxJ7jCQCpp90MYRIuUKjLqXY_g,1033
+torch/include/ATen/ops/reflection_pad2d_backward_ops.h,sha256=eOLZvPMrO6LMXUtIn23e5DaAp4C7j47qI82WJxsmoAM,2150
+torch/include/ATen/ops/reflection_pad2d_cpu_dispatch.h,sha256=NP32RgPsJ-Bglx5Mttvg0DtuhJ4qJObeIkGnpj6gq3g,1331
+torch/include/ATen/ops/reflection_pad2d_cuda_dispatch.h,sha256=OwmJRckbc_C6BGuQlFzanUgBjT4Fs_ennbuQbyFAI6U,1333
+torch/include/ATen/ops/reflection_pad2d_native.h,sha256=4cBVaT-A9265qBmUxkiS471PVmPnp6e8XBisbSutGwc,958
+torch/include/ATen/ops/reflection_pad2d_ops.h,sha256=XeTv5_cln_R_jYoj-9hYsR5QnxJyrST9SIYwlePuQxk,1846
+torch/include/ATen/ops/reflection_pad3d.h,sha256=9Nsltzq792X0T2pkkpxVHGkME--RArTXx1aiFQ_HTjU,3915
+torch/include/ATen/ops/reflection_pad3d_backward.h,sha256=VKvRVA0Asth0lE_HfcCQpxJC64ta9idW3mFCjh52J4Q,5078
+torch/include/ATen/ops/reflection_pad3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=4wjSityiDuFqEswI5ejk4TVRUS9RTUZbI83xfeFBz2c,1007
+torch/include/ATen/ops/reflection_pad3d_backward_cpu_dispatch.h,sha256=WmwR_afgzOhcqnw07Xtu9ytsb08mhBSltOFRWRCes8E,1605
+torch/include/ATen/ops/reflection_pad3d_backward_cuda_dispatch.h,sha256=5VlhwkxKeUXDvUvHodhC7C7xcKMq12I0Ip2-2RnqPpc,1607
+torch/include/ATen/ops/reflection_pad3d_backward_meta.h,sha256=2s4FufWwZWVzcT5o2n5Abx1BEih1BL6tPxKK5vJm054,668
+torch/include/ATen/ops/reflection_pad3d_backward_meta_dispatch.h,sha256=mcyvHJqET-Iv8htPZmEkFXnOwsk0kv_OixcfQnNJmCQ,1607
+torch/include/ATen/ops/reflection_pad3d_backward_native.h,sha256=gv_mjbdYvz1Ovxf6l404-aQFgPhXDRqdFFcJKFB1SG0,992
+torch/include/ATen/ops/reflection_pad3d_backward_ops.h,sha256=J1YTb5byFpKN-GVlBBAFgtKrwjKHfnDnoG2Z4mp2_Yk,2150
+torch/include/ATen/ops/reflection_pad3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Gnd4ekIbrfW0akHtc0zCa7BqxprbYKmxlG8zLxyEvrU,925
+torch/include/ATen/ops/reflection_pad3d_cpu_dispatch.h,sha256=Mo-T70F9YhfSvxKOJBTLq9UbEqENR4LWREQy1t5BTX0,1331
+torch/include/ATen/ops/reflection_pad3d_cuda_dispatch.h,sha256=_UMYGJoet3_HdpKw8PE-zJUYOUXjFNVuT31B3wdS7Zw,1333
+torch/include/ATen/ops/reflection_pad3d_meta.h,sha256=gGy3EvFtzJPJuxpyxX2rgb81H3_258TmOJLVFEGxgRU,627
+torch/include/ATen/ops/reflection_pad3d_meta_dispatch.h,sha256=hVEo5ZqxmmKw-r1suerYQ4HmZ-BkcO5xxTJLE_W_Xvo,1333
+torch/include/ATen/ops/reflection_pad3d_native.h,sha256=PyqUYCcVrZfMZHpPr9nUD53ZHJ77ksAs4ZessPpyvzQ,869
+torch/include/ATen/ops/reflection_pad3d_ops.h,sha256=APQ0BhY7f5cQmYfdIcssu8RYGQ0k1UAKtXcdvxILwug,1846
+torch/include/ATen/ops/relu.h,sha256=_YplI4jrDQgeo6cOIfQDZUS7nwAIt_Oc2lcuHNKtFh0,1131
+torch/include/ATen/ops/relu6.h,sha256=_0EZr1NK_weq4j4sURSjeb_PBsE2yLQ-UKqk8sn6c9Y,760
+torch/include/ATen/ops/relu6_compositeimplicitautograd_dispatch.h,sha256=mBhJc4t_xtPNb7dz4fXdXV_hppGR07QdI9CPd_l9uPU,813
+torch/include/ATen/ops/relu6_native.h,sha256=AGDb9Lag4YDp4z0sASDn-awg-mHTiC5zSaIZWHdex_g,536
+torch/include/ATen/ops/relu6_ops.h,sha256=3lCkm_E-XlaKOj3UV2u4fhbowhRGGgat9lY6_wU9xi8,1493
+torch/include/ATen/ops/relu_compositeexplicitautograd_dispatch.h,sha256=HH80q0NpxEA3ZuNRMMYaMfXVV_aDQbSh_W9lhx7LKaI,863
+torch/include/ATen/ops/relu_cpu_dispatch.h,sha256=lVcL-OUvag-ZLkRP-kSHn9nf-vKxfJUAG3281XbBERg,767
+torch/include/ATen/ops/relu_cuda_dispatch.h,sha256=RUuu-YvFcSRRfugnoQS8ITtE3QMyk1TqT_7w35POrRA,769
+torch/include/ATen/ops/relu_meta_dispatch.h,sha256=bpW3LZOp4PQbvaFxEVHfg9Atzy7-bmPd0KM1Kipg1U8,717
+torch/include/ATen/ops/relu_native.h,sha256=ngtXPl_oswFk59pixLk9vj9kl44sBqIBbLhEXY7m9u8,1350
+torch/include/ATen/ops/relu_ops.h,sha256=dydIgLCn2SnQ6HaQV99rSBMWXnyH03nhUxmKVbse09w,2104
+torch/include/ATen/ops/remainder.h,sha256=IJuIxlRW2lNNFkl3hBCNRF1ajHEtUZ0rETX3TZUWkWw,2740
+torch/include/ATen/ops/remainder_compositeexplicitautograd_dispatch.h,sha256=2uzaypqoap8QoYtG7ImwiStZJQu1PdYCzDctZ_xZNps,1303
+torch/include/ATen/ops/remainder_compositeexplicitautogradnonfunctional_dispatch.h,sha256=zV24m3xE6UJDCRv3eSF3hojV_9JuNV-iHrY1rsxYOpk,899
+torch/include/ATen/ops/remainder_cpu_dispatch.h,sha256=8ySH5a0NLQt6y3Qmw5ZyMVzxjOgWv1rh3IfE-d-Y73s,1127
+torch/include/ATen/ops/remainder_cuda_dispatch.h,sha256=O9fSel-afEwEVp2jdg3MFkEwr1y9uXQJQ0_lOIna23A,1129
+torch/include/ATen/ops/remainder_meta.h,sha256=uOKJmfDXp6R-0cQ3F3_Jbx4Aa9wLOhyLj54TooRNgrs,622
+torch/include/ATen/ops/remainder_meta_dispatch.h,sha256=G8etek_LNqOEEGMnKEwaKKHWg5VEHaIdgU5EU1sW4Do,1046
+torch/include/ATen/ops/remainder_native.h,sha256=VmhYDOVQ95aYMC29ajm9a-9uhSxuCw1gZm-21wtTPDk,1123
+torch/include/ATen/ops/remainder_ops.h,sha256=g_1I-FI5ZtZvW0iYBW-dBmNK7uPt95_YB_I702zRprs,5931
+torch/include/ATen/ops/rename.h,sha256=AsR4-kWbNnbJWgQzRzLHoR_RAWHV8ptbap7kX0OG-xE,491
+torch/include/ATen/ops/rename_compositeimplicitautograd_dispatch.h,sha256=Dr-R55heYaJOtB4_-e0I8g3GCspIQUNiuBaCjoSdEA0,895
+torch/include/ATen/ops/rename_native.h,sha256=uJQd0QWkzM0xqbnCWWdT6AqVfAUvSQbFqUG4d9eDBvA,618
+torch/include/ATen/ops/rename_ops.h,sha256=LFL0ZxuDfQCxe1qgXgrXfchaGwCMY1XUQeEXMUbkX7U,1769
+torch/include/ATen/ops/renorm.h,sha256=N3Vce4RYjWhjeVHf2xR4QJ-T3Co0LdvS4QmFxliCTlE,1360
+torch/include/ATen/ops/renorm_compositeexplicitautogradnonfunctional_dispatch.h,sha256=QgUBZ9SHYogr9rAbqVqalcWvcVUrSiiB-0hxxBhwnK4,967
+torch/include/ATen/ops/renorm_cpu_dispatch.h,sha256=se6xcBN5LSr4CTKp3cxDGSn0nsvWUqZwKT_TCEtbK4M,1180
+torch/include/ATen/ops/renorm_cuda_dispatch.h,sha256=Y1ZhbG5I9ia_oEqRUKlG0MdLeXIqh7ZCTTZ6virg-es,1182
+torch/include/ATen/ops/renorm_meta.h,sha256=eE0i8axRWA0GU63muCQIRwX2ByFd4m54XVUjbXQlwHk,649
+torch/include/ATen/ops/renorm_meta_dispatch.h,sha256=qIKDnf2I6fDc2c1bIfp5pCIEVnct3M1qw4-Om7rYQeE,1182
+torch/include/ATen/ops/renorm_native.h,sha256=FJorzVN8xGzY2yqHUHUgHwGWCY_WAm-zuc71d2DDRCc,670
+torch/include/ATen/ops/renorm_ops.h,sha256=fO_exIg7vWJFgMWtXHMr_zzOvdvt9bHM6sKNt7qgbRQ,2752
+torch/include/ATen/ops/repeat.h,sha256=mII3UwE00RPAjDOKZNHuD3-8DB0jLdYKReGEKVT-Gvs,3190
+torch/include/ATen/ops/repeat_compositeexplicitautograd_dispatch.h,sha256=oZMOkEWBjGt9qD_Qx4clQL9NOBrebKV_q9hIrsw6qXk,1315
+torch/include/ATen/ops/repeat_interleave.h,sha256=PhDCShA3SFpGCnZA-c54xV1Rf5lWCCkyOG_DxoOTJts,8316
+torch/include/ATen/ops/repeat_interleave_compositeexplicitautograd_dispatch.h,sha256=-6bvFUuvUOvD2LOaJL7sLSbNH9NbIJ_1hw5cOKecLlQ,1284
+torch/include/ATen/ops/repeat_interleave_compositeimplicitautograd_dispatch.h,sha256=qlhtCIRjZMS5JiNmdEIK1PbzTGEU5qt2lKoUbg_9DgE,1478
+torch/include/ATen/ops/repeat_interleave_cpu_dispatch.h,sha256=7zw_EBfyrrkSMOyPIkqYuh1NxDoozsqB3u8mqPZoolk,919
+torch/include/ATen/ops/repeat_interleave_cuda_dispatch.h,sha256=sfaCKLwRsL9k56-4-yfQ7VXqA0xRvil5keAiuC46fRI,921
+torch/include/ATen/ops/repeat_interleave_native.h,sha256=e7Ws9o64cC1EDHv92YiGlSDGUwfXSctjHrzvfcRiyRg,1229
+torch/include/ATen/ops/repeat_interleave_ops.h,sha256=AtlSFn-_EyewZBqni23BUJX9dVpFfQRShHevVRONNYM,3842
+torch/include/ATen/ops/repeat_native.h,sha256=5nqHWhdxDzBRDbra5kjzlh-BmDCtfdSi9t7XRN4uCnA,626
+torch/include/ATen/ops/repeat_ops.h,sha256=_XVP-5j8S46-LAB_zi0IQ_zLKkJv_2Z0-d2nIxNmU_M,1784
+torch/include/ATen/ops/replication_pad1d.h,sha256=ldX21H3P06F0JsHLXhxoOxMAvizewv9U7rFAxbu4Ae0,3946
+torch/include/ATen/ops/replication_pad1d_backward.h,sha256=0dlOoWHBEckZiHFQyFaHcsceZuQLiHNoz4kmvJTbbIs,5109
+torch/include/ATen/ops/replication_pad1d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=L6biPZEg7OKEe3480KDefz2QY3l9WcUe1SIXuwG0en4,1009
+torch/include/ATen/ops/replication_pad1d_backward_cpu_dispatch.h,sha256=A6bDpsVajw6tiaetLap2fzPNbeUVvtNdfhBvyCAhumc,1611
+torch/include/ATen/ops/replication_pad1d_backward_cuda_dispatch.h,sha256=ahQQ9MuOSif0-tqAdF6C6-Xwu8z6erqEQRqE6pDUxT4,1613
+torch/include/ATen/ops/replication_pad1d_backward_meta.h,sha256=6-LbdXI5xK4TsiG-X66KxrO7uamquKboQQ-RZ-xlcd8,669
+torch/include/ATen/ops/replication_pad1d_backward_meta_dispatch.h,sha256=F_mHlFTrWkGe_deWecmju_tFrQm26x_Q4WuE-RcWMcI,1613
+torch/include/ATen/ops/replication_pad1d_backward_native.h,sha256=sKB3Tbw1dtLa5BwEKHVpEL2ySjIA6trlzOpYurEa2ok,997
+torch/include/ATen/ops/replication_pad1d_backward_ops.h,sha256=r59dd4n1UfHuvjawi3XiJPi9JACZlWQUZES-VHrAaBw,2156
+torch/include/ATen/ops/replication_pad1d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=z56ajy0Aga2UO2SPvQlo-jjMX0pt2HW37Par8tp55p0,927
+torch/include/ATen/ops/replication_pad1d_cpu_dispatch.h,sha256=3eaq6-Ei0_egbV6rj6y49GtHamE9cQ0_rZ-15UfwqGs,1337
+torch/include/ATen/ops/replication_pad1d_cuda_dispatch.h,sha256=8dnyHc6crRC3hb5xMtWecXawiQNXvzYYvmoWSwdHQtI,1339
+torch/include/ATen/ops/replication_pad1d_meta.h,sha256=nJ69PMTGUbVzvF1Dvtq2HTwwhHXsrXdnX5y930vjAiE,628
+torch/include/ATen/ops/replication_pad1d_meta_dispatch.h,sha256=6FzzCkI2IXLRKvEHlpJWJ6jiU3JNdQ1kw3nwZuZySL8,1339
+torch/include/ATen/ops/replication_pad1d_native.h,sha256=WkPndcOMrxqva7ctTB_LszcPG2Mr_4B1NT5LHkUNj9Y,874
+torch/include/ATen/ops/replication_pad1d_ops.h,sha256=YLT28TOwKDXsqAWk0t9woPCh4lBLXU1uiVPurSh9pbs,1852
+torch/include/ATen/ops/replication_pad2d.h,sha256=oId55xCaOjVrGFnk-KsQtyE-nHOrB10wz4uFdS9zl-8,3946
+torch/include/ATen/ops/replication_pad2d_backward.h,sha256=W13ImxR2_J2vJo8g_SYDFjTakLWwrtaGooZvXzoQVWI,5109
+torch/include/ATen/ops/replication_pad2d_backward_cpu_dispatch.h,sha256=wzmv9ZtGaU4aaGXboHPSbXSWJ-oDvTXN1o8CIXr7Ps8,1611
+torch/include/ATen/ops/replication_pad2d_backward_cuda_dispatch.h,sha256=oXbBRAtGaUob0EZEhlf0PP-1uaT8Pi6wBOCA9waB7eM,1613
+torch/include/ATen/ops/replication_pad2d_backward_native.h,sha256=jN7C7k2XeDhNd__wjr0jriy8Tks5C849idBy6rG-d30,1037
+torch/include/ATen/ops/replication_pad2d_backward_ops.h,sha256=cKzfaTSm-KRPCF4ux3En58dXyTwzjDCJrqrGssP0C6c,2156
+torch/include/ATen/ops/replication_pad2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sSktEXd7PLFY9LUgT2KHGwtDLCMaQAtz-1mjKZHnIBY,927
+torch/include/ATen/ops/replication_pad2d_cpu_dispatch.h,sha256=pQEZB3EbhRcGZYqCajmWBt2YuOLWTpRCThvRiZpc29w,1337
+torch/include/ATen/ops/replication_pad2d_cuda_dispatch.h,sha256=L3xgS_4AWITvrfLUJdcZxWmZioirL7CQibs9tvY4a78,1339
+torch/include/ATen/ops/replication_pad2d_meta.h,sha256=TsxG64kTWc9Lew2OHL49Oz_e1NP89o9QKO6-lWgN0NY,628
+torch/include/ATen/ops/replication_pad2d_meta_dispatch.h,sha256=Ie6ig5u5_MoxPeD-NQt8H8v2ut2-YWOx3H7ZsOeEk4c,1339
+torch/include/ATen/ops/replication_pad2d_native.h,sha256=H5rsWy-0hOwhf7YtM3glu6QOrgjmyF-6ruvbU-m1iFk,874
+torch/include/ATen/ops/replication_pad2d_ops.h,sha256=5bMRqrc1YCSUQmYhu-I2ZEERCSk1xDK_iUPovhShMeE,1852
+torch/include/ATen/ops/replication_pad3d.h,sha256=4hX_UAnP4Q5Lybwek_isig1KCLuDKzbH9N1qCALoF2g,3946
+torch/include/ATen/ops/replication_pad3d_backward.h,sha256=AoeoABoqtaObT_Ui3KcHG987QnAaj89bWGpAHGlMoeU,5109
+torch/include/ATen/ops/replication_pad3d_backward_cpu_dispatch.h,sha256=bvIfvjnpNuI_TkU23qn-AbZHVZZib23cm2_xt3ApOsc,1611
+torch/include/ATen/ops/replication_pad3d_backward_cuda_dispatch.h,sha256=TzedmNakDu0AkJ7a77-VfPwdcUqo2xEUdGvELmhNplw,1613
+torch/include/ATen/ops/replication_pad3d_backward_native.h,sha256=ahEvrrNbEJSVe933kZSuciZ_iAgq2Mz2k0Tw-j6paeo,1037
+torch/include/ATen/ops/replication_pad3d_backward_ops.h,sha256=zw3wioKfamsbEtFHtqK0Dhqf9ezy96MXvPckzcJiEsc,2156
+torch/include/ATen/ops/replication_pad3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Tt8HnZ1OC0jx1MfKp5lUvHk1hWV66M2oX5x7I3ZnLhE,927
+torch/include/ATen/ops/replication_pad3d_cpu_dispatch.h,sha256=HGjUgC8LJ5hKGdIgBS7pQAaOZrzREHXkSpCKpBZJXGw,1337
+torch/include/ATen/ops/replication_pad3d_cuda_dispatch.h,sha256=VXym5ajSji7nIF1jj3H6KV9wf_FD9dPd3pqrZbtCODI,1339
+torch/include/ATen/ops/replication_pad3d_meta.h,sha256=jkKOBpFNTKkbzyA7u3kdyN2t4BSXyoUo62qaew09wfM,628
+torch/include/ATen/ops/replication_pad3d_meta_dispatch.h,sha256=WXwFp4CDgoWvUZudaQl9SYrKZGU9kOTaLDTHVnl0RVk,1339
+torch/include/ATen/ops/replication_pad3d_native.h,sha256=7rhvfsv_ef1nvvYI3duirOLp6OhuME1buUuLr_2ptng,874
+torch/include/ATen/ops/replication_pad3d_ops.h,sha256=L58AO4phGQB0GdZIX637xZstI1uyMNNfZphvWhb6m6Y,1852
+torch/include/ATen/ops/requires_grad.h,sha256=YVo46-GbnKLJUecRP_5pxjz7xm_3Bkw8xD8tT1BO83Q,498
+torch/include/ATen/ops/requires_grad_compositeimplicitautograd_dispatch.h,sha256=JY3EEmTP0X6TiuKaZCpOJysT1agi5ePx5XIq_3MkpHE,793
+torch/include/ATen/ops/requires_grad_native.h,sha256=GERj89OYm0JKaFALI9zCt9BcXrg7oimJ_HNN_OM9yA0,516
+torch/include/ATen/ops/requires_grad_ops.h,sha256=0tIFfJ8-zC8aK9ofyi-XhGM624w8X350a-IPyZOZidQ,1058
+torch/include/ATen/ops/reshape.h,sha256=Ghs6djGLvSumFtxB4PrgHZpggX0PexbKQDIo892quh8,1404
+torch/include/ATen/ops/reshape_as.h,sha256=E4FgFK-jIJLn6g3gclrJwZWUzmyAlQpWQi67BA7LHAw,495
+torch/include/ATen/ops/reshape_as_compositeimplicitautograd_dispatch.h,sha256=tLZKaKQ_EQR_ZMb4h_tmwgqgLDQErSDqS2dEjiqB7Hk,794
+torch/include/ATen/ops/reshape_as_compositeimplicitautogradnestedtensor_dispatch.h,sha256=LZQ44sFn2Y7mmwqFH2GUsHn3oylyRhRT2N7t-7JlUEA,818
+torch/include/ATen/ops/reshape_as_native.h,sha256=ZkizhnQudLXThQt3LJGOD06aOu9k0zVv5JJ-YRYI3js,608
+torch/include/ATen/ops/reshape_as_ops.h,sha256=52WRH7KB3aiEdtQBqT9Tu_iFvnD04NYv9ANO2Lshf_k,1071
+torch/include/ATen/ops/reshape_compositeimplicitautograd_dispatch.h,sha256=EvhmAAjIA54gEVG3l-J8cdGrfHYsaC1AGh2FfV5AB10,877
+torch/include/ATen/ops/reshape_compositeimplicitautogradnestedtensor_dispatch.h,sha256=HigwPxjHEUwWEkIgGmQAH_xX2iYk_03CITv6UIQGKSI,901
+torch/include/ATen/ops/reshape_native.h,sha256=y0PtjyDBFu4Q_5hjROYsATKT_-cYNUcs-HRhoKMVKNs,618
+torch/include/ATen/ops/reshape_ops.h,sha256=ZNDgMIWM1vs2PSw5OpJ6ZIzbm1b0SFD6GBJo-uH8uPo,1067
+torch/include/ATen/ops/resize.h,sha256=1fLeeN_H3DD11fOe6-LmWqDGwZsH3Ls1P1RYehS-aXE,5371
+torch/include/ATen/ops/resize_as.h,sha256=vLEMhjUh3sp9HP4nOiX6uQzgRYUkgPmISvj3l-Nmz98,1947
+torch/include/ATen/ops/resize_as_compositeexplicitautograd_dispatch.h,sha256=IsOtUhQ_aNdtfOzf7EGx6jHhbp_e9Yz-JJQbqaZrXR8,1393
+torch/include/ATen/ops/resize_as_native.h,sha256=7exrPl9s9uBVi_xx_AFyP6DItmrS_V2aSxiBK0e7ieI,925
+torch/include/ATen/ops/resize_as_ops.h,sha256=2QzD3NIofTl7NOOmK9ryDyJI_9rPeaXBNID9BFerxrc,3049
+torch/include/ATen/ops/resize_as_sparse.h,sha256=nh4Xtn0GiQzQ4jitRJBhg6oNEHLWnIVk609FEBEmKkk,1595
+torch/include/ATen/ops/resize_as_sparse_compositeexplicitautograd_dispatch.h,sha256=QwJHx9R70LFmcTuKjLcFref0C94ZIafpD3UitdUo7bs,1074
+torch/include/ATen/ops/resize_as_sparse_meta_dispatch.h,sha256=1zzp20-5piFKDb5bpBXioZ3nBFFsPNifSErixgvrOhM,774
+torch/include/ATen/ops/resize_as_sparse_native.h,sha256=hqpwVOOnkq-DbI_4VxWulO2sDWvDPMborgypVckDCfw,886
+torch/include/ATen/ops/resize_as_sparse_ops.h,sha256=iq1VQBvyKpiNa-sUjutWN4KQnMfTixLdQWIPbAXwE1Y,2605
+torch/include/ATen/ops/resize_compositeexplicitautograd_dispatch.h,sha256=W4ok_4RLyHqNDhsAZPg4tD5V4Qoi_ljukztknwm27U8,1699
+torch/include/ATen/ops/resize_cpu_dispatch.h,sha256=Stxen3YB8yc-BAjHaM75WS3IubKjEXtrEVCRhlZGOmM,975
+torch/include/ATen/ops/resize_cuda_dispatch.h,sha256=g1Hz4XD8OZdBvHy1elIBVPO0T1cwgWhFNIp3sQo3lHM,977
+torch/include/ATen/ops/resize_meta_dispatch.h,sha256=gDi16_RR1gAveIBj09rBdbfsefgOi9Q-EF1oPwDImZ0,977
+torch/include/ATen/ops/resize_native.h,sha256=fOeFv1joc-g2nfqAQExNE89dmGTEzJlLoyBSiwzAEOY,1542
+torch/include/ATen/ops/resize_ops.h,sha256=VvL8vSPorUOlrIsLXekCgXUcr_41zKs_pjfUEFoMlVk,2965
+torch/include/ATen/ops/resolve_conj.h,sha256=VrO7dc9FvfWMAcGu5AFWSEA4kMRAmIXZUCC9i_Bk8CQ,655
+torch/include/ATen/ops/resolve_conj_compositeimplicitautograd_dispatch.h,sha256=ZmkYQAlc3Apqab1QViSQ1RMQddMmlr51mmOZTGNrwlQ,770
+torch/include/ATen/ops/resolve_conj_native.h,sha256=ZYCiEFrprXERrXgX0j2rH5pS9HOL99EdjJ9TJkBY4xU,493
+torch/include/ATen/ops/resolve_conj_ops.h,sha256=jTmFjOO071P9mMZUoAKJaXBF2sJi4evjvmz-qiAHth8,991
+torch/include/ATen/ops/resolve_neg.h,sha256=o35xOicoc4Uiql_E2SY1BZ-1RI8Yysq8PHZPxQyAnH8,651
+torch/include/ATen/ops/resolve_neg_compositeimplicitautograd_dispatch.h,sha256=11SrCruZeI90vY4Qwnsbj2XCnobYFpqT8xMbscyXtN4,769
+torch/include/ATen/ops/resolve_neg_native.h,sha256=ZNdLAjAViL95jN4RvIp2ZFkgeJ4ZNCnqsCaJzCAb9OQ,492
+torch/include/ATen/ops/resolve_neg_ops.h,sha256=TrfhdG6oYhYPma8CYIkIE2b4YLs39q7ZWEwWqEeugoE,988
+torch/include/ATen/ops/result_type.h,sha256=Jb2JLFLZB55NWBASHSKpv0T1QANIOtFMFDxqwKA4z4E,1435
+torch/include/ATen/ops/result_type_compositeimplicitautograd_dispatch.h,sha256=khmrnKFhxJ1uBKU8OMoPD_OStz5DA0jWhmlVpVRmW3o,1078
+torch/include/ATen/ops/result_type_native.h,sha256=f4qUVrQj0oOJR9QC7aVXEuv9TmbzdF3Lebu3Axw6qZc,801
+torch/include/ATen/ops/result_type_ops.h,sha256=eX62eU_u8qSg2j7kf1qQU2bqfIrtsO1Jm_JkIrwf0Ls,3192
+torch/include/ATen/ops/retain_grad.h,sha256=MK85h3jw0duLClh_2FiEhBt0qftCyx5r6WVEsYCiugo,496
+torch/include/ATen/ops/retain_grad_compositeimplicitautograd_dispatch.h,sha256=w1VMAh6zxvN6UsSRj3UtI-EgSKIZL4YgC0zX4olW7_E,757
+torch/include/ATen/ops/retain_grad_native.h,sha256=s78OeTJE-dCoJSNKNFDKe5Prm6YlDncBdgHWIGb9owI,480
+torch/include/ATen/ops/retain_grad_ops.h,sha256=ljyXOOHWHCJ4OqecmND5Q8AitaSvaYee_LE45LxcnlE,946
+torch/include/ATen/ops/retains_grad.h,sha256=JDT9iSYMdLJfIt6-SGk0DYWXFz9JMF4WIZJ-JK0AklE,497
+torch/include/ATen/ops/retains_grad_compositeimplicitautograd_dispatch.h,sha256=enUUiMkfZIH4mlTJNtUccCS-MentCylWDuXCVRaw-04,764
+torch/include/ATen/ops/retains_grad_native.h,sha256=aNDuhq4tMq5V_X7sSvwGY7eVqYu7gYmH_X8APwY791c,487
+torch/include/ATen/ops/retains_grad_ops.h,sha256=6X3W075uEX5zsQKkH3beA9nsSNkbpBSwUdk4jRbbi20,965
+torch/include/ATen/ops/rms_norm.h,sha256=oUwjK_vdTKYI5RmFtHRYppIgZE2yPHdkxCfnEr5cUws,854
+torch/include/ATen/ops/rms_norm_compositeimplicitautograd_dispatch.h,sha256=rENXCOEkAb8RSZ4oCsgACc7t3-UUOyD9gZbIZepAoSE,892
+torch/include/ATen/ops/rms_norm_native.h,sha256=w-YfqZZUAdXuJ9RvUgx7i9rXFUe2WrWVlb1BtvIsZqQ,615
+torch/include/ATen/ops/rms_norm_ops.h,sha256=IRYlfJ31TSyFHC09FForClmfSE1XhmqkZ7Inm2_dzRI,1331
+torch/include/ATen/ops/rnn_relu.h,sha256=ET3bK0xQpk_Lm2FkFaGf3NPvFhiuhWN4SamNOwoMhUA,1595
+torch/include/ATen/ops/rnn_relu_cell.h,sha256=OUlumqMksT6SOaTL9jNIuymF5Vy8mtqyTkycmyC6rL4,922
+torch/include/ATen/ops/rnn_relu_cell_compositeimplicitautograd_dispatch.h,sha256=A8AuWIBfIFArHZqvXS5LD8TBUk9f9iIKoLS3GrnjDU8,935
+torch/include/ATen/ops/rnn_relu_cell_native.h,sha256=Z7b44eIlZIuEaxDUA3GCmdjsVf6W2HywIuSPusE1yhw,658
+torch/include/ATen/ops/rnn_relu_cell_ops.h,sha256=IsXlIzqexsgdkYwwqSft_vf94NljlAvoCAdZVbrP3Bk,1514
+torch/include/ATen/ops/rnn_relu_compositeimplicitautograd_dispatch.h,sha256=vvp8xf-n-jkfmnmc-H19KrWJtAgSauCP9LG0-svyghI,1185
+torch/include/ATen/ops/rnn_relu_native.h,sha256=BNUbKliR3h2VwZnQEs1ZdNnVPEO1tdyivF1aCcANOAY,908
+torch/include/ATen/ops/rnn_relu_ops.h,sha256=J6LwPVOZ1pgHnVmIIzZEn__8LfEvP_KL8eCOUIuByA4,2762
+torch/include/ATen/ops/rnn_tanh.h,sha256=-2QIQj4muaeZSBaOACgiTTVSt_XBuL_17TSle1xj_hI,1595
+torch/include/ATen/ops/rnn_tanh_cell.h,sha256=g0IZ4GfMDQbiDv0pMMLAqFD9FBd6Y49x8kwcND0ntlo,922
+torch/include/ATen/ops/rnn_tanh_cell_compositeimplicitautograd_dispatch.h,sha256=-XxQdG1L4xmwca0ACRE6-yipEuZg8laCa54GxRFnJhM,935
+torch/include/ATen/ops/rnn_tanh_cell_native.h,sha256=X9uo05GN1hZBX77_kO-cp64fyHlKNGd9zjFGFjhuAwg,658
+torch/include/ATen/ops/rnn_tanh_cell_ops.h,sha256=k17J5GzZKSAIVY7g_nbh-ZNAQ_bcVUcHZPQ3GW3YQq8,1514
+torch/include/ATen/ops/rnn_tanh_compositeimplicitautograd_dispatch.h,sha256=ZuKpLpwAz0scQRX62m2bFRa7s_Y-JhYpRMrMiZC7fEU,1185
+torch/include/ATen/ops/rnn_tanh_native.h,sha256=6vxTSJ5Ep0275xmlVOQH-iJF13hgIGXROg93kyWuf2s,908
+torch/include/ATen/ops/rnn_tanh_ops.h,sha256=IL50LlyvfkRGYvNqcfdpGLZRThTcodIRIqkyyJsFgsk,2762
+torch/include/ATen/ops/roll.h,sha256=k4y7Mo-VCE4V3CxsUm07fKzTaLDdGoe3g58wGFwo7B8,3969
+torch/include/ATen/ops/roll_compositeexplicitautograd_dispatch.h,sha256=hBh_kkbiLd0M90PjUNrEYzzrjjJvWGihDHqs2kl6Q4Q,1228
+torch/include/ATen/ops/roll_cpu_dispatch.h,sha256=axXRlKC24d29HC0DBLbjdbS34lrRZu-qBSMktf0hkZY,879
+torch/include/ATen/ops/roll_cuda_dispatch.h,sha256=3dpd8y2z6ed-KRLK4ZIbB8waA2n6wzilPdNOzgZij1g,881
+torch/include/ATen/ops/roll_native.h,sha256=I7OCb1cMr0BVDEhI3WYNg3WTToIB7YEirOnIwUubpno,773
+torch/include/ATen/ops/roll_ops.h,sha256=nlXnJXlLiNaSDtWvaMF-akUD0oRnVlkz5wSVyxCij9I,1922
+torch/include/ATen/ops/rot90.h,sha256=mbDA2pEcX4SpgNSyxxxavIlMKyHadRXJUPbmKUghgDM,1228
+torch/include/ATen/ops/rot90_compositeexplicitautograd_dispatch.h,sha256=GFYfZF7RcVShlT_17llI56R8iu2nmXXoqIl5Ba6iKYc,1033
+torch/include/ATen/ops/rot90_native.h,sha256=81RZ_-evoDZbpcxDaHq4uUXYQxVroEAZnnD1EgryqlA,637
+torch/include/ATen/ops/rot90_ops.h,sha256=J6g0A1czyUqj8hIQnHqzbzv5JyW4iNzsH5ENLy4OB7s,1822
+torch/include/ATen/ops/round.h,sha256=NObZb7SduTgCXSqkOdyRZ2WsVD-7wQgM_O_TUYU5Js8,2045
+torch/include/ATen/ops/round_compositeexplicitautogradnonfunctional_dispatch.h,sha256=0V2NnobNWh0sQL1wHRn2TTH4zA3CTepuaCUn6y97NeM,978
+torch/include/ATen/ops/round_cpu_dispatch.h,sha256=vOTwuJ8VF-z9QHhiAnvAF6Q-XMY3FXZ4qz82uwVcj4g,1254
+torch/include/ATen/ops/round_cuda_dispatch.h,sha256=Cuvv4uKSE5Mp4QG_WozfoKgIJUrsnM3TKH6ybMZz-9o,1256
+torch/include/ATen/ops/round_meta.h,sha256=BhrA1575x0W67e7oA4Nyeo3RK_jURooOok1mtcrFNAQ,729
+torch/include/ATen/ops/round_meta_dispatch.h,sha256=SMBB9WAFYFPk8LF8UOJuWZCWtjDvsJyww0jMRYRSiPU,1256
+torch/include/ATen/ops/round_native.h,sha256=pfmvWLcbWbx0k1-uTqAOaZu17JgOFf6cznPQ5KDPpzw,1193
+torch/include/ATen/ops/round_ops.h,sha256=6hMB-on4Yit20s9lDRKHrNxY6BhKsP2YWuv6EsgkOWY,4054
+torch/include/ATen/ops/row_indices.h,sha256=9TrGbVWFhaYtwK7hjSJ5oCeiCIcaoB9nmryv1E2n5Sw,496
+torch/include/ATen/ops/row_indices_compositeexplicitautograd_dispatch.h,sha256=XRkeOOlfX0uG6In8T9KWjC1NzlrLAiT44gKXzuYmlIc,769
+torch/include/ATen/ops/row_indices_copy.h,sha256=lif8YSVgIeNgMF2OAmLrjRwBCvyQqCnEfZTReg7ecEs,1115
+torch/include/ATen/ops/row_indices_copy_compositeexplicitautograd_dispatch.h,sha256=dG-jU5bOeKZfsSoHa-IfF5QpatQOwe7wi3pV0ue4_7c,887
+torch/include/ATen/ops/row_indices_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=774cIYq8ig8CUXei9RCUIpVv02qOBZIdZH3SPDj6aJc,800
+torch/include/ATen/ops/row_indices_copy_native.h,sha256=ih-eJdVCczzwmZzb3yp50PR7xlVQCNc-YfaxZa5xBT4,585
+torch/include/ATen/ops/row_indices_copy_ops.h,sha256=Qxlj6JBm4omJYK1CX8At7hfV1lA7TraxMZb-GwBbapM,1650
+torch/include/ATen/ops/row_indices_native.h,sha256=cmlAKXYM0A5bFrq1YZiaeE7GSwJq7WP5ts9sgUr0g4A,570
+torch/include/ATen/ops/row_indices_ops.h,sha256=LujL-zl07NCnNbMFftiN5FqwRLMSXyrkwhnyBt8cPMs,988
+torch/include/ATen/ops/row_stack.h,sha256=o35sFRPqKUwWDP7CVphJg-gtKgG80d2LtCKkJngoat0,1066
+torch/include/ATen/ops/row_stack_compositeimplicitautograd_dispatch.h,sha256=-TXconVBv4tdpJS53iuXvkOfIA0caAzUdeWWM9YDCXo,927
+torch/include/ATen/ops/row_stack_native.h,sha256=iCOenGF1fXFuwA4Cr1xpK01_Cvi__uCsfzcZX5dvKT8,569
+torch/include/ATen/ops/row_stack_ops.h,sha256=_vTJsAbqZq7QCYTy_l2zuzycUBtly5YohLqoHzMelQU,1606
+torch/include/ATen/ops/rrelu.h,sha256=aaYYgMxLiaKADqa0VYEXH-ICu2W99q-ofdLWy62hCA0,1342
+torch/include/ATen/ops/rrelu_compositeimplicitautograd_dispatch.h,sha256=sOlNAtPqCLuCdxJiyZj7xjj_Q8ThjXPvbW4Ou7WM8H8,1123
+torch/include/ATen/ops/rrelu_native.h,sha256=A8vq3QW-RZjMgcSqhoIz9I06CEqs-gVYoqT4DZ71tlA,846
+torch/include/ATen/ops/rrelu_ops.h,sha256=kp4gP2LYfi9sYhad8TgJw2pIMddR-9eJBRwj3iDRnrA,2287
+torch/include/ATen/ops/rrelu_with_noise.h,sha256=Pd5tnX5S9X6dYY-CLEoFiU8CJEHWzDuJs-HO6nGClOQ,2593
+torch/include/ATen/ops/rrelu_with_noise_backward.h,sha256=z9ADges4AShZbR4jKN8w1gMRrNTY84pKIWsq6EHTey4,2117
+torch/include/ATen/ops/rrelu_with_noise_backward_compositeexplicitautograd_dispatch.h,sha256=uD68SYGhj86gXjXrfyu3f2towXP0Ya01yLDUj_E_gXU,1416
+torch/include/ATen/ops/rrelu_with_noise_backward_native.h,sha256=GFJfEU7LVywd4GZksYm7tZoJeCggkPkqXa1MYxAHrYs,895
+torch/include/ATen/ops/rrelu_with_noise_backward_ops.h,sha256=XcOxEn-MX1Cfi9m-x9w43ITEGgIM_dZck8q2wsIvIT0,2668
+torch/include/ATen/ops/rrelu_with_noise_cpu_dispatch.h,sha256=VZ4074IayBe3RhUQSyXRkZ9rUIjFiCZnxaWwdnan9PM,1646
+torch/include/ATen/ops/rrelu_with_noise_cuda_dispatch.h,sha256=oMOdiVawaEiSZpGR9SyoIbNDMWdVM1lfU8xQIkRpq58,1648
+torch/include/ATen/ops/rrelu_with_noise_meta_dispatch.h,sha256=HgvJPu6jzr4BHpRwQHNih-JUW21MiGnrQNRT3aIeRTQ,910
+torch/include/ATen/ops/rrelu_with_noise_native.h,sha256=zRi2N6MmP2HgLwSO0pVTbMq3X8sqAwJOxWWhv-HVzaM,1880
+torch/include/ATen/ops/rrelu_with_noise_ops.h,sha256=ea51yil0FSvrXxxwfSu2Evai8Dl8WlZ-uc-j_urmPjo,3661
+torch/include/ATen/ops/rshift.h,sha256=dacO-h6BWoPInYYjUJTokk-m-gJFicI8jwj7ee-hFYQ,1978
+torch/include/ATen/ops/rshift_compositeexplicitautograd_dispatch.h,sha256=MWeyIz9AL6i9msqCJ241dd9oz5P-cxSURc4eXaCcdpc,1144
+torch/include/ATen/ops/rshift_cpu_dispatch.h,sha256=j6s6RFQr6206UMOSBz36xXrtNyzTZrI9YMZ5J54-jdY,996
+torch/include/ATen/ops/rshift_cuda_dispatch.h,sha256=Xf3yEHw8BYpQjKTedmLqTrXiUtydmtCNvhRb7Xi2was,998
+torch/include/ATen/ops/rshift_meta_dispatch.h,sha256=yaz-qqIvrJamkQNjxL8_MvNMUqM6-c2TAAL_vjKvG_E,830
+torch/include/ATen/ops/rshift_native.h,sha256=Z2lm8c_JThLDaqmTuw-oO19GUdROo8uP9a6Rl4iDI20,993
+torch/include/ATen/ops/rshift_ops.h,sha256=H1W93noOghP6stSWJzD6xlFjt0dhefH1uSZZXE_MTVM,4520
+torch/include/ATen/ops/rsqrt.h,sha256=3dR9HRXVStyKZJsgPfneDWh6tzjAbvnXdy2ucsJ15c8,1144
+torch/include/ATen/ops/rsqrt_compositeexplicitautogradnonfunctional_dispatch.h,sha256=fh3O5dkf6iLgqhP6Ka-pYX46GXAm6TZKasT8Wm7YaV0,839
+torch/include/ATen/ops/rsqrt_cpu_dispatch.h,sha256=ghHcwbzWagekZD7IWJrawN9nnqjLtT8fzj7mkwZXPtU,924
+torch/include/ATen/ops/rsqrt_cuda_dispatch.h,sha256=4cXGR1hqEhhL9F0LCgmL5LTGCVYA8JIUcD-e-kkZfX8,926
+torch/include/ATen/ops/rsqrt_meta.h,sha256=x02rdybJvXmpyWrS2ZHHKj4Pa2mMvTZqQkWwta3PC1A,585
+torch/include/ATen/ops/rsqrt_meta_dispatch.h,sha256=v-B-lt4IrnhGaVcmfiXJDbooi6DBtl7ML7CFulA3rl0,926
+torch/include/ATen/ops/rsqrt_native.h,sha256=irTP_j1JoS-bPXPdHNOOoZkQ6rdIHn8gXmerGFwBcOY,604
+torch/include/ATen/ops/rsqrt_ops.h,sha256=wGXLWI-dBhOiDmN0vrFpZWmQXWnhCu68tI-bsB5PWZU,2113
+torch/include/ATen/ops/rsub.h,sha256=W0ye_w20elN1y0KT7b8y0bh6lQDHc3X58Frpm5WKEYo,2173
+torch/include/ATen/ops/rsub_compositeexplicitautograd_dispatch.h,sha256=GRZhj4F30Cf_B3pdhBnM88rAgEkKR-psUEn9RUn3Ux0,1334
+torch/include/ATen/ops/rsub_cpu_dispatch.h,sha256=VNc_G6174WTu0bOkSc4fObglbM5NPVZActMqQ4E83j4,772
+torch/include/ATen/ops/rsub_cuda_dispatch.h,sha256=zD99Ts02VA4iOECeHpHlCP3DCOT95NobE0N_HuA_YdE,774
+torch/include/ATen/ops/rsub_native.h,sha256=vMxCVmZYOOE-05pvLSj-ZCKMdEn26C4o5apnU_ksaRo,915
+torch/include/ATen/ops/rsub_ops.h,sha256=NXAFxwn8-EmaLtZbX2A8hvfRw_jKHDH642QhCzgTYHM,3503
+torch/include/ATen/ops/scalar_tensor.h,sha256=RihMGfS3lJVnfX5PfPtw5gb039l00Y9gjP7KJys5fq0,1722
+torch/include/ATen/ops/scalar_tensor_compositeexplicitautograd_dispatch.h,sha256=HCOV4UhfkXHIt0f0NRE_5T8OsvvbRRHC1RYeLeOIjnI,1166
+torch/include/ATen/ops/scalar_tensor_native.h,sha256=U9VQkp9MbL06vp777wphv0AiIc77kwtaNyot2xXw8v4,730
+torch/include/ATen/ops/scalar_tensor_ops.h,sha256=UzJ1WNz0m6KyLqzRnEB8KPbtpNzsnmGnoFmdue6t4hw,2110
+torch/include/ATen/ops/scaled_dot_product_attention.h,sha256=DeGdLdKAaJYpfZBBaLGTxJhHT-ei1WkTrjjK2vGkENs,1073
+torch/include/ATen/ops/scaled_dot_product_attention_compositeimplicitautograd_dispatch.h,sha256=kVgvd7uO-uTDAsz4XQqETo9Mu7zLACgrIp0CkqCGLJ4,977
+torch/include/ATen/ops/scaled_dot_product_attention_native.h,sha256=Cv8VcTXQ2SHhW28ekw3-CjJjEkIJvSrzjQF3B1S7OT8,700
+torch/include/ATen/ops/scaled_dot_product_attention_ops.h,sha256=oqQH5ieaKWTfvPIOKWd5Ied6DjbTwiP7wQDzuJg083E,1591
+torch/include/ATen/ops/scatter.h,sha256=7ATZ-Bjj3qJQe3iQdBMVLunYAuHrYt5m_mpC5snfB8s,5079
+torch/include/ATen/ops/scatter_add.h,sha256=ex23VGhOKm9lniR-oj2dAxesYIBMC3GRDZVYRGe8S3Y,1699
+torch/include/ATen/ops/scatter_add_compositeexplicitautogradnonfunctional_dispatch.h,sha256=m9ZRGQ5-e9ted2n75uGyI8pQyj2r8YvnhZJppfisSQI,977
+torch/include/ATen/ops/scatter_add_compositeimplicitautograd_dispatch.h,sha256=kTHxoN40Eqy0DWatvfY4OnbMZbDD2yzNMeZu4PQ5QQ4,836
+torch/include/ATen/ops/scatter_add_cpu_dispatch.h,sha256=NqBR0dGWODpIP4jns2Zg2AnCe7hAA5yTd9rhi3GuB2o,1200
+torch/include/ATen/ops/scatter_add_cuda_dispatch.h,sha256=NQ_hwDwRJBFMfhsySHaJKXbqR4scjgiJRAxk924FQWk,1202
+torch/include/ATen/ops/scatter_add_meta.h,sha256=yKtPsEHmDiqdqgaY9fgQH6iEP9dRgWz61keOJwe24R8,654
+torch/include/ATen/ops/scatter_add_meta_dispatch.h,sha256=N4qbckPkeQqmGDmZQKkifoYx3lP0ngyFGI6_LnnVoCY,1202
+torch/include/ATen/ops/scatter_add_native.h,sha256=bBwFhrMj-Zh1Yy86_v62ZrqBsyOYxoRTeuce_qCCpDw,807
+torch/include/ATen/ops/scatter_add_ops.h,sha256=BS-haug73qaPcCM3hUXYShzK2VgdqNZUf6P2OtjW1yE,3594
+torch/include/ATen/ops/scatter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=oSWi6DoH_X37iafenDTcv72XwWPPONYMrDAWq2aw3cY,1776
+torch/include/ATen/ops/scatter_compositeimplicitautograd_dispatch.h,sha256=-XLZyuVGdwe61bYI2MnKM7SIFi68L9OyUxSXfJ2jWUo,956
+torch/include/ATen/ops/scatter_cpu_dispatch.h,sha256=5QwX_CejBN6WsbaOCFZwe306aR6jItzF1Nx0c5zM7U4,2954
+torch/include/ATen/ops/scatter_cuda_dispatch.h,sha256=Xid702LdxbTSPhBydoFnBULtsdy2rfEjeObx7UmGLtw,2956
+torch/include/ATen/ops/scatter_meta.h,sha256=8lKzCsP6W7M6oZ69rm7OyFXd0bed9ZVfqN-54SAAp68,1280
+torch/include/ATen/ops/scatter_meta_dispatch.h,sha256=9ztDwGQFf1ZSEdOgBRVd1kZ83TzTIAGx5yUBuUPtkEk,2956
+torch/include/ATen/ops/scatter_native.h,sha256=TUFEewWCClvrGt3LLy4H4a6BJy57x-QpCw-WZR1Y9z4,1651
+torch/include/ATen/ops/scatter_ops.h,sha256=yz7XBva2kK4zlAyzvI-G7q-WAd2K9fzQQSWpJqGZnic,12138
+torch/include/ATen/ops/scatter_reduce.h,sha256=WBLhHojBb9LbGhLUH-OzfN0QzRZLEo4_pY3W_Pg50k4,1783
+torch/include/ATen/ops/scatter_reduce_compositeexplicitautogradnonfunctional_dispatch.h,sha256=6mqUFSz2AZR6e56S_5WA0j8SinAIg1MmiOi6po4oMp0,1081
+torch/include/ATen/ops/scatter_reduce_cpu_dispatch.h,sha256=fZM15D2sVXCTL4FOeaicUHCwwJg5txm9aWU-Kqe7tL4,1403
+torch/include/ATen/ops/scatter_reduce_cuda_dispatch.h,sha256=MygIO6BKIsw-SHGUOYrAaEr2-QPBxA74J-cekbMkwiQ,1405
+torch/include/ATen/ops/scatter_reduce_meta.h,sha256=VlRU0VW3nKcouZf3ykt8I-itK9Ug7YlWGDHJnYuVtDg,705
+torch/include/ATen/ops/scatter_reduce_meta_dispatch.h,sha256=5HzJlOg31A6DsoriYqxSjbtyq4x1e8KanRLVJUKgADE,1405
+torch/include/ATen/ops/scatter_reduce_native.h,sha256=TwW-xlh-h9RdLLWvbGVXt_3FYCEGN_EqNamtUZX-Zys,742
+torch/include/ATen/ops/scatter_reduce_ops.h,sha256=AGP-2W5Y6F-oh49qzdSnW5R_guYBjQbRdBGFixvqlo4,3308
+torch/include/ATen/ops/searchsorted.h,sha256=q6u23784Ywn-twNdTq6uuwrz11JS4GwkCp41RfYMW1E,3652
+torch/include/ATen/ops/searchsorted_cpu_dispatch.h,sha256=qFhm5VwNjvzseKiYJ-YT1oeIlYvyYziM1ximmStArLM,2132
+torch/include/ATen/ops/searchsorted_cuda_dispatch.h,sha256=JCsiyChmMxd4eSi2dGdcf41wlOXn1HKrb-yAf1wu-C8,2134
+torch/include/ATen/ops/searchsorted_native.h,sha256=bHrtN7qCs5Xx1ZeaC3zbKlOgABjjMR5waLJf5qa72s4,2349
+torch/include/ATen/ops/searchsorted_ops.h,sha256=QPZSuSTpxRZuEQRkO5HHHvBKapxfx9D3blFtp1pryN0,4910
+torch/include/ATen/ops/segment_reduce.h,sha256=eYkZMO1gAQ6QDg_JiuvS-wQH8BAmxUkZ1OElbj6lwyo,2425
+torch/include/ATen/ops/segment_reduce_compositeexplicitautograd_dispatch.h,sha256=bbbkW5_Em_F7RukgvcbX3f3ncMzQ13Q7rRAz0vhjXig,1379
+torch/include/ATen/ops/segment_reduce_cpu_dispatch.h,sha256=B9WEYbiQJBVYUrlHioM_NRJcLkgt2HwELoAMQUvwrrA,992
+torch/include/ATen/ops/segment_reduce_cuda_dispatch.h,sha256=OfKPs90RFx3oaWs3pKk34ebclIRByWn7ExJWSpI0CYs,994
+torch/include/ATen/ops/segment_reduce_native.h,sha256=r3uUGwAjzjyO8ioAgbvSZMqTywuzf99XkaoPUCI--Do,1084
+torch/include/ATen/ops/segment_reduce_ops.h,sha256=vwrbNvKRumtfIwTUZth5acYhEBBBdxK22MnOIt6qLpQ,3193
+torch/include/ATen/ops/select.h,sha256=Y74V615G8253OyMkgZd6S9a08YmsPVuOPwwJIFvQK5M,1644
+torch/include/ATen/ops/select_backward.h,sha256=1Pn2xniBDhlU2NM9C7nF4AmLr06Hj4VpIDsUPIKMO7E,4850
+torch/include/ATen/ops/select_backward_compositeexplicitautograd_dispatch.h,sha256=aVLl5KjFA6W3K-1jAN7-mxJ99d5ti5seAoejVsSGm_8,1346
+torch/include/ATen/ops/select_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ywf5WDI1JxlJ9Pq0wRErTcivTjxUoSBbD94yu4o9VSM,1005
+torch/include/ATen/ops/select_backward_native.h,sha256=EK9EbsEjo5WU8ggBgQ3ZDJrvfxaX0DASLTuOpKSQf-Y,741
+torch/include/ATen/ops/select_backward_ops.h,sha256=RjdzlR9-O3XccRC6EF5HAOLfPfMVtFqm5BBQFqR4CbI,2122
+torch/include/ATen/ops/select_compositeexplicitautograd_dispatch.h,sha256=DnptFiET-zNkqvxgp5MfPtggpQA9Ie3X1YRJRs3x1ok,885
+torch/include/ATen/ops/select_compositeimplicitautograd_dispatch.h,sha256=Qin5wY6OUza9eU_7AQU4s9VuL0IssPn_BY91alwldq8,796
+torch/include/ATen/ops/select_copy.h,sha256=5QVNFIOMwLgOBe1YKvHrLEJw9BUoP1tckDnmluhk78Y,3772
+torch/include/ATen/ops/select_copy_compositeexplicitautograd_dispatch.h,sha256=nShinM7M8_kqNYs-2E1ZskrTLaHPHO-p_h13mLXXvCg,1178
+torch/include/ATen/ops/select_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=H4YZEjo1Pj4YJOmidZe6rzs3v4ct0LEwwtnLix0GCFg,921
+torch/include/ATen/ops/select_copy_native.h,sha256=LCUE6J509SadmEnfnBGlO2PpIA2vxiMVfIcZ14r4Z3E,755
+torch/include/ATen/ops/select_copy_ops.h,sha256=5ijpkQvZqE7JuHLCX8wpfj99RFZn4qach-eJMJn5ezc,1861
+torch/include/ATen/ops/select_native.h,sha256=O0qORLIusM_V_KkFFwzQfT7MJt6WQgfaIHKYSQpRLs0,794
+torch/include/ATen/ops/select_ops.h,sha256=oEkdMyJLktZaUC0xfG4vkrIyvh3hQEp4ndW9Yk7l8V0,1765
+torch/include/ATen/ops/select_scatter.h,sha256=f_l0xEGvMDf5IEDOjbct5LulCWiQT-L5RCd8_ru95SY,4213
+torch/include/ATen/ops/select_scatter_compositeexplicitautograd_dispatch.h,sha256=x8ioi3LlnaGyLzLXfhluuyal4yC7T22aCV0zUVdhv4c,1286
+torch/include/ATen/ops/select_scatter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=vhYMKNGEITJ1WVIWUKsB0bl-xduMSyxb89cty7LcAqI,975
+torch/include/ATen/ops/select_scatter_native.h,sha256=Q6ftjY_htnyupxcE6CNtJx942unhk5kbEZXAabTPmz4,707
+torch/include/ATen/ops/select_scatter_ops.h,sha256=L2lbRix5yyuxZ6pvJ5P2wMaM0RvsRItbJIV5IprdWRU,2016
+torch/include/ATen/ops/selu.h,sha256=L6rN3fKir8oiSSb8HxYNHymM635SLPalaYEMGr3Ytcg,753
+torch/include/ATen/ops/selu_compositeimplicitautograd_dispatch.h,sha256=feIEgPVppKywSSF1J0UwT2WGtx9Fl8xcApm3uY3F9Y8,811
+torch/include/ATen/ops/selu_native.h,sha256=7vNnZcOb8VSYNv8M_jJjpLnsEJDUWEuqDcNZA62-vIw,534
+torch/include/ATen/ops/selu_ops.h,sha256=SI7dM6vNtooa4egHeMbMj6T4z1mPasE70ryaEo-kSrg,1487
+torch/include/ATen/ops/set.h,sha256=0ziGo2k6vtuGxpShUnQ7SzDctZDF0REqzFe2B3cXRWc,9248
+torch/include/ATen/ops/set_compositeexplicitautograd_dispatch.h,sha256=uffcQLn5cK01e5EMxZKzJJOtVep08CiB8xPQ4Mw0X48,2470
+torch/include/ATen/ops/set_compositeimplicitautograd_dispatch.h,sha256=qLaAXSCm0WXaxN6kyZted1krq9kQ7NX-zxuY1bJhKiI,1025
+torch/include/ATen/ops/set_cpu_dispatch.h,sha256=IQj-xc2kLWSfgH6xH97EyHVjo60kfnsE18Oe9h5o-MI,1158
+torch/include/ATen/ops/set_cuda_dispatch.h,sha256=obDehO4hPNPO7Mb0lwqxPeEIfBb07PRbc24sq5h_zIU,1160
+torch/include/ATen/ops/set_data.h,sha256=M7LkzCqOE_2rLELk5fOcBBlku4_1EBbfplmohHUiBFg,493
+torch/include/ATen/ops/set_data_compositeimplicitautograd_dispatch.h,sha256=yL2R4AodKWpLR5_gj1kDt-pkBcKkOUmz1XXBMZ4HLMQ,783
+torch/include/ATen/ops/set_data_native.h,sha256=eA6dacR1RMVe52YV4FPLmhwXAoYZlJq0t9E0mQ3Stt8,506
+torch/include/ATen/ops/set_data_ops.h,sha256=j67F7fWpSpe5JKWRsk8HJJmzHLTWSZOOwi2Fpl7bbpc,1032
+torch/include/ATen/ops/set_meta_dispatch.h,sha256=k-R5X55oU6GtG0kR_HkHtakdSMWGBNUrP3PIegVB-80,1160
+torch/include/ATen/ops/set_native.h,sha256=TLSZeWbU6eHblzwx0XRJQ9-V7_eg45mHXgA7ScpR4Kc,2425
+torch/include/ATen/ops/set_ops.h,sha256=dtIASNhLKVLQDI-Xnm1rDBuqgYKfsJiMcXFDqi-LGR4,10090
+torch/include/ATen/ops/sgn.h,sha256=vQYiyDO9VJ6vKXTQOAwWAHX9TQliu0ICpqf5HuDQWEw,985
+torch/include/ATen/ops/sgn_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5LZTvBGItXSSEPoj5He0vvDPrxfS51-kWkyZ6o9PjuI,835
+torch/include/ATen/ops/sgn_cpu_dispatch.h,sha256=N8oA9WbFOLV034Ofk9Y_lEoKo8EL_E1gNd6z37s1DH0,916
+torch/include/ATen/ops/sgn_cuda_dispatch.h,sha256=gEHpo5mz-1MJApDpovu2PBGyFHkKgnUGcC1GVKiyPU0,918
+torch/include/ATen/ops/sgn_meta.h,sha256=ZZhR6tWsacXA8l64-9vDCxN7a20iu_Mtzay7AHO5A6E,583
+torch/include/ATen/ops/sgn_meta_dispatch.h,sha256=8yfX_c-0Sgq8Y_pRhnUy4PizSGbyX-pQMdajpHcDrNw,918
+torch/include/ATen/ops/sgn_native.h,sha256=naslk9lAS9-oNPOqgHUfJiQz_F7guJUqUsfVIIH_Ooo,1125
+torch/include/ATen/ops/sgn_ops.h,sha256=ftL5NX6yzjLsxXX3jCcr59mLsFkTJsLqUxwrxetKMtU,2095
+torch/include/ATen/ops/sigmoid.h,sha256=aCq5YuMow5eUk2-6zJpB-vd8eryp-U7WMFamtUW4C0g,1170
+torch/include/ATen/ops/sigmoid_backward.h,sha256=NA2J3XzgJnQ8pmAVN3YmG_FGBoS9Q44j6dIv0oAJa8s,1398
+torch/include/ATen/ops/sigmoid_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=KeXoyaLReJobC_434lczR2HcHZ-hbB5pAywmeclxVRg,834
+torch/include/ATen/ops/sigmoid_backward_cpu_dispatch.h,sha256=Z1EoGWZ4eiOSy7lPpI_5qwyzWyFqxY9wC-35gcOLfDo,1023
+torch/include/ATen/ops/sigmoid_backward_cuda_dispatch.h,sha256=6ZRfEflpXl5fpK-du2JcRoDGKNJjB-LydnnY6mq6OXI,1025
+torch/include/ATen/ops/sigmoid_backward_meta.h,sha256=nqyNIXyLl8Pk2s8DPKUMAvGHl7l3htpKLE2CF4P2dfA,630
+torch/include/ATen/ops/sigmoid_backward_meta_dispatch.h,sha256=S4rELKVhE_1DTVGnOsDDb_8rwjqu0gHQwaJQyOuOLHw,1025
+torch/include/ATen/ops/sigmoid_backward_native.h,sha256=B7URH1RtxKQ0WD0WPji92TfOV8GuAgBPfg2jq-z9G3w,678
+torch/include/ATen/ops/sigmoid_backward_ops.h,sha256=vTt1Fk-bEglgV-2LW62kve1XuuopyA8N9vacI2PjSmw,1912
+torch/include/ATen/ops/sigmoid_compositeexplicitautogradnonfunctional_dispatch.h,sha256=PgSe5Gt31ah8_osPFrHYOww8BvxGX1FAB-T6z4sIlSo,843
+torch/include/ATen/ops/sigmoid_cpu_dispatch.h,sha256=9BqLnt0EV_KwajFVFxF7kDs_-hM6m2r-I-s6TA5mIYQ,932
+torch/include/ATen/ops/sigmoid_cuda_dispatch.h,sha256=QVopEHCkwY_JxiodcFYJU0G5YY7ClWLQK0oroxRrFO8,934
+torch/include/ATen/ops/sigmoid_meta.h,sha256=VsvL76FLM-dZz-KWVYpo0Z7KqK65VfBJR8dqKd2TlMo,587
+torch/include/ATen/ops/sigmoid_meta_dispatch.h,sha256=tHMuVNnesOCzw4LWcETtkRJUayW-Y2Mt3UMxT5SgayY,934
+torch/include/ATen/ops/sigmoid_native.h,sha256=-dkBI58GCpi6TZSYgA3AE-JlLPliZN8KIqk1QdCxizU,800
+torch/include/ATen/ops/sigmoid_ops.h,sha256=lzqi6rrhvf061x2LINWNHrKuCUI-SkWBcQG38qsMWAI,2131
+torch/include/ATen/ops/sign.h,sha256=c72wNaIZDLWEwztXaMBx4QXqR9bVu_sjHErW6eZryIE,995
+torch/include/ATen/ops/sign_compositeexplicitautogradnonfunctional_dispatch.h,sha256=3sLCp0R6yinNMOZNmVu3TVD2Kz72SerkQDIQaN_rhLA,837
+torch/include/ATen/ops/sign_cpu_dispatch.h,sha256=dRjDYMA27wsP2uva7J-Kgdy5UvukNUp6IfQthimzXeE,920
+torch/include/ATen/ops/sign_cuda_dispatch.h,sha256=pqJj4CvmdlTDW6JNChQyrKMfUpUrFIobRDu3_I-X5i8,922
+torch/include/ATen/ops/sign_meta.h,sha256=MN51sWvZbLzBpzB2ale08fKk3oY0twxZIyHiWakehRA,584
+torch/include/ATen/ops/sign_meta_dispatch.h,sha256=zTgSWNx26W0SqO2nyrie1VW5-I62rLQKwHVk85ImOnI,922
+torch/include/ATen/ops/sign_native.h,sha256=UwCSlUgSQOrRgrXHuhZ8lKZ_epymAWzo_rMmtcnBPkE,1009
+torch/include/ATen/ops/sign_ops.h,sha256=36fzM7PNMwzYC2f92LfqlLF7SI0Y6jfYOEMJsdrzCDY,2104
+torch/include/ATen/ops/signbit.h,sha256=e65ucj2xLRhsjDMqiYt-sWrKawtLBUbUoj0OS8tDALc,1025
+torch/include/ATen/ops/signbit_compositeexplicitautogradnonfunctional_dispatch.h,sha256=LKAm5dgD5A2eFGCFY4CYUTIl5OTWUm5om6_g5-oBr_4,791
+torch/include/ATen/ops/signbit_cpu_dispatch.h,sha256=rP9ipQWOjXsjCT1FWW15McZXhlElRK-CO_f0m4bDxYI,880
+torch/include/ATen/ops/signbit_cuda_dispatch.h,sha256=FcRfgPia_yIEHt6_4uzob0Cb5Lrew0BvKThRrXioHKU,882
+torch/include/ATen/ops/signbit_meta.h,sha256=81iU5H5qhUpVKsCfezRuSf-8S35aT0agwfMRoPwLUQ0,587
+torch/include/ATen/ops/signbit_meta_dispatch.h,sha256=3TpQ5vHZrP7rtq8vi0ePFzQv_3gu8unuISKA9-JT8ac,882
+torch/include/ATen/ops/signbit_native.h,sha256=yZFX6eEQSqHOKPjcBwdIzy4seys9Jmk9doxzgjHdXdI,914
+torch/include/ATen/ops/signbit_ops.h,sha256=e0CqonP8gaRvpA3w4-pGj4h0rKq1WgvfeCEe200aAy8,1596
+torch/include/ATen/ops/silu.h,sha256=ulFDE1L-rJW7uNv2s8Of_v6_KZKjuUVw-pqAvWPw_Qk,1131
+torch/include/ATen/ops/silu_backward.h,sha256=y5OuDGcW3raq7dyEYRWarSZk3Efn8zJMhUZmmXXL2gY,1350
+torch/include/ATen/ops/silu_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=8YaGB-R4mVUWiIqPoByZJbvej048UGQjTm_O8uBNCeY,829
+torch/include/ATen/ops/silu_backward_compositeimplicitautograd_dispatch.h,sha256=sQm5odhJYhYcckBGh6uwZ68ih5HjuNIIcfDJEQfFfCM,803
+torch/include/ATen/ops/silu_backward_cpu_dispatch.h,sha256=EG_bVXsVJLRVkSi9rLsFGSyu0Tk5y3d79jYiJirYAEI,1008
+torch/include/ATen/ops/silu_backward_cuda_dispatch.h,sha256=JhWuMQ6oEORadSG48Zy1zi_KaNEuhbfYeAtnG5s91Lc,1010
+torch/include/ATen/ops/silu_backward_meta.h,sha256=6AhbxLHQwdFh8pbgbZwncseUASPt-Sga8gd2xDL-Phw,625
+torch/include/ATen/ops/silu_backward_meta_dispatch.h,sha256=mVbl8ejUfC8rCxiW1E7c7S663PjTZUBADWI5m-3D_LA,1010
+torch/include/ATen/ops/silu_backward_native.h,sha256=KPrVkU9l21YJ2a4pxeUFWEhcm1vJNn2nSHcIExIBvDU,865
+torch/include/ATen/ops/silu_backward_ops.h,sha256=fRVpfpQh3xwSo3CeygxZslm-D0cCRkXwkN_nhR2or8c,1882
+torch/include/ATen/ops/silu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=H7Lya-LmVuzj9XLj49GvmeR9pPgteBXanYLuB4TjXB8,837
+torch/include/ATen/ops/silu_cpu_dispatch.h,sha256=VW-LKzanvEolYrQajqECOJSHGJXlc7jhXv3Qc7vDo4Q,920
+torch/include/ATen/ops/silu_cuda_dispatch.h,sha256=xkK0nHdqbsDqgHS3WeyQdxyTOy295H73P6t_RQ8abuM,922
+torch/include/ATen/ops/silu_meta.h,sha256=HCcxchI1FsUcysaN8k94WecIDYUrWS6dNLg2U-vSyxs,584
+torch/include/ATen/ops/silu_meta_dispatch.h,sha256=_RFEFf5hb9lvl-zAckvaGyo213ylhEURqRJSZQgrLUg,922
+torch/include/ATen/ops/silu_native.h,sha256=moP3pInfEc-zh2tem-f_dCRyXvVC6car7RGkSiOh3xk,728
+torch/include/ATen/ops/silu_ops.h,sha256=6RjX3RS8mW-MHGUTeZAJbAj1hA86gaFdLXpGFVY_LfM,2104
+torch/include/ATen/ops/sin.h,sha256=s__O68158yri94PVEkJrBvpO9uz3nGo7Frgb8pboj-k,1118
+torch/include/ATen/ops/sin_compositeexplicitautogradnonfunctional_dispatch.h,sha256=oK8texD6_Mm0uHJLY80EPD2e4B2awH0--EUWVnzkKw8,835
+torch/include/ATen/ops/sin_cpu_dispatch.h,sha256=N2sGALxM13cOEMx_Xw0Z5QpZSz3Z0QB1yv7EF95v5IA,916
+torch/include/ATen/ops/sin_cuda_dispatch.h,sha256=AY7K9iIlZ_AWmzB3s8bQes1AtzQ-Y0J6i8qX1sFlzC4,918
+torch/include/ATen/ops/sin_meta.h,sha256=WGodWvqi8Fu7T3sVG7L1iwiVNJMLYZDDE4hniioup4Y,583
+torch/include/ATen/ops/sin_meta_dispatch.h,sha256=ZXhNfI5oQuNj52zkysQ-oSrQDrUFP-c-_GIv1ZNN8v8,918
+torch/include/ATen/ops/sin_native.h,sha256=EXJKtjltEo7ihKS3TzAAAEHzfrghi3zkWA7bTD_kLNU,1058
+torch/include/ATen/ops/sin_ops.h,sha256=y-pK-1JCIal7xqGP2kZkypyJEEOEs-QLsvyeiVP_yYk,2095
+torch/include/ATen/ops/sinc.h,sha256=hwBkdMJDrrIFkejMncny__tzd9byyr8thQ-tXNrRsvU,1131
+torch/include/ATen/ops/sinc_compositeexplicitautogradnonfunctional_dispatch.h,sha256=EKtHwrscBiEEOnQ1JHHKfTLAH3L0B8F6ALt0WtZqHDQ,837
+torch/include/ATen/ops/sinc_cpu_dispatch.h,sha256=GOS-7yL0DplD2PgWP2CYkwAHuTH1-VvXL5P4HcPu7Lg,920
+torch/include/ATen/ops/sinc_cuda_dispatch.h,sha256=BIV7_Q8rLDcOjtnQjPHdi6q_vtsmByrHmOMUi4olkB4,922
+torch/include/ATen/ops/sinc_meta.h,sha256=WrsO8U80SdHTi0FJHW5qBZzn2Y3hgSHtD-dgmazMhc4,584
+torch/include/ATen/ops/sinc_meta_dispatch.h,sha256=oCzuPzKN9t28M61qlSg8r-8NDD3EQBpEHCXi4dMAHC4,922
+torch/include/ATen/ops/sinc_native.h,sha256=8vucxARdlL4HJvyRUXAPcMp_0CY_oiTb1jaj20SYqfk,601
+torch/include/ATen/ops/sinc_ops.h,sha256=JXWYkZHrllAjNqV22KEGIzhzXcu8Vvu-WrVgInu0zWY,2104
+torch/include/ATen/ops/sinh.h,sha256=zoVS1PkSOe31J07uGtbRIHndUCN23WLrfuKXA-jvy6c,1131
+torch/include/ATen/ops/sinh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Dn9LTkJi_S3ATtf0n85BJ8pNIzMktISmGDnvH8e_WXE,837
+torch/include/ATen/ops/sinh_cpu_dispatch.h,sha256=2XfrxA2i-RFpcoXYAgiDSDF-T2jKMKSn1Re9x-tEZVE,920
+torch/include/ATen/ops/sinh_cuda_dispatch.h,sha256=YTqiAu91XPCxq3bi-2QU5WAJXMOAIJ8XoNE8_Nmsf6c,922
+torch/include/ATen/ops/sinh_meta.h,sha256=OWYnjJLRq9yvElrCTLQhcAKFnV_3ijFWsZ-yPzWzBCc,584
+torch/include/ATen/ops/sinh_meta_dispatch.h,sha256=indTCakEIpKc7xjFjNcUu4CkXNSYnkjFlk0JkzsoNxU,922
+torch/include/ATen/ops/sinh_native.h,sha256=nQDaFm06dab06nGZ1m4UlGakmTwIRmzFvjGM5bErl1g,1009
+torch/include/ATen/ops/sinh_ops.h,sha256=OjUm6RXDu2QTAF-7V_ifwM37k5UoXl3LUvgPGvRcFmQ,2104
+torch/include/ATen/ops/size.h,sha256=Xvi4WwZCvezwWhN_2abVDn8jK5XKMN5GwACfz8yIEP0,831
+torch/include/ATen/ops/size_compositeimplicitautograd_dispatch.h,sha256=lfBzXTWLGOAo9DfG-KPVaOTcT7h5ydQWZqIo3W8vF3k,838
+torch/include/ATen/ops/size_native.h,sha256=JefGYBmJKJWdAw7-WZP417oBERIqZQ-9-dPqfN8uWao,561
+torch/include/ATen/ops/size_ops.h,sha256=GmBa35PoRIDqV9cy1S3w3nJUQ6gT3wQKd0diO5JxrOA,1602
+torch/include/ATen/ops/slice.h,sha256=Ud9ioaUgL3VHFjs-qgz-FeCL9bllPuW-rT77K2eOlNs,2236
+torch/include/ATen/ops/slice_backward.h,sha256=MhJUNoT-73f-qUQraH5rf2fZPlFEE1qkT9XwGA5MBZE,5473
+torch/include/ATen/ops/slice_backward_compositeexplicitautograd_dispatch.h,sha256=bxgVa7Z0R7s3TzNHNwGTITuhC7ZFeD5qhSlLIj0hrFo,1795
+torch/include/ATen/ops/slice_backward_native.h,sha256=V8fv6W0XmNYQfcnedRYbSfFb-dr5PU8Bw7mD2z-CH7s,786
+torch/include/ATen/ops/slice_backward_ops.h,sha256=YzdSdclWGKkdrs6pWbNfB-HKDn5LBDM2c9zM8Ag6lk4,2358
+torch/include/ATen/ops/slice_compositeexplicitautograd_dispatch.h,sha256=qEZmTTwQGrl5d8V6_v3EWHXq_TfFYzvcsVnIFvvsrVw,1081
+torch/include/ATen/ops/slice_copy.h,sha256=lAUzLngzHUmrVlcQ7TLrQ08OF9qom-57mi4dPL1Y9Sw,6089
+torch/include/ATen/ops/slice_copy_compositeexplicitautograd_dispatch.h,sha256=wL23zOtj7Zy_EoC8c6sORGc0lPtJNMN7X2DL_QR5UzI,1502
+torch/include/ATen/ops/slice_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=As5hCaP0NH39_bSDijVs9jlmpKP0DFV0c9-Tk_QrVAc,1117
+torch/include/ATen/ops/slice_copy_native.h,sha256=XMiK4GoE2fwlSye_Z-Km0mmWRPWOWAaWghFkac9Ja-g,837
+torch/include/ATen/ops/slice_copy_ops.h,sha256=L1KWdFzqPu2NJKgwwdd0PYlXy0IPvKB_74hI3XneF44,2351
+torch/include/ATen/ops/slice_inverse.h,sha256=q5Qe7j1aVZGUfM9E2BlKIzzE3Dky-WzYKaNmJnW_C3M,2422
+torch/include/ATen/ops/slice_inverse_compositeexplicitautograd_dispatch.h,sha256=IS_6lCeEdZ3bvMmiaoOJQC4Yte0oWmdu1dgb437dv-4,1145
+torch/include/ATen/ops/slice_inverse_native.h,sha256=ZWGZB-jZRAuG6c2GY_zfHDrG4KaTchzwK4E0wLMmSrk,660
+torch/include/ATen/ops/slice_inverse_ops.h,sha256=ha_VXBpIDBAp1y9WVeryt5Q4ZWRHJzeR06LaBMccKTk,1422
+torch/include/ATen/ops/slice_native.h,sha256=B4Ke8A4r4eyxH8pAl3Ty6-9PX0-MArKgxr8jsvm3Fts,609
+torch/include/ATen/ops/slice_ops.h,sha256=wR47bwr9BFGDfWpn_GhSviX0ukR24YnS7J3bhpmmhmk,1338
+torch/include/ATen/ops/slice_scatter.h,sha256=E29Dl3p8-Z-Nc2tivoor3btzCijsa1xaHpJodj7CRHM,6476
+torch/include/ATen/ops/slice_scatter_compositeexplicitautograd_dispatch.h,sha256=opvWloVfs25y2-IEy5914V5zPp8xVOat2xh3bSYnYEs,1610
+torch/include/ATen/ops/slice_scatter_compositeexplicitautogradnonfunctional_dispatch.h,sha256=_xbk7oUkaSgcVBjqL9mpc5TrtC9-WShncg4EKzFS8dI,1171
+torch/include/ATen/ops/slice_scatter_native.h,sha256=_rrG9NMTZvess95DqJqToKB08iBfPQKuYc5cJtu5qIk,858
+torch/include/ATen/ops/slice_scatter_ops.h,sha256=QHNneIDr1jJRb8KPjMo7uCe1BNvV37yPwhrMtVLD0C8,2488
+torch/include/ATen/ops/slogdet.h,sha256=OMzMSCFSogpSIhf-iZCKwlBnCyx9q8ZUa5SOAd4-KwY,1307
+torch/include/ATen/ops/slogdet_compositeimplicitautograd_dispatch.h,sha256=dFmaIWSJbfcGLPpGVKU0-g4__WSEsC_xANNcSTF_EiQ,1053
+torch/include/ATen/ops/slogdet_native.h,sha256=IPqe45cfBbf7tXiBGHK-rROY-9o4lPeFMrvICphSwqo,644
+torch/include/ATen/ops/slogdet_ops.h,sha256=CyjUZ3gdow6QoILtRKDNZ7X8UIPd_3nBVbgsKai5mzk,1893
+torch/include/ATen/ops/slow_conv3d.h,sha256=wEhXq5fYsfb0FPgom9J5MT4GU68ZdZswQSsurnN9iv4,6638
+torch/include/ATen/ops/slow_conv3d_compositeimplicitautograd_dispatch.h,sha256=7O0Fzb09NgMJ5aq2oM1R4XvA_iQTMqNVgDP7CzhUZGA,2181
+torch/include/ATen/ops/slow_conv3d_forward.h,sha256=-jsHdrA60d6NEokrh_I4hlqhuqpnjy0yfw4p6etLe6Q,6768
+torch/include/ATen/ops/slow_conv3d_forward_cpu_dispatch.h,sha256=-pVDQFwAvBup5Au-mePSOcsVMRSaImtS3quv7eLVguo,2117
+torch/include/ATen/ops/slow_conv3d_forward_native.h,sha256=3dWjdFgo01l67g0Asbmws1H45eq7tNFRhqZnkMD9sLg,896
+torch/include/ATen/ops/slow_conv3d_forward_ops.h,sha256=ulIKQ8BqWxH8EFn5lm88isb7w3co6VeSqY3zUUEoi5o,2740
+torch/include/ATen/ops/slow_conv3d_native.h,sha256=E4Xs5Sghf4qDFxzNxQuCga42JK8hFcdcLLMJEAcmA2w,876
+torch/include/ATen/ops/slow_conv3d_ops.h,sha256=TwQaQUWxqct8fAxpR274sf1WTCcLZd2rOuMpzchywTc,2692
+torch/include/ATen/ops/slow_conv_dilated2d.h,sha256=A1r8FC8BxlYXm9Fd-Zln7SV8m_fNUINUfILcv76l4UY,7698
+torch/include/ATen/ops/slow_conv_dilated2d_compositeexplicitautograd_dispatch.h,sha256=-QSUHEpVTBzlXJ_k7FOHIZcNyuGgPteulZaECxbpDhQ,1871
+torch/include/ATen/ops/slow_conv_dilated2d_cpu_dispatch.h,sha256=dpfndg4BbIsgdRIdvqpXXoaRj_QZo3m712UC4tONQyI,1226
+torch/include/ATen/ops/slow_conv_dilated2d_cuda_dispatch.h,sha256=rOPEWBodJ9Xo3RmmiUkopO5t9rah15aWZ2UanHdh4GE,1228
+torch/include/ATen/ops/slow_conv_dilated2d_native.h,sha256=Ub3yX2hv5q5M9G8vih6XhApOxU37b6Tyi1H6XDY44TU,1227
+torch/include/ATen/ops/slow_conv_dilated2d_ops.h,sha256=1uDetMZUcibiz9iyBfDtOIYKX7qoMIWzTwxgIIdbPBY,2946
+torch/include/ATen/ops/slow_conv_dilated3d.h,sha256=3dAA-7yIu9HlMydxqPpsBXT4kCfFg1_fMqRYgtA0oTg,7698
+torch/include/ATen/ops/slow_conv_dilated3d_compositeexplicitautograd_dispatch.h,sha256=WZjAaiB594W1eQIeeaxvg0KbInaxgiNVc98VA67Kdj0,1871
+torch/include/ATen/ops/slow_conv_dilated3d_cpu_dispatch.h,sha256=9z7FJQAbVoWHrI_mLsz32t4QdKpHKImJam-Ccg5juh4,1226
+torch/include/ATen/ops/slow_conv_dilated3d_cuda_dispatch.h,sha256=Cbn_WElP-1ONK1EOSXwbOe87yxzKUsgmaVBeEoYMUaY,1228
+torch/include/ATen/ops/slow_conv_dilated3d_native.h,sha256=TCWy6QvzMjuZGmiwBb92ugtSoTXbbQU9sYonzELU-fg,1227
+torch/include/ATen/ops/slow_conv_dilated3d_ops.h,sha256=wksXXkR3kpAe55aaIKc88GfYsot3UyXdnK-4s-N6vPA,2946
+torch/include/ATen/ops/slow_conv_transpose2d.h,sha256=QXMjYICDsSfuIUF2xR-HDTHKrfNwN9cI8MHDcZrj5T4,8752
+torch/include/ATen/ops/slow_conv_transpose2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=GK3W0OlYjXHeW_hwmjrk34AO7ep2NQcGSU9dc17ih-M,1385
+torch/include/ATen/ops/slow_conv_transpose2d_cpu_dispatch.h,sha256=uLvd2Gvfsn73qYdBLtAxg7m7L7-rnuB9daaVQVsfdqg,2637
+torch/include/ATen/ops/slow_conv_transpose2d_cuda_dispatch.h,sha256=bBNXMzOMfJiPaVCedEEzOv9LTom5Rurvlkl3MwnSIlI,2639
+torch/include/ATen/ops/slow_conv_transpose2d_meta.h,sha256=My5duHmUU8u0fa3HRaBpO_t4y5sZC8AexQO4mB6oJiM,822
+torch/include/ATen/ops/slow_conv_transpose2d_meta_dispatch.h,sha256=rjqWqnzvwC37KGAia-HEFW5PnaWg9NlIfVm3J_zABOc,2639
+torch/include/ATen/ops/slow_conv_transpose2d_native.h,sha256=mn92vu9KnLIOfA-VfNGBmYFD7mymgBnr_xVwPJvODf8,1288
+torch/include/ATen/ops/slow_conv_transpose2d_ops.h,sha256=ZuftO8I4gNEi2UbuABvJJIHUmzfcQ56UkGRwQzFHg_s,3200
+torch/include/ATen/ops/slow_conv_transpose3d.h,sha256=e9pIQuDHN80rfmPA2bZkVbmYaxH8yNyA3JHXq0aHXGQ,8752
+torch/include/ATen/ops/slow_conv_transpose3d_cpu_dispatch.h,sha256=Orvj9yEdQbQHhXL8BZ2kY7ss7X472XVQG6Qb9f2j55w,2637
+torch/include/ATen/ops/slow_conv_transpose3d_cuda_dispatch.h,sha256=guQa-yX5FpxM1jUYgTwJ04viR_DPdn5BbJpiOxW3J98,2639
+torch/include/ATen/ops/slow_conv_transpose3d_native.h,sha256=r9upU34kMGgmZRE5-sFXyVtwcN5k0v01tvvZZYhLgdc,1617
+torch/include/ATen/ops/slow_conv_transpose3d_ops.h,sha256=49178fQElw_3KVlbQ__mZBq5CvPG2Q-GPgmrFtabx4c,3200
+torch/include/ATen/ops/smm.h,sha256=p2AOnHGtBg-d57p0DJ6_T-6q7uY6uKt1xgP33cIc1gw,657
+torch/include/ATen/ops/smm_compositeimplicitautograd_dispatch.h,sha256=zh39RzyV2CfnuPVHLm9WN2xAy1HIvmcNqnC7MHe5zFI,786
+torch/include/ATen/ops/smm_native.h,sha256=1TO0O0-1gfztJZOc3UFrwuoUZB4VuPYPk8PwFXnzNYY,509
+torch/include/ATen/ops/smm_ops.h,sha256=Up4NdZ7cEij5zd95PozfFqph-uPEUVef5Jrfwq1cvdI,1041
+torch/include/ATen/ops/smooth_l1_loss.h,sha256=M0FBMHW0Dj6uM6QlSBP4x5p4t8UmHBHvCWZ6HoRuLNU,1548
+torch/include/ATen/ops/smooth_l1_loss_backward.h,sha256=zdG3nHC5_wJkVxVUQ16_pejOVVzqLxlGj4hnN84Qgh4,1828
+torch/include/ATen/ops/smooth_l1_loss_backward_compositeexplicitautograd_dispatch.h,sha256=vsKgPteWSvoSkOolydVw8wIQi628eQK6CMAGa6Hfqw0,872
+torch/include/ATen/ops/smooth_l1_loss_backward_cpu_dispatch.h,sha256=L1-VS0yBMrCTZThtrofIh7OYl39FeV_fkTRBHRF8mu0,1053
+torch/include/ATen/ops/smooth_l1_loss_backward_cuda_dispatch.h,sha256=S3dEktFSk5jv-cVvrpmgNY-7Tv2Hq0TSpe4upvr_u5w,1055
+torch/include/ATen/ops/smooth_l1_loss_backward_native.h,sha256=AIRjQ6DZtC8KZdg64RIsaY9TPvmIOZkjTn3BMMdOmfw,788
+torch/include/ATen/ops/smooth_l1_loss_backward_ops.h,sha256=N4jIqIJO3UMktU-JrvuLFoZHDXs3Tr-n-vMWcOGpxxg,2336
+torch/include/ATen/ops/smooth_l1_loss_compositeexplicitautogradnonfunctional_dispatch.h,sha256=QFDGg5V9bzZq5wAUY91lhZKYddS5-b-KTRFyH-UraU8,881
+torch/include/ATen/ops/smooth_l1_loss_cpu_dispatch.h,sha256=DdRIZPNl3E3o0ZyHWhe6h4fJRxcoMPF7XYN1KciQEN8,1126
+torch/include/ATen/ops/smooth_l1_loss_cuda_dispatch.h,sha256=D1DeBN2maEeNWynQLkZLW3TJ4YZePPtgrcdTY1uIoBI,1128
+torch/include/ATen/ops/smooth_l1_loss_meta.h,sha256=RIBPPKsXXwK2bdv4ehee8Ou-j3euoT9mg5rMY8ahn50,653
+torch/include/ATen/ops/smooth_l1_loss_meta_dispatch.h,sha256=OK6iuMA73rROWLuzfECUCATHlYFCpFtyw2EV_FsBgeI,1128
+torch/include/ATen/ops/smooth_l1_loss_native.h,sha256=Dp3QfpS1rS70yckRr6rCGEdNnzEaP2vpKnUDDFnDzQc,690
+torch/include/ATen/ops/smooth_l1_loss_ops.h,sha256=Xu7Klz3bVBXAtpuaJozYbK5vLcSqHyvJdOkaoPX7nKY,2050
+torch/include/ATen/ops/soft_margin_loss.h,sha256=NUIc7RbLH3OOPMftHGyZyWGEhFAdLJJFx4lYuk6J0go,1455
+torch/include/ATen/ops/soft_margin_loss_backward.h,sha256=Zy1vHfI0_e02by9HcKUb3LDe6tsaqwVZ4yzj1D--OdY,1755
+torch/include/ATen/ops/soft_margin_loss_backward_compositeexplicitautograd_dispatch.h,sha256=mKz_T200YoVXHwVZm1EYe4W-Ggr1JntbpqZryBzN950,1226
+torch/include/ATen/ops/soft_margin_loss_backward_native.h,sha256=M2wbnatRgS-8HHNRWkhTNC2Jkcj_jPN6Wx9Mam_4j2Q,766
+torch/include/ATen/ops/soft_margin_loss_backward_ops.h,sha256=iuTKyAWTObRfNW6EBy-JyqnVkFsgsIobyMMSKbs_XXY,2256
+torch/include/ATen/ops/soft_margin_loss_compositeexplicitautograd_dispatch.h,sha256=IWQFxzXH4lpRClv65qSSE1EK0XZEPBV2QNpAxW7jZLw,1129
+torch/include/ATen/ops/soft_margin_loss_native.h,sha256=YOU-DQfWwES9x3AVdH5rd9fJ95Djis399ItXIx8Hw7w,697
+torch/include/ATen/ops/soft_margin_loss_ops.h,sha256=AMd6huviPh_w-erho6ztcNIldp1ZSJYuCtcv3js-Z7I,1962
+torch/include/ATen/ops/softmax.h,sha256=qeuj6q5cuHQ1Bj8zbPjrBC8ZHPFPQEliujO0DxHijC4,1647
+torch/include/ATen/ops/softmax_compositeexplicitautograd_dispatch.h,sha256=-otz4faWijkzKNiSCJjB6QUHz1qkXMUeFFikDmUzDx8,988
+torch/include/ATen/ops/softmax_compositeimplicitautograd_dispatch.h,sha256=A-1Q6l8C1r5c8itbgXfslohXezEnnH595_J9jY6VpbA,958
+torch/include/ATen/ops/softmax_native.h,sha256=c_8e7iuO-MTcHWu3sP4iWyvypZRG0jHKpEUXCbAAbSc,812
+torch/include/ATen/ops/softmax_ops.h,sha256=TOz4BSwwyuMnHXdND9UQwULj7J1KInIbr9ltTShrYG8,2734
+torch/include/ATen/ops/softplus.h,sha256=QFhsIKPoP1ZSn5gXwloaLR5-lZpI94N5C2x0AKZ_5xA,1369
+torch/include/ATen/ops/softplus_backward.h,sha256=Vigl-TYDPzjRthVhZjqbbzNSru02NR1iWfZfmh7WIfI,1699
+torch/include/ATen/ops/softplus_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=yRyvBXIpd0TxdF7jjYtPtuP6f6DhcJK_jfDlaBnvjaw,888
+torch/include/ATen/ops/softplus_backward_cpu_dispatch.h,sha256=irVg4G8fiE6bKANPwE7laR_bQ1s2ajXO1TCxz1-W9Ck,1185
+torch/include/ATen/ops/softplus_backward_cuda_dispatch.h,sha256=Em2nFwaFRtj0glqW9N0eTAapqi8hL4uSnkXNMTMV4ro,1187
+torch/include/ATen/ops/softplus_backward_meta.h,sha256=D3N1xDiFBI86UYGjIFyMma-9D_MFG7u1o9Bye0KoW74,684
+torch/include/ATen/ops/softplus_backward_meta_dispatch.h,sha256=7h0a9RE6mIXwiyuG1Qidxna_qUKXlmM3KBahwDNVB-w,1187
+torch/include/ATen/ops/softplus_backward_native.h,sha256=s9LL3BVKs5_GdXQ99NQgQmxYO-2Yr1F17hCp7E_dTxY,734
+torch/include/ATen/ops/softplus_backward_ops.h,sha256=C1AqMy3cL4ekYiKZmvtOI6nzUgDDlEhOoVQlBJbyvz4,2268
+torch/include/ATen/ops/softplus_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AxsmNLiuVnwsNx5q0qW15VTu5qb5lRxeNdLH1LIzFWo,852
+torch/include/ATen/ops/softplus_cpu_dispatch.h,sha256=RR3_VIToYt9OWM9n3oi9MXMKX8DoM-EQo6cSM69IDv8,1058
+torch/include/ATen/ops/softplus_cuda_dispatch.h,sha256=pOtF5h-A9QmnyCkkOgC5bhqimw96GuIS5IlT04KVgHI,1060
+torch/include/ATen/ops/softplus_meta.h,sha256=ws6i0pF-4bD3AAJxQ3jZYM0kTVw1r6nzV98z2II38qg,643
+torch/include/ATen/ops/softplus_meta_dispatch.h,sha256=zFKHcO4RG0-KFa8alMQuM9vpEfdctrT8v_9zweG66Cs,1060
+torch/include/ATen/ops/softplus_native.h,sha256=KJEHkmfEO40kzldElwOwaRfqgzYBJsJB4u8f6pRjR7M,668
+torch/include/ATen/ops/softplus_ops.h,sha256=3ZQLfCoQo77YkhbOc8MSl5B8tjAhPhPVGSpZTndI6mY,1974
+torch/include/ATen/ops/softshrink.h,sha256=KbaBhX3af7zQzyIIhRmRYNsVQ8Lgt465T59MdBhaTzQ,1216
+torch/include/ATen/ops/softshrink_backward.h,sha256=rW1INM-rdKUzTs_nIF61gz2yHl64aKgD0ZrqfurYTag,1551
+torch/include/ATen/ops/softshrink_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=3wp6BPR3KZD_5wBtv441LjL-OBB9oifbc3gEt2eTY24,861
+torch/include/ATen/ops/softshrink_backward_cpu_dispatch.h,sha256=bLAR1XXgeCw7rD_sahvpKF69olVHZrtcaWagQpp3ooQ,1104
+torch/include/ATen/ops/softshrink_backward_cuda_dispatch.h,sha256=34HDbvTWDXHSe--jDmSWh5ofNMzvGEH4Kp2cBIhORwQ,1106
+torch/include/ATen/ops/softshrink_backward_meta.h,sha256=EKvYOsLLJAAHw9IsDRgMr2tOiZ_loIMWdsl14zZR-kg,657
+torch/include/ATen/ops/softshrink_backward_meta_dispatch.h,sha256=RMrTtetoiE_Yb_tX9scUiwK7d8nLQO0y_L5ijIVAork,1106
+torch/include/ATen/ops/softshrink_backward_native.h,sha256=Szqh19IT2YBulhflFgjovmJqX4m5B7hWte5JBXRjuCg,711
+torch/include/ATen/ops/softshrink_backward_ops.h,sha256=xx3oBlj-88azQAliorEBgpQ7WJCknm2CiqHxaRGoRZA,2090
+torch/include/ATen/ops/softshrink_compositeexplicitautogradnonfunctional_dispatch.h,sha256=s5FhbiA_3ZoBewO0Sk-kh3SROi6CbYuhjf1SfRI5vGM,824
+torch/include/ATen/ops/softshrink_cpu_dispatch.h,sha256=lt20fAFHALyCo2tleiMU_VihjRPcuouBRCnMs8VIFzU,975
+torch/include/ATen/ops/softshrink_cuda_dispatch.h,sha256=1YMOzyji6HWxejuF8e6L7YTrP6WHoHdBYmMiy0KwQYk,977
+torch/include/ATen/ops/softshrink_meta.h,sha256=T13W0XRK36Di2ARp1d5HXrIJXjbdATyPhuvZJdHGvtU,616
+torch/include/ATen/ops/softshrink_meta_dispatch.h,sha256=pGH6GMMP-sbvAxElBzqHkObdJOYA7WUisRru5CFnKt4,977
+torch/include/ATen/ops/softshrink_native.h,sha256=ogHDL9aUc37EtH7smC60fQzUrNxkHxuOVzWNU7fgIyY,645
+torch/include/ATen/ops/softshrink_ops.h,sha256=h3hpYB4xgoFTq5X16z3tMS6tP9PwN_-HW1-MYpIBHe4,1794
+torch/include/ATen/ops/sort.h,sha256=W24xFsMG11qsi5NXfOJ9uCin6wxmMi0qhPCkS9m5o4g,5264
+torch/include/ATen/ops/sort_compositeexplicitautograd_dispatch.h,sha256=OLvtUB29TbaRQl1_YxyXDxJEFQaW3oZqE3qb45HwbXg,1152
+torch/include/ATen/ops/sort_compositeexplicitautogradnonfunctional_dispatch.h,sha256=7ez2nJVR9ehASlCCkromlQC0OJSf_YSiJCZPSFguPfM,882
+torch/include/ATen/ops/sort_compositeimplicitautograd_dispatch.h,sha256=SlBcdRExjLotUKtQgnuJpnEkLyXnXJgRTvEOgso5cQg,1696
+torch/include/ATen/ops/sort_cpu_dispatch.h,sha256=O25uhAS4BQZdELtPdKzubbCWFNKRf5GkMF0nphDFDcM,1198
+torch/include/ATen/ops/sort_cuda_dispatch.h,sha256=bpEkVLAa8mo6DqNREsKPLnFrWR6MHONfzOTZlR55nrI,1200
+torch/include/ATen/ops/sort_meta.h,sha256=r78TIAZ3gAvWgJNZljIXIgW60V8Y-UQ1Q1czJRkva_4,651
+torch/include/ATen/ops/sort_meta_dispatch.h,sha256=E19d7kFL_fXSMjU6HLr1zkUJcy5g4iRvTFxYGdrlzak,1200
+torch/include/ATen/ops/sort_native.h,sha256=RVYIbTigA3tpDCtueK2Eih8UiicwtjIAXScu4ocOH8k,1765
+torch/include/ATen/ops/sort_ops.h,sha256=5hD8z6YZmNpAfOF9rDgC1fjpRl6zBwHa_Ja9mVy22Zo,7737
+torch/include/ATen/ops/sparse_bsc_tensor.h,sha256=ANER2rjE5SQ94urYmROdwQLG9GXkwX3y5jWn8WTnSP0,2981
+torch/include/ATen/ops/sparse_bsc_tensor_compositeimplicitautograd_dispatch.h,sha256=Oaq_2bhCcPXsOGDhfd09JEuwuKhp45D21DPQhDfDnFs,1626
+torch/include/ATen/ops/sparse_bsc_tensor_native.h,sha256=WjovJemuZPbSllR45t7ENtiLJfoMfH-rHm_X2QakdQ8,1033
+torch/include/ATen/ops/sparse_bsc_tensor_ops.h,sha256=Dsw5yrgxkgFdcqqUFgacj6TUJAXkKFng1YGtQdv6GcQ,3170
+torch/include/ATen/ops/sparse_bsr_tensor.h,sha256=S1PVA065VBfa0Diq0QDsrSa-QgiCR4qBHbNxml0IK6k,2981
+torch/include/ATen/ops/sparse_bsr_tensor_compositeimplicitautograd_dispatch.h,sha256=ztfBuW00EU5D6UWEYC9srfHMx_M8GBqc1Se2V2ie7os,1626
+torch/include/ATen/ops/sparse_bsr_tensor_native.h,sha256=y8j-3eKU9YNkhHpnFzsUEh6exz41Jpzuc6CaI06fmDU,1033
+torch/include/ATen/ops/sparse_bsr_tensor_ops.h,sha256=8rWalVerirHBBCdWWCZtNLrHYzyDKtSgmnJzNc0POzU,3170
+torch/include/ATen/ops/sparse_compressed_tensor.h,sha256=gbr1Yvk_ADi5wWPYfPJmvIG9L0Mz16xUXNLtN-u4dfM,6978
+torch/include/ATen/ops/sparse_compressed_tensor_compositeexplicitautograd_dispatch.h,sha256=Ua6jqejXfxUPFU7b1goUu1Bh1Kf6u4-Q6O8gMUaUObY,2218
+torch/include/ATen/ops/sparse_compressed_tensor_native.h,sha256=qUxc0H8hKXV6p9NsCDMVvzQhzahWaElVFGM_l0JXRx8,1063
+torch/include/ATen/ops/sparse_compressed_tensor_ops.h,sha256=yWEqC6TTd8Ceii2DrVodI3FHyheKl3DYUqNYbrRApeA,3287
+torch/include/ATen/ops/sparse_coo_tensor.h,sha256=dqeXJNoHCaAEl4YwwXlvrCRSnOh81wrLbyEOambbs7E,4269
+torch/include/ATen/ops/sparse_coo_tensor_compositeexplicitautograd_dispatch.h,sha256=6gmDu71oxT_L139x66xJ7s2sBsTKz0nYrzrD5MdG-mg,1179
+torch/include/ATen/ops/sparse_coo_tensor_compositeimplicitautograd_dispatch.h,sha256=KhxI_NuAknTqPjCFGwufmpVE0FCYtgashGPRg_mtri8,1658
+torch/include/ATen/ops/sparse_coo_tensor_native.h,sha256=A8jy-imft21glp-_I6SeYjiGXCJRJd85igSJGKnCyGY,1371
+torch/include/ATen/ops/sparse_coo_tensor_ops.h,sha256=BL_nh57QmBpWptqueeeNhNsrHcGiCUwd2cjbmlGK1_U,4856
+torch/include/ATen/ops/sparse_csc_tensor.h,sha256=1RPC3YKdFFlqgkUF236weqNG_mwN8DKqlFDhLojTmyo,2981
+torch/include/ATen/ops/sparse_csc_tensor_compositeimplicitautograd_dispatch.h,sha256=1RwKhdA6DbR3fTgB3iFu6VO5AvWO70koWG3V9T7k518,1626
+torch/include/ATen/ops/sparse_csc_tensor_native.h,sha256=DYm0M72L8VhGLkOgHDShGOLZTTchSRKhL4MQd9jmmNs,1033
+torch/include/ATen/ops/sparse_csc_tensor_ops.h,sha256=IK_WMQ_hK2VRUyyvw8KI8_1wpFjI-dIjnbZdZBZ2rMk,3170
+torch/include/ATen/ops/sparse_csr_tensor.h,sha256=D0cWUz9BpcLp1nlRTFejpQfiPHpej1P-GTqLwW020j8,2981
+torch/include/ATen/ops/sparse_csr_tensor_compositeimplicitautograd_dispatch.h,sha256=tg5pdKL2iiApucrbPynYr0pF1HHl7mvAsvqqGcZoHUc,1626
+torch/include/ATen/ops/sparse_csr_tensor_native.h,sha256=MIe-X53T_XBzzqhfqnjdZgAtU7d6XKdeVxhQ-9VA0Ss,1033
+torch/include/ATen/ops/sparse_csr_tensor_ops.h,sha256=NW54-8cxVvvLkb9DIC-9QQFh3ASJK4XucDt35OayeW4,3170
+torch/include/ATen/ops/sparse_dim.h,sha256=aiCgw5DedqMwauu9YrZ40jsgschG_lYVp7e05bW46xU,495
+torch/include/ATen/ops/sparse_dim_compositeexplicitautograd_dispatch.h,sha256=gz-2bPdDY3EXY0b-Y_UGcVMVfIEkA6XoBwhm5TABTtE,765
+torch/include/ATen/ops/sparse_dim_native.h,sha256=1szIhdA3dGNSuHw5luoD28nR-wII09KoOh1puzrKVzo,624
+torch/include/ATen/ops/sparse_dim_ops.h,sha256=rUJnBEHQgb4RrLw2RaoZb0OCnKX-uy2zA2F7zes7sHk,967
+torch/include/ATen/ops/sparse_mask.h,sha256=lB8uooslANf4UF6gu5_ODRMBU_YrKV2sbZzpeM-8VvM,1003
+torch/include/ATen/ops/sparse_mask_compositeexplicitautograd_dispatch.h,sha256=lZZ8zflSDKJfLpXu_gdweD8WAC1Dx_sysbqpu161Rl4,927
+torch/include/ATen/ops/sparse_mask_native.h,sha256=aKCEq51Efpjz7QT52ByKhQxOJveIsxepOiY6LUKXL2o,727
+torch/include/ATen/ops/sparse_mask_ops.h,sha256=u6I6w_lbYdBbW9TAql2rG6-5HcMgeX-gD-cJNIsO1V4,1786
+torch/include/ATen/ops/sparse_resize.h,sha256=slOaoxoAu7hF9HaYPpANR3utIOAHOGQFr5NO19v4oTg,1508
+torch/include/ATen/ops/sparse_resize_and_clear.h,sha256=voZfO0xM9ucBWzZ7yTajzI8v-Ae7nApC1QstLXenRPA,1608
+torch/include/ATen/ops/sparse_resize_and_clear_compositeexplicitautograd_dispatch.h,sha256=Ls6kS5ml4uGfjC8K_A38ow6ICk7nNTWQCrnhD03DJEk,1179
+torch/include/ATen/ops/sparse_resize_and_clear_meta_dispatch.h,sha256=Km3K7YrJCKVTiJ0gwwqE2nwwLTBhECQcFGYHRg9zdcA,809
+torch/include/ATen/ops/sparse_resize_and_clear_native.h,sha256=C3fxDgfigv2j8LvRoqWLnDOv4zxYvsbrL_oTycT6-_o,874
+torch/include/ATen/ops/sparse_resize_and_clear_ops.h,sha256=hoRh3_Qo02RYuw2cvRBa4k9WFq5DhfYieE3dFn5b9SY,2947
+torch/include/ATen/ops/sparse_resize_compositeexplicitautograd_dispatch.h,sha256=n_ZcqJ29w16qtM-k4Cpydy8AXe696IkrSfxNiXrxO68,1149
+torch/include/ATen/ops/sparse_resize_meta_dispatch.h,sha256=TIW_sMk1jfmUGdgJQGhLs8nk-zLUkVj68Rdgvrr8sfA,799
+torch/include/ATen/ops/sparse_resize_native.h,sha256=IPhgB_NCsqGzXuYNNCrsvepfmO1yQevWnv-DeYhgKlw,844
+torch/include/ATen/ops/sparse_resize_ops.h,sha256=xaB_SUGzP1fmFJ5QZVpsq9P5korOx8Kp_AGZI0MWB3Y,2857
+torch/include/ATen/ops/sparse_sampled_addmm.h,sha256=pZjBGePos7KkoZ82bw0caXY_YSiDhXP0LMYl_ggh6BI,1715
+torch/include/ATen/ops/sparse_sampled_addmm_native.h,sha256=FitxHJc0Kd2tS5HeYKWq5vI234LnUvl6oOTHyIWSeRc,1227
+torch/include/ATen/ops/sparse_sampled_addmm_ops.h,sha256=1PHsPSkKEBdWyqh6uLl3sxC41WOpnKezmTi9oTqrOiA,2355
+torch/include/ATen/ops/special_airy_ai.h,sha256=gt07VkiCTf3Lz7IsRYcxj6KwGJndaMrpwLBWFjS2C0g,1078
+torch/include/ATen/ops/special_airy_ai_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wXLDK7Z1CclTtHXRXETveaiueJ9157ffmycygpScvQ4,796
+torch/include/ATen/ops/special_airy_ai_cpu_dispatch.h,sha256=5eQjksGWxSERuaWFRpjU31bFZsmTRZQBxMC0IHO0v4U,895
+torch/include/ATen/ops/special_airy_ai_cuda_dispatch.h,sha256=2TW-ozb54TT126PSh6oF_e1X_bH_t79z6Fm4RipvYTQ,897
+torch/include/ATen/ops/special_airy_ai_meta.h,sha256=iRil3Qop8fJvNuD2xZD3FmB1SRzrolIIL_LqF6tyicM,592
+torch/include/ATen/ops/special_airy_ai_meta_dispatch.h,sha256=NmhGhErGzoVEo213-MT8hjnQ-Cm_svGG81-JHCOvp5w,897
+torch/include/ATen/ops/special_airy_ai_native.h,sha256=xlqmxn_2RWGy5BuB5Am2BCHb_ZMVxwaT869vnRkfgvY,631
+torch/include/ATen/ops/special_airy_ai_ops.h,sha256=AIYe-2JeFHayAhhoe66l3CKv630FqhAS9GjF_23rh4Q,1626
+torch/include/ATen/ops/special_bessel_j0.h,sha256=p5OWnXlhAKYdSwBj7sDAPJZAUdgEqjQiNLrCdiCE828,1125
+torch/include/ATen/ops/special_bessel_j0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sUN_-xH6BJrL6zS4TgVstPSH0E3pwzo9MZNAdRWF6fQ,801
+torch/include/ATen/ops/special_bessel_j0_cpu_dispatch.h,sha256=md-EpgEyXeXiy_mvwyWT4yJDS19AqOjGpjVwmJJ48Kg,910
+torch/include/ATen/ops/special_bessel_j0_cuda_dispatch.h,sha256=Q7HboI7OlqdoCdybyuVMqtNP2XRV2Y2UnmZLG6sUaUo,912
+torch/include/ATen/ops/special_bessel_j0_meta.h,sha256=jhkd34OABI2cN5FVE6kCI_0NKQa8B1-txjPb9Kz_R6I,597
+torch/include/ATen/ops/special_bessel_j0_meta_dispatch.h,sha256=4uQZkdZ072Iv32obwR3IqoBqZGG0Cik43tI4jMRfy54,912
+torch/include/ATen/ops/special_bessel_j0_native.h,sha256=2qC1w105NO5VP4l7Z6kqQEQzkRm4ggMHdzJ3gcpVIhk,640
+torch/include/ATen/ops/special_bessel_j0_ops.h,sha256=cy--dhlatCGaB78du1l01I-tP-eb2vaXgLcVUG_rfxI,1656
+torch/include/ATen/ops/special_bessel_j1.h,sha256=m9tS7t3Tfwk9qg0rgn94QbUZjaTqvEEs-7avxsqdgW8,1125
+torch/include/ATen/ops/special_bessel_j1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ErD3nUgCo-p6Mp4VCz45ATz-DlKhU8fuxhmZEyewvI8,801
+torch/include/ATen/ops/special_bessel_j1_cpu_dispatch.h,sha256=8TOzZvWYktdR2TZMd4LK26IiLRQgKhLNmYQFYiY05-8,910
+torch/include/ATen/ops/special_bessel_j1_cuda_dispatch.h,sha256=hqBs8c0fMmyeml0Jr9AapvDNe2qzynZL9RTSr3xGvMQ,912
+torch/include/ATen/ops/special_bessel_j1_meta.h,sha256=-3zVOe-8Z9OLNHjaG-q04_XMKujkCDinD2v5BYy0Mgg,597
+torch/include/ATen/ops/special_bessel_j1_meta_dispatch.h,sha256=yeICsiXvjKMibwalDoSne8ec9E3uMijJIAyLl8FdZOc,912
+torch/include/ATen/ops/special_bessel_j1_native.h,sha256=X6hkB4KVMTiLl6jpEyh-72L1feeTTHWE70hPYQEX0cc,640
+torch/include/ATen/ops/special_bessel_j1_ops.h,sha256=JWmJAutuBk0bgmt7PqTEGAHs8osimQg6WeITAtZqHVg,1656
+torch/include/ATen/ops/special_bessel_y0.h,sha256=Bp1O5I7C7bdOEJgvTHMKDY05vVyffSzJf_UyKheZmeo,1125
+torch/include/ATen/ops/special_bessel_y0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=yi6XCUAj2a7WKU-aNabw6gk_sjRdkz_Gg-dwijd0n_w,801
+torch/include/ATen/ops/special_bessel_y0_cpu_dispatch.h,sha256=xy4oxo3wDUSeNWnm1X4Cq4EcZZY1Ex1Ybl_tzyfiW1U,910
+torch/include/ATen/ops/special_bessel_y0_cuda_dispatch.h,sha256=LbI3vgcJWlxI0NAdQbexwcYN-eBzFSQbUC1YIjFKoyk,912
+torch/include/ATen/ops/special_bessel_y0_meta.h,sha256=NaDR-35H9sJxHpFNfX_rzhTl39k53Vkw5qFbSgK69Ag,597
+torch/include/ATen/ops/special_bessel_y0_meta_dispatch.h,sha256=6EP2Q1rec2ncPr2f9KnicSI68aC5VcvbxwSlM8WC-Vg,912
+torch/include/ATen/ops/special_bessel_y0_native.h,sha256=kAn1QlefIuyABvzWn8Iwnz18LDnUFFShDv81mnPOXM4,640
+torch/include/ATen/ops/special_bessel_y0_ops.h,sha256=jrC5FsFWgmfVRSqyCDMlHQkNagsoJz_-7VTYnAfd-co,1656
+torch/include/ATen/ops/special_bessel_y1.h,sha256=rWqz3XNXnQYQPGZ5JWsRlaT8rOhXyX4v5e9nZe3JXF0,1125
+torch/include/ATen/ops/special_bessel_y1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WIZS4xuLu5ouddWjpdxEia00so8BiNpaOlUXqm9dnDU,801
+torch/include/ATen/ops/special_bessel_y1_cpu_dispatch.h,sha256=k87LEe8Edev-dG_fp59c_d14FnWlD_yi6mmwvLH8niI,910
+torch/include/ATen/ops/special_bessel_y1_cuda_dispatch.h,sha256=2iNoCFgKh3L0DU7aX-Ig34eKG2qpoBLISuOX8z77BC0,912
+torch/include/ATen/ops/special_bessel_y1_meta.h,sha256=OjZtP3rHz7iUyCX8FzptDIY0MAqxZl976OOjaq3ik3c,597
+torch/include/ATen/ops/special_bessel_y1_meta_dispatch.h,sha256=TI8SUHiOBuSLjevY95zeT1NnmCCMRRhKtlnbmdTml-0,912
+torch/include/ATen/ops/special_bessel_y1_native.h,sha256=0Ma8asgO_YLJg5yoT0OajCpnRQqURsQBn5x7FjI6X5Q,640
+torch/include/ATen/ops/special_bessel_y1_ops.h,sha256=BMo9LV0RmzcsE2BdrirFpnr7QU_ukNeCCSm8AHSedbg,1656
+torch/include/ATen/ops/special_chebyshev_polynomial_t.h,sha256=kbHd6Lvz4eE794VtVI2B8tfmm_jJ98N0aAEcOnMFLSM,3079
+torch/include/ATen/ops/special_chebyshev_polynomial_t_compositeexplicitautograd_dispatch.h,sha256=VpDsIQwFNz9o04cPtTZ2pPp7LbTIgbQ_rmxgVy4KQdM,1390
+torch/include/ATen/ops/special_chebyshev_polynomial_t_compositeexplicitautogradnonfunctional_dispatch.h,sha256=2uRZ8wcT-VRmiclvi7iRTIZzwODjUEn2Ml7F0mPzl1A,833
+torch/include/ATen/ops/special_chebyshev_polynomial_t_cpu_dispatch.h,sha256=Pwops8mIBXgfxvHO9g9TE4CA7JKLBB6rupzSH62rIlM,1006
+torch/include/ATen/ops/special_chebyshev_polynomial_t_cuda_dispatch.h,sha256=3GdWBz8i-WDyvLvim-oiv2zz9ijf7Bo40U6yPyn6wc4,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_t_meta.h,sha256=jlMWbAoqVp3Urdd5nswJzMKDD1cAYKU3k-QeBa3S8sk,629
+torch/include/ATen/ops/special_chebyshev_polynomial_t_meta_dispatch.h,sha256=3rpaIPQMlrDAYT0928BMWPgPLGpCpnCcGTDa3YRYdNs,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_t_native.h,sha256=rCGe5NM3QNco0GAhrXchikheA76ONTWyo3Jp1FR6rBw,1134
+torch/include/ATen/ops/special_chebyshev_polynomial_t_ops.h,sha256=cMOUsI8YCSTJaDxx5Oh2uHkc_XDOWYLyEBdOM_UAreY,4830
+torch/include/ATen/ops/special_chebyshev_polynomial_u.h,sha256=8oEQpxIymdCome9UZuBJn-fwAbsLTaxBs7kylfeMlAo,3079
+torch/include/ATen/ops/special_chebyshev_polynomial_u_compositeexplicitautograd_dispatch.h,sha256=0heZjuv7fa0_5AVSsrmT-P6AJLCiqpvMYHmflp6mY-Y,1390
+torch/include/ATen/ops/special_chebyshev_polynomial_u_compositeexplicitautogradnonfunctional_dispatch.h,sha256=MBfUz24uIavssctq6hpI1-nu8GMYnIIxWxIs2WzJFPA,833
+torch/include/ATen/ops/special_chebyshev_polynomial_u_cpu_dispatch.h,sha256=j_7L8vpq0C99C7cuWaLL6Bpa9WSS51J24ZBD1bhX6XQ,1006
+torch/include/ATen/ops/special_chebyshev_polynomial_u_cuda_dispatch.h,sha256=yvk6Ai46pk8DrABh6vsAXnV5dVvdFRyYqts6Th2FEyc,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_u_meta.h,sha256=-D9fVQWkvdLBaZEPQlKHWJC8mPApd95Bhv6_sBnPWxc,629
+torch/include/ATen/ops/special_chebyshev_polynomial_u_meta_dispatch.h,sha256=7JSc9wJBBM5Wnw0IasGJPrXaT-B5rUFKOSH8iss3AOw,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_u_native.h,sha256=eErrULKwX5mpm928WV7oMtjWRHf6BUeXr_UcpFTwX_I,1134
+torch/include/ATen/ops/special_chebyshev_polynomial_u_ops.h,sha256=bLKWwrqeyACCLugJ-g2oLEkuruLjj7B6J6wxqFMSFko,4830
+torch/include/ATen/ops/special_chebyshev_polynomial_v.h,sha256=Utx9obKGJnD1jRrEQdgVdTb8JK7g4bfhjDqcc9TWnh4,3079
+torch/include/ATen/ops/special_chebyshev_polynomial_v_compositeexplicitautograd_dispatch.h,sha256=6J2FsUG9MKVeATJbjKUtk8z8My8Ph_s3j9j3RxXCSzY,1390
+torch/include/ATen/ops/special_chebyshev_polynomial_v_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9cvNUDRc88CLFGJgbTPmB5VFqI3PA63r6V8N3O0TO00,833
+torch/include/ATen/ops/special_chebyshev_polynomial_v_cpu_dispatch.h,sha256=J7-BFd21sJu1WT5axGZtIttcx_kks55fmQCFeAOC2zA,1006
+torch/include/ATen/ops/special_chebyshev_polynomial_v_cuda_dispatch.h,sha256=U3YvcI9RAhQv7aDOUzvZna8m1Vdezpw3tU6u6RlpxoY,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_v_meta.h,sha256=SeAOK3o7ljl_-iGNKAywcPXTiZcsqQreFbY6IU4eYeQ,629
+torch/include/ATen/ops/special_chebyshev_polynomial_v_meta_dispatch.h,sha256=uOtifp6hnOSb3ckBjqNUxA-hjs0RRxfgRyU5cgb-zrc,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_v_native.h,sha256=-KG9nX3TlYwN8LBTvhXpVlBS759KrqqX6XC6BAm7GTo,1134
+torch/include/ATen/ops/special_chebyshev_polynomial_v_ops.h,sha256=CV8SH3zVzAUpXpelUM1U8Y03pcRk9nogwXo1MIwf5M4,4830
+torch/include/ATen/ops/special_chebyshev_polynomial_w.h,sha256=TIcKgRDpAMGeBPF_uAdE-hkgwe-4J961Fm88wcjDTg4,3079
+torch/include/ATen/ops/special_chebyshev_polynomial_w_compositeexplicitautograd_dispatch.h,sha256=1uYSq3PS-9ey1SThcT-5qEdiDcrf-ecImvEsyZzf3cg,1390
+torch/include/ATen/ops/special_chebyshev_polynomial_w_compositeexplicitautogradnonfunctional_dispatch.h,sha256=u5QPrFza1uFoaT5OaloEFEHLJTjGrqxobHkOM63mfm0,833
+torch/include/ATen/ops/special_chebyshev_polynomial_w_cpu_dispatch.h,sha256=YEvt-BjUt2aS_cqqekfex0HNkwDOQ7vM4e426fYePZM,1006
+torch/include/ATen/ops/special_chebyshev_polynomial_w_cuda_dispatch.h,sha256=9BNxFogiA1iKlXdhkbEHIqPciA8B_o5iUKij2g95jo8,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_w_meta.h,sha256=qm34gQ4ySuQW5swMqmKcNHxkvnG5vgO1UeqC4-uycRk,629
+torch/include/ATen/ops/special_chebyshev_polynomial_w_meta_dispatch.h,sha256=QoBjRSr8ZP5i8nFIyOCdUt3dz9GLBKdXehj65hsnwpw,1008
+torch/include/ATen/ops/special_chebyshev_polynomial_w_native.h,sha256=1Cxxg2qg5yBPFNnVvkAmKI074RDf_EzRBYPSyZMCT-s,1134
+torch/include/ATen/ops/special_chebyshev_polynomial_w_ops.h,sha256=0HDmhkqyXi_7n6Lr9OV304fnJKsrgZygTRJb6p3nXDM,4830
+torch/include/ATen/ops/special_digamma.h,sha256=fImRFybIzgAtR9ezpN5KYqTbaoxOkl_JskZzv-bmRtg,1105
+torch/include/ATen/ops/special_digamma_compositeimplicitautograd_dispatch.h,sha256=6w44bSSTZmKE1ZDj3hDLW4hkMwRlnDMFeP-ewFOcl8g,948
+torch/include/ATen/ops/special_digamma_native.h,sha256=BkQwcNokfT9ljOQELApp5beFqQKAgnlCfwlxIoQ2WM4,583
+torch/include/ATen/ops/special_digamma_ops.h,sha256=zvyNnX6tj-R9vMi9MgjRA3WOPS-EpD4rmmtXpGBSCT8,1644
+torch/include/ATen/ops/special_entr.h,sha256=HGcPkIM3gORuIrc1_dHmgjxpX6KA3n-c1ICdkB8XDbM,1075
+torch/include/ATen/ops/special_entr_compositeexplicitautogradnonfunctional_dispatch.h,sha256=KjDfuVMyVbkHAwN2bSyu2BCmbaYdD8tiG_OjT_P_x6g,796
+torch/include/ATen/ops/special_entr_cpu_dispatch.h,sha256=McR2Tw-PN0ls7ZM9RiN59USoxJnD2IIsfGZCyzwzrCI,895
+torch/include/ATen/ops/special_entr_cuda_dispatch.h,sha256=uTIkz7f9Md5faUax6Vbf_aX3vd4gycNxVcEwaEBhnWY,897
+torch/include/ATen/ops/special_entr_meta.h,sha256=sgigZgf6yYB0uDAkw5iYvnk1K8rXQGGbcDoE4LRlT_Y,592
+torch/include/ATen/ops/special_entr_meta_dispatch.h,sha256=qBJhu0Z-NTtoEhORfsjVO_gy8uXspvtIafFig3bPjhs,897
+torch/include/ATen/ops/special_entr_native.h,sha256=X2d58KY1bK1Bb22ujz2ZLQpacd_APBmzj0c05cCvd_8,625
+torch/include/ATen/ops/special_entr_ops.h,sha256=xVOKZWhRpQNqf1bWHldXPBQvVAp3OJjDNNhBvRDca5E,1626
+torch/include/ATen/ops/special_erf.h,sha256=FDEqxrP8HISwCPYMNmTOqFjk_MGOVmfgXRO2uWJ6SHI,1065
+torch/include/ATen/ops/special_erf_compositeimplicitautograd_dispatch.h,sha256=LXyIpJtkmL8sWHfvO4zyFbhysvzz-HDTaoyOACIdlzg,936
+torch/include/ATen/ops/special_erf_native.h,sha256=9LhOv9DvGjlaKADPxMelj8V2i2XlqB68osTbRUf5gWU,575
+torch/include/ATen/ops/special_erf_ops.h,sha256=uM5_oNMDyUx9hBGHBvRCxlfxqet1y4TtYcZDSpyMG94,1620
+torch/include/ATen/ops/special_erfc.h,sha256=FeWNYd5D2XHfPwF2jA-VQ6F4u7t9L368Atu1gc9oocg,1075
+torch/include/ATen/ops/special_erfc_compositeimplicitautograd_dispatch.h,sha256=7VfX4Vi5s0HJhP1JBbeCaPpfd1ToMQ2CllbU8mMuZoY,939
+torch/include/ATen/ops/special_erfc_native.h,sha256=WNlJduQXwHpfUIEG-5u72D18Yn0cBJZgqnom-w1obSc,577
+torch/include/ATen/ops/special_erfc_ops.h,sha256=vubcDnnx_6VuFANCDUo8CHyuBBfRTmbK8_dyVWebuW0,1626
+torch/include/ATen/ops/special_erfcx.h,sha256=G5W_4EuinCAZBF8EfoiI3g4LBNL2Rrc9c-38N16VCSA,1085
+torch/include/ATen/ops/special_erfcx_compositeexplicitautogradnonfunctional_dispatch.h,sha256=oUGC1DgJYkoP7bsHoaoErmaG2Rh0IJGSw7TkuVdbORM,797
+torch/include/ATen/ops/special_erfcx_cpu_dispatch.h,sha256=-PMyWWGc4qpjY2VsgmVsW2rN3NzjFMJlA24EOBNPbgk,898
+torch/include/ATen/ops/special_erfcx_cuda_dispatch.h,sha256=h64IJWxMneBUlrl1qBI260TcM9-oujtC5gJ-nTKji1I,900
+torch/include/ATen/ops/special_erfcx_meta.h,sha256=vCenG1FKwYQf-albTi1gxd54tIpZGI4z9Q1HmItdTVc,593
+torch/include/ATen/ops/special_erfcx_meta_dispatch.h,sha256=YsnhB4hBJwdoRCUgoZ9GJHp9Zq7w0pkZaD1-TOFpTtY,900
+torch/include/ATen/ops/special_erfcx_native.h,sha256=MShmW0C4dxM28AmoSp-lo7cDBZK29t4eDqQ0B1JhTEA,628
+torch/include/ATen/ops/special_erfcx_ops.h,sha256=cSKw_y-fAPBWI2ksgLe8SNTOh0lPM0sza-Izv_GhnTU,1632
+torch/include/ATen/ops/special_erfinv.h,sha256=dDX4UNcA_OLwp8GCHHBLVxdJS3Z6YsgVvi--V8xhAHQ,1095
+torch/include/ATen/ops/special_erfinv_compositeimplicitautograd_dispatch.h,sha256=RfLsNZLPvJFL_W82R-WqbREDQheGBxutpM2tLKCt-bM,945
+torch/include/ATen/ops/special_erfinv_native.h,sha256=H4rn_6uL4zlBiCi7akks7Ar3SZiSnAbhLO1lX1E4M5g,581
+torch/include/ATen/ops/special_erfinv_ops.h,sha256=LKzCkmIxYOSMCkCOBClyXRDYRMk7y_NI3OWM3NBYtUg,1638
+torch/include/ATen/ops/special_exp2.h,sha256=UjsNH3tDQ6a_JrrY13lYsluDUjt_QAO6uLd5p0Drh48,1075
+torch/include/ATen/ops/special_exp2_compositeimplicitautograd_dispatch.h,sha256=F0aiY7TNNLmvPFPF1kBI-9yw0MfNKAAYJ_iZJb_P1CI,939
+torch/include/ATen/ops/special_exp2_native.h,sha256=WlNB8buS4UP7o8bPsOgUJVFMOsciYlhdYNOHjtsf5KU,577
+torch/include/ATen/ops/special_exp2_ops.h,sha256=hES-uw9i4UNMSv2hkIISLeruKdb5EmVnjun5yZa95Ms,1626
+torch/include/ATen/ops/special_expit.h,sha256=yB3j_5_y-2T4klpy9l3039ktURJK3_i0tfXRxXUVwr0,1085
+torch/include/ATen/ops/special_expit_compositeimplicitautograd_dispatch.h,sha256=zLWyfpT6oltRy4hTiJCODeKw3F4sEl7O6QLlkdPhmRg,942
+torch/include/ATen/ops/special_expit_native.h,sha256=qTnY0GfUmNmJTDl6gb3Ns5ozrpuogmVTqB2k7utu95g,579
+torch/include/ATen/ops/special_expit_ops.h,sha256=4ywvtPRCyTFbpeiuFA3AmwX_fI8-xaPONMqPgoQjT_8,1632
+torch/include/ATen/ops/special_expm1.h,sha256=ZSAJ-Pm4np-tZl96YdbMXG2Yoy4l27CBjtukgXroJH0,1085
+torch/include/ATen/ops/special_expm1_compositeimplicitautograd_dispatch.h,sha256=jbGsPGS3jR9Dw7iHdLF_pwpkyI3JN4QcQvqzCDOE1G8,942
+torch/include/ATen/ops/special_expm1_native.h,sha256=7eWlT5UN4aYHP5ul0VwHLybLVN5Ob56EdzSJwj0HRv0,579
+torch/include/ATen/ops/special_expm1_ops.h,sha256=Ic9IUX5-IvheDCfhGNbAzl1UHicKQeuBxdyApsNiwtM,1632
+torch/include/ATen/ops/special_gammainc.h,sha256=Dm4qHYSZh93qIauiJNUISTdyvf9KMNeV33Kh90U-ydE,1256
+torch/include/ATen/ops/special_gammainc_compositeimplicitautograd_dispatch.h,sha256=UR3bqb2Ns6VYkHEJQTdM31uRgNXNDWEgFIH7aJPJxuw,1029
+torch/include/ATen/ops/special_gammainc_native.h,sha256=k3K1Uckdsktb4RGn393pPXRPCtZQ23qFocaIwzed7JE,637
+torch/include/ATen/ops/special_gammainc_ops.h,sha256=YFoYTS-Vui2IXs3TSDtI97GShGK62Hy6QQlVOh_75Uo,1822
+torch/include/ATen/ops/special_gammaincc.h,sha256=l_LeHIoNi690iG5P6jNf0mgqHP5y-OSL3j1H2GVfM9U,1266
+torch/include/ATen/ops/special_gammaincc_compositeimplicitautograd_dispatch.h,sha256=WjrBNFqp5eMRJMcsGkTf5PfwKYnh7jyVEs7RmKc24Rg,1032
+torch/include/ATen/ops/special_gammaincc_native.h,sha256=nzVqNQtZ18SI3OSjNUpLbc2CU1IXt0D2_ewMEhRkHto,639
+torch/include/ATen/ops/special_gammaincc_ops.h,sha256=15v-RjiX_HMKSmA6OoHGpfMqEjEKo2scQcMIMDPS9rU,1828
+torch/include/ATen/ops/special_gammaln.h,sha256=Ltr3FR40oz4LrOUrpZSeR3CmRMtT1HkvuOTtZARTiuU,1105
+torch/include/ATen/ops/special_gammaln_compositeimplicitautograd_dispatch.h,sha256=hAn1wR_BMq-a8NzzClfSKgaCpw_kjo1LQGEtMyk-8Lc,948
+torch/include/ATen/ops/special_gammaln_native.h,sha256=lUhlNKwPThgD9Ggn-dSf8zgejGo0lEoCjvQsN8C96KA,583
+torch/include/ATen/ops/special_gammaln_ops.h,sha256=scQvLM18aOXzB5AZugfebq7Dy5QkECmdw9MclOgv7FU,1644
+torch/include/ATen/ops/special_hermite_polynomial_h.h,sha256=v-o-in134Idub_xADNS5LRmKfymTouj0LFHvKwr0Nvg,3023
+torch/include/ATen/ops/special_hermite_polynomial_h_compositeexplicitautograd_dispatch.h,sha256=AanUrIkI37hSFJTv10akpZmhHxKqGn_0HsK3h-s6SV4,1378
+torch/include/ATen/ops/special_hermite_polynomial_h_compositeexplicitautogradnonfunctional_dispatch.h,sha256=swBvyPyyLRgoA7CsP3p3he2c5T8-ZIupTO8674pbJB0,831
+torch/include/ATen/ops/special_hermite_polynomial_h_cpu_dispatch.h,sha256=aHvWfOMs6yuooiZy1D0ibSnXiLZVg1ZVvsg0_uV4B2k,1000
+torch/include/ATen/ops/special_hermite_polynomial_h_cuda_dispatch.h,sha256=iG6l52b3uKWMUm33dOgBF0FFgfpdi7YcHuLZcZNyjz8,1002
+torch/include/ATen/ops/special_hermite_polynomial_h_meta.h,sha256=EhP6a3BGaWHVnWzvoNZXXxxcLAcAS51F-zkpwoEbOqY,627
+torch/include/ATen/ops/special_hermite_polynomial_h_meta_dispatch.h,sha256=gXkYp_tbQc_G5MHf3-DktLl8mr2HSVUZ4Vkl954Ircc,1002
+torch/include/ATen/ops/special_hermite_polynomial_h_native.h,sha256=89xU2JFwvQ1CgeZKLRYiCPPQJFC7jneAIF-jUyNBcJs,1120
+torch/include/ATen/ops/special_hermite_polynomial_h_ops.h,sha256=l9G-1UuNOWLPDg9RjqZu87Fey_QJCCc1I7xaI-g15zk,4794
+torch/include/ATen/ops/special_hermite_polynomial_he.h,sha256=42_Zj1_MDKlI4ZqnBsNGzknlRHswwlpmL0sX7LAnK5k,3051
+torch/include/ATen/ops/special_hermite_polynomial_he_compositeexplicitautograd_dispatch.h,sha256=A316dOAobAqpM6DHX8vYkn-UL1bR964IVXUGLTUVFpQ,1384
+torch/include/ATen/ops/special_hermite_polynomial_he_compositeexplicitautogradnonfunctional_dispatch.h,sha256=S_If2JhnUk95N3pFflFSFYixYO_wluYXF4VetvNyuhQ,832
+torch/include/ATen/ops/special_hermite_polynomial_he_cpu_dispatch.h,sha256=EAO8DuqY7mNku7MlGD0WRgJA_tl6oK5jEsUsP3rXZNU,1003
+torch/include/ATen/ops/special_hermite_polynomial_he_cuda_dispatch.h,sha256=z08zVsqCjdwEqxt6yP4ZCpzzebXaVill_eTrbTQw8kM,1005
+torch/include/ATen/ops/special_hermite_polynomial_he_meta.h,sha256=SnGV_sFsNbCu_WRNK4E-PgmHpUQT9vnBhVR5X6gvJIM,628
+torch/include/ATen/ops/special_hermite_polynomial_he_meta_dispatch.h,sha256=IKHgF0NnGFI0g7m81VIBs3Ow7mA6Pqaxa7S9c0yAttM,1005
+torch/include/ATen/ops/special_hermite_polynomial_he_native.h,sha256=-wMYiryCg6XDKaFbY8su3GPms6vqgG6LqwAm1Se7pj0,1127
+torch/include/ATen/ops/special_hermite_polynomial_he_ops.h,sha256=FTrLv8U7BXWNVwxeK9FBN0hROpneh-97Ldpp5LEMmCE,4812
+torch/include/ATen/ops/special_i0.h,sha256=8GjJOQDc9kT_QomiMx6pkO0H3Gvi_M9vywQXyJxmwNs,1055
+torch/include/ATen/ops/special_i0_compositeimplicitautograd_dispatch.h,sha256=ibY7ZlRGRZZ65j7WpN2ayj6wjEb2mfp2NXVoP29m2Ls,933
+torch/include/ATen/ops/special_i0_native.h,sha256=GmHDOaU4TfLiRqGTcOEV3i5b7m07RBHdTmF28LAMQPQ,573
+torch/include/ATen/ops/special_i0_ops.h,sha256=cuIFuamyGK402XKJ75dsKEGyldGU1R2mDyjPPUkxyXI,1614
+torch/include/ATen/ops/special_i0e.h,sha256=y07XsAx_zGMc5LPv-wq1PF4iS4Rf-MBhUxTskzW1ufM,1065
+torch/include/ATen/ops/special_i0e_compositeexplicitautogradnonfunctional_dispatch.h,sha256=NSQBbBZMMw7qtku-SGq3OKeAZtr8G8WeNuLBN6hAbrk,795
+torch/include/ATen/ops/special_i0e_cpu_dispatch.h,sha256=PZYXMweF5rHdNV56LKtYyIhHzQ-d123DOUMVvCgZ0i8,892
+torch/include/ATen/ops/special_i0e_cuda_dispatch.h,sha256=-5xBTZnY-Qq714DWuItlqQgOCuSc4jIYzDvJgqfws70,894
+torch/include/ATen/ops/special_i0e_meta.h,sha256=zGgGFwXsSFt2KOS90YMLH6RuZg6JHzUWLRBCm1FjTug,591
+torch/include/ATen/ops/special_i0e_meta_dispatch.h,sha256=ntwsVqswnn85egNYDVgPU_pEkNWAtNIDrPgaQOWlL4k,894
+torch/include/ATen/ops/special_i0e_native.h,sha256=dtnGUaAhQ2zrWi04dSMmbGX1qlzen7lHwdy7wgYl_pE,622
+torch/include/ATen/ops/special_i0e_ops.h,sha256=EQTREZ-Y7tnd6gXkjMpNB-tPbmAH_C_T5Wr6MZ4Eal4,1620
+torch/include/ATen/ops/special_i1.h,sha256=Y5e8VcEts-cYfOORc62aKn4-qUGZoi5UGDF3iyU49Fc,1055
+torch/include/ATen/ops/special_i1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=fQxWBf1SGPf8nNY2M5yagDETxXeIjGkwUJd4IvdUzDA,794
+torch/include/ATen/ops/special_i1_cpu_dispatch.h,sha256=i4E72MJwNH617AOJcu4xUNqSJJwR32hA6RXpLBkmhVs,889
+torch/include/ATen/ops/special_i1_cuda_dispatch.h,sha256=5s4xuDgy7sscUnwtIPZukrcB9KORrj4iVZTj1Kjxxfk,891
+torch/include/ATen/ops/special_i1_meta.h,sha256=jovIk3YD0vHH_mnLM2N9j9R2HAa6XJ8JMgqIqBqpGik,590
+torch/include/ATen/ops/special_i1_meta_dispatch.h,sha256=HeD0y25IzkJ51K16PQqlKQ5njfSwMRx7XvdYH0LySvs,891
+torch/include/ATen/ops/special_i1_native.h,sha256=Ed2h3HNuo-kwxdZ9ZrjBx8cHA0WQToMb5vxhcKTDETg,619
+torch/include/ATen/ops/special_i1_ops.h,sha256=7Jv716TUciZ-hlfkjph92DhFHWL8DhbW_QXueFybOtE,1614
+torch/include/ATen/ops/special_i1e.h,sha256=IGSmZfHLdmJdba1uvKNBFFnH09pZk3jOJOPXN46fPnM,1065
+torch/include/ATen/ops/special_i1e_compositeexplicitautogradnonfunctional_dispatch.h,sha256=o05RBzmqTnWMQs5ONUUBiCrWUz_T4YvJihoQWInsC7Q,795
+torch/include/ATen/ops/special_i1e_cpu_dispatch.h,sha256=ibSYEnHh7G-MvopZMljLKQy8tpzgSZ3-ZCELTXPooAo,892
+torch/include/ATen/ops/special_i1e_cuda_dispatch.h,sha256=n_Me5OC126v09hW4lrzI1djyAlqp0CchnECh8a5mR5Y,894
+torch/include/ATen/ops/special_i1e_meta.h,sha256=APhaLDcVHV732Pdkb4aKuwMvvqcbDtwbN5n9R3lR0ak,591
+torch/include/ATen/ops/special_i1e_meta_dispatch.h,sha256=i0JPXilT0kpxzILbdUzJrXDA7Z8RzOkh7nr81lOhK0w,894
+torch/include/ATen/ops/special_i1e_native.h,sha256=siaT3y4IWFMtYRuPTnvdhYdc-V5gjrEYyCmdlxe09Zs,622
+torch/include/ATen/ops/special_i1e_ops.h,sha256=Ralx8u0c9kFGZ5vRy7HgyrTi0JQHbv-ID8G2dB6VPn8,1620
+torch/include/ATen/ops/special_laguerre_polynomial_l.h,sha256=CjMYpmNrvWr76z5ekM2WVUTR2IZOwmcjX9--9wRHREw,3051
+torch/include/ATen/ops/special_laguerre_polynomial_l_compositeexplicitautograd_dispatch.h,sha256=oL8oD-J6rBm1bMClvOFWRXtuUXMQPbsfhn3NXSErwv4,1384
+torch/include/ATen/ops/special_laguerre_polynomial_l_compositeexplicitautogradnonfunctional_dispatch.h,sha256=P2AYbfKeZoasu9IA5LnQXYMvKr4mcn4hSSrD9YhfTXA,832
+torch/include/ATen/ops/special_laguerre_polynomial_l_cpu_dispatch.h,sha256=8qWQhqj7r2vrbj4potQdc8xyGKhCzgCUqba-DeNcyC8,1003
+torch/include/ATen/ops/special_laguerre_polynomial_l_cuda_dispatch.h,sha256=xSUPWtXWQkUWh623zTcY-8q3QVW8D7koGmlIc0Pzx-s,1005
+torch/include/ATen/ops/special_laguerre_polynomial_l_meta.h,sha256=Vfh10a9JybYEx1t6vwee6EJhk9bnr9ZITvAcGRG2-_o,628
+torch/include/ATen/ops/special_laguerre_polynomial_l_meta_dispatch.h,sha256=PU-mKJD_HbTwLXZP37dPraUziXr7V7b6j5uQO8Q4Dbw,1005
+torch/include/ATen/ops/special_laguerre_polynomial_l_native.h,sha256=0IbC-YKKjZ7bhNKJ2aSLGj41U4e_ulyiSi2-2yxHY-0,1127
+torch/include/ATen/ops/special_laguerre_polynomial_l_ops.h,sha256=nEHZDgRnXeQVxKeVjffxr4XXkBo-Qmczs-l_AJvXJmY,4812
+torch/include/ATen/ops/special_legendre_polynomial_p.h,sha256=Wb8xW3DP_i4ZeHYnFrCvfaFekz1nrWkdltmu4G-FUT8,3051
+torch/include/ATen/ops/special_legendre_polynomial_p_compositeexplicitautograd_dispatch.h,sha256=v4k_IW3h5mIVXC-Yld3gVAY0ZVSSzorYUEmcCw8zUmo,1384
+torch/include/ATen/ops/special_legendre_polynomial_p_compositeexplicitautogradnonfunctional_dispatch.h,sha256=WJ4NXiY-HODQcIPIeKKIqeCPGUSe-rtKCTG7eOoGJE0,832
+torch/include/ATen/ops/special_legendre_polynomial_p_cpu_dispatch.h,sha256=rMzkXojw_UFEbtv37ljvw39uSwCm_eneOUTSW8_ZPS8,1003
+torch/include/ATen/ops/special_legendre_polynomial_p_cuda_dispatch.h,sha256=6_aBcam1NOo0Rffz-2Onljww770_ifYYEh38tEsTRMc,1005
+torch/include/ATen/ops/special_legendre_polynomial_p_meta.h,sha256=lIyjKH6OP_srsSl-MrMY9RWiyJIDhXgjyaALdrj7UiQ,628
+torch/include/ATen/ops/special_legendre_polynomial_p_meta_dispatch.h,sha256=F31HVELU-CO4jkvo0ia_REk_p1Ah24hHMsvgoF46eu4,1005
+torch/include/ATen/ops/special_legendre_polynomial_p_native.h,sha256=_66kHwTSl5YBefM-MdzfnmwDSQPtxfjqS2UzAOPAuTA,1127
+torch/include/ATen/ops/special_legendre_polynomial_p_ops.h,sha256=u6voIVfiA5l5fif_8H8bbS7RTHIOJCJJ_JCkWZUuFE4,4812
+torch/include/ATen/ops/special_log1p.h,sha256=0iiEaypeCyvT8eq10b9dww1ztKarbbSf-x4vQkyK7B0,1085
+torch/include/ATen/ops/special_log1p_compositeimplicitautograd_dispatch.h,sha256=dA5Md7NFpvtf9_Eq2S6Z9ZHG4BbGMp2mTOrtfv0WOCo,942
+torch/include/ATen/ops/special_log1p_native.h,sha256=MqP3wL3mqP9ZZU48tbMdXe0RdgJcgmyGY9HmVQhom0w,579
+torch/include/ATen/ops/special_log1p_ops.h,sha256=ZaDyVd5p5twXVmIescoEiJXVIKOsHpLKRhtWNSfVdYQ,1632
+torch/include/ATen/ops/special_log_ndtr.h,sha256=0JSr9Ku3-mWv4YTZ3Pl3766SLpemIoZFfwUdFosIoGU,1115
+torch/include/ATen/ops/special_log_ndtr_compositeexplicitautogradnonfunctional_dispatch.h,sha256=iiv-Xu799BLI1CcYa-xBmNh87WmM9YBYQlvxx22cz1k,800
+torch/include/ATen/ops/special_log_ndtr_cpu_dispatch.h,sha256=aZ-t2T-N3-IKF47DPQGKE0Yg65l-z09ds7aRJahEN2o,907
+torch/include/ATen/ops/special_log_ndtr_cuda_dispatch.h,sha256=ll7Pxu5LEo4IsYAvHiG5wNe7nRSJSxiAtboO4iagr1Q,909
+torch/include/ATen/ops/special_log_ndtr_meta.h,sha256=oBbz-y9tD506-mJ-rMlhiZaDKUJii2abVajXWVBoRGo,596
+torch/include/ATen/ops/special_log_ndtr_meta_dispatch.h,sha256=p-cV0kYYDijY4J1dmWjtKEdAey60AsndLeWH5pL7VNc,909
+torch/include/ATen/ops/special_log_ndtr_native.h,sha256=hvWK3tpTFLtMiX2n9RL2ukE0HCONIWkMwBvEzilrZHk,637
+torch/include/ATen/ops/special_log_ndtr_ops.h,sha256=VA5Ev0Y-PPunDfyPGDdWOQPvz1t13z0-svB0Ktj66zk,1650
+torch/include/ATen/ops/special_log_softmax.h,sha256=bW-mdQ5oqUpkZaK9NooDh4JZcmp4lVaZpjNQS9jj5YI,792
+torch/include/ATen/ops/special_log_softmax_compositeimplicitautograd_dispatch.h,sha256=OGLtHls428RQA0Pftp5csLjJnhd2JnDsTO-BxM66xvA,844
+torch/include/ATen/ops/special_log_softmax_native.h,sha256=wwo6OryFr6YrNeXjHzN1CR-FKDrGuv49DQ00is5BZXs,567
+torch/include/ATen/ops/special_log_softmax_ops.h,sha256=9nGtQulQZF74u3lS786X9XCZqqz18ZFyYJzhcDiB3gE,1188
+torch/include/ATen/ops/special_logit.h,sha256=qllS9WVakqsRlAf2b52vvu1BS7gD80B-BsogC41KZ9Q,1268
+torch/include/ATen/ops/special_logit_compositeimplicitautograd_dispatch.h,sha256=vKqtq_hG87tN8H_xMTupuVnfooBgT1ga0VPxT3naSeE,1059
+torch/include/ATen/ops/special_logit_native.h,sha256=iyqQ_GDuPDBHuyMekf_Ho9vdSw-FsMQ-VNC7Ng9vp9E,652
+torch/include/ATen/ops/special_logit_ops.h,sha256=wi4Qp9rh4dQrUUS8Hc2zwFJORSsYtHRXAKdLdQpDZ5M,1832
+torch/include/ATen/ops/special_logsumexp.h,sha256=IpjkvHHsJQKJMte-yyoXVDCAP5obwMs1WRrsyfCNmWE,1380
+torch/include/ATen/ops/special_logsumexp_compositeimplicitautograd_dispatch.h,sha256=mNTT1HyXqJ0v9CGT387VGXuERWo_ZOgAaGSt6rbUydw,1071
+torch/include/ATen/ops/special_logsumexp_native.h,sha256=yjXRxo9-gSOZAq8KrLjdCZhH0ZdRWZypBFJp5bpggmw,663
+torch/include/ATen/ops/special_logsumexp_ops.h,sha256=KwxWCg8W37ocQ8ZvrRzwi-e6ICenu2h3yluGAY7mhkE,1906
+torch/include/ATen/ops/special_modified_bessel_i0.h,sha256=pvHHsq5v61yU3LYj3Qv5YWi7X1pYBEnO761jmC3rByk,1215
+torch/include/ATen/ops/special_modified_bessel_i0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=pFTxQmlG8pJC5wjAVnCD2hF96-LxD9VhfYzncPFdNLg,810
+torch/include/ATen/ops/special_modified_bessel_i0_cpu_dispatch.h,sha256=OBkfCgQ-NHvj-F4xwBogc5kWLfZmg7iKfX84thPxVpg,937
+torch/include/ATen/ops/special_modified_bessel_i0_cuda_dispatch.h,sha256=ZD6Gc5h0xd2KfPrQu2dhB3lBItRroyDYc03KXiX_SOY,939
+torch/include/ATen/ops/special_modified_bessel_i0_meta.h,sha256=OvI6KRkcr3zi8OlUi_PSuRO8gWg7vjHkZft2ACynuX8,606
+torch/include/ATen/ops/special_modified_bessel_i0_meta_dispatch.h,sha256=afJwqTFPtmST8QP15q0uBie5LuCrxi0Uf7vTKUZ9z0U,939
+torch/include/ATen/ops/special_modified_bessel_i0_native.h,sha256=2Ozgrf6AlxeXVTKiKB5N820zZIldS8Dx6fFh9ovjzMg,667
+torch/include/ATen/ops/special_modified_bessel_i0_ops.h,sha256=0-dA6QjwpRS_Z8Z5DbE_10aiUmtO3dQ4yMyL49SN7s4,1710
+torch/include/ATen/ops/special_modified_bessel_i1.h,sha256=-bKpY19fIas2qIO7FPLWcskj7if9SgFShJQq9yPNiHg,1215
+torch/include/ATen/ops/special_modified_bessel_i1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wM70WeVPkJ6u_izSY-YHTeYkNRsZN7ghmJ_Qgw4krkw,810
+torch/include/ATen/ops/special_modified_bessel_i1_cpu_dispatch.h,sha256=w-6Cr8smBL9DcjILWiwxEpeR0vtpRi5kYPC3SeRdkVY,937
+torch/include/ATen/ops/special_modified_bessel_i1_cuda_dispatch.h,sha256=UOpJamzlZR8zxJXHrsN2YKAi8KZBBxncTvAjGq5mBxo,939
+torch/include/ATen/ops/special_modified_bessel_i1_meta.h,sha256=Bh0Ekm7G7ZobvST7CAryUbqkYEm-3uxFvzfz7WJk42E,606
+torch/include/ATen/ops/special_modified_bessel_i1_meta_dispatch.h,sha256=C-_cMGprsHLXNMaPg0xOHLyHP4a7Q4yzWMAsUqNQxnY,939
+torch/include/ATen/ops/special_modified_bessel_i1_native.h,sha256=xqRDRSW-wuoe2SfsPxUv1ocvW6KK-Cn6zwZL3Q0VmDY,667
+torch/include/ATen/ops/special_modified_bessel_i1_ops.h,sha256=gH0X72KMqEDMf2bRDcjfrwNO7aKHMafK9fZECiiwP_A,1710
+torch/include/ATen/ops/special_modified_bessel_k0.h,sha256=OtrFqL1mOmsltBTdM3IJN4incJFXxFs3Lyms55D1iCA,1215
+torch/include/ATen/ops/special_modified_bessel_k0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BYumZpNsKhBrXX_J3eMifksgroqksjwnkSec10VPqJI,810
+torch/include/ATen/ops/special_modified_bessel_k0_cpu_dispatch.h,sha256=cE8X1_CwSFgWTO0pUqkHC0L5aNGD-JKFSWbQBCIZLPg,937
+torch/include/ATen/ops/special_modified_bessel_k0_cuda_dispatch.h,sha256=BMacjV3y9H5IY81d42d9SL-gVcas3HALmemIqxWgQ9A,939
+torch/include/ATen/ops/special_modified_bessel_k0_meta.h,sha256=qxU4gkKTepg0o-R5UIZ-FnN8dE-3JYrQgfGKMqoeZmI,606
+torch/include/ATen/ops/special_modified_bessel_k0_meta_dispatch.h,sha256=DgSCw1RtI4P7EFRrwYucRy4DXKZ07fWHts-C97x5qsU,939
+torch/include/ATen/ops/special_modified_bessel_k0_native.h,sha256=kiNwL91XnNxNkqsyPrlKqYZbRe9UW39ajmB4qgqsCMg,667
+torch/include/ATen/ops/special_modified_bessel_k0_ops.h,sha256=VieDG8hQwvO7nsqv535KmvqlwhmsGfCs3r3oAqkHiQA,1710
+torch/include/ATen/ops/special_modified_bessel_k1.h,sha256=1BaKi8A8DmDwoTfJ6YCRJsOJ17YRqElRwtGhc5_Y_50,1215
+torch/include/ATen/ops/special_modified_bessel_k1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=iKZaHnz44a25gWntfGs7NxDc3a4BQL0XmoERC02CRjY,810
+torch/include/ATen/ops/special_modified_bessel_k1_cpu_dispatch.h,sha256=dOLY08GTl629mUEiRTPl_iJO2Hc4TmMu4j_mX3hR_Tg,937
+torch/include/ATen/ops/special_modified_bessel_k1_cuda_dispatch.h,sha256=XKAPyZU2eE0VEQXdGQ5CPpH0twKZV2XzkyeVENoGZXk,939
+torch/include/ATen/ops/special_modified_bessel_k1_meta.h,sha256=FoW_iqt85oAWuRXgphFYDUeTgEVfv1G-BsGfHoKQlok,606
+torch/include/ATen/ops/special_modified_bessel_k1_meta_dispatch.h,sha256=6IJ0EyYaXDwZupjgU6vnnEbrRQl7e-Q51IOkXRMtxyg,939
+torch/include/ATen/ops/special_modified_bessel_k1_native.h,sha256=v8u9bjOGFMLNmdnnT8Os66EwfgG5n2YHRgp835jF-H4,667
+torch/include/ATen/ops/special_modified_bessel_k1_ops.h,sha256=Zd6DmwM6wi7H1-EqHUeOtr0PeFgGjmjQkWL2PTsI7vM,1710
+torch/include/ATen/ops/special_multigammaln.h,sha256=Z4lK83Y5Ltkz__OH51Mg1TKUfQKB_iIpcnkelHYyvNA,1218
+torch/include/ATen/ops/special_multigammaln_compositeimplicitautograd_dispatch.h,sha256=82J93BYLEfBwmbqgSMnFghLX8DMk0T2u0wm_hq0mz-g,996
+torch/include/ATen/ops/special_multigammaln_native.h,sha256=uKTxD7sIJYCg0sEww4mCMxkH10Ks4u72g42hlcHiwgs,615
+torch/include/ATen/ops/special_multigammaln_ops.h,sha256=Et-xQdBBvpXKZUIRviXwOVgGRwrBhTYXGK72IcZWR0I,1750
+torch/include/ATen/ops/special_ndtr.h,sha256=tHu56ZqoenI5K2eXt8YFKyQh8r6xppYhAEiBxSoOzys,1075
+torch/include/ATen/ops/special_ndtr_compositeimplicitautograd_dispatch.h,sha256=H82QwdT47klwN0toZ6bPtyQHFdpO_jWCpYVywACRzrA,939
+torch/include/ATen/ops/special_ndtr_native.h,sha256=kW7ZSEtSfZoGbynfMSfhviZeuLav4RsxqBkuiO9D4fg,577
+torch/include/ATen/ops/special_ndtr_ops.h,sha256=lY5xcactJW_OfmmPJeOhXCRhbBiL01BVBw8S6_2_AUI,1626
+torch/include/ATen/ops/special_ndtri.h,sha256=HVMkBvbPHN0iIpgufFVphDRaMvwtI3hymK4ooNmQx8E,1085
+torch/include/ATen/ops/special_ndtri_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ENAJDN9CjseR0VgQFLywB8a94r20_LeNIsihKRqS0u0,797
+torch/include/ATen/ops/special_ndtri_cpu_dispatch.h,sha256=bM_BCYc949KX-D5eLsQws2ymflbbOvaISmEBAzNIA6I,898
+torch/include/ATen/ops/special_ndtri_cuda_dispatch.h,sha256=f1MFG28KQOXpkuDxKGjaVmtnhHGiyxniq2Qo09HYttU,900
+torch/include/ATen/ops/special_ndtri_meta.h,sha256=LfWwqFoZN0VZDZHrwBDoqoyFfdyg0P6PWkHAh1wD1z0,593
+torch/include/ATen/ops/special_ndtri_meta_dispatch.h,sha256=x6pXJRL1UkZkXRIoJO4Tw6JWpULPkQLcVkFDuw3Cw_I,900
+torch/include/ATen/ops/special_ndtri_native.h,sha256=P0M39iULsbmu17c9K-YvV_eZmNEZcm8FeaBlWfdkMrM,628
+torch/include/ATen/ops/special_ndtri_ops.h,sha256=xR8MRHX7JoROzjQS15_BrpQy0EKO46jb8wiiy3dsOak,1632
+torch/include/ATen/ops/special_polygamma.h,sha256=BJ9RZDICdMA_81Q-8M3tJShpTsRJ-fvK_rMDxuUsdRA,1188
+torch/include/ATen/ops/special_polygamma_compositeimplicitautograd_dispatch.h,sha256=URzm656vMhQ0cEV6jnK988gAb76F7OkveQE-QsELV5I,987
+torch/include/ATen/ops/special_polygamma_native.h,sha256=LPUkZKHhkpZZOh_Ci6fGu3kic7OShv6kxGN1I69hwmI,609
+torch/include/ATen/ops/special_polygamma_ops.h,sha256=QybAlH-13uugMkaQ75HICpWdo7uz6XSViJDGEjbL8Ho,1732
+torch/include/ATen/ops/special_psi.h,sha256=VhQB2b83pBb56d91vl9DJwjnpyQXl_CIojzEkas-rpM,1065
+torch/include/ATen/ops/special_psi_compositeimplicitautograd_dispatch.h,sha256=fV2_XWltrtP-QOC2biahvv4YVPev9VFN_eI2uAskoms,936
+torch/include/ATen/ops/special_psi_native.h,sha256=XAKeoOWnGwyF91XacFDaQgg_CigN1ccS6mpieW5_AwE,575
+torch/include/ATen/ops/special_psi_ops.h,sha256=81QQq0Ph7HeK_cYCDf92KgU6RgXy9qDC2-wI1wYcXyA,1620
+torch/include/ATen/ops/special_round.h,sha256=6BKXxRiftZAFrKekG0GGxYIvmlmjjQUn38MwSEarqMw,1224
+torch/include/ATen/ops/special_round_compositeimplicitautograd_dispatch.h,sha256=sXOLVpyyJ9aGYKDH3QlsyzYM-YujyOZSfYOrp_cPtUQ,1000
+torch/include/ATen/ops/special_round_native.h,sha256=QA-L0BoHXS_bBUYq7SR1CleY8opHEwm1_4HDWzPeeyc,617
+torch/include/ATen/ops/special_round_ops.h,sha256=aFbXqeFC7wZ2PO3o5i3T5f-7uKTkZGbRwv2FrVi_uxs,1757
+torch/include/ATen/ops/special_scaled_modified_bessel_k0.h,sha256=mXFBxSV1TbqjjafWR2icJ1VKnUcOeuFi4hU9HcdhTJ8,1258
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=RVFjNrgqHV1OUgeJLheVcKc-1i6XELYH8u_HR3-8Ewo,814
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_cpu_dispatch.h,sha256=67CKI6AU3pdHE1Q1KgIknBFB8khk4LCIHtFmqOkrLSA,949
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_cuda_dispatch.h,sha256=JRc29qO6gMHQxWPOJswm9IIaOFSd78WcVBdWUOxKrXw,951
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_meta.h,sha256=mOmOXxDKqkiW8JTQ4ceZbnBWlNhJb2Afeye4uqXnW7Y,610
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_meta_dispatch.h,sha256=CH8pvStEioadt1rzmChjQatl4Smzmz8vHxjffF3IGQw,951
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_native.h,sha256=yMPjzr6-D18JW8u8bLbFbV-BHMWQWS5-zGw39KFEBWw,685
+torch/include/ATen/ops/special_scaled_modified_bessel_k0_ops.h,sha256=PN9Au9i31DrMLJTI00EGVe5v_OIQuDS0JYMsm3LhHX0,1734
+torch/include/ATen/ops/special_scaled_modified_bessel_k1.h,sha256=v9_U8lr1DRIawL4hopCYGaZOxpa9ntimbhJO20zwHjQ,1258
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ZnQ8DxoZW3sfdE-iZg6iTiQVHvpSsQZpAt6BrDevO-k,814
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_cpu_dispatch.h,sha256=uiB4nmbEBvF3xFj1g9O9aaosYNs9v1HStOJdqkQGbzY,949
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_cuda_dispatch.h,sha256=AQ-F41GWwijoMGAUz1ESa-ClVCz5AZmYDhYhxka4tb4,951
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_meta.h,sha256=sLuQAtySnj4ZeKGtBvxuUD1dhD7QhaSZogiySjLDqbI,610
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_meta_dispatch.h,sha256=DeBURyTBajm0dgXy8ybjKOQXJJCFHiajuxkrejqqQLo,951
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_native.h,sha256=aKlFatzYxHaspYsGFqIRHSXNd81CWIiGM5zGYWEz7-U,685
+torch/include/ATen/ops/special_scaled_modified_bessel_k1_ops.h,sha256=17XsMlWCdmS0OKHqzJ9rbd1vHhv6TXKSzoXcnf0C3Ek,1734
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t.h,sha256=qhbmt9eutYr0M9TN7rQdIi7T6udp9BKaho1nU8BKfF8,3303
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_compositeexplicitautograd_dispatch.h,sha256=6xazY4mCNaB8N5FL__jMJLaZbtH2-igmFbBTW__yMOo,1438
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_compositeexplicitautogradnonfunctional_dispatch.h,sha256=nZTdl2AAQWxlw7eZrNQZolc2nTeiQogH8xA133xCAPQ,841
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_cpu_dispatch.h,sha256=m_uPktXJzxp12TpOqaFYAUu-mOXt34YvDhpTYHDd_4g,1030
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_cuda_dispatch.h,sha256=E-mdsglRgIQeI5o-C-Jh7LTfJccV8lq0gh0XAuPzdyQ,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_meta.h,sha256=KR7sHG7V9uiIJhuGYdWAFLCVCtgoWAIr5vyC6ZuJ6Xo,637
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_meta_dispatch.h,sha256=fuCarhRt0LrpUs4gDDN8LZ2LxP7HXkJIBeaeyVpBupY,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_native.h,sha256=rePsCUC06Mt_1-22VwggjfHA3O5bOMBtQww5FYbQfTE,1190
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_t_ops.h,sha256=CY5D5T7JkqFFnIde6-tA-ac52vkB36k0XLN7wnToEQk,4974
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u.h,sha256=Jtn7odqjCFZORQRc8vaNNlNvnvMcannNq3B2E6svU64,3303
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_compositeexplicitautograd_dispatch.h,sha256=q6ZDPq87qBHd_kIAnkgH2m2GlLfvkOwfOhv4AeEQI5o,1438
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_compositeexplicitautogradnonfunctional_dispatch.h,sha256=H1cJmN63ef7krFKYeNB4CXq1502TAeBGbp0h5xcqUU8,841
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_cpu_dispatch.h,sha256=5PysWKeTbh34L2PIxpF7ut1WMwR2HC9TKJ-AwaGFWH8,1030
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_cuda_dispatch.h,sha256=vefstgoAY3rLduRsJZLC0OMHefS8G3gqUwy5vyYFoTA,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_meta.h,sha256=drlsWwxZ5lQmtdBTyL4Ee24rIxubYuo4GQLRYD1Fy9c,637
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_meta_dispatch.h,sha256=6xf-klwCMubqJd7TZJmYRCXRDuCX6pLtz_w5d6oAQq4,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_native.h,sha256=OX27nTUiDvjdpyejI3SU-oL3uQ21DMgoITRS0Nou_YU,1190
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_u_ops.h,sha256=Kl9T7btuYmQP0_QrLxdiQUG7wpiBDT9jX9GXHSAiWuY,4974
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v.h,sha256=r_MyxEyvbgQyqugQ58VzR_N79veVxhGvIhGAJ2h2ko0,3303
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_compositeexplicitautograd_dispatch.h,sha256=sOpTiUvCOsBRzDbDh-lBZvKAqhBVjbmRozzwJrgHV50,1438
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_compositeexplicitautogradnonfunctional_dispatch.h,sha256=N87bt3LEf9gyzJ-RTHCUTPQUexeCjwhQZKr9uAFnoes,841
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_cpu_dispatch.h,sha256=7uzy9rIrtMbiq99L1i67CIVFevYFxr5UTism-DR1Y9A,1030
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_cuda_dispatch.h,sha256=wlY0h1C7igIHnWD7LJss0mUmOpSh8WoqRNJTr1kpErY,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_meta.h,sha256=dJk3onnDc_U6OH4uBNmjpF0KcLAIHZgf4tvPCoyFaSE,637
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_meta_dispatch.h,sha256=IjmVgD6qvGYrncyDyhEJal7PDhovS3lLYsK3gHvg_Gw,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_native.h,sha256=tkoDfMb2fHi9HFVtSmcqG82FnJ6iWxuYuRE62sLY0e8,1190
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_v_ops.h,sha256=hc58yTC0Q5680ChlO7Lv8YbGl351bcPj2mToPwNZUp4,4974
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w.h,sha256=oa-eszkwzQ7dbmjCjj6jkHhHKwy3pPGoluLA505ewhc,3303
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_compositeexplicitautograd_dispatch.h,sha256=qoWodfM9DfmzjEKUE84lF6YTCCCpEPVa3JCz1J7e_P4,1438
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_compositeexplicitautogradnonfunctional_dispatch.h,sha256=trk_qFc1l31k8WiUOYb_slgS0Jn62XaVzUWna9KFMH4,841
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_cpu_dispatch.h,sha256=7k3JzOTdAuc5_yEZ2mCLEALLJU_d6mdHTNTKkZdiJpY,1030
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_cuda_dispatch.h,sha256=hkGprVCTc_LIVGGHfqLNc7kioRiLMkqrw5MD_WOXMdI,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_meta.h,sha256=GApB5c6iAPiqeSf1XqdBMyyut33Bhyg0HHqZBZlySFk,637
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_meta_dispatch.h,sha256=1ahY_gKUyuI3wtsQEzrMQQCu6jA7BRibn0laIxjFTiw,1032
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_native.h,sha256=B7ijzeVFm0PjUvcfNxcDOqi-csgLNxAG5zq2_kdV_XE,1190
+torch/include/ATen/ops/special_shifted_chebyshev_polynomial_w_ops.h,sha256=xEi-OZCMz-CUdRB9ADuHAyjkjkp4kOfuqMEr1Q6ZE1g,4974
+torch/include/ATen/ops/special_sinc.h,sha256=_XyMIL9uv6B82-ABto7FzqBgHTbPnN0uemZOTBp5FZQ,1075
+torch/include/ATen/ops/special_sinc_compositeimplicitautograd_dispatch.h,sha256=-92rIAhFtCSwofQNa9HWSw2WgXE9kPsrQU03c1rULF8,939
+torch/include/ATen/ops/special_sinc_native.h,sha256=uiPntiojaNYBO7ilYsmS-DwcBYrjeflz1iX-Z45q5W8,577
+torch/include/ATen/ops/special_sinc_ops.h,sha256=YV_2ZdBqMcv7DpJ0C0X21ACV7fL8abeVu8u9qsV43FA,1626
+torch/include/ATen/ops/special_softmax.h,sha256=uCFrQEsAYnjV-d3eyjr8BNedv3ctx1HozmFZ-li2E_g,773
+torch/include/ATen/ops/special_softmax_compositeimplicitautograd_dispatch.h,sha256=DK7PavCzVgDkNtjIPf-G2IAAiaceqaTxKmJzXiTIohE,840
+torch/include/ATen/ops/special_softmax_native.h,sha256=8N4gITrdiXANIsr6E82EKJGMyoaKF2bx0hdR8fbbNM0,563
+torch/include/ATen/ops/special_softmax_ops.h,sha256=kWuZ_mTNLnMb8aHsqOWw-B1xzBGzn3GWUqn8EWBAuDw,1173
+torch/include/ATen/ops/special_spherical_bessel_j0.h,sha256=4YDAz49GYMVdeWGYjD-4mU_h0TaroSbNBit40OS_oh0,1198
+torch/include/ATen/ops/special_spherical_bessel_j0_compositeexplicitautogradnonfunctional_dispatch.h,sha256=wdGw9ThRcla9vNgNf0M2vn_cjaDxoU5lq20qPUs91Ks,808
+torch/include/ATen/ops/special_spherical_bessel_j0_cpu_dispatch.h,sha256=LZqxP_ytkHZQr0As-PXnIjojscydhpsqcE_AocUMHIM,931
+torch/include/ATen/ops/special_spherical_bessel_j0_cuda_dispatch.h,sha256=s_b49esmXDVuiSBTxspI2M2y5ddtIjV9mWxih20o65g,933
+torch/include/ATen/ops/special_spherical_bessel_j0_meta.h,sha256=yV-oD1amvXQB-jxZvrTQ5eciXkJhbEYSOwZ7Eb7jhg8,604
+torch/include/ATen/ops/special_spherical_bessel_j0_meta_dispatch.h,sha256=UrKP5GGlqlsMDnrdJ0dTSgvBk8b5LRUT8Aal7F59MBc,933
+torch/include/ATen/ops/special_spherical_bessel_j0_native.h,sha256=Nan1k8p6q9AH7dcVVc5GjrPl5X9SAzu3GS1Y6jcLbak,667
+torch/include/ATen/ops/special_spherical_bessel_j0_ops.h,sha256=1CSyxK9Q_7EF1oOj0cx9V_no0dKtr_rfTka5FLrArHE,1698
+torch/include/ATen/ops/special_xlog1py.h,sha256=yEYTQX-xMXk1dnaxAXS-HML1mf-gR97AAEBKDXKTW1Q,2890
+torch/include/ATen/ops/special_xlog1py_compositeexplicitautograd_dispatch.h,sha256=_gDw2kWKn4upryrgw9vOGT8FLgraxtOf5-ZI7wL7MRc,1342
+torch/include/ATen/ops/special_xlog1py_compositeexplicitautogradnonfunctional_dispatch.h,sha256=jxmxbeBWUZyFGaNMAlEhiV6DbgQIXjjPqng0dQkvBgM,825
+torch/include/ATen/ops/special_xlog1py_cpu_dispatch.h,sha256=S3G8lT6TRFjRiRTjwbQdPJlW_6ytAHf2yRC4hTVVpMs,982
+torch/include/ATen/ops/special_xlog1py_cuda_dispatch.h,sha256=yeqY-LOPFXPH7eLHXGSEz3RryazYgXI5NeofG-GT31E,984
+torch/include/ATen/ops/special_xlog1py_meta.h,sha256=rU3Q30X8WrdA8Tw1WdWsfGU5A9O7B1yAlViHLqDgZs0,621
+torch/include/ATen/ops/special_xlog1py_meta_dispatch.h,sha256=Fj4QClUHtvPhmxkaRMzBQfbu0dvQHZN7ONLnN-4gqEo,984
+torch/include/ATen/ops/special_xlog1py_native.h,sha256=2xOSgiKcK7HVcdH_YE2bTPqWcVUblx3-_b3RFaRRVCI,1064
+torch/include/ATen/ops/special_xlog1py_ops.h,sha256=Y5mi0Wvv68J1isuKRLvKRv2s8O5FU00pG6twqwmPLLY,4728
+torch/include/ATen/ops/special_xlogy.h,sha256=gctmVa1S4tWkPnfqQLyP7OXzuZsZqOMCVqSL58Sr33g,2834
+torch/include/ATen/ops/special_xlogy_compositeimplicitautograd_dispatch.h,sha256=BKjKr0lkc6Tva0JTdzlGlx6inXkKWaYKRtu5ucxZ2WY,1640
+torch/include/ATen/ops/special_xlogy_native.h,sha256=hcOVsWkuVGSG48-yP0uN8_L1UwduYB95oI02AxlNHMI,1027
+torch/include/ATen/ops/special_xlogy_ops.h,sha256=_cWDUo6HlRiTm3caug4V_0RHkIuT_syUUh8EaJwoALs,4692
+torch/include/ATen/ops/special_zeta.h,sha256=mcQVbe57y75foZuQkMlQzv3OcuEcTPUZgr5_-G7qscc,2806
+torch/include/ATen/ops/special_zeta_compositeexplicitautograd_dispatch.h,sha256=ehMK90ElYBTqmC1rabkLsK6TIGH8_4dZ_d9gXoVLMF0,1324
+torch/include/ATen/ops/special_zeta_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BrOByt3V3pxs7dPg41B5H3uJdFsiqG9RTvZeiHcuEqo,822
+torch/include/ATen/ops/special_zeta_cpu_dispatch.h,sha256=F9rNT_iWm0DDIsbtMqqpmoEtmFwxtnPwSKlgPacligc,973
+torch/include/ATen/ops/special_zeta_cuda_dispatch.h,sha256=_nRfDkaHmPPaHTKY_cNSr60lkuQh6ydQkZX-dA2M1WA,975
+torch/include/ATen/ops/special_zeta_meta.h,sha256=QjzSzTrBpaCpJE-xMYtAPdPW9ytCDq8urw7EtcaQ7GQ,618
+torch/include/ATen/ops/special_zeta_meta_dispatch.h,sha256=X52eMKbIW19vkkcFnfnYlG_p9gQ5K3XJZnBiBj-P30U,975
+torch/include/ATen/ops/special_zeta_native.h,sha256=3jyK2_ivLuCjxscDanoe_ypfS8x0DzyiPVOcq4q0il4,1043
+torch/include/ATen/ops/special_zeta_ops.h,sha256=U1lPu4oavu_JND0v39MvD_EysiskSHhEjJ9uLZJFE0g,4674
+torch/include/ATen/ops/split.h,sha256=3pL1dei5weJSsM4Yuh0ccjqXpfU93Rt7KB-4muG5VVM,2717
+torch/include/ATen/ops/split_compositeexplicitautograd_dispatch.h,sha256=IoO99_TxuXApxAA34yqo4UwJrz66fF32QSa81-50MLE,927
+torch/include/ATen/ops/split_compositeimplicitautograd_dispatch.h,sha256=yShvDGMSibNucwcyJaMl0Z45poWFlDz77thn-G1i3QE,943
+torch/include/ATen/ops/split_copy.h,sha256=8MkeGTCvZCxnebg6WgCCRK7_kQCk0k61j0qnmXMNoXk,3965
+torch/include/ATen/ops/split_copy_compositeexplicitautograd_dispatch.h,sha256=iePmmIZybJDIg1z3DFLO8Dx-k4TsT2fLne_3zhylJ2Y,1174
+torch/include/ATen/ops/split_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=1Z_ZngoFAPAqvahJuvhzEAYKvqUSiYaBb3sNpmNWecc,963
+torch/include/ATen/ops/split_copy_native.h,sha256=Xun46nmM3zdMa2bvp4gtvkv8OBvrkvJhVOZdXWQNN3Y,675
+torch/include/ATen/ops/split_copy_ops.h,sha256=_h9q5cNLTYh6sPw9wAzfnMtRZi-6mr13YIC3hq-qa0o,1930
+torch/include/ATen/ops/split_native.h,sha256=cXIaiO2mum6MfWywk4MySN7HvELKF-X98AfHfyqc-zA,658
+torch/include/ATen/ops/split_ops.h,sha256=DHadIIvL0NOi1mWRl-zNZQenglCgNQ6FR2qf7pn83MM,1925
+torch/include/ATen/ops/split_with_sizes.h,sha256=upBbKxTISNYxg_lCQ7X1QrPDk9_QWvCnZRXfW52bNfo,1739
+torch/include/ATen/ops/split_with_sizes_compositeexplicitautograd_dispatch.h,sha256=ZLqTTZeLViBbeFfMde3tboq_LN_DM_YorYGmAV0L2XM,967
+torch/include/ATen/ops/split_with_sizes_copy.h,sha256=CJpP6gZPqkpxTBNT8jDPF9fcSfocS6IAI65hmJZh79w,4474
+torch/include/ATen/ops/split_with_sizes_copy_compositeexplicitautograd_dispatch.h,sha256=h8-c2MPRMEgJKMxB2DxkMxvBDItB5arIFhge9AhrpOc,1254
+torch/include/ATen/ops/split_with_sizes_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=voL3MYIKgAW0aOb9BKoQX17weTprRc5tWkdKVJwR00Y,1003
+torch/include/ATen/ops/split_with_sizes_copy_cuda_dispatch.h,sha256=gLuYeUlzigRs6Ris9TvjblyJd6WlSs6FAIxpS1AIwbA,1212
+torch/include/ATen/ops/split_with_sizes_copy_native.h,sha256=06d8eeGMe_KmgqSP7wrRL5YArl5cpHTLV-5sfhKRGKg,835
+torch/include/ATen/ops/split_with_sizes_copy_ops.h,sha256=rT5kIAjoloz8hpNOwT1zlc2FyfzyglMbRGbv14vuSNo,2013
+torch/include/ATen/ops/split_with_sizes_native.h,sha256=f9Nzfjizn_SbFyo_GNhmhQtqiBUD2btZcve5M25hr6g,686
+torch/include/ATen/ops/split_with_sizes_ops.h,sha256=njXSWS7viLFWDJLlDW2DUWeNV9-wcP6E3T_ZfjSheSk,1210
+torch/include/ATen/ops/sqrt.h,sha256=NOPr8BnUS4eIgov73nd8gZkR9usbppFaX-p--AMtYPA,1131
+torch/include/ATen/ops/sqrt_compositeexplicitautogradnonfunctional_dispatch.h,sha256=97jxEw3IBLKh7rAWcVQM4cFD7DYbQSPBouJn6uBZt6c,837
+torch/include/ATen/ops/sqrt_cpu_dispatch.h,sha256=FIzuC9ibPlGlRukNNXHYXwHr4uGhIuJIC3e5oc0MflA,920
+torch/include/ATen/ops/sqrt_cuda_dispatch.h,sha256=AG_H9LxQ22aS-YI9CaAwMdxvOIH-sk2oLT7mkOpkU4I,922
+torch/include/ATen/ops/sqrt_meta.h,sha256=Xj5TUZ6zlp6qbG43oVlzpykVpIGmoran1N6uYheCmTA,584
+torch/include/ATen/ops/sqrt_meta_dispatch.h,sha256=BXqcvxE3iUMNkgelIAUU0UWcfXnMMyXnOFmcqRd_4PE,922
+torch/include/ATen/ops/sqrt_native.h,sha256=nnl_JNg0o9oB5521ChJOB-aIv6LcC0eIS0-tmv2im-w,1009
+torch/include/ATen/ops/sqrt_ops.h,sha256=PYz_jShPifsIuOvfnXyTFumL2FRBpWGFOjRyRIgnGeo,2104
+torch/include/ATen/ops/square.h,sha256=lVWdQtLyZpM86wSk_x8rh0KOAjcbvi8M_F2B7MBeAA4,1157
+torch/include/ATen/ops/square_compositeimplicitautograd_dispatch.h,sha256=ArFyRehnUpDPKiX1cyyjno_6Tyecl6SC4XegaUSR2VY,972
+torch/include/ATen/ops/square_native.h,sha256=EQtHHf__d5shQTh5FK8iUNZjaDU5zwwxSAKrsQnsk_g,616
+torch/include/ATen/ops/square_ops.h,sha256=UDDcO3lEzP7rQGx2GQTKm8blmzd_mUZBOnw3mWAIg9k,2122
+torch/include/ATen/ops/squeeze.h,sha256=eJNDTlP_qBzxsP-Rb6QuMzaJK9w69GW9JWGsBKJH1oQ,1200
+torch/include/ATen/ops/squeeze_compositeexplicitautograd_dispatch.h,sha256=JedZgFF9yVWNAk5y50Ry92u5MBpkVHswD5ZujA-roTw,1099
+torch/include/ATen/ops/squeeze_compositeimplicitautograd_dispatch.h,sha256=S9SO_l3wPUVxsrUVq6U_cIwCZonl40hAe6FNk_UeNAU,851
+torch/include/ATen/ops/squeeze_copy.h,sha256=rYkrhMhFb_WpIUoE08rPQ49rrYAFOttQkUejRdCse_8,2479
+torch/include/ATen/ops/squeeze_copy_compositeexplicitautograd_dispatch.h,sha256=XOOhc9zI2HTk01FwjEtS1cXPWfHlT57Cqqq1c0pGRpo,1285
+torch/include/ATen/ops/squeeze_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=qsoDUAwDFa6Tb6Vh9IYW5iOBp6kM2PgBAZ8i4Fn0KFQ,950
+torch/include/ATen/ops/squeeze_copy_native.h,sha256=BFMlOSWbUuHXV5Sib8v3TkmK4Y8Q96kmf3iliuu-ZSY,951
+torch/include/ATen/ops/squeeze_copy_ops.h,sha256=S9Xy2-18lLkfnbZsRjVF238Ztb_VpT8geC-bWsF_26g,4290
+torch/include/ATen/ops/squeeze_native.h,sha256=HFmPgRZY3PjS7JdVqgvDIOjhv8enzq_Cr6T6wv_9ThA,1420
+torch/include/ATen/ops/squeeze_ops.h,sha256=Cm6tPBW7mDPhjufbXnAeH6OQiYfMt_lpHBWGo-kGydI,5186
+torch/include/ATen/ops/sspaddmm.h,sha256=_bvTYshGegtxxGlpfm_bC5aKQdhZnrxAKZqk6mDFbNc,1595
+torch/include/ATen/ops/sspaddmm_compositeimplicitautograd_dispatch.h,sha256=nr_I9hBUFBQmfZOvwWeH9zLuQyBntS3slyqgcUqB8JY,871
+torch/include/ATen/ops/sspaddmm_cpu_dispatch.h,sha256=nAn1kOw6aJaflPQADEzUEiHtTRMxgKdbLCs6vxwsX28,1033
+torch/include/ATen/ops/sspaddmm_cuda_dispatch.h,sha256=qQrd39YejwtWGJnHD0VRTv1YWLFHgvWsgUpL9ylb9Yk,1035
+torch/include/ATen/ops/sspaddmm_native.h,sha256=LJ42uKMV0AHM0wbTTcMYUVFaAzZMeEACJv6bLH2XH5s,1360
+torch/include/ATen/ops/sspaddmm_ops.h,sha256=ao_4BU-8hQbmR0_552nHOt8XYHas414O-0o0UUez7Lo,2283
+torch/include/ATen/ops/stack.h,sha256=tzEkD4qmA5ii2rB871TQSuNLKvtZAlDAKSRI5yPtU1Q,1117
+torch/include/ATen/ops/stack_compositeexplicitautograd_dispatch.h,sha256=OXt2k3jhQ4jnVGNOl8MbEMQYqXNwA__R6NjcHjIst-U,958
+torch/include/ATen/ops/stack_native.h,sha256=UT1tbJLJzbOOSlArrRlckOKgq7lp91YdD8ctCLtX-Vk,589
+torch/include/ATen/ops/stack_ops.h,sha256=adoswbfBko6mD9hSLQzxIt0hoaif6sGVqNe9BlTSIAM,1674
+torch/include/ATen/ops/std.h,sha256=WbgxtbToRFdNL8RPs9Zes0fw5pESvdeLroZjGs_KRxU,4859
+torch/include/ATen/ops/std_compositeimplicitautograd_dispatch.h,sha256=WhKbemRRHqqWk6ZMKFLA2peKQ9PHnCImXOb4ZLHYElU,2021
+torch/include/ATen/ops/std_cpu_dispatch.h,sha256=91LWqGLXL4stVSiWJNgCiC-fVogJcgT5iraq90Ybayo,1213
+torch/include/ATen/ops/std_cuda_dispatch.h,sha256=-DiKXpgGulYlPrVRtUjB5YwuZ8zibfXwL0phAkhDCZE,1215
+torch/include/ATen/ops/std_mean.h,sha256=2NbR2V38NciPFJ27OZhgDxJ-WZpB4GAhIxrA_sfUEis,3205
+torch/include/ATen/ops/std_mean_compositeexplicitautograd_dispatch.h,sha256=VCpaG6XBA7kUd_nHk0P_Q4fy0Qlf4Y_RtBdbcVGTLak,1183
+torch/include/ATen/ops/std_mean_compositeimplicitautograd_dispatch.h,sha256=0t2CCz_BRz4vw2-lm74cNf65DAmRpPNGM8P3SxeJ8Ko,1273
+torch/include/ATen/ops/std_mean_cpu_dispatch.h,sha256=Rjd4e1_wDVt1nH12JogCPzxJITes6YLs0TzERJRQqsY,874
+torch/include/ATen/ops/std_mean_cuda_dispatch.h,sha256=7DHVQB0VmevNgu4dlp2kHE4CPYJQ34k223yCll47J1Y,876
+torch/include/ATen/ops/std_mean_native.h,sha256=KH_cxzsjf0HjB3d85DtExkPZp8d9oDiI9qSMkBrjrnc,1448
+torch/include/ATen/ops/std_mean_ops.h,sha256=oMWjeJVvxFexHo_UHTTAkcSWXBSQiC3Z47Ae06JMOqM,5871
+torch/include/ATen/ops/std_native.h,sha256=kDqPni7n5IShxyoIv01CbtwGy9Oi3nzGohbABMm9aDs,2023
+torch/include/ATen/ops/std_ops.h,sha256=_c7cHnPMiS-w2POpu_ZW9U5BJ4sL9X-709mxJUXw0qY,7778
+torch/include/ATen/ops/stft.h,sha256=xt1n9dFr8bPqZVnKPak6BR-uXq829Brydu5ejpBZ8CU,1862
+torch/include/ATen/ops/stft_compositeimplicitautograd_dispatch.h,sha256=U82lmwFe7mNGV5NDhK3maKs4u1h_ZmH4YSVEWaYkCiw,1408
+torch/include/ATen/ops/stft_native.h,sha256=5M26Lgmpnj8E8BG6oLO0kMNY1V1olPE-dDbKrtSzyws,1170
+torch/include/ATen/ops/stft_ops.h,sha256=ooCGybrqK1E9kswNMQMrMZGHxjWwYKtrVMctRiMfleg,3130
+torch/include/ATen/ops/stride.h,sha256=oGXuNrQiC7SBhBahg6SeOKjwtcGZ5-428npSbhV8b-Q,845
+torch/include/ATen/ops/stride_compositeimplicitautograd_dispatch.h,sha256=PN5dIRTcMD-TajrInu1eREZxjdwEEkE5pCfXJS47R4s,842
+torch/include/ATen/ops/stride_native.h,sha256=BusatXkAF7f9PrPGqH16yUGorCI9XYpC3rbVOn1kbeE,565
+torch/include/ATen/ops/stride_ops.h,sha256=WMy1K7q5CgV0j3ePGUxB4IoUbA_7rPnpMlofRU3ryKs,1614
+torch/include/ATen/ops/sub.h,sha256=t6QZNEfQA-kmjoJGkDyHrAE4VVodyc-__kZLCPWE2bs,2126
+torch/include/ATen/ops/sub_compositeexplicitautograd_dispatch.h,sha256=6okzax7hRp3u7e6DzUg-ZoG_jEUvB2P94CKdfkaW0Ug,1174
+torch/include/ATen/ops/sub_compositeexplicitautogradnonfunctional_dispatch.h,sha256=OxvbKUWEyGxA1fKAq6Nl_M_a9_bzwTGFAgQe42YIjFY,943
+torch/include/ATen/ops/sub_cpu_dispatch.h,sha256=z338yo7XiXwDw1ho7R18dgS9aA0P5fNGfEPMP3s-kD4,1130
+torch/include/ATen/ops/sub_cuda_dispatch.h,sha256=Wmo_-nNh6xa4QvPSGoSWJf9Z2ReGrjwvKyHT5dxk_qc,1132
+torch/include/ATen/ops/sub_meta.h,sha256=CUnxXsw_3_a8xmaj-CO7ZzsZYZF5qPm8OgVEqOlDoqY,642
+torch/include/ATen/ops/sub_meta_dispatch.h,sha256=5HtfxiQj1pfoE2WZFLkUIRgG_3u-X6Iod_SFLsDOQ5E,1132
+torch/include/ATen/ops/sub_native.h,sha256=kSfPlPjRGi2eHqKPVTXlpMjKcD6WDlcExQFXAIPhtF8,1594
+torch/include/ATen/ops/sub_ops.h,sha256=kVSXsQSs8jnCeIxjMjLRjWHW84gEyGg9f6uMGE3JxnA,4907
+torch/include/ATen/ops/subtract.h,sha256=OOQ31tFLDlamgWqbjl0LlkLfSeSkygozDPVSwoo-B7Y,1597
+torch/include/ATen/ops/subtract_compositeimplicitautograd_dispatch.h,sha256=9wHS4xcrqPU8tU7zQcD4_T0hhuiyEbJkB5uquKplJbE,1411
+torch/include/ATen/ops/subtract_native.h,sha256=jsLfv6n9eftQzrPMnMollFQJqk4OQ_CHu654dJRaEHg,999
+torch/include/ATen/ops/subtract_ops.h,sha256=YgFz6qqISkd0ta6BpLk6hDaEQThDicHH2mSSui2mLRg,4173
+torch/include/ATen/ops/sum.h,sha256=apdD_mPFiIZlfRrnfaVcK5TY3MKSQaZPhyhj8QRMFNQ,3395
+torch/include/ATen/ops/sum_compositeexplicitautograd_dispatch.h,sha256=IP9abaFWHQM8pk5nL2kCvQ9YpQsDrQhFUZEdaxMbIys,1059
+torch/include/ATen/ops/sum_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XUFiDFN3PwsGzNvzGpGgQ3KxW5vXJG0hilLs0WDJKS8,890
+torch/include/ATen/ops/sum_compositeimplicitautograd_dispatch.h,sha256=cEAQUg2ymOSiRrJl5fc6A8BlFzEmIqPZv_YJ_NuuoDo,1176
+torch/include/ATen/ops/sum_cpu_dispatch.h,sha256=YC4p_IgfR7KN1fHcQ-y1gYZpeb7OS9HTi0TmuMfMlJE,1156
+torch/include/ATen/ops/sum_cuda_dispatch.h,sha256=dLb5T4gtrupSaacM9T-8tUMOCpDagbQ0hP4ftfOslxI,1158
+torch/include/ATen/ops/sum_meta.h,sha256=sOWgZH9iD59n_BQwVjz87bzMhrd-Y7ALD7sPPHy1WI8,677
+torch/include/ATen/ops/sum_meta_dispatch.h,sha256=sCUq_nqWWrYa8ksexfJQcYlNoAGoXuk52vpeyRN1O_E,1158
+torch/include/ATen/ops/sum_native.h,sha256=L1weUCAbHa1cUxwGzXuwpuTyW06_3d4wmwZ9Ia8xuuU,1936
+torch/include/ATen/ops/sum_ops.h,sha256=9XefDcXFd_2dklwbi7L3dbVthuBt_TZDHbdsxfgIdmU,5367
+torch/include/ATen/ops/sum_to_size.h,sha256=-AQVp5J6H3IWWXLg_lnrgazNEeQrQ_kap2gZMyI2O-8,1005
+torch/include/ATen/ops/sum_to_size_compositeimplicitautograd_dispatch.h,sha256=qcgFze61T-FTH-xR8GflgnxDysSHbyn5bhuF3sRYMrc,883
+torch/include/ATen/ops/sum_to_size_native.h,sha256=fpMQ-fSTQ-gOqLcgcG4crsELgKfdc85g2MDZlyiJeSY,525
+torch/include/ATen/ops/sum_to_size_ops.h,sha256=DoR68dMx2-KbrSQbGaJGOjCIHd5DSDl2HyJNnEBXpMs,1070
+torch/include/ATen/ops/svd.h,sha256=Os82CRlet_Vurbe1Cjurfm0WJqYMxsLlna1p_8f_LgQ,1573
+torch/include/ATen/ops/svd_compositeimplicitautograd_dispatch.h,sha256=o7YTegUFrNQb6keDLJQlhU2YgNLkjn55nfO4OSBRgTA,1192
+torch/include/ATen/ops/svd_native.h,sha256=ZL1SeDd0iGy-F398s1q0EQOjhLf5BXj4SBtNUz8qEv8,731
+torch/include/ATen/ops/svd_ops.h,sha256=NhMjg74VnektOVHPT1G1-EmM7kWyUvbDPvdpv0Y7yNw,2176
+torch/include/ATen/ops/swapaxes.h,sha256=Ctt9AWoyKODHwXYQ2Vn8YayOvrelKr9tcXm2-oPoouA,705
+torch/include/ATen/ops/swapaxes_compositeimplicitautograd_dispatch.h,sha256=QKsdSRsNHmNLZMNM648kl4JIhtblxEy9qUCWiU0Wods,879
+torch/include/ATen/ops/swapaxes_native.h,sha256=sSo6G_hxEZQbdJ0cdzvln7BQDrz5TdVxSjCzCvd8IX4,602
+torch/include/ATen/ops/swapaxes_ops.h,sha256=nHQ3CD6mr_vDvAqpDtdyEYXpAvQz67oPlaM9XrjV9bQ,1717
+torch/include/ATen/ops/swapdims.h,sha256=8D2jj9-CvOqhAH6xv8dpgFRugukDroB9m3nVNPZAPKc,699
+torch/include/ATen/ops/swapdims_compositeimplicitautograd_dispatch.h,sha256=D0IefFV_MtyAO3vvRsnbBUFu9daGc-Mt3sDIyhpo41E,875
+torch/include/ATen/ops/swapdims_native.h,sha256=o5xU2qHLsd-kIrulJtmGUyhga4YqvBa_zjHY4vAoqSk,598
+torch/include/ATen/ops/swapdims_ops.h,sha256=QLQj9WjEeObaKx3V1z7HKHuwFvojmWHHl-cNRGC2izI,1705
+torch/include/ATen/ops/sym_constrain_range.h,sha256=-hpTO3HDS_Qs9WgWEN6mvla3st-LI-RYLpwjbaJcxis,800
+torch/include/ATen/ops/sym_constrain_range_compositeexplicitautograd_dispatch.h,sha256=zh4KdvzWMmek1t9OZq9u-M23Jvxj83ezqBgk7AzxZSI,861
+torch/include/ATen/ops/sym_constrain_range_for_size.h,sha256=I7_ERA_wYTMRh3Du0Ez9UJ5cYxwLP0ArBL3T2CglKYY,836
+torch/include/ATen/ops/sym_constrain_range_for_size_compositeexplicitautograd_dispatch.h,sha256=tkU62YCRhLEq4WPAuylAHyWSzWD51UlhcABVgsHHZbg,870
+torch/include/ATen/ops/sym_constrain_range_for_size_native.h,sha256=H6InBvfw2chpgR6Sl784aen0p6f01v1V9PIoCXuHgsY,593
+torch/include/ATen/ops/sym_constrain_range_for_size_ops.h,sha256=cwBwtKr6lDiucu5BW4auy4_jJPCnoUKiRt_pj8hc4aY,1216
+torch/include/ATen/ops/sym_constrain_range_native.h,sha256=nLAYh2xx1gD1clafD3fb4eINIEF-cFuBFh5OZDgssbw,584
+torch/include/ATen/ops/sym_constrain_range_ops.h,sha256=Re8XL-IzEcQ07swgWyEC2KxfbKaE51fmPUYdRzMpDr4,1189
+torch/include/ATen/ops/sym_numel.h,sha256=jO0d0iUigDGjokR4TTXA-NrdYhr36C68oKNTgOTnCjA,649
+torch/include/ATen/ops/sym_numel_compositeimplicitautograd_dispatch.h,sha256=tXTb3_7AIwh0kcLzbKzEuiNbTOaq_j1Kk_xhsNaDAJA,768
+torch/include/ATen/ops/sym_numel_native.h,sha256=D6HjUXOU7PA-wQgBA5UnimEPA9GFlRaLdslUjjIi9hE,491
+torch/include/ATen/ops/sym_numel_ops.h,sha256=ZX9kJT7Rz5NjQ7-_zEZSmwJd0TIj1btRZlXZEnBaEIc,979
+torch/include/ATen/ops/sym_size.h,sha256=Zm6XqiWP8WRuCXYFb3f3Vpl11ydlOLzxW1kMMTlOQXU,680
+torch/include/ATen/ops/sym_size_compositeimplicitautograd_dispatch.h,sha256=BL6mxnuGiOQ05MHhNKLVcNSPHugjuNJZ_I6WwACuLz8,780
+torch/include/ATen/ops/sym_size_native.h,sha256=5zWWsJ3qNx9hZizxOtDaa9la9ODoXqnQ4ss6JOZAUpo,503
+torch/include/ATen/ops/sym_size_ops.h,sha256=Fk3ALHIVSV4Cxpioe24bmgZCTeP2Uy1MKATQdt9V7UI,1031
+torch/include/ATen/ops/sym_storage_offset.h,sha256=obyli4olHv396eQfAN_2Wv17qe-aBmChrv7BxgaID0w,685
+torch/include/ATen/ops/sym_storage_offset_compositeimplicitautograd_dispatch.h,sha256=itfuP6Tt093Zrofo3boMiLhS3W4jNkg5q49PxJfryMU,777
+torch/include/ATen/ops/sym_storage_offset_native.h,sha256=tC4TWxZMem59LbA5kXfbQKD9lxaElCrE47dGZc4iBDA,500
+torch/include/ATen/ops/sym_storage_offset_ops.h,sha256=7mhdeH8eTv8OX2iuRDcC6XzYNiSU21febSSXMWLfGeU,1006
+torch/include/ATen/ops/sym_stride.h,sha256=Y4Hem9BLU9TAcDZ1VRTNIjecu6O_Q88PCOfhPFR18WQ,688
+torch/include/ATen/ops/sym_stride_compositeimplicitautograd_dispatch.h,sha256=z320JcS739xpzhKp45x5gGX8P-RPD0U5yAqnDCNF4pM,782
+torch/include/ATen/ops/sym_stride_native.h,sha256=ij-vRlGjeNdTlW-pOqta_V0guETTPckSZDlIEiacacA,505
+torch/include/ATen/ops/sym_stride_ops.h,sha256=ZuNBlqPv7uxUk5yDbk5BYhafxkOZBmMHtZATTMIZ-Uw,1037
+torch/include/ATen/ops/t.h,sha256=Jlez7GsUM0Rv-K6JN9nDZ9fySx1sylqwVXBGuVMtZdc,611
+torch/include/ATen/ops/t_compositeexplicitautograd_dispatch.h,sha256=zNsOwQ5j1KDg2w1HL2Z4dXWsQQzz1CjOBaA6wNq2oEw,805
+torch/include/ATen/ops/t_copy.h,sha256=msrnKg_vMhXIszS5m-_vNjXHgK0AzXH50x7z6nKFk24,1015
+torch/include/ATen/ops/t_copy_compositeexplicitautograd_dispatch.h,sha256=JmlOfgw8-Q077uwpeK-Qr-l-zLj746wf_GwXU5ykEqM,867
+torch/include/ATen/ops/t_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Tbn5mQk7oks1TQs9P7g977GDweM3MA2JYEKjnB4ztd4,790
+torch/include/ATen/ops/t_copy_native.h,sha256=cg5zMV-0dPaPoHRL9ObuXrGzYc76TCWKkHelC3iMXI0,565
+torch/include/ATen/ops/t_copy_ops.h,sha256=SmjcK6eY8yu-TBm3PyrfttOGS_Ny9m1nbsPZ3Q4KFJQ,1590
+torch/include/ATen/ops/t_native.h,sha256=ncLLSoiW1p1dthXwzWvR38mEr86DQQQ5GMGm9gvYcmM,528
+torch/include/ATen/ops/t_ops.h,sha256=MqVQkBP81lbB2Y7zWOPxKjFcbWPf7Ax04KsqePw778k,1475
+torch/include/ATen/ops/take.h,sha256=xCOBP0-zUWJyovJP27dYe5SA8fxCRZb0dzUifzbpGqg,1136
+torch/include/ATen/ops/take_along_dim.h,sha256=vEcIwpRvZwY8RD1CEAiX7--pnJiQZERjzZ-4gYDiMoo,1434
+torch/include/ATen/ops/take_along_dim_compositeimplicitautograd_dispatch.h,sha256=p6KUh4nZJJFkZGMyfONIRtjXatC4rLZDjkF_846eeFE,1149
+torch/include/ATen/ops/take_along_dim_native.h,sha256=LAJVvsHqApuq65leAWZHbvf05auMlZhizJGCDO-RsjA,712
+torch/include/ATen/ops/take_along_dim_ops.h,sha256=M5b1lJhOzSuOt6tgrZI3DtyUF4CrlrQJUFIMxQl-s58,2024
+torch/include/ATen/ops/take_cpu_dispatch.h,sha256=hbO7KFlRMYRrW6Z2utqVYJgaOAY-RPfl0c1M4YMm-rA,949
+torch/include/ATen/ops/take_cuda_dispatch.h,sha256=qFDsLb8TP2rQs8mawSUMWLeFm0IgPkGpE7CUuaPIfDc,951
+torch/include/ATen/ops/take_native.h,sha256=tZYtquAsork9Vww3v0Wu95pmBPgI7-0imSTrqEqfks4,613
+torch/include/ATen/ops/take_ops.h,sha256=tckaYmHI1FAwmt8GXvjnOYtD21O-s9BAqhuSeVVwAlM,1750
+torch/include/ATen/ops/tan.h,sha256=su2S2zPglKxXumCFW2s1BoAe4vhVevuZCu6YeY_TKFk,1118
+torch/include/ATen/ops/tan_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9msSFgcRjrg8bX6bNI5kCV6baqM0-A6C6H969OR0Lqs,835
+torch/include/ATen/ops/tan_cpu_dispatch.h,sha256=DimMQnXgY-7pND9M75hivgWEZX8K1ApIJYxXSM9Ue8A,916
+torch/include/ATen/ops/tan_cuda_dispatch.h,sha256=uY_V5HawHgc4ftTPpHtwN3pMEOP6rPQDosiUNLdS_i4,918
+torch/include/ATen/ops/tan_meta.h,sha256=lsGJVU4GNLi7Jiyruyok2KSXMu1-MdLIKqHjyO3WEMU,583
+torch/include/ATen/ops/tan_meta_dispatch.h,sha256=ZHlw9zOpcjvJ0CGDflTwnhbGsY_MzNCMaZkckcrZDto,918
+torch/include/ATen/ops/tan_native.h,sha256=vNlP1UJZ5fdOhnPWfx09GccI4tS9ijS8bciu-scM5rk,1000
+torch/include/ATen/ops/tan_ops.h,sha256=vdU8LtsE1JuPL2kjtFLu2NY8lWXC0WhkBKM-YEul9hc,2095
+torch/include/ATen/ops/tanh.h,sha256=74ATctOqbISn8Axh8SD9g5zuZvhHwV7cCLYgQYg6QyE,1131
+torch/include/ATen/ops/tanh_backward.h,sha256=7z6W1ZHyi8rlm3zLCEMo1SZj9OTZ2E5EvRxpnYssBBc,1368
+torch/include/ATen/ops/tanh_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=cewqqytrQiBMcumo4dIS19Pz-CcDTLuwRMPKd1SZDIw,831
+torch/include/ATen/ops/tanh_backward_cpu_dispatch.h,sha256=bTCDJx_2SfU3SBw37eRkerFIQoxFsr9nABzBG9etGyw,1014
+torch/include/ATen/ops/tanh_backward_cuda_dispatch.h,sha256=87yeDFFt_xrco8MecdA55JhYnFMPnpDr3rhNaZ3JiO0,1016
+torch/include/ATen/ops/tanh_backward_meta.h,sha256=L58Qe-eqQIFFH6YQhtSBV5AFDS-40ddfRaBuXROUpOU,627
+torch/include/ATen/ops/tanh_backward_meta_dispatch.h,sha256=c5hHwffvqGr8pxGIIBCwIvE0v5ZdXWtTnfpsJ5gAexg,1016
+torch/include/ATen/ops/tanh_backward_native.h,sha256=n9gUSh61ZDfHa_dCjrlURVnXdAF8dpbtbti-SoXWiBc,669
+torch/include/ATen/ops/tanh_backward_ops.h,sha256=zVEtG9Vp2xTNzJp8dz2UWt_u-QRNe66Zk4-awKTt_GU,1894
+torch/include/ATen/ops/tanh_compositeexplicitautogradnonfunctional_dispatch.h,sha256=OQVmUti_spPJKlM5JmiXBvOTTJk6sDBboVm7n9Ufv3c,837
+torch/include/ATen/ops/tanh_cpu_dispatch.h,sha256=khq7PUKQ1THXtSJ0J-89jDHoCcUD-swCwAfQTIci5QA,920
+torch/include/ATen/ops/tanh_cuda_dispatch.h,sha256=yrcfdE38ouc1qkOXg1cjWUM-aKAHEPcmVNDPCd8xS2I,922
+torch/include/ATen/ops/tanh_meta.h,sha256=xRARexGOF5uQ-QunwfOzcIp4UqKdQ_qEdxGQGC-fC3E,584
+torch/include/ATen/ops/tanh_meta_dispatch.h,sha256=c9uDlsNwtm-qtf6XIwxdWoyGye5tH3PhTIrJRg7IPKw,922
+torch/include/ATen/ops/tanh_native.h,sha256=aZ-zwoiqM3G0-Pa2KBsitPdXJ6ZC8xfXNm3YxzccLaQ,1317
+torch/include/ATen/ops/tanh_ops.h,sha256=IhWfUvfrLkCGTu7FjNUC62RBjiNX1QzRDyPiwcez4MU,2104
+torch/include/ATen/ops/tensor.h,sha256=isoes7wQlV4GjiBAgES1eu_hDJ5Z7Nn1eDIo-vJTBnY,1631
+torch/include/ATen/ops/tensor_split.h,sha256=-sec-uMSRk4wxtjz-TcyC79fJrj6vhsy5SGKl0p3mkU,3214
+torch/include/ATen/ops/tensor_split_compositeimplicitautograd_dispatch.h,sha256=H5JK7evExo6-K1LJRsox4fWUBFHg8Y_uIHfEe09kWmY,1315
+torch/include/ATen/ops/tensor_split_native.h,sha256=6waXkDEecwXWvudL_J2ayTt0t7Ts6hScTSOXNVHB6SA,832
+torch/include/ATen/ops/tensor_split_ops.h,sha256=0HMJGNvwwiugZsEG2DGfzX0mwqHBzwRPj3RLWmwGXww,2848
+torch/include/ATen/ops/tensordot.h,sha256=jnjDUFTbe0IxhjEnxdvCh7_CfnmHR-phYdmEdLxQFjI,1525
+torch/include/ATen/ops/tensordot_compositeimplicitautograd_dispatch.h,sha256=GKHo5YJ6o4nCJYKxewCITKpRbv-GH9EhEwcssXAv5X4,1173
+torch/include/ATen/ops/tensordot_native.h,sha256=jjL--YUPOll7HbaAVaKEB1KIlpb9UwkKMQN2r4nQhc8,733
+torch/include/ATen/ops/tensordot_ops.h,sha256=xwOsAsz288xmk-aEGOX0yzlBlhEBmoPZHGGYFFki-eQ,2138
+torch/include/ATen/ops/thnn_conv2d.h,sha256=FzqrZlVfVj2pVIUoPC_tq3_9JfqLXpwSJWt8fsa46Co,6638
+torch/include/ATen/ops/thnn_conv2d_compositeimplicitautograd_dispatch.h,sha256=W652Ye1hYBsL1pBGBMgIBkYSCl6X9Ex8GD5ZLsJpGVg,2181
+torch/include/ATen/ops/thnn_conv2d_native.h,sha256=o_3ipNdxbY8AGXHyy2Bj2oyLXMKjlFSIcgrBxYOAZZ8,876
+torch/include/ATen/ops/thnn_conv2d_ops.h,sha256=0URCrh9fjltVWMcD2E9lV0wBbUu28BS76sxWCjqbKVM,2692
+torch/include/ATen/ops/threshold.h,sha256=Ly23_zQReB6nxaZlAJtUqXllK39GHN-8AZ7BTP5IxZs,1620
+torch/include/ATen/ops/threshold_backward.h,sha256=TXxoml6-Y-OdDj5IF9Un6eoHMPrbQmyWP6qP6QzLjCM,1577
+torch/include/ATen/ops/threshold_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=plJpzm1z4Vb6Y6LEFRhFuBRpKZhh4sJu71uBs8uKM3g,864
+torch/include/ATen/ops/threshold_backward_cpu_dispatch.h,sha256=3RRYQvqNz0pGBKIpm5GLlDfPm9tYdQEXqpwyWEHpw0M,1113
+torch/include/ATen/ops/threshold_backward_cuda_dispatch.h,sha256=XYavrW3lmvvVr0r_7B56-EhFKrqvHWgrr6X9Oqljafc,1115
+torch/include/ATen/ops/threshold_backward_meta.h,sha256=o-uRYpv7Fn9S69PC-WZCmN6SrlFGtAIFv6OHAlljKag,660
+torch/include/ATen/ops/threshold_backward_meta_dispatch.h,sha256=Io856UNegr-z9rZofa9ul0SVMGHprgfINFefKpXNaLo,1115
+torch/include/ATen/ops/threshold_backward_native.h,sha256=iz89KFj4OGDBLcXTG-CjJ9-p_xfEgqhu3mtHJhrALjk,1602
+torch/include/ATen/ops/threshold_backward_ops.h,sha256=9AA-V5Qegh5fxLtUSS1Kih8T79Uyx85tnSgpFW6UxUc,2108
+torch/include/ATen/ops/threshold_compositeexplicitautogradnonfunctional_dispatch.h,sha256=jI63c68gBq8bfVtw_ycGKPUGhN8DIeWiqrVTPvQRyW8,959
+torch/include/ATen/ops/threshold_cpu_dispatch.h,sha256=rHiezQrfSYXnJn9n68hpVpu__zfxjl-6DWeSY2DvVmc,1164
+torch/include/ATen/ops/threshold_cuda_dispatch.h,sha256=k47K89InvDrRAOHe3yQ39OxOjn1DIpukBrz5zzi5A24,1166
+torch/include/ATen/ops/threshold_meta.h,sha256=Q8w2SMN177lZTJ5HZVXOKtfwBtZV_Pv_H0Arut1N8RI,645
+torch/include/ATen/ops/threshold_meta_dispatch.h,sha256=4hCfmDbySXTjcvz1NmZVFWE0DdFcM5HcIt--ImF8pHU,1166
+torch/include/ATen/ops/threshold_native.h,sha256=dH0xAj1fLpzN041-NELp8M2uQR2RldMtZEz7tm8UxWo,799
+torch/include/ATen/ops/threshold_ops.h,sha256=WRhObMxfCsKb1K9TL9aqwoO65pjazNOGrr_bW70BPKc,2701
+torch/include/ATen/ops/tile.h,sha256=JV6Cm30qxcqzvNHAzskQR46qZV0sj_Klf92MThS5uC8,1349
+torch/include/ATen/ops/tile_compositeimplicitautograd_dispatch.h,sha256=x2Ibfd3Xz2YWbxrJljyuI3hTpdJ7Pq-HRpOznFi5Nes,869
+torch/include/ATen/ops/tile_native.h,sha256=55nA7gCCfNm7no1BlBGeGWdBhFfucaqfbRyxnYBWja4,518
+torch/include/ATen/ops/tile_ops.h,sha256=zkhuW1i2z8v3u0U4LFyOMIIUAUGBq2BlBFwkQ6IuOF4,1049
+torch/include/ATen/ops/to.h,sha256=grBm2JAETXxVNEmEMOdimrwCLiTKfNUY7snQt2l8bJo,487
+torch/include/ATen/ops/to_compositeimplicitautograd_dispatch.h,sha256=r2KeSPtakZVsWeKBqXu1v3rs9OHHro8a1upc-d5qD80,1727
+torch/include/ATen/ops/to_dense.h,sha256=HqmHPuL6zSiYhYY9aoHNaSsxO3tTPisViHvJ21Foyq4,493
+torch/include/ATen/ops/to_dense_backward.h,sha256=8SK5pSSzkraHVnujcpQ0xi4bQ7BDVurWR107tD7lOTI,803
+torch/include/ATen/ops/to_dense_backward_compositeimplicitautograd_dispatch.h,sha256=Wo9FBXmMIT_MGtN4krfxnT4R2QpMdf4Zv5Fm4XNqDxc,851
+torch/include/ATen/ops/to_dense_backward_native.h,sha256=yymPblYQq5IxwlsHiC9my_4x82PXqU0BS790oJAJwGY,574
+torch/include/ATen/ops/to_dense_backward_ops.h,sha256=ZdQIRiGjO1YrtoHsDtjwrgSw690daZSv4ucYGRsSqms,1203
+torch/include/ATen/ops/to_dense_compositeimplicitautograd_dispatch.h,sha256=wQJUOfatuqr9neebNb3UPKDN3OjI_NJ49W2ETETV_qc,870
+torch/include/ATen/ops/to_dense_native.h,sha256=itdoJ8VtzOpdnegfAPg6M-siGRTtX9u0CIhP06CZjx8,593
+torch/include/ATen/ops/to_dense_ops.h,sha256=noTAt6WA3wYVAB9amHfuILzJbdqFa4lsGkxVUBH8nRg,1228
+torch/include/ATen/ops/to_mkldnn.h,sha256=cbVh-OWH8L35cRPH4OsCDvMVYF4gjNMHezvLRvzknPY,1056
+torch/include/ATen/ops/to_mkldnn_backward.h,sha256=X4wGD3cc96NstL22mNO73SO3ndfUr4-0sFU5Mkpleiw,720
+torch/include/ATen/ops/to_mkldnn_backward_compositeimplicitautograd_dispatch.h,sha256=o1U7p_HbsENzQVP_PpmA5ubxRWXo-UpTP8W794QHH7s,802
+torch/include/ATen/ops/to_mkldnn_backward_native.h,sha256=JMOubFopgIWxw1shuIdVADAMVmc6RGwhfbdWE4rXJCE,525
+torch/include/ATen/ops/to_mkldnn_backward_ops.h,sha256=zedYIO6QZXPp0nYymjPxoWQC3rKZamYlKU1pZHxb6Rg,1089
+torch/include/ATen/ops/to_mkldnn_compositeexplicitautograd_dispatch.h,sha256=XINlXwQ_SoQu5KFr-ZCPynpJPN1YaW1HJzYSXwN3ELQ,966
+torch/include/ATen/ops/to_mkldnn_cpu_dispatch.h,sha256=1sV3JVcp4MHRIBkUTpT6hvHTm0xuabZNpzBOgn28C0k,777
+torch/include/ATen/ops/to_mkldnn_native.h,sha256=pcevkNwXAuHTWA_n6l9ENUuTh_LgyVIwvme2Z22UCxs,670
+torch/include/ATen/ops/to_mkldnn_ops.h,sha256=-9yPVrQEvBWYnok9DciXbmEnkvGD_Xv4Xuu0FJ5yNJQ,1878
+torch/include/ATen/ops/to_native.h,sha256=tzg0QJMu4GwBqs9Qb4HrPdtK_iWQ27faarJNzt6y1bM,1303
+torch/include/ATen/ops/to_ops.h,sha256=pJyPrpgVm39_KlXjB3_ZLGwu1xDLrizxF0Uqc-Vt-8M,4561
+torch/include/ATen/ops/to_padded_tensor.h,sha256=UxXT5D4zwSOWDD732hodCYYWEWRRjafKw45gQOisJEA,4365
+torch/include/ATen/ops/to_padded_tensor_compositeexplicitautograd_dispatch.h,sha256=i8nAK-OA5xqKHmNVU7sT2MbTvpjNRhkK3nyzgrZ_Nh4,1326
+torch/include/ATen/ops/to_padded_tensor_native.h,sha256=Ojg1r4elxca7Gh-SKS5DC2HKZZ_Mkxgnc_1JTHSKPa8,887
+torch/include/ATen/ops/to_padded_tensor_ops.h,sha256=_9JDLrYzs3Xr64qcCZVc5nuKIwFXGP0gVCsxz1_Demg,2032
+torch/include/ATen/ops/to_sparse.h,sha256=seGUZi67YBKhEzm10kqPBtJJpgWgvlsoKiYbu7FY4js,494
+torch/include/ATen/ops/to_sparse_bsc.h,sha256=NJz20y2XBjhh6r8FUZ_7KZBRU4DeGmLhzxeMYVXOuEY,498
+torch/include/ATen/ops/to_sparse_bsc_compositeimplicitautograd_dispatch.h,sha256=BI0PUXycKmaVhFEpe-oSWETYtPinzGECUWEtYj30N4s,849
+torch/include/ATen/ops/to_sparse_bsc_native.h,sha256=IJi7m3M71DxcmqgBtId2QwBTkrUykquqUtaTTw1DrRc,572
+torch/include/ATen/ops/to_sparse_bsc_ops.h,sha256=Eagope9SLxPQfR-kbEgEZcSth2bTBbbA9dLkfwHDs7w,1196
+torch/include/ATen/ops/to_sparse_bsr.h,sha256=Ve0CnVnfjrIGltPM3AyXqwMmQ3x1D39KTlHBTPpBFSQ,498
+torch/include/ATen/ops/to_sparse_bsr_compositeimplicitautograd_dispatch.h,sha256=9bAip_9OMsdlQeugNnY179i9wl6TA4e3Ie7P_a5unG4,849
+torch/include/ATen/ops/to_sparse_bsr_native.h,sha256=H7mbtX_oGD9kbgR6LkJPk69Hds2KyOoLo1okseI-jgE,572
+torch/include/ATen/ops/to_sparse_bsr_ops.h,sha256=HTuBV6o7tyQroqDMD1dDg3tbqDpeI31e44VYJQJm2bY,1196
+torch/include/ATen/ops/to_sparse_compositeimplicitautograd_dispatch.h,sha256=hMGgKAnDH1NZO2gVQH0M5z4TTkW9MZxKCArbvnLsnZU,996
+torch/include/ATen/ops/to_sparse_csc.h,sha256=BEAGLlDboTbLqhwAnoywpUVpqRu6sqjze_iayamrHmM,498
+torch/include/ATen/ops/to_sparse_csc_compositeimplicitautograd_dispatch.h,sha256=sjRNS4-HcOwfmTgXrEp7Z1Vy0x809rQfl-rD6KxYwsg,822
+torch/include/ATen/ops/to_sparse_csc_native.h,sha256=XW2FX0_985BybjKwgLKF4iSONaXMQbTFQlh40jjY4-k,545
+torch/include/ATen/ops/to_sparse_csc_ops.h,sha256=cgfpkopMevejEJZULeT815Xb2iYrf65ywgm-1ej-lBI,1107
+torch/include/ATen/ops/to_sparse_csr.h,sha256=vrTNwucbYg2QrstmMmXcM0GKIooe1vh4ESMZqRJBnlk,498
+torch/include/ATen/ops/to_sparse_csr_compositeimplicitautograd_dispatch.h,sha256=0YpYHSKzhIXe8gjpwG7uUflK7TH5vzo9RinDjuEuomM,822
+torch/include/ATen/ops/to_sparse_csr_native.h,sha256=N3ws2pDaMoOglSk3vHweTYPeS2-CdrVDRAn7gZD3M3M,545
+torch/include/ATen/ops/to_sparse_csr_ops.h,sha256=pXxJsmTosv069CRuogcmXdVMMYBKJlEqYPtqYIxntSs,1107
+torch/include/ATen/ops/to_sparse_native.h,sha256=en3nDT1MDeV-3sn8_S5exH6hyOtD7MTPMhwClb0X2ow,719
+torch/include/ATen/ops/to_sparse_ops.h,sha256=dOHCTPJdsqNeuD1uva4yhYSuzkbhsgLaKQPRYwD0uR4,1978
+torch/include/ATen/ops/topk.h,sha256=4rMVVeKziqV8eyRF5LxhP_prqQAgNymTSM2wQR3sfKk,5141
+torch/include/ATen/ops/topk_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Qu0OyAdcsi7Ks4bmOM93_aOrfJ03amuShm2RqKLcI_k,1029
+torch/include/ATen/ops/topk_cpu_dispatch.h,sha256=ERn1_1XT0uAPbmK1lWlgdyvOj-Hd6_190nRgA4WHx6c,1725
+torch/include/ATen/ops/topk_cuda_dispatch.h,sha256=CD6MfzITyCeasLUBDCXzJlyRHKdInCNM0E7QGmAX_FY,1727
+torch/include/ATen/ops/topk_meta.h,sha256=_Wfz1wUGHzpzT7eORsxifz_iU7XLuMVJe9RTyrdYw4k,635
+torch/include/ATen/ops/topk_meta_dispatch.h,sha256=XCFU7buxPpBvL5pAtkHyRr9GkCzBTWig_VjP03734kg,1727
+torch/include/ATen/ops/topk_native.h,sha256=oYJL6ItKdn5AIqTZgWk9fK5X174c8OAOQ0-iZYMzeJk,1066
+torch/include/ATen/ops/topk_ops.h,sha256=OVlMEXCgUOZLuWFw-C5Ra5GArarNbIoucWSJIMVljqA,2290
+torch/include/ATen/ops/trace.h,sha256=MUxgYN8N2Yp0rWp62jKQNAWDlrA1MAB2f9bwTgjhcOw,1005
+torch/include/ATen/ops/trace_backward.h,sha256=WNzauX7JBN4XgofUxxV55zEZ8BB039dASpbRxv9Mwow,1469
+torch/include/ATen/ops/trace_backward_compositeimplicitautograd_dispatch.h,sha256=tWr4wy15EycscUG1zc67fxftS1dMqw6CNkXOqIvdbpw,891
+torch/include/ATen/ops/trace_backward_native.h,sha256=_OwG6AplpOKt5JUNUA4qAuRgB6q_5szIYFPwL5ia1Mk,529
+torch/include/ATen/ops/trace_backward_ops.h,sha256=JMFandPNxtKUKJ8eJX9xeDYx2_ZbS8vdeb6KR1HJNMg,1082
+torch/include/ATen/ops/trace_compositeexplicitautograd_dispatch.h,sha256=F5a6MKncE7PD2pe2adeoMQ8wAyYfn7Rjwf3OPwOmgbM,865
+torch/include/ATen/ops/trace_cpu_dispatch.h,sha256=JXw0FbDz4QYdluTWpWIuOeS86zits71-T2xImJn-ujE,719
+torch/include/ATen/ops/trace_cuda_dispatch.h,sha256=s1JLCXg53uWtpfvz1nayHb7_NY9kfs6Fa9pkMFLGi-g,721
+torch/include/ATen/ops/trace_native.h,sha256=0WKPJmjk3lL-5XL8ET7AOIo4--m45UldbIhxWGVZGXs,625
+torch/include/ATen/ops/trace_ops.h,sha256=P3-IlZvjpwwx31wm5JI1JPmAD6BTLyh2X7WZ_DYls1k,1584
+torch/include/ATen/ops/transpose.h,sha256=rR15sjRw0gzcD3BaHyNzZp6w2s1Gj9r6Lsb2LsVF6J8,953
+torch/include/ATen/ops/transpose_compositeexplicitautograd_dispatch.h,sha256=agl0kg8AFsNUCam_VNjFJUP0acOTmLhC9ibOP5O8WZg,877
+torch/include/ATen/ops/transpose_compositeimplicitautograd_dispatch.h,sha256=HDXuYGWsSldkOukUY8Jg5ldFKv0l8DBdbrkWhCxF4sw,803
+torch/include/ATen/ops/transpose_copy.h,sha256=5JqZgyi1jC1y3BJ4P07CttFLPQrcxpztr03ONefY3Bw,1299
+torch/include/ATen/ops/transpose_copy_compositeexplicitautograd_dispatch.h,sha256=5j80UW3aOQTbObPFi5YKK6ElrRT-V9cpCi5qdYtfbM8,939
+torch/include/ATen/ops/transpose_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=XNWCxj8jCzhf3rX0tjlrlHn_TbHckzwH4pHBIkhcPLg,826
+torch/include/ATen/ops/transpose_copy_native.h,sha256=yLe118G8oLyc6_-AJTp83WDIAtWGe6sch9tUD7ekRqA,645
+torch/include/ATen/ops/transpose_copy_ops.h,sha256=nUC6D7yTEWFrmAa9-surUCVBpJvNLFqIsDbjaY5XOpE,1849
+torch/include/ATen/ops/transpose_native.h,sha256=pAyfTUTSnWlPFEfGMBv0w5vuQHm2Q7dTkLy9Y-oXInA,785
+torch/include/ATen/ops/transpose_ops.h,sha256=6bkYie968JwSo9pLcqrijkbz_UZ8MUHKEqROQf_oTHo,2419
+torch/include/ATen/ops/trapezoid.h,sha256=aIQa7yTbotF_QVJu5YlEoq9qTKE_kSkl1XuzbSL5woI,922
+torch/include/ATen/ops/trapezoid_compositeimplicitautograd_dispatch.h,sha256=q8UX2QQ2Ad6z46_Rzvu7f8bjed6-3jUa1CbufrObrvA,897
+torch/include/ATen/ops/trapezoid_native.h,sha256=W5sdVAk-bJk-5D_7oJ6OlmF3apa9LOc5BbiH27S-tJI,620
+torch/include/ATen/ops/trapezoid_ops.h,sha256=UMZSCFa_q1IJDZWsxPgWE42TzB6-pNMdALp2PgM6wkg,1766
+torch/include/ATen/ops/trapz.h,sha256=4N3aO2SfuU53GDu3KG0u9dPseeXa_WUE0Xv4mhFtrJY,881
+torch/include/ATen/ops/trapz_compositeimplicitautograd_dispatch.h,sha256=wI6ESJPpPf_y3Z-Bdx9VteUyISKJxG3dmU28mTVKc10,877
+torch/include/ATen/ops/trapz_native.h,sha256=PpMqlhW2onjahh_qKhv3rO3yy8hAVw706i-U8vLS8Vk,600
+torch/include/ATen/ops/trapz_ops.h,sha256=G7QdPGZjes52Kt6S7hQBynpL6sfiWLLKTD86WonjQqI,1705
+torch/include/ATen/ops/triangular_solve.h,sha256=i0Dr3ivSjnd51TNTTah1hT4Tl-jpedVk28oDroaTur0,1939
+torch/include/ATen/ops/triangular_solve_compositeexplicitautogradnonfunctional_dispatch.h,sha256=54BpzwCgBVYaCocIOnfpzoHGSxoeoeY5sxqEmA4PHNY,912
+torch/include/ATen/ops/triangular_solve_cpu_dispatch.h,sha256=4mDBERpVsAd87vv7zmPj38fvhI8oH71PvxnpdqozmEM,1258
+torch/include/ATen/ops/triangular_solve_cuda_dispatch.h,sha256=YGfgPUfS-ShS8mVX6Mgp0us3HTala9o7KfLjQMyBGhE,1260
+torch/include/ATen/ops/triangular_solve_meta.h,sha256=1oJ1VMBHvzr9b0Hr3f6n3ihMNmF_hmSeluzUVpIWN-0,666
+torch/include/ATen/ops/triangular_solve_meta_dispatch.h,sha256=HsmQ_mvLK4TYiDJ6AzbGe-U-kcev6MW76ZZRUl4HVmE,1260
+torch/include/ATen/ops/triangular_solve_native.h,sha256=7_GZIuk0gZxPi2QIFM9TIgZPVdsjmD-NXqWCwaTTfOM,1156
+torch/include/ATen/ops/triangular_solve_ops.h,sha256=_jFSl6Hbvc3v3wEAGrxbbWABtvMpD-93OCx1RV1NYJk,2440
+torch/include/ATen/ops/tril.h,sha256=XIP73wfLdaErGSMFwX9VLNPwuRsq_cPJe7lyYCbMK98,1131
+torch/include/ATen/ops/tril_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5-ohybdX3JN90qOoOeDGCnVmMZHuu6_5-9Z6ujwYU30,877
+torch/include/ATen/ops/tril_cpu_dispatch.h,sha256=j_cPObg-KxVFPU6Y-vIKSj0dozihDnRrV7B3jgqqjHc,998
+torch/include/ATen/ops/tril_cuda_dispatch.h,sha256=miRBJvkWAqXD_TJc29cPccMPu-VDeF6uu6LUSVr4wbI,1000
+torch/include/ATen/ops/tril_indices.h,sha256=jL4Xl-iZWnKhfoN7rtKprs09-bt45XmlIIwjtJ_3i2c,1948
+torch/include/ATen/ops/tril_indices_compositeexplicitautograd_dispatch.h,sha256=UgI7ZUKrj4gfcTtZKisRtOPfGnksOxjaQNlk368jLcc,915
+torch/include/ATen/ops/tril_indices_cpu_dispatch.h,sha256=4WsHAA28nj8uQbgX0lGzzQ-onybP8mC_1mLnJNhPywQ,1004
+torch/include/ATen/ops/tril_indices_cuda_dispatch.h,sha256=WX5prJTtKgiy6TQd2nnRi1ao3wSwq5wyvS-fWVJuyFI,1006
+torch/include/ATen/ops/tril_indices_native.h,sha256=qdOKhOkX1pgxAETVqyqSJfZuQmAFRclLCXpTVsPpWnM,1015
+torch/include/ATen/ops/tril_indices_ops.h,sha256=KtGed23MwbP1gsrftdi_V6BEkz7DFQQ-HVMSArcp4zo,2242
+torch/include/ATen/ops/tril_meta.h,sha256=hm-R-5tuQNZ3xh3DNrm1o9Ygq0PJ5qA3txW0kLf1Xow,602
+torch/include/ATen/ops/tril_meta_dispatch.h,sha256=PrOhBhmmnHj57L3DJK8aXMf6jwrDSYp39VtAHfBGztQ,1000
+torch/include/ATen/ops/tril_native.h,sha256=LBqVmJLe7BawASyR88ukv3IBvDMAvlmYnPKJRglWfgI,775
+torch/include/ATen/ops/tril_ops.h,sha256=FZqlKS5ozvLTFrcY4RYk-Rk0GWKSJ7-sV2q_ZlNqWXI,2287
+torch/include/ATen/ops/triplet_margin_loss.h,sha256=kj_fWTC7ETTbdVgJpyrH1ZR8PJlz_e4_iW1FghQ4KCE,1016
+torch/include/ATen/ops/triplet_margin_loss_compositeimplicitautograd_dispatch.h,sha256=EMaoyps0TftBzAgskERCPXzYrks9LmGR02cxsBjaSuc,942
+torch/include/ATen/ops/triplet_margin_loss_native.h,sha256=yPHOZxcAVNevXXxbX2yPHo2BAU8NxqZeHsd08YsQwjA,665
+torch/include/ATen/ops/triplet_margin_loss_ops.h,sha256=6Z3gauIedKrICmOAaX4DzQQEj1hbRlr-5XBSUIdiYDc,1458
+torch/include/ATen/ops/triu.h,sha256=YYuVHDyMWi5evygktdEMUBi34BJyccLYdmj252Zqx2U,1131
+torch/include/ATen/ops/triu_compositeexplicitautogradnonfunctional_dispatch.h,sha256=PX9h-oZr-IeA5-SCyd50CqcHOs0RCEjPdxbglUIWNh0,877
+torch/include/ATen/ops/triu_cpu_dispatch.h,sha256=Nd4WAAsCxgo6iW_nybTuUmbAtpgBbF3H3ksogxbNG6w,998
+torch/include/ATen/ops/triu_cuda_dispatch.h,sha256=WP0LKqNl0j_S-p9X53c3UjVUqOxfuNA673ouNfSM92Y,1000
+torch/include/ATen/ops/triu_indices.h,sha256=kG8sberO5czcO4bH4mzrCEpT1MG00_iyT_Rl-581J0E,1948
+torch/include/ATen/ops/triu_indices_compositeexplicitautograd_dispatch.h,sha256=Q0aLJMcY8QNG1bYbVLkKUPuXQX3E-foqOf1YuXn1umA,915
+torch/include/ATen/ops/triu_indices_cpu_dispatch.h,sha256=JRsDpIhNb1XS3jrLjCZkRDQtH5ESiEQDkc9ZTSpLagg,1004
+torch/include/ATen/ops/triu_indices_cuda_dispatch.h,sha256=Bqv70mDTbPbW_ew3Y0xwbTxpzZyugZArZxP_QU_gSPU,1006
+torch/include/ATen/ops/triu_indices_native.h,sha256=MAV_3St9g4Yt4WMn-c76-M9ZmN2jbGIpMwkUpnRc-JU,1015
+torch/include/ATen/ops/triu_indices_ops.h,sha256=gDD_-enUV7MQ84IHdMAA_yEZz9KTRoejigN0PR0m7WI,2242
+torch/include/ATen/ops/triu_meta.h,sha256=MPCshj0SDUkRYd4sVeq4TF4ZvLiWowwk39-0m4nAEM0,602
+torch/include/ATen/ops/triu_meta_dispatch.h,sha256=zYdPTQ3dJWM0q7JcfWW1HKVpOJlqGtmisHjjVMEgPbI,1000
+torch/include/ATen/ops/triu_native.h,sha256=fqHGhniYaKSTMSuuRoVhpYK5QaA08sP6gAxilsUIWRg,775
+torch/include/ATen/ops/triu_ops.h,sha256=5Fv53MtNBRPos7hHMM24biCweAcfBg0xm4U-EI36sM0,2287
+torch/include/ATen/ops/true_divide.h,sha256=CZ2PotWa89piZ0BWqvtdDDNHurMbOROIlR6ayK9GGL0,1431
+torch/include/ATen/ops/true_divide_compositeimplicitautograd_dispatch.h,sha256=zWjpyEZbtEpfWk7ccj5FH8Q00U1Nb66PiHBunX1ZYLw,1263
+torch/include/ATen/ops/true_divide_native.h,sha256=VG-RWqZF2npaeVKo7YOO-iZojmTjh4s5PUGu1h91bd8,876
+torch/include/ATen/ops/true_divide_ops.h,sha256=sds1tD52MH7QC6EevBZxXzOrGLbY93cRrCuMglHp7sE,3772
+torch/include/ATen/ops/trunc.h,sha256=QjZClYKDxgUQZc1WuTPUBoDk83tVGA-LjcfjzrjbpRk,1144
+torch/include/ATen/ops/trunc_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dCO_GcChs0manJdXYG3KlV6SdApOOhvKj2NYp03Ecqw,839
+torch/include/ATen/ops/trunc_cpu_dispatch.h,sha256=7x287ZQuYusJI-GdJeLu_NOjQ5KwGCgIOUEPdBxqYos,924
+torch/include/ATen/ops/trunc_cuda_dispatch.h,sha256=2KiQVNSCQ77QcAck5fdOsL4p1QfoYrIrYzC_smc0upk,926
+torch/include/ATen/ops/trunc_meta.h,sha256=nCgqk1r2eUEzWo5KkIcadMAANcHi43JB911MlWOj2h4,585
+torch/include/ATen/ops/trunc_meta_dispatch.h,sha256=h1ynWuXUj0jZukKd3czkxuc5o-DmjfnjfAu56MeCzeQ,926
+torch/include/ATen/ops/trunc_native.h,sha256=5vlgxRmFTnqGSPweZwU_c6ox-sK7hgalFc9rPEcCj0o,1018
+torch/include/ATen/ops/trunc_ops.h,sha256=9o8dYlUJGpFbmOqslZXm4XbDBg_g83jZAYUkBgNu0xM,2113
+torch/include/ATen/ops/type_as.h,sha256=_Kqh2buRdf_d71-n_naIZb_8kzNAtBT3g5n9g9MX5qs,492
+torch/include/ATen/ops/type_as_compositeimplicitautograd_dispatch.h,sha256=CWUeUszFQE7v0_E3bA0qmhH94ZNtfbkBe8x6Et0I2gk,791
+torch/include/ATen/ops/type_as_native.h,sha256=OlXgswqHbJQDngM3Q5C2yPIAItLZQyWuiWsTa49m4GQ,514
+torch/include/ATen/ops/type_as_ops.h,sha256=Cwb4P3BnP7QaVb5I18dUJzBpUDKoTGV8FPH0geA9u8g,1056
+torch/include/ATen/ops/unbind.h,sha256=IMWWMoSoWISAxhrGM1h0Ct9Gde_J_ersK378-XLzZBg,906
+torch/include/ATen/ops/unbind_compositeexplicitautograd_dispatch.h,sha256=P5-8u0Hw_MalXZ1LzEQCnVuF13fL9PVqD_ZGryKK5Nk,794
+torch/include/ATen/ops/unbind_compositeimplicitautograd_dispatch.h,sha256=wKmUNYKWbty4rnXxlpkgupeVI0AYPjyCEIF682ucCLs,796
+torch/include/ATen/ops/unbind_copy.h,sha256=4frsQWt6kNu5xzO7QE9DTl6sewV352gS3NWD2fLhRgo,1173
+torch/include/ATen/ops/unbind_copy_compositeexplicitautograd_dispatch.h,sha256=tZcnH7E_Rne2WwO-wZvuXod1gwYNnY9OzaJGbsK0OOQ,893
+torch/include/ATen/ops/unbind_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=BPbMKVtyBGozDLypoJSZ4YT3B0TYkXe8KJr9kPZ0AT4,825
+torch/include/ATen/ops/unbind_copy_native.h,sha256=GqiUsASQIXbLYp63HwwcE1Teij75vdzO-QqWWbgmxA8,620
+torch/include/ATen/ops/unbind_copy_ops.h,sha256=JnEfSgUJ5EQVd2GpdvaJPSJ06h-RapJY1jnxcSU3RP8,1758
+torch/include/ATen/ops/unbind_native.h,sha256=6kf3381R1fRxmZJDwqQ4EjoWvPfB0URUxYmCVmmhF4c,700
+torch/include/ATen/ops/unbind_ops.h,sha256=zdHxDshziLPW4ukER7cKZlOO-g1xRGuADHaVG3oo7b4,1756
+torch/include/ATen/ops/unflatten.h,sha256=UR585KKBZdbJrc1UBuzy4DMdbbKcc6kEXZ0-YgLzQ4A,2789
+torch/include/ATen/ops/unflatten_compositeimplicitautograd_dispatch.h,sha256=zHf393MQjxFSlIYna-UxDi_6z7-sx6qxLCQj7k4xlG8,1158
+torch/include/ATen/ops/unflatten_dense_tensors.h,sha256=CqZe1jx8hpDTiJgwpORZPOrMMnp04bIfgtlrgxlmUx4,761
+torch/include/ATen/ops/unflatten_dense_tensors_compositeimplicitautograd_dispatch.h,sha256=cUSLTgLf47XSILcdecH2hWXx0hB7llik-5PY2Ar8Z90,820
+torch/include/ATen/ops/unflatten_dense_tensors_native.h,sha256=KFhHMw1zLowtxdmuh-xsBtPyi_1VzEsEPywmlAZIF9M,543
+torch/include/ATen/ops/unflatten_dense_tensors_ops.h,sha256=1y2g41DONP_FkCw6yOc29k3IDwCEnTOJPsAShhroWIA,1147
+torch/include/ATen/ops/unflatten_native.h,sha256=sXrsBPxwXAHwtCmyP73cKiEPdBj-Jalwgie5ebH4GfI,676
+torch/include/ATen/ops/unflatten_ops.h,sha256=gSIBZnVNbJRhlnoMhKPYCfJCIyuRjK3asEmlsJ9gcGs,1930
+torch/include/ATen/ops/unfold.h,sha256=3Lai5eT6vk3mVIvQVedLzxptXZTMn5_z-Zth0yErvHM,491
+torch/include/ATen/ops/unfold_backward.h,sha256=mG7wxFrLveYGlIPMEJFAFJ0jh8LtJb8qHG4YlwPgVvE,4958
+torch/include/ATen/ops/unfold_backward_compositeexplicitautograd_dispatch.h,sha256=s21Jla9nR7AByxPwXA2TpPWa3kSZDuKexQsaREH-rEo,1374
+torch/include/ATen/ops/unfold_backward_cpu_dispatch.h,sha256=Cv4Sd5OPcEBovk7cKpvA5aFM2vjRZQ_Thgh3-PNP1Oo,949
+torch/include/ATen/ops/unfold_backward_cuda_dispatch.h,sha256=5CmCi4YmNeHvOoOtkB7yP7IIncUGYTo-rAW7joyHihA,951
+torch/include/ATen/ops/unfold_backward_native.h,sha256=D2rPiuqPoLoVx7bS37_xAILZMlkNLaUfw7OdNDDxinE,740
+torch/include/ATen/ops/unfold_backward_ops.h,sha256=nAqa4yPi_p4zXhVZ3ByaKNeIbk8BFjBrlAX2PWFkncc,2156
+torch/include/ATen/ops/unfold_copy.h,sha256=-qmJo0yBtE9wRdcCx8WCDHgEXuqE8Q68jRJ8s_oKvr0,1380
+torch/include/ATen/ops/unfold_copy_compositeexplicitautograd_dispatch.h,sha256=ZeVZzMP-Ic18S1lxjtH87mfqULiUckew3lODT8e6c24,971
+torch/include/ATen/ops/unfold_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=-LZwhut8sqMT6KgTHomKxgVBStqiFMcrpeOkx2BW9xA,842
+torch/include/ATen/ops/unfold_copy_native.h,sha256=HSA2o5MdcQ7IQ-C4Dzyomt7qYYYWrOOfYdTmLK1VNgw,669
+torch/include/ATen/ops/unfold_copy_ops.h,sha256=BjyS1WbnGMZ_3oeVWsXWLpP52_AmL_wtHu0nO0EnmkU,1932
+torch/include/ATen/ops/unfold_cpu_dispatch.h,sha256=_bfZWQWfJQ8tAT9OpM4rihJ-LvYjSnRWAMe_IlYrnvc,767
+torch/include/ATen/ops/unfold_cuda_dispatch.h,sha256=bB615aoWn898Okd3MLj9w4pqZjqWBhf4rtELvCYCP2A,769
+torch/include/ATen/ops/unfold_meta_dispatch.h,sha256=xQP1zG-31Yy9Y22_jHUHu-gBIUaeutQbSFUAfbUXcIM,769
+torch/include/ATen/ops/unfold_native.h,sha256=Nd9GZaYPCakzdSmxkZ3jZ9rDf58n-phPT2GVlo00RII,534
+torch/include/ATen/ops/unfold_ops.h,sha256=-u6058GVn6JGkHsI9t-GJlatDnsWU_usQ41406wbZ7M,1129
+torch/include/ATen/ops/uniform.h,sha256=4G40juxzzrFFYF5LVXGMGOwBNbkqNPG5kIw1D2J6bI8,1486
+torch/include/ATen/ops/uniform_compositeexplicitautograd_dispatch.h,sha256=Fi8lVle-xd7MgudIS8m6IN5P1vYvNtGMvje46ULGrJ8,1160
+torch/include/ATen/ops/uniform_cpu_dispatch.h,sha256=LEEppc_fwpkHlqeQxAV8yBFU7G2QErVMhRemDC2ewCc,803
+torch/include/ATen/ops/uniform_cuda_dispatch.h,sha256=C-5Fzxoz_3QYe2AM-9MvihvsY9Xt1jngjE74jB6rj2I,805
+torch/include/ATen/ops/uniform_meta_dispatch.h,sha256=3yeQV2vb162MOw-pdbXB2OtkzMV0zZIDtLlVxCNGz3Y,805
+torch/include/ATen/ops/uniform_native.h,sha256=DGeMJo0wpvL83FA4s4a3b22LA01TfKPGJ8M5gbX1wS8,997
+torch/include/ATen/ops/uniform_ops.h,sha256=PsxH_Xr7vb8K7lpR91Gc40soZVzgH7IXj8H7PNTu4EY,2836
+torch/include/ATen/ops/unique_consecutive.h,sha256=aYNWsfO2x3jPPGZ4Ud47s2aq7-uD9WMgq8GryCsS5Qw,2074
+torch/include/ATen/ops/unique_consecutive_compositeexplicitautograd_dispatch.h,sha256=iV2011uyNa-2rZIeixbnxNf2fTJSwz5BqKNvoLCPXhg,1218
+torch/include/ATen/ops/unique_consecutive_cpu_dispatch.h,sha256=TA4ars7KrDMTr-2BjEdmifI1pa1bW3cymXQ7uEUh1sw,866
+torch/include/ATen/ops/unique_consecutive_cuda_dispatch.h,sha256=YwVRs_SiOO2sq-TxsjGHVidcZNZy2ZYlwG7jzObJntA,868
+torch/include/ATen/ops/unique_consecutive_native.h,sha256=TU-opNa_K9w4z0tYvKgktgbQZPiPi0yHD1yf8h1E26g,1082
+torch/include/ATen/ops/unique_consecutive_ops.h,sha256=Ssaea_rJdgpZ9XQ60Gnh3q5Wlt2TsJBC75qCiUs1MN8,2571
+torch/include/ATen/ops/unique_dim.h,sha256=c5uBYVNAwhuXto8xQwuStkl_ar5WGzOELwvEuT9oBOw,2022
+torch/include/ATen/ops/unique_dim_compositeexplicitautograd_dispatch.h,sha256=mGvoKTDt91GrTz4tbwndAWq5NtzXbjcBolqf_6HLhrY,1184
+torch/include/ATen/ops/unique_dim_consecutive.h,sha256=UadgmDfMq-Eiu-6-4E2EPfM8Kiai5kaQg-5R3CGo0NQ,2015
+torch/include/ATen/ops/unique_dim_consecutive_compositeexplicitautograd_dispatch.h,sha256=fhDAveSIwKj7Jf2U3akTUpp5YhDdggQwCrof8RgaOAw,1177
+torch/include/ATen/ops/unique_dim_consecutive_cpu_dispatch.h,sha256=nLPzCmjdXHWrskuLfFHHf-luFDHNgmHfBBzH-yxSlDI,838
+torch/include/ATen/ops/unique_dim_consecutive_cuda_dispatch.h,sha256=Oy4vN83UYw6fY0ufd_hxUSYN-ZMLFOuS8Km1sazC3D4,840
+torch/include/ATen/ops/unique_dim_consecutive_native.h,sha256=5X5YfoP7Lu3x9aqT17iz3gsPu7eFOU6aM2DLdEYBOUM,1013
+torch/include/ATen/ops/unique_dim_consecutive_ops.h,sha256=Axgxc3NESLfOVTg7abGm9ZM-_j3yv-dcPoZsO4iSEAo,2481
+torch/include/ATen/ops/unique_dim_cpu_dispatch.h,sha256=YhfPIoL_2AJ2djZBElHEruKQu_nSdIRtU3BL4UpP84Q,844
+torch/include/ATen/ops/unique_dim_cuda_dispatch.h,sha256=wm4zKSt_s3pEMtFyEep_TQDj-2-xGSn1aQ7hDPFdf0g,846
+torch/include/ATen/ops/unique_dim_native.h,sha256=2bGSJTVpwn_GG-5avrfv29rhStU9EPnxByGAIaj4uYY,1026
+torch/include/ATen/ops/unique_dim_ops.h,sha256=R0gJz2e80ErQv6xbXzgEde92h0XqrgorZAPbG21wDD4,2509
+torch/include/ATen/ops/unsafe_chunk.h,sha256=6Mpycqv3IkysdeiM-vd9bzwOkCsV56jYr7UG6veZtWg,733
+torch/include/ATen/ops/unsafe_chunk_compositeimplicitautograd_dispatch.h,sha256=pGS7-Ry2a7G1fkVO_TpKYV9brG-1kwH6wWrt0rWxDRc,816
+torch/include/ATen/ops/unsafe_chunk_native.h,sha256=XnKMFvewJwKK7my8-Owju6bXEwzJCHNYd6UImhGrlRo,539
+torch/include/ATen/ops/unsafe_chunk_ops.h,sha256=i2YvZZ8sqs9QNoN0wQrRZRUq_fFaU7wObzo0xTdgCEs,1131
+torch/include/ATen/ops/unsafe_split.h,sha256=VE4tvXjVMrhu7eKvMK8r-UISysJmqY6rauNrBYlHryw,4027
+torch/include/ATen/ops/unsafe_split_compositeexplicitautograd_dispatch.h,sha256=RrpF52NWxPQsFD6bfk-7I9mVUxBKOj_ItvZ9jw_3t_k,1413
+torch/include/ATen/ops/unsafe_split_native.h,sha256=-eM2aTPJVsW1n8u2asrCV2cIiu2DTO9vQ0R-wv9JlwA,672
+torch/include/ATen/ops/unsafe_split_ops.h,sha256=8PHAIfhDzEVBzGoUCgmtEDs6TeMubmRgd8OO8mtr8_k,1942
+torch/include/ATen/ops/unsafe_split_with_sizes.h,sha256=nF5YEMneQHVQjJ2tJV0olbV2cJ03_tpfQVp8vrCXlWw,4536
+torch/include/ATen/ops/unsafe_split_with_sizes_compositeexplicitautograd_dispatch.h,sha256=06Bb0pwSFzqWLUeRmSWte2QvItAWKEpqenWOcSu22OM,1533
+torch/include/ATen/ops/unsafe_split_with_sizes_native.h,sha256=VbOkRUJ9yzQvXOdr42j8iUnRQdFl1ZhB1OPvAqXaHw0,705
+torch/include/ATen/ops/unsafe_split_with_sizes_ops.h,sha256=ZOdxXR17SPmbWnpnkZJzAzX0Gs0GC2f9auku_ozy6C4,2025
+torch/include/ATen/ops/unsqueeze.h,sha256=jxe_2wGo9aByIaNqTTo58aYk65FjakT9j-42IKXhvA4,670
+torch/include/ATen/ops/unsqueeze_compositeexplicitautograd_dispatch.h,sha256=7lDGAOB3oT4Ws5A116arqp5AbXxIRXGkrbVI1cZN9YI,847
+torch/include/ATen/ops/unsqueeze_copy.h,sha256=KPq64F-diYzhJvg2YYXmdMk_jRUf4ocm9XY6aPNDMPs,1176
+torch/include/ATen/ops/unsqueeze_copy_compositeexplicitautograd_dispatch.h,sha256=kYx0Dtzvdx26dxK07SQbptCeRRwv_db4JR0n1p4tYHw,909
+torch/include/ATen/ops/unsqueeze_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=FCD0pzttX8xpG4LFHpGw5e0Ml2QxY3wPSKaD1s9bkrA,811
+torch/include/ATen/ops/unsqueeze_copy_native.h,sha256=uyYq-v1nApcmE8nnMxabEyvdY-p-b4hssrdilCzjs7E,607
+torch/include/ATen/ops/unsqueeze_copy_ops.h,sha256=Uh7lr8nz9pIBK6lEZKJ3cg_wH5pHJXtZP1X9u1Y6omo,1726
+torch/include/ATen/ops/unsqueeze_native.h,sha256=tVVQ1EWtCT4OEr6GHomA9eje0jSXCx0a7YnAX-n1Tno,804
+torch/include/ATen/ops/unsqueeze_ops.h,sha256=DdYwwAIditYyg2wY8D44BGy-XC-9IZNO0_EAqD8LEss,1611
+torch/include/ATen/ops/upsample_bicubic2d.h,sha256=Vy4Z8b_LVeKQ382p9qAd82P5h2Noq_QhBMKZd68efZg,7966
+torch/include/ATen/ops/upsample_bicubic2d_backward.h,sha256=qvnReCpi3w9UXLaAPuvgGEmzbqKWuA6wOk22NdTtr1E,7702
+torch/include/ATen/ops/upsample_bicubic2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=dLN10xguGKbEY1Wq99Zs95PKNl7wcRFahRq5BX3WNSc,1265
+torch/include/ATen/ops/upsample_bicubic2d_backward_cpu_dispatch.h,sha256=ek8SvOUZ7ARHChMG7vHHi1sYCZQKwjImSBlISMRT-oc,2319
+torch/include/ATen/ops/upsample_bicubic2d_backward_cuda_dispatch.h,sha256=tQCW1okclFFbP0Sj2aX5BQhLXXSxn8I79gpf59bWag4,2321
+torch/include/ATen/ops/upsample_bicubic2d_backward_meta.h,sha256=FpfBPqMQSKLoEKMTBTryo6wmJYqYPqJcXesc7N2_Ack,771
+torch/include/ATen/ops/upsample_bicubic2d_backward_meta_dispatch.h,sha256=t4wcPddspu0B2bXJNPeIIVrJgiJRXsRN1H4jFRjz5Jk,2321
+torch/include/ATen/ops/upsample_bicubic2d_backward_native.h,sha256=h11yBa4jv_iJ-0YyCKkBxFb14QbxNSRCIYRHGNiagkE,1204
+torch/include/ATen/ops/upsample_bicubic2d_backward_ops.h,sha256=xL2G4psbWCNoDT9c0jRZ7yGIej8yDU8t9dXxqvu6O6s,2826
+torch/include/ATen/ops/upsample_bicubic2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=YQGrpKSVGipVCMeMW7bWxzF-qo4CEbuSwsMOlR_Ynag,1173
+torch/include/ATen/ops/upsample_bicubic2d_compositeimplicitautograd_dispatch.h,sha256=msHeZWZxQA0x0eJLIabzjULzNZZ0bkYXhjX79giE61M,1074
+torch/include/ATen/ops/upsample_bicubic2d_cpu_dispatch.h,sha256=CtpdVyjVgZqQy0KkuD6wpGfIxUjBgTLTzfBBTUr3CxI,2015
+torch/include/ATen/ops/upsample_bicubic2d_cuda_dispatch.h,sha256=cqoohvqdyTmOi8FVYR-Bl90JXtnM-lf1MG0-HkVdMCM,2017
+torch/include/ATen/ops/upsample_bicubic2d_meta.h,sha256=E-_Mg7-gd8y_xqciwVxQe1xx_sYRGjlxAQFG1fbwzo8,721
+torch/include/ATen/ops/upsample_bicubic2d_meta_dispatch.h,sha256=gWKB8Eztw0Sn8uelAuC_DeVhaxHuZqtkz3SCzUD5758,2017
+torch/include/ATen/ops/upsample_bicubic2d_native.h,sha256=1iXbwdoM-JYsIXHoeVRYS68LJGJMKHwgd1031emZJak,1240
+torch/include/ATen/ops/upsample_bicubic2d_ops.h,sha256=7JmuJMAQL6ZXlTeHBpaxneMjZ7JnR6Ask1XeM0RniaU,3423
+torch/include/ATen/ops/upsample_bilinear2d.h,sha256=I6ZJNwyvAUKbFRgJQYKOzu1tpkOYnYp9eiXS1PqyCFs,8007
+torch/include/ATen/ops/upsample_bilinear2d_backward.h,sha256=MLuSA-RbaFFBAu_CWlZahDEtDUeC-8c1knIwnRnJPzI,7733
+torch/include/ATen/ops/upsample_bilinear2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=sG5ZlCVMucdjq-RkQAD8DyL0CoczeR5RyTTZX44dMyA,1267
+torch/include/ATen/ops/upsample_bilinear2d_backward_cpu_dispatch.h,sha256=TM2p8KxeW0YIcPfwA23XNZhvkq2NG-Kcmasg5JwfyCk,2325
+torch/include/ATen/ops/upsample_bilinear2d_backward_cuda_dispatch.h,sha256=i8MM9qu3HZb1cdiYjUHKGH7R-C3sZDgrttBquU6_vGY,2327
+torch/include/ATen/ops/upsample_bilinear2d_backward_meta.h,sha256=TLP-Wm5zFHN1Qs9RUUREmHpPqu3UkoADAGNVKOZTM9Y,772
+torch/include/ATen/ops/upsample_bilinear2d_backward_meta_dispatch.h,sha256=zfQ3iPjO5RoEcUsHbFiWmpRWq086x2nMmnAr9rX7GC8,2327
+torch/include/ATen/ops/upsample_bilinear2d_backward_native.h,sha256=N65F4vy6MJCj9-qkOnDYPAe6JvE-1VxjtNMLY62V6Xc,1209
+torch/include/ATen/ops/upsample_bilinear2d_backward_ops.h,sha256=wOnAUFxdIkTdmU9qXlnEwJwZz9LfGZndFZc4lqjtjf0,2832
+torch/include/ATen/ops/upsample_bilinear2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=D_oNMKjQ09EvqWWHC9KC32EWUR8lJ2H6-Y-zhluvDm4,1175
+torch/include/ATen/ops/upsample_bilinear2d_compositeimplicitautograd_dispatch.h,sha256=WtSQs5sCNfo4XRCSnAlibyXnm3Y0m9KqzHAx4S2054g,1076
+torch/include/ATen/ops/upsample_bilinear2d_cpu_dispatch.h,sha256=hx2_mSwjsosbipvQ2sZ1FTcyV-AKCoimZiYt-rmTbFg,2021
+torch/include/ATen/ops/upsample_bilinear2d_cuda_dispatch.h,sha256=2w-1bX_OxRPbp_Gu6V0kaWVVtVVLphrwuapwAb5rYk8,2023
+torch/include/ATen/ops/upsample_bilinear2d_meta.h,sha256=UaIbLCeGcL1vQJKACiHJPrMIx5HHdqgYn7ljSvi2LSc,722
+torch/include/ATen/ops/upsample_bilinear2d_meta_dispatch.h,sha256=BcczS1bkv9wJFbUqmLAPPTZ_HRUUeO_zelrCrB-b9sc,2023
+torch/include/ATen/ops/upsample_bilinear2d_native.h,sha256=9JLnmQ9SCi2s529a0ayKduunng4EkoOd00TPIHrnqVI,1474
+torch/include/ATen/ops/upsample_bilinear2d_ops.h,sha256=oNChz9B7eI02h-uHPA9oefo12cP9Qvn_KObFYmrwD5k,3432
+torch/include/ATen/ops/upsample_linear1d.h,sha256=ELNhfd-xJyobxjJh6GoFgDjQvKHxCwzx0T5m-K15Qgc,7085
+torch/include/ATen/ops/upsample_linear1d_backward.h,sha256=nMHGkR6VIEUKU79Wkc5Gw0sgFhx4WQY4k027hyyoC6I,6831
+torch/include/ATen/ops/upsample_linear1d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=xDwaqDgZv-99LIKvW7AqE3YEBu6PygdxZBNO4y_qEJI,1161
+torch/include/ATen/ops/upsample_linear1d_backward_cpu_dispatch.h,sha256=efpmAcvOnHH3l54XB-rTShh46nyhmHvFNnqag_Fdc44,2037
+torch/include/ATen/ops/upsample_linear1d_backward_cuda_dispatch.h,sha256=2EOky4bMpeN5MSRgbP3osKsaTTnCpr3UMSIVbV6DYKc,2039
+torch/include/ATen/ops/upsample_linear1d_backward_meta.h,sha256=n6vwzApOi70asjeiRyT_5WY8wFsp2jjqGUwE6C390zM,734
+torch/include/ATen/ops/upsample_linear1d_backward_meta_dispatch.h,sha256=JuguFDfbeHlk20uOPCCdXFa-c169W_ZvDrvDX_SLT8s,2039
+torch/include/ATen/ops/upsample_linear1d_backward_native.h,sha256=FsAbVGPDQPa4ZuwCLWwWwL8yEeIc_2s6aMp7qiajp9E,1127
+torch/include/ATen/ops/upsample_linear1d_backward_ops.h,sha256=UUVzjdfEp4K6o5Ai57UNP_V5NeSkXbs2ZjozLTsQE_8,2578
+torch/include/ATen/ops/upsample_linear1d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=ldXj03z_Lvg1T3rK5cBMc1WM3gEWUxo_NfnjAke0cPU,1069
+torch/include/ATen/ops/upsample_linear1d_compositeimplicitautograd_dispatch.h,sha256=mFBdFYKiYCmIJGqVnRADGKGWccZXMklR2H5HYXLA68o,1072
+torch/include/ATen/ops/upsample_linear1d_cpu_dispatch.h,sha256=XzNVVySpBiS-jhNaphptKmSpSm3vxM4ES9ZSskfJGnk,1733
+torch/include/ATen/ops/upsample_linear1d_cuda_dispatch.h,sha256=4piemFWnKDhOoWu0sQVxWppUOrnlTlgkd_585XyJBwo,1735
+torch/include/ATen/ops/upsample_linear1d_meta.h,sha256=n7-AxGqanuP_Qh7d8naT-0WTjeyR9qtT2Chs_0zOkXc,684
+torch/include/ATen/ops/upsample_linear1d_meta_dispatch.h,sha256=4b3uIHRhB0EB87OArZvcvNe80vEnL1BPBYTHaXrQPEM,1735
+torch/include/ATen/ops/upsample_linear1d_native.h,sha256=0PIDxtC6xmTl4sYMmpWOw5kqWgjTDccWdw7bJvSssv0,1162
+torch/include/ATen/ops/upsample_linear1d_ops.h,sha256=U8b_LCB5hODzYVNiqZ21DrCKnyxdXxO0RonCHm2TCio,3172
+torch/include/ATen/ops/upsample_nearest1d.h,sha256=ByIRO8jMKgYgMMANMj2w8F7X1-10rdthGxTtDUJTFLo,6406
+torch/include/ATen/ops/upsample_nearest1d_backward.h,sha256=bZYpkn5sFe8aBy3PmztEdMaU6iq61JJbV3Sfq0jAEzI,6322
+torch/include/ATen/ops/upsample_nearest1d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=s-pRUoHc8xUYGb8H_MeR1HkdAP6uqtFhkHRFfjdKPQk,1123
+torch/include/ATen/ops/upsample_nearest1d_backward_cpu_dispatch.h,sha256=rcuOLcDVt4l1PlAuuPnwmIDqecFMldeR0Y07TGmzwZg,1923
+torch/include/ATen/ops/upsample_nearest1d_backward_cuda_dispatch.h,sha256=n5aO9rZXJUvQoaZ8TXy2kckNfL_ykBQl6ddumlzr4Qo,1925
+torch/include/ATen/ops/upsample_nearest1d_backward_meta.h,sha256=eXu3DWQadWKSb7ZcXNqR4omvQHnY341OCLtseky1JPw,715
+torch/include/ATen/ops/upsample_nearest1d_backward_meta_dispatch.h,sha256=3OcEZL3AShPG2tPk5aQVRYRVxgf6wy8ab-yInI11jiU,1925
+torch/include/ATen/ops/upsample_nearest1d_backward_native.h,sha256=I4nhU8gqpcl5_hgwbspzQIjXbsmpYkxsPAWDCkJUc3A,1092
+torch/include/ATen/ops/upsample_nearest1d_backward_ops.h,sha256=GIP2cqaplhjd_JHz1AM37fjAC2Pfb4Cqo4mZPhB5f-4,2452
+torch/include/ATen/ops/upsample_nearest1d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=5eTJNoafaSlEvq3-HhWKGxSZ_wY3I2NgIXOCzS3yhNk,1031
+torch/include/ATen/ops/upsample_nearest1d_compositeimplicitautograd_dispatch.h,sha256=d2N5Bb8I8-P_G98xsTdl_KuH1xB0ka2hn_AXz_8EHaM,1034
+torch/include/ATen/ops/upsample_nearest1d_cpu_dispatch.h,sha256=obvt6jmEw3Nn14uunyrtxKEzunmH-zTgu9n2FVCaOKw,1619
+torch/include/ATen/ops/upsample_nearest1d_cuda_dispatch.h,sha256=NX95MxEoeZp4avVVxhlrc3G0OMxQWdCeKkm2PDBWDe8,1621
+torch/include/ATen/ops/upsample_nearest1d_meta.h,sha256=sJyd2Iv_qvsoTKZNoEKPqWrVkloDIAW41JGecjhBc4I,665
+torch/include/ATen/ops/upsample_nearest1d_meta_dispatch.h,sha256=lsi0knwK6de39Zo4sRDFbKIWLDIfPV0wYzs-Xz0yCRI,1621
+torch/include/ATen/ops/upsample_nearest1d_native.h,sha256=M85twnz-56fDWKcjAN80Og1lSOtc6v8y9SctVdcDqag,1108
+torch/include/ATen/ops/upsample_nearest1d_ops.h,sha256=z8_nMAn9KoBgDDHGnNDEt8KFJU1sqMc0rtt97OfiOvo,2983
+torch/include/ATen/ops/upsample_nearest2d.h,sha256=30yDKpju38CkEPPP-yqZVZxgya4Bhm-KRBZTZn5qYVk,7246
+torch/include/ATen/ops/upsample_nearest2d_backward.h,sha256=atBcwbwHw4Z0qCO30MRWP6qjD1XR8s2wYvm6kGYKUzI,7162
+torch/include/ATen/ops/upsample_nearest2d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=NwLpCZftg1BnIfMriZrvKHBk4UvsFUZ2G7p9DYRFWz8,1225
+torch/include/ATen/ops/upsample_nearest2d_backward_cpu_dispatch.h,sha256=btGri4XhpOAWxu6kY_oi_gUCwV3NRq_NPk6B6pSoCd0,2199
+torch/include/ATen/ops/upsample_nearest2d_backward_cuda_dispatch.h,sha256=71XLubnhtGPaSpERBFQ8LyJ0NR8Rb_meCyQ2vwuYAks,2201
+torch/include/ATen/ops/upsample_nearest2d_backward_meta.h,sha256=p2t4Zngb5UznYTnw2Vvzm8FIyU--xMiIweWmlV39d1Y,751
+torch/include/ATen/ops/upsample_nearest2d_backward_meta_dispatch.h,sha256=pOHZFwOnp67owY2H-pl5XZGPo8-hBFkFwmwUkYK4XKs,2201
+torch/include/ATen/ops/upsample_nearest2d_backward_native.h,sha256=gPjj9YVplgEXFEj_dF3z_zCY7Mm2neONDDSnQrPrW-w,1164
+torch/include/ATen/ops/upsample_nearest2d_backward_ops.h,sha256=PeZYbIWISYqkVtzlswwY6luwONMn6pbMSPM1BYvumX4,2694
+torch/include/ATen/ops/upsample_nearest2d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=UN-W3fIZgZkERLOYAkz60dy294Qbebb9amPJjItFdLE,1133
+torch/include/ATen/ops/upsample_nearest2d_compositeimplicitautograd_dispatch.h,sha256=0hF5chYaqZXcFMYuddnCNMmOt5d9Ys2TgjqTEhFO2Dc,1034
+torch/include/ATen/ops/upsample_nearest2d_cpu_dispatch.h,sha256=V8dOhP9aRQDUvMxvSY-hy9n75nFbOi47CqSJcFD0qTo,1895
+torch/include/ATen/ops/upsample_nearest2d_cuda_dispatch.h,sha256=i5KAUhDWBU2l1RQru4g7jdaReu5iVyy4wjyjdhg5dIg,1897
+torch/include/ATen/ops/upsample_nearest2d_meta.h,sha256=YkcA5Uah9NnCRa8Nhfnjt8vOT06Z5LXyRuZ6bbcNdPc,701
+torch/include/ATen/ops/upsample_nearest2d_meta_dispatch.h,sha256=vhWAkwKvwaDRAbYbzxElgdNI5st7oa0wZfp2Ooro48I,1897
+torch/include/ATen/ops/upsample_nearest2d_native.h,sha256=Klj057-7Y1EK-joWl_edZBl881k5SnPKI-3k-sFqYDQ,1387
+torch/include/ATen/ops/upsample_nearest2d_ops.h,sha256=j6Ua23SSrSAPBIoF3bo3kxXOBBdOhRRC0c9XS5eDUao,3225
+torch/include/ATen/ops/upsample_nearest3d.h,sha256=UyQyFUuOU8HNhJZ_HVxJe7ZCFuCGkEalM02apiSnxgM,8026
+torch/include/ATen/ops/upsample_nearest3d_backward.h,sha256=Cso7IUnepiJcMHbbY2S9SOPRe9l_Z3D8ELDo48mxMhQ,7942
+torch/include/ATen/ops/upsample_nearest3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=hMvi1awyh9z83k4OCf7-p-3j-Djs5WCXyUv4oMiUm0Q,1323
+torch/include/ATen/ops/upsample_nearest3d_backward_cpu_dispatch.h,sha256=-ldbWLjNrybJ1k4Jc8QDcqBHuPpYlmNwY-6TAWIjsx8,2463
+torch/include/ATen/ops/upsample_nearest3d_backward_cuda_dispatch.h,sha256=k_UHW8upbibFPU76qT-R1QkOUHum1okqh2kU1L0BroI,2465
+torch/include/ATen/ops/upsample_nearest3d_backward_meta.h,sha256=nzDTntT8XPMARzoypneoSnbkbLOoFCBTSWXiSVpTz9w,785
+torch/include/ATen/ops/upsample_nearest3d_backward_meta_dispatch.h,sha256=WnRqi9cqQQjICxebVjRkvE6ynVZN8UKqxkLY9WUm3fE,2465
+torch/include/ATen/ops/upsample_nearest3d_backward_native.h,sha256=HRZpSFC8lChnUdPM98T13v6U8kvIcprkqJ-qqRQScY4,1232
+torch/include/ATen/ops/upsample_nearest3d_backward_ops.h,sha256=HK0uls3ErUndy4xgZJANARuZLbRxPMtKykce7q_rTmU,2924
+torch/include/ATen/ops/upsample_nearest3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Trg3MzxmeilGnwurNoe6uQ5cG_i7Xs45onWAAYeSTFM,1231
+torch/include/ATen/ops/upsample_nearest3d_compositeimplicitautograd_dispatch.h,sha256=uI3lvYRWSyTrVZY5Q6Kh-81MwyljbfumqjsAcsbnMkg,1034
+torch/include/ATen/ops/upsample_nearest3d_cpu_dispatch.h,sha256=9wh0zXvMzsLIZsLi1PedzxxnpG8KA7TqwVAiO2WOkgM,2159
+torch/include/ATen/ops/upsample_nearest3d_cuda_dispatch.h,sha256=Y7Zvb0KQqlmuIOzUAh-0Zxt6NMocHXmi_zDvIruqQmU,2161
+torch/include/ATen/ops/upsample_nearest3d_meta.h,sha256=FUGgu1V4AK98-kUedCCrtRudDj9TIW2lnSzK2FDqCN8,735
+torch/include/ATen/ops/upsample_nearest3d_meta_dispatch.h,sha256=L-_qcQcb6BVSpZ52kkzRHRYHN7rlowK1aXkLmtAOGvU,2161
+torch/include/ATen/ops/upsample_nearest3d_native.h,sha256=POhoTxWoYxzmKLr51GUbVs5asaA65KQHgLDx-sPAt4k,1504
+torch/include/ATen/ops/upsample_nearest3d_ops.h,sha256=kT7ZoGZT0sZgo9UpcxK-HgjX1icUyMMSGFQiu4VGzNM,3455
+torch/include/ATen/ops/upsample_trilinear3d.h,sha256=OLn_Tfg1d5DZ7SlIMx6N7BlS_Z9YOQ1B1sZc_5M0lpE,8828
+torch/include/ATen/ops/upsample_trilinear3d_backward.h,sha256=wm-WwSn5zjjH1D-fB-IOyH337SSEd77xzfz4kMnN5Wc,8544
+torch/include/ATen/ops/upsample_trilinear3d_backward_compositeexplicitautogradnonfunctional_dispatch.h,sha256=GylhoeNOR_ATIoTQHIbmC3fQBX8v3x6mPxQ6Fpp1H4o,1367
+torch/include/ATen/ops/upsample_trilinear3d_backward_cpu_dispatch.h,sha256=sCVMYrmjLGQtckZYcaMXHhSPMLVouFkHI-ozMPnj46c,2595
+torch/include/ATen/ops/upsample_trilinear3d_backward_cuda_dispatch.h,sha256=wjd4BwR-kG4xWczEgborR5PbgTeEKHcj5OrW9ncS8YA,2597
+torch/include/ATen/ops/upsample_trilinear3d_backward_meta.h,sha256=sfEwFAd0hgQTpyOtsvuuTUPdASJ2vjdw4ZBRU8DSzJM,807
+torch/include/ATen/ops/upsample_trilinear3d_backward_meta_dispatch.h,sha256=ovD4GYR8T69fZx34hqHFQjxjV_euJUR--qOFE0zgTSo,2597
+torch/include/ATen/ops/upsample_trilinear3d_backward_native.h,sha256=VnSVIkidCjnHquMlTo5LzZcQqaAjZGCR7mHvWyLnDi8,1282
+torch/include/ATen/ops/upsample_trilinear3d_backward_ops.h,sha256=w76wUFwwY1_9KyQHpV6cT0LEqH_adPpNHNjZrJ0r6oI,3068
+torch/include/ATen/ops/upsample_trilinear3d_compositeexplicitautogradnonfunctional_dispatch.h,sha256=AXhNNoqmwIozjvaOwSVvgayfPGE4wUco_71qNI-7tmQ,1275
+torch/include/ATen/ops/upsample_trilinear3d_compositeimplicitautograd_dispatch.h,sha256=1l-eOiL_SHd8EPKL5gvp8gBQzX2noQ_ShZAt882OiHE,1078
+torch/include/ATen/ops/upsample_trilinear3d_cpu_dispatch.h,sha256=RyeObxZmEu5b-SCZYdYr9rVcf66M9oJI_AHXk7ZDATA,2291
+torch/include/ATen/ops/upsample_trilinear3d_cuda_dispatch.h,sha256=9BllU3KVNb93Er7nod_74lwBWy167RlQkCGa_3191rg,2293
+torch/include/ATen/ops/upsample_trilinear3d_meta.h,sha256=AIj-UhvzZ6qSd9DdElKU9seMKJC88Kr-now3GogLK5c,757
+torch/include/ATen/ops/upsample_trilinear3d_meta_dispatch.h,sha256=MvLV90YqyEdSt3U2o8M3WrftG-j9DzszYlIwC025fQc,2293
+torch/include/ATen/ops/upsample_trilinear3d_native.h,sha256=Zu-DZ5Nds8i5WVLrmHBFp26R2sLUa8eUkWftyIh4er4,1320
+torch/include/ATen/ops/upsample_trilinear3d_ops.h,sha256=yvw64Gzj6lawRrNcD34AiN5YU85hS7tNNjFpgDsU2bY,3671
+torch/include/ATen/ops/value_selecting_reduction_backward.h,sha256=-FBrH3QTOF2DHjmK7jJzT7qpGCz2Dn1XJFbD3vmmU38,2079
+torch/include/ATen/ops/value_selecting_reduction_backward_compositeimplicitautograd_dispatch.h,sha256=h_iR2Hdmg98W58Uj3b3HlEhI95kZ4s8kNMS4pQoYh8I,1041
+torch/include/ATen/ops/value_selecting_reduction_backward_native.h,sha256=TDp4y6rczs8w5kBsL1sVU22cO1X4sTtiw9O4ilyd35w,604
+torch/include/ATen/ops/value_selecting_reduction_backward_ops.h,sha256=SNGrsqVgNvUQoz2_mwDThgWWArCv5l0sZ-0y6byXoXE,1326
+torch/include/ATen/ops/values.h,sha256=0NJaIUE4zWXU61X08jtanpI6UW8SwC2O1hEQVdL3rD8,491
+torch/include/ATen/ops/values_compositeexplicitautograd_dispatch.h,sha256=wZ0ZxzoPlFmOiTZ36yHmIFaloD1qC_tyx9UrccsHMVs,764
+torch/include/ATen/ops/values_copy.h,sha256=caoVlDdVUVfZbfxoqnO6btkCJhsTuR3zYKOVs44iQz0,1065
+torch/include/ATen/ops/values_copy_compositeexplicitautograd_dispatch.h,sha256=cvPG7K4CH6Ug0zbQbmP947Iybrob5Qvqzqhk1z7cYB0,877
+torch/include/ATen/ops/values_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=OzdOH5gU0sK_qg3oBFTI5y-eNVvxY0oXjmcTDopxckQ,795
+torch/include/ATen/ops/values_copy_native.h,sha256=28eME4D8fKxlUEbSJNaUZQ-UbPjLAa609DJqA89a7pE,575
+torch/include/ATen/ops/values_copy_ops.h,sha256=8OSb5wef5f0U1tYxdbElqI1Wh5zEHIh11qUhZs-TLLA,1620
+torch/include/ATen/ops/values_native.h,sha256=PGfwTyMKi6NfT64k0mfqGM6yerDELdsnOSg3yBH5-gw,682
+torch/include/ATen/ops/values_ops.h,sha256=U5zFwtKHTf3o3nWlGjTD4oEWTEINPz8iN4OSdeBEdjU,973
+torch/include/ATen/ops/vander.h,sha256=ozeOsdCxnf-RmXOZMEyhsgdjEWYhn0nAgevm8BCMN9o,733
+torch/include/ATen/ops/vander_compositeimplicitautograd_dispatch.h,sha256=Z-aWH_ByvCtoTh5hk_voZuky3pRIfOxS9VkXuc91des,827
+torch/include/ATen/ops/vander_native.h,sha256=rQymYXF4i31WBi-VvWnrTYA18LPmv0eCdaRy25b9hyM,550
+torch/include/ATen/ops/vander_ops.h,sha256=Jty4J54glS4_g0Wjr69CrX2z4RutrrU-ETouNpWqPK0,1116
+torch/include/ATen/ops/var.h,sha256=9u83ocbxHGNvtd9v5BE4Eodzh_HdUfjdHLH9uizZFBU,4859
+torch/include/ATen/ops/var_compositeimplicitautograd_dispatch.h,sha256=PyGjy3MZqsC30g5szjPU6VVsRJ1FqJNBb6vw0RAEC_Q,2021
+torch/include/ATen/ops/var_cpu_dispatch.h,sha256=pe1Qx5675Ek8otsiaFj4nVn63p-UV2JZ6GRX09cZaVo,1213
+torch/include/ATen/ops/var_cuda_dispatch.h,sha256=rr-EnsRDkhAGBw5DiwoqnXG-wpq600aV2sV9Zgv4g6Q,1215
+torch/include/ATen/ops/var_mean.h,sha256=EEtfB_5fmJ7sdYKbT4D68nbEpl8ropOTyowWDyUK8pA,3205
+torch/include/ATen/ops/var_mean_compositeexplicitautograd_dispatch.h,sha256=M4MUfT9vFM1WIRXVhBlvT8IQO1fDd7wUI3NswLfredc,1183
+torch/include/ATen/ops/var_mean_compositeimplicitautograd_dispatch.h,sha256=X61iT1Er85cDdXUeiE5FXrp9ZXtCooC-XVTHvxjnX7s,1273
+torch/include/ATen/ops/var_mean_cpu_dispatch.h,sha256=17C14_x3iQ3XVsd2fk8HS92Db7wQr475SqbalZnuh7E,874
+torch/include/ATen/ops/var_mean_cuda_dispatch.h,sha256=RGu96484viNU8J1snzAplLUkyTG6tQV2uQ94crVrwOo,876
+torch/include/ATen/ops/var_mean_native.h,sha256=rtEM324KM5cDzlOSCqnledyOckY6jOWOiLam58s3Hao,1448
+torch/include/ATen/ops/var_mean_ops.h,sha256=cVn7soRfLNn9P6V3Jk2HV8AdUt6K-Sia3-H8_BYK0Oo,5871
+torch/include/ATen/ops/var_native.h,sha256=ej0eNDk20QqbME8lpsv-aW9fAy_tcQQTdoAal6xpMSI,1651
+torch/include/ATen/ops/var_ops.h,sha256=ux9E8mLzhipfD3HZg9Qd-3mq65n7viFGjtV2iVMvpas,7778
+torch/include/ATen/ops/vdot.h,sha256=iqjJsB75EgZRGJH6Gbdzt-cP5VRB5zcM2yISz6PpxcY,1136
+torch/include/ATen/ops/vdot_compositeexplicitautograd_dispatch.h,sha256=ZKCcA9apEkSe06mF5ORCbyv0P6j5S4ENgVwzy7Mmwq8,915
+torch/include/ATen/ops/vdot_cpu_dispatch.h,sha256=tpTH2sLO0-KyP3Ngte3Yy9I0hEdi_7Se6lGJ6rBI3f0,744
+torch/include/ATen/ops/vdot_cuda_dispatch.h,sha256=fuGVsu5H9Fk6zo37k2ikCA95uNMcvMIS2Rtvo25xdoQ,746
+torch/include/ATen/ops/vdot_native.h,sha256=PQ5bCOK764QTlpsbaRM4n0pwjywm2QgczGQddg8DgLg,696
+torch/include/ATen/ops/vdot_ops.h,sha256=FWARoxR-gt9f8y3SJ6ZbBQvhT_0Aygx8zREe01v9yIk,1750
+torch/include/ATen/ops/view.h,sha256=480xgSZ5aJLKFylhcVgAPIP2SRO4_wj-yJNrroMp_-Q,970
+torch/include/ATen/ops/view_as.h,sha256=tKg_taj4QA-2ZUbwR6Pxnt-St2m5YGBKGFItrnmvr34,492
+torch/include/ATen/ops/view_as_complex.h,sha256=ZOv7JGG3zhr82EAp2nqMB41sBPSWchkRLcDZ1VA4sXY,667
+torch/include/ATen/ops/view_as_complex_copy.h,sha256=FOPrOEIX_orkqkbJvPmAXD3DrPph3Z5JFAB4-jRExIU,1155
+torch/include/ATen/ops/view_as_complex_copy_compositeexplicitautograd_dispatch.h,sha256=wFiEAFvEymVv5H_kfmHPg_6N0z_3xANyBVMVNs2e0CQ,895
+torch/include/ATen/ops/view_as_complex_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=_m9Kh4YzfcJAioObWETYd7o-s91GBL-CDkm8sOLmKfE,804
+torch/include/ATen/ops/view_as_complex_copy_native.h,sha256=IftZtmNF3pm9iDqbwQSoje1ytsEDpAHpN0SbhZ_ZuZg,593
+torch/include/ATen/ops/view_as_complex_copy_ops.h,sha256=XH0GcpTr9laktL60-LnRBSBxI5ib3c6zFnlTlM2afck,1674
+torch/include/ATen/ops/view_as_complex_cpu_dispatch.h,sha256=NtJGQ60SXJxFx61GVRv4faG_4N-WyTrPfgR_TOP5fzE,729
+torch/include/ATen/ops/view_as_complex_cuda_dispatch.h,sha256=ev_1isqi35w5x5Ukf6x4YpMWJ0-YFslSiUenneor1Lw,731
+torch/include/ATen/ops/view_as_complex_meta_dispatch.h,sha256=6Y1J87LXDtZeqPkLWcGl_zcFhQ1sr9Tl0k1j_UUjwpE,731
+torch/include/ATen/ops/view_as_complex_native.h,sha256=xMWJA4zDlym-nBxOY8OdKhvEKid0qFseDsVG04TQBiQ,496
+torch/include/ATen/ops/view_as_complex_ops.h,sha256=r6KqNYnGlFsuTaa5AJEGy_XwctitKbrEjTAtSesVSmE,1000
+torch/include/ATen/ops/view_as_compositeimplicitautograd_dispatch.h,sha256=LrQARFU__8RnqvMfrRF-JJSc_WK039Ki2U261eDyFR0,791
+torch/include/ATen/ops/view_as_native.h,sha256=oBE6Ywjr1kPq5gMtTNMx9yDHxk2ZwO9OkaGZ8Mar7R0,514
+torch/include/ATen/ops/view_as_ops.h,sha256=IGFYQdbQJwlplybTosbWpgz5wxPhfhic-XmA_Ra-R3I,1062
+torch/include/ATen/ops/view_as_real.h,sha256=nwLEnHoQAOI9FLiJghn4R_M1QtBMQDxB54p-ZEeD5ek,655
+torch/include/ATen/ops/view_as_real_copy.h,sha256=okVXPMm-0YC2gGTqtPaM9pd8asE0aIUoDXQUi3cUkOo,1125
+torch/include/ATen/ops/view_as_real_copy_compositeexplicitautograd_dispatch.h,sha256=LUR2CsUwZd32YCTbRwoM-6X2M0hLlqSvF7Vbcquib9Q,889
+torch/include/ATen/ops/view_as_real_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=RmDY93B4glkGQ61neiw9Q9Nki7gmthSlTxzVTDdb0HQ,801
+torch/include/ATen/ops/view_as_real_copy_native.h,sha256=cmPQJyw0XxEEC2mnOH0fQGCqX0EmR7Ogyl0cabCMLcU,587
+torch/include/ATen/ops/view_as_real_copy_ops.h,sha256=JrracnourxRUCwgy36bENAwb27NJTKCQ7zJbPcxisNA,1656
+torch/include/ATen/ops/view_as_real_cpu_dispatch.h,sha256=Dql2XNSBOkJ4zVPAVB5WduYxEWIZU4edsVuXRNFRqx8,726
+torch/include/ATen/ops/view_as_real_cuda_dispatch.h,sha256=VPtRv93nAOjecTei4HbGhXQ2UY9jG_018FH0Cwj92-I,728
+torch/include/ATen/ops/view_as_real_meta_dispatch.h,sha256=JoEI_BGzdoNeHnKzGTjl2AsrjAlmDI_kP3YFNGINKgc,728
+torch/include/ATen/ops/view_as_real_native.h,sha256=BN0H9vVumod2DdycyNCIt5JGbUMhZ8Vlmxo_z5KxTD0,493
+torch/include/ATen/ops/view_as_real_ops.h,sha256=BHFyNqooHckpQJivtAdvqpn5JbjpakxoGBaYjGDQo6k,991
+torch/include/ATen/ops/view_compositeexplicitautograd_dispatch.h,sha256=Cpp23JscpJ7BQ2Vc8z46TsDx21aK0HVtrwbzM_FQ-xc,784
+torch/include/ATen/ops/view_copy.h,sha256=nmqqLEhq-SP-eiN9D59xafSo_CZ-ZPK5rbYQQm57iVo,4331
+torch/include/ATen/ops/view_copy_compositeexplicitautograd_dispatch.h,sha256=6CRxBiPOyx_-nd4Ou6BZy3XKqtigTqAb9yBYBOTzg6k,1353
+torch/include/ATen/ops/view_copy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=Ym30vRhIo5vs_6E8hkcAEgstMdKTE1N_Zsyzl44hY-w,984
+torch/include/ATen/ops/view_copy_native.h,sha256=qRNXtqAbYPp67ZVg2A9utPWPsStGF-_Ato49Ugtxu0o,831
+torch/include/ATen/ops/view_copy_ops.h,sha256=Yn-W028rOd8gjl_91xRo5ShqFzlWW4albgbf6sRAbS4,3149
+torch/include/ATen/ops/view_cpu_dispatch.h,sha256=zBKOO38ZDoGx8Oy7Lolpl5pQUJwI56GbjUv1Cef0ppE,825
+torch/include/ATen/ops/view_cuda_dispatch.h,sha256=9ryNyKP12NGA6cRxJ5yIq0n337Xhhr6R-PsvgZh-_Qw,827
+torch/include/ATen/ops/view_meta_dispatch.h,sha256=57oTuaCVEuzW_Nl4WQsIqFsm2TCKCmZVDgkhyh9JcYc,827
+torch/include/ATen/ops/view_native.h,sha256=O2EDSAhANoW19xqwWn9-oe0qQhs-8ss4OosjiPbcAi4,749
+torch/include/ATen/ops/view_ops.h,sha256=TxHgxUp81s03TGJqH_0dLQ522ZnX3gCj0j5CK8FXoBE,1683
+torch/include/ATen/ops/vsplit.h,sha256=4EVm8F9CfuV_lPEdt6wW0sm52kF4BEuOQT3_wJXwfAg,927
+torch/include/ATen/ops/vsplit_compositeimplicitautograd_dispatch.h,sha256=pvbVUDBJs2GmMP05mUqLH55iA3PmkkO5Sf14iDAOiw4,891
+torch/include/ATen/ops/vsplit_native.h,sha256=UjaxjJG3xfDz-qo9G8AKhmz0aqbQsltIlAEcD1IfL7w,614
+torch/include/ATen/ops/vsplit_ops.h,sha256=2ovJ3WrnRm4tPROybiNxboFKk2rV_bNixjbCqQDkxvI,1785
+torch/include/ATen/ops/vstack.h,sha256=1fLosaw4XXd7otGrofatzXSe5UdDdMzOSF3_87_BsyU,1036
+torch/include/ATen/ops/vstack_compositeimplicitautograd_dispatch.h,sha256=v0mm6a8MrJYi8e0ULYKziiEdQUdv2P7kvmgo6cFoNaI,918
+torch/include/ATen/ops/vstack_native.h,sha256=eDxdB0xyzhPtHo1umQRJiXQFE6TZVHMI7oggLBa2SxA,563
+torch/include/ATen/ops/vstack_ops.h,sha256=xnK4IFZ61C4cOkWSknncTuWd9z0XQE95_Y8_8QCVPBE,1588
+torch/include/ATen/ops/where.h,sha256=YFTbDdC_QFCBF9ggdDLI3RTFs9otq8fKIq3eyjCDrMQ,2291
+torch/include/ATen/ops/where_compositeimplicitautograd_dispatch.h,sha256=9c2jv_00MuqzYigsZrwDot2RsBmy_YKMVBIBCF_8OJU,1110
+torch/include/ATen/ops/where_cpu_dispatch.h,sha256=UyT7I7dXC067B8Qihp-mnUviKnIOIGmkN8HxLhkqtOQ,1042
+torch/include/ATen/ops/where_cuda_dispatch.h,sha256=3VoIl5JyvqVZAbuhq2D5dUGQ6287K2I5DHblvSByHqc,1044
+torch/include/ATen/ops/where_native.h,sha256=iJ-wUcWz7DDaHquhUZSLKJGV82CKlTqCJp0mSHfENqw,1080
+torch/include/ATen/ops/where_ops.h,sha256=rz0uU3wCfROL-Qs24dm4JtI4ue__5usEFr0NO2bj5_M,4802
+torch/include/ATen/ops/xlogy.h,sha256=PHT66Ug1HB_glWJcFSqNmdPlCpHeZ4iu2auiuLTS5fc,3052
+torch/include/ATen/ops/xlogy_compositeexplicitautograd_dispatch.h,sha256=aCndbKpFqyvidjXsftZOaQtqbVasfDgvH4TfNRNbqEA,1358
+torch/include/ATen/ops/xlogy_compositeexplicitautogradnonfunctional_dispatch.h,sha256=9469MOB2sbfC6ZX6-98d0VKBKAHUBeIijBe2x3X2YrA,891
+torch/include/ATen/ops/xlogy_cpu_dispatch.h,sha256=a_4jjJPvRKe8W58ffFF6X9jcc4Izlg3RiYDs6w9Kf_E,1028
+torch/include/ATen/ops/xlogy_cuda_dispatch.h,sha256=it3-VIwe08mGOYunpBmQqrR7u_WQDSdYsTKCXAz6NGY,1030
+torch/include/ATen/ops/xlogy_meta.h,sha256=CV63DfqS46SWVOJBpUX_x8kA3J5yevjQ3r36GBdVz88,618
+torch/include/ATen/ops/xlogy_meta_dispatch.h,sha256=1k5c4CPLwmdU2dMFGWZYNQf7JqHMG8L-Sp0OLZ6aTRE,1030
+torch/include/ATen/ops/xlogy_native.h,sha256=iorhhDyX76piDm-qPUmAh1c3Px4Ky_SEuyV7iWmjlZQ,1077
+torch/include/ATen/ops/xlogy_ops.h,sha256=fEtPUvfxnhSh9hWF6O58qtcX_eOjvMAuBDxOyHUrtvw,5868
+torch/include/ATen/ops/xor.h,sha256=shulnJnmGsK-G1RCdp1XeX193tstlTpKWUd_LKP0I8E,885
+torch/include/ATen/ops/xor_compositeimplicitautograd_dispatch.h,sha256=llZtzjLJvEQQuCrgVU0mvjT_ZGe8lEWekI2dEwYorgY,1028
+torch/include/ATen/ops/xor_native.h,sha256=m7ZuqQBFicUSxCCC0LPfEyaVhDgbcdSLH9ZT0IflfgU,751
+torch/include/ATen/ops/xor_ops.h,sha256=S3yBeGnvLlVRvcHTeM5xLAEQduRjaPaK4-lH65JYg1s,3000
+torch/include/ATen/ops/zero.h,sha256=eVHi-Q1b_83J0YQTXRABN-J3hD-8vp1MuXrYKvAVK-w,1131
+torch/include/ATen/ops/zero_compositeexplicitautograd_dispatch.h,sha256=akQ1gLLIEeRjNWM6221-5HpQsE-FtekFlEkXLuNsMus,915
+torch/include/ATen/ops/zero_cpu_dispatch.h,sha256=ZrrM_UT_lg_XCh850CD4-HzzJ4joXroYO0MabtRXyuc,715
+torch/include/ATen/ops/zero_cuda_dispatch.h,sha256=s35FQV1MR_XSkax4X3GYTc6b7gKF4zRX_RXJCmloDcw,717
+torch/include/ATen/ops/zero_meta_dispatch.h,sha256=-QLfASKw9qhs_Yo9z5PlsI_3UwxT8qf6VS1JEWJelA0,717
+torch/include/ATen/ops/zero_native.h,sha256=dUFcqlv8d9MWOZ15jyE7lK1pys5kOJy3A--79uD-w6Q,892
+torch/include/ATen/ops/zero_ops.h,sha256=-N_u-_aA5E2xKMDB8AqNJsk5jxzhVzjTef6jYClYy-g,2104
+torch/include/ATen/ops/zeros.h,sha256=Jlnkk7u3v-VRiq7hTUKGOkmzqNJiybhZjTlj5b_8wsY,6910
+torch/include/ATen/ops/zeros_compositeexplicitautograd_dispatch.h,sha256=Kh6SRo2t9u5V6JaZozXgCjqVK4L66702z1-CgNvIILQ,2186
+torch/include/ATen/ops/zeros_like.h,sha256=o4ZB-NMj1CmhxzFa9BIS7Dtkws0q6EOaJJKvfRgtAag,2209
+torch/include/ATen/ops/zeros_like_compositeexplicitautograd_dispatch.h,sha256=o4-g6WoSh_8juhIpBqkDUINtroPdSMr0ByLElHU-XuE,1392
+torch/include/ATen/ops/zeros_like_compositeimplicitautogradnestedtensor_dispatch.h,sha256=CXh71BT8VgCxLoY2zwGi30vXT6vqlLnFCjnM6HiDLlQ,1138
+torch/include/ATen/ops/zeros_like_native.h,sha256=VNv5D4nXK_B0n2O7E5apUNRVn0BJ1juNJSB942pLaa0,843
+torch/include/ATen/ops/zeros_like_ops.h,sha256=wG_-yzvxdQZyg5mgon11pn1dKuqQ6P8zS-6oBdvtGlw,2444
+torch/include/ATen/ops/zeros_native.h,sha256=qjVQShVB7lkLxnLoEe_nRdZP8c1DNlbchuoFQ7x2X4o,1173
+torch/include/ATen/ops/zeros_ops.h,sha256=LoSQIwQVjVWv_-s2MR2dZCCwxMB2NhpT7ezuCtxs1Dg,4015
+torch/include/ATen/quantized/QTensorImpl.h,sha256=O-XcKul65B9Ql8eeA4gXlJvz4IStdMkqTNzfefTReRU,4009
+torch/include/ATen/quantized/Quantizer.h,sha256=X6j4TQoXgD0l-o5rrLNOz7ilIjXleXf7sY_HazqgToA,9232
+torch/include/ATen/record_function.h,sha256=ldb3bBM-jeMb0ulPBh3wTNY8MLHs5yerH1YqCoMLENk,23019
+torch/include/ATen/xpu/CachingHostAllocator.h,sha256=dBqQYeBjML8PO-rVHE3JS4Q82Xcg2tuoGLpSVg-5L7g,540
+torch/include/ATen/xpu/PinnedMemoryAllocator.h,sha256=h8RnNKNiXVTOvOXKWEDyw-XTBR90nEAQw8Pg7g-jC_U,237
+torch/include/ATen/xpu/XPUContext.h,sha256=Eor_d5xBekYy1nwWkNa4MSo2aX6KY3QbODtvBONnAi4,458
+torch/include/ATen/xpu/XPUDevice.h,sha256=nosB3k5z5s6_y6MsUf7MkYmonuixvYGjWCACp-_sBp0,267
+torch/include/ATen/xpu/XPUEvent.h,sha256=VkcU569AYZEHHAgNMCpjn9gOnRJR4begIo2eAdAqxXw,5047
+torch/include/ATen/xpu/XPUGeneratorImpl.h,sha256=A5lm90JwyW5kzmTQnobw9PuFCvnUOmIo2WcFOm6N1wo,1232
+torch/include/ATen/xpu/detail/XPUHooks.h,sha256=6EHuciKeIFHkBjczVb_S5vT8IiEJoPTFZvevsDZE8og,930
+torch/include/THC/THCAtomics.cuh,sha256=sbRzB6GvRcYIN-1cCMaM0h-ig8M5tmqMmy-NfmojNfs,118
+torch/include/THC/THCDeviceUtils.cuh,sha256=hkOQh_VmHYP8Ir9HM5Q7oenfTLrTFygGFkGcnmcP06E,78
+torch/include/c10/core/Allocator.h,sha256=gzh4xw8V4ejIGNVpEgQC94nQtz4Y1FnRXdA4fF1u5IQ,10639
+torch/include/c10/core/AutogradState.h,sha256=COFnIXarRjxRmCxtEt3TVfdUQ1ETXydGBE233RhEme4,1591
+torch/include/c10/core/Backend.h,sha256=DxSxQsHgt_17BmGrjLsgZDl2lleHfch0ko3MyUhPGbQ,11262
+torch/include/c10/core/CPUAllocator.h,sha256=cUwX4Tp5hC1S62FypLhVGkisfbjQ-Wm27OjzNd2j2cc,1688
+torch/include/c10/core/CompileTimeFunctionPointer.h,sha256=LE2HvZBcsZ_tRb-u43n7b5hnB9a4MUboRv5pJKCKmp8,1700
+torch/include/c10/core/ConstantSymNodeImpl.h,sha256=whTvty_tdPQqBUiK37WlZaY6kktAx7UULPvX8GumR-Q,2860
+torch/include/c10/core/Contiguity.h,sha256=u-fZj8LBSecUWgDKcfVFQDT82Ww5uO7wd2kUpxiEwaI,3392
+torch/include/c10/core/CopyBytes.h,sha256=7W421Idnt23V7RkFT3AhQBS_F2JW2L9zQoERVg1IdCg,1343
+torch/include/c10/core/DefaultDtype.h,sha256=jA8dnRLdn4aC4enYeb1YiOXuQCzgQtQHFfHegFsmWtM,394
+torch/include/c10/core/DefaultTensorOptions.h,sha256=0u2cbxT6TMZBHA5_LOt6TJS1vEutjAFn8axX_MxzJfE,1064
+torch/include/c10/core/Device.h,sha256=jU_dtrNhrhMIcFLdLXQdQ-NDbMIVVfAVCbk5hZHcgFs,6895
+torch/include/c10/core/DeviceArray.h,sha256=H5OYVEtpnhGx6tN6BPJIG2RYV_HZAWWaDBdYDjWY-pE,688
+torch/include/c10/core/DeviceGuard.h,sha256=helLjHo8AjNeiL6zx319N719DIy6TkrRovNobmhsjrY,7710
+torch/include/c10/core/DeviceType.h,sha256=gvyZ3F38yAUtcBx5cZcLO_h5iEuEVm6x2E1Q5Cgi2HU,4476
+torch/include/c10/core/DispatchKey.h,sha256=paeKCiduw72_lW6vpLp-6dFi3j2buotcjyi6VNWyP3E,32478
+torch/include/c10/core/DispatchKeySet.h,sha256=SToCOVOKGN3na4YjCV043-38fe7ljCuKIKQMWMM6dnY,40571
+torch/include/c10/core/DynamicCast.h,sha256=P6wetNebedxi0d99udXrB-Cc2l8drZocIqfzVoj4lbU,4444
+torch/include/c10/core/Event.h,sha256=OuaYD8wklfsRGQi9nZG6EvEHGsinpCXAYq1mvBztNdg,4463
+torch/include/c10/core/GeneratorImpl.h,sha256=Trunk1NHziOwZ-yZDhPcyFHUPGTEdbdj32pFEpYZfh8,3877
+torch/include/c10/core/GradMode.h,sha256=ojF7GFosLf9vySFUZqxMDP6r_iTIsSqx9Uu4Q5F_eqE,1253
+torch/include/c10/core/InferenceMode.h,sha256=x-F5kPhDJKZJw655mQSq2NYNNkjd0hgM7xyoaScMGks,3558
+torch/include/c10/core/Layout.h,sha256=ie5VbhR1SRHHegWXT-MxF4NGPwUeR7DZzunITlzLHfA,1943
+torch/include/c10/core/MemoryFormat.h,sha256=wsPYbHemnh_26P1-Yb-F_S4yIYT6kZL5q4mU06ocdJQ,9401
+torch/include/c10/core/OptionalRef.h,sha256=hWjNEDGGMt_kVVqsGhriRs1930q0J1b1fxbM3A8QK1g,521
+torch/include/c10/core/PyHandleCache.h,sha256=7Gb6mh98hla7kZlRVEE8jeVu_IRQsdfxx53cDzri64I,3101
+torch/include/c10/core/QEngine.h,sha256=-UoIngTGcXUXv2oe3LE5M0_n6WvrMj2dyeV1L0Okx6Y,1010
+torch/include/c10/core/QScheme.h,sha256=vcqI4auVfkZh-LwdTjdJmjUz_3T3jmdsiL2qyp_T68I,1566
+torch/include/c10/core/RefcountedDeleter.h,sha256=m9j4JCJeLF4GznXQRrf5Bpv8QDRsQmwmUgGiQYkF4m4,2223
+torch/include/c10/core/SafePyObject.h,sha256=BXDTQmUn1W9wP7S7fWsnFG-hZDcWhqPiPQW_AubGLQs,3181
+torch/include/c10/core/Scalar.h,sha256=i5iuBxVNQZIXiIba18KTnYNBLM2AJFexG_p9ukNWNk4,13909
+torch/include/c10/core/ScalarType.h,sha256=gXz_C7g716iyWLh0EKNpKmbq58hLuEfsNNwZrTuisnA,22730
+torch/include/c10/core/ScalarTypeToTypeMeta.h,sha256=0BrFN0kaZLukcOnM2O9B3wtXePqLg-AjsrdfAX_a7yc,1347
+torch/include/c10/core/Storage.h,sha256=g9w0BHtZDCNkE_97nDUy3nK50EXlnJhV2yoecqqvE8s,7059
+torch/include/c10/core/StorageImpl.h,sha256=eCK8JW-dOn0no8k2grHB-G2kBRKvLH9qMkS7ophS0fg,9865
+torch/include/c10/core/Stream.h,sha256=ZsQOPW7woZ7o0Ea03DNnsjdID5-gTxaTOd6JAaDmSMY,6365
+torch/include/c10/core/StreamGuard.h,sha256=RVzYlSrMeHQW7lA5a5XO9BVME_yUO4X5474onYtyDbg,6478
+torch/include/c10/core/SymBool.h,sha256=kNkFGDMQYYdzzFk5kukxwk2LETLjuk8RSqk-0xOIewg,2697
+torch/include/c10/core/SymFloat.h,sha256=a-_NL3pXDBgE3j1ZhDRc-vzDpABrUeaSxIdhcABi0vQ,3263
+torch/include/c10/core/SymInt.h,sha256=Pc7XbZu0NYlV_TpZp6LAZB-F3fV7_nRoNj6gNcciHSg,13901
+torch/include/c10/core/SymIntArrayRef.h,sha256=DwWt9IbS7AV3bZNZFDBEKiBNyhBKqDc5lIA9LF6378U,2156
+torch/include/c10/core/SymNodeImpl.h,sha256=ZPlso-lHDhIz_eVb5triIjHs6BlhML0Hf8ZcDFzzTuo,6474
+torch/include/c10/core/SymbolicShapeMeta.h,sha256=k7t90mRjU8BS1NmVgYgePOLJaDTVKkL2ftMZIOUfrYc,7115
+torch/include/c10/core/TensorImpl.h,sha256=SeNTYD8wUspPMrBliTtboEd2F2KJKKeq9Vqoy-7pepY,114727
+torch/include/c10/core/TensorOptions.h,sha256=9Br3PGREHMeNuDpR89uX5jkYrblG32nUyU3NNpJrKLo,27110
+torch/include/c10/core/UndefinedTensorImpl.h,sha256=grnF4Gr5ujAUR3Nv8jXO_GnSAut0k6TzM9dPxs1Jfr4,1117
+torch/include/c10/core/WrapDimMinimal.h,sha256=BZRtJfULHp6Dw2HlblnxQQ0xVfdwwxzaMKWqtbE7GnU,1360
+torch/include/c10/core/alignment.h,sha256=388Kxrz59CbzQ8Noj8oum3glnTyrbsyEvG8JGuXeDPU,564
+torch/include/c10/core/impl/COW.h,sha256=lFSX9LfHijJA-UYKSjUuqfO7Ve5-VDEKOZ59ysCeqK4,1057
+torch/include/c10/core/impl/COWDeleter.h,sha256=xZ1odJVNmSNpMoPs5yAFPus1ajeZ1MBcvITs6Aw9w-0,2098
+torch/include/c10/core/impl/DeviceGuardImplInterface.h,sha256=m1qJOwxsw-MOJ9_YF78Gmw41Zkp2MTD4n-za7rUnMJE,13260
+torch/include/c10/core/impl/FakeGuardImpl.h,sha256=GjV0OUGkF7o9CEszwkWGul2de6TQslAi8HEwHxWCwUY,3135
+torch/include/c10/core/impl/GPUTrace.h,sha256=NaGndfpzJjUYMSUkP30h08bUuRZioQBuymQL3SjpZjk,864
+torch/include/c10/core/impl/HermeticPyObjectTLS.h,sha256=BpG-7Cj-VNe1T7_VnnLycw5bdm8rzgluqZzozZcpCgo,2446
+torch/include/c10/core/impl/InlineDeviceGuard.h,sha256=4DYmtU9xObwuDu-l46r0-HP6U6bWbvyPi6n5JT3hlUs,15649
+torch/include/c10/core/impl/InlineEvent.h,sha256=izfWT_YjBHYRSQJQqkc4gefd_3zqcowzwrsDS-6loro,3844
+torch/include/c10/core/impl/InlineStreamGuard.h,sha256=cuwgaV5zvKG4-voxAC5lmyh02qEqaNMgXmZb9qU7t6g,9645
+torch/include/c10/core/impl/LocalDispatchKeySet.h,sha256=hgBEwKE35fIt7qS6Dhml2NHrxRSbkgO8DOOqX1kBAPQ,6255
+torch/include/c10/core/impl/PyInterpreter.h,sha256=1vI5RAWMJrA7h2FFkvntodJrO0L44mxaTXGhxGd4bzY,11196
+torch/include/c10/core/impl/PyObjectSlot.h,sha256=qwUsJx9MltwXyvGfScO8C3o13ES_cn7IUvj54WZWiKY,8198
+torch/include/c10/core/impl/PythonDispatcherTLS.h,sha256=cEJvBpS47_ItVaRwOFG5Nz7jD4V2eB6wwZEM6d9sfbI,549
+torch/include/c10/core/impl/SizesAndStrides.h,sha256=R57cyvNQQqFbuWK-vWrXseBIa5M1sck5saOgGf60sLk,8378
+torch/include/c10/core/impl/TorchDispatchModeTLS.h,sha256=rzBcGog9-7cRtTtq-KhqyAHlHsWC_dTsaqq878IoU70,2281
+torch/include/c10/core/impl/VirtualGuardImpl.h,sha256=jFAaKKkPgN07Ojjpbe5nQl5khEaAf-KyULP-2d5D3Vs,3148
+torch/include/c10/core/impl/alloc_cpu.h,sha256=r726N5hIEezpRC-cdGuSJJ7FD1wtLvhKvVS8JoQns1A,178
+torch/include/c10/core/thread_pool.h,sha256=HU9cBi8jQVypSFnbrFaT4fhGeuCx-rE57mqsxDjjDao,2997
+torch/include/c10/cuda/CUDAAlgorithm.h,sha256=_osQlsXB3DJO07B4TJLXnMyjkHip-DJNSxvZCmF8EjE,1041
+torch/include/c10/cuda/CUDAAllocatorConfig.h,sha256=GVS9RcwlHxNCJGELsMc-3ISNv3PFE5DqA9J42_Qeh6Q,3821
+torch/include/c10/cuda/CUDACachingAllocator.h,sha256=455KYUCJirBJ6q_qoL2FEbm2LWPzzeIxdu2enQr7aws,15504
+torch/include/c10/cuda/CUDADeviceAssertion.h,sha256=QmHUlOlnY6gfQchorxedjp8XFzO27tgksxwtow9Y4-8,4071
+torch/include/c10/cuda/CUDADeviceAssertionHost.h,sha256=5OF5BNqxcu5wk49Trs3fSsE_BoUwInXfF0xisAq5qL0,6617
+torch/include/c10/cuda/CUDAException.h,sha256=8XF-UL75Mw_JrCNvDlRdgaiARcWyktn5nRFL_ueFH9E,4552
+torch/include/c10/cuda/CUDAFunctions.h,sha256=DU3ByFyb9U_4HUMXQx5v6gfTkJDxJGELEaKtzO6fg7o,3911
+torch/include/c10/cuda/CUDAGraphsC10Utils.h,sha256=DKh3OqW4oUBYUwLdJoPj-UfDGfKPY1JjeQo7L-NFta0,2677
+torch/include/c10/cuda/CUDAGuard.h,sha256=a4QrlPDzraZZ7YFbMc9XH92FHUDYR-qv-AGT1VhZaKM,11167
+torch/include/c10/cuda/CUDAMacros.h,sha256=XGYaw_5z8tkveMtcSCXBKNMEtJ34j16LKiMVDv9Qr0k,1479
+torch/include/c10/cuda/CUDAMathCompat.h,sha256=s-yo1Ccyiz_rFvSnLK-R2pkmCVF4-EZuKaowvAac-X4,3553
+torch/include/c10/cuda/CUDAMiscFunctions.h,sha256=VYjGElQ6pE-FHwGjhLaf0KOQKpapciFPXmW5mt_xTWo,306
+torch/include/c10/cuda/CUDAStream.h,sha256=LJYQ0hpvjJurYtl-9lyQH110cQFhTbdEzqKUiJCRhME,9628
+torch/include/c10/cuda/driver_api.h,sha256=qkKUNsIJq23urCd2m-iJcszF0iGW_qWK5X4S8UXGJwA,1956
+torch/include/c10/cuda/impl/CUDAGuardImpl.h,sha256=d5j9PeZUjojIgabxI3hKdZNyzSvmIxFRV3-Vh7e-6Zg,8619
+torch/include/c10/cuda/impl/CUDATest.h,sha256=pmj2IDoGqxUBvCohXPrEkoKZn4ZEwgUDXAcN27a5bNg,114
+torch/include/c10/cuda/impl/cuda_cmake_macros.h,sha256=5SZTOQCUZPH9z5lM3IUfEXcEt6BdeTLUt-TeEEX0PPU,194
+torch/include/c10/macros/Export.h,sha256=hitlLtM1vpAv9sxrl9XoXFDrWEBoWP-ymiHT0rzGmKw,5802
+torch/include/c10/macros/Macros.h,sha256=gPq-aX3HrZtgSCblZoD0r6YEpMCcF3rJcc0ePq9FSyw,19467
+torch/include/c10/macros/cmake_macros.h,sha256=VHySeoBhgBgNh01VyiCoWmoW8nTLITV7m5G7MyYW4dU,437
+torch/include/c10/util/AbortHandler.h,sha256=tbM4KWBdYwbCq1ArehgWpkZwweDKNvG0aoKJb-dDVbU,2090
+torch/include/c10/util/AlignOf.h,sha256=P8ZzdW8CGo583mnAw7NsgcnRAHREfBUEzVgzvofGB7Y,4906
+torch/include/c10/util/ApproximateClock.h,sha256=Tsl6PkjeqJ9K4Ice8WL5A1pYmEw1Dm9RawHGDC0278M,3483
+torch/include/c10/util/Array.h,sha256=PUhHWAOldn51e4l5qRuFTqZJxQLpxS56lesi6OSJw1E,450
+torch/include/c10/util/ArrayRef.h,sha256=DLbru3ncFxqox7CwlzF5ZTzQLihiK4YFwXOxbISgh5M,10876
+torch/include/c10/util/BFloat16-inl.h,sha256=_26TxFZP11VYfd4o7TxDFFZRqNPQHfGFZaAiMQVh5Y8,10329
+torch/include/c10/util/BFloat16-math.h,sha256=gD36d7HDbm-8JIcR_ctT3boIuPvPRL5_-oq2WQTlDho,7985
+torch/include/c10/util/BFloat16.h,sha256=JwEa1qacSrIjaO-PcNqSKcr2fPgThUOv8ejMDVDUtc4,3052
+torch/include/c10/util/Backtrace.h,sha256=lZXha4pz5h8PHcz1EA6BBKOGwV5OGhPQmQgF7sPbJg8,797
+torch/include/c10/util/Bitset.h,sha256=4tgpGr0oTix8UiTPhem2njwOrzhJRECCb0bO_DLcDTg,3339
+torch/include/c10/util/C++17.h,sha256=OcQJQdGsY8qJWFhTM3C7nwX-yilMYe-IVOLUpeiS5vA,4027
+torch/include/c10/util/CallOnce.h,sha256=bi_enFQ_NBH6PFeBbQAHVTLcwHZZfQGIA5biLlwxBBA,1941
+torch/include/c10/util/ConstexprCrc.h,sha256=3X4JO7ClQRAEmuwuWFjk2WyEJq2XbG4uMOgsEIwU5Xk,6638
+torch/include/c10/util/DeadlockDetection.h,sha256=lqJDsGUL7U-lDSXJNTX45EskIG-dwOl0ZQEZXVzbhNc,1925
+torch/include/c10/util/Deprecated.h,sha256=tyNcwEnjhdHs3LbgKssdAQqInoDJXNhgcSg1z2sj3nc,3579
+torch/include/c10/util/DimVector.h,sha256=kQxjIMzErk6BLDVVpLVCrzimZaZr-WG8pBjDePV6Njs,444
+torch/include/c10/util/Exception.h,sha256=KPdD7dEG8fERBC08SvP-XyjPSaBCRDUuxF4CyWNU1RU,27305
+torch/include/c10/util/ExclusivelyOwned.h,sha256=qwRVoJSLwNgKSoGTTRUfaF7PA7l8TGwJSCM9qg3I2a0,4453
+torch/include/c10/util/ExclusivelyOwnedTensorTraits.h,sha256=ik-PJqouBR29T6XDuf0QGhthRXQ69xpg81fuU3-8h4Y,2194
+torch/include/c10/util/FbcodeMaps.h,sha256=8vAkfHp4na6an2L9cXNB45k1POA9sLEkv5QZDcC3eHY,728
+torch/include/c10/util/Flags.h,sha256=3IIt2P8VEqadqcYmHpGNHdGz3mTe9UeciwBkdvZQFXA,10054
+torch/include/c10/util/Float8_e4m3fn-inl.h,sha256=VN1W6kCeSNxYXdvXLC6LovI7hQ1Ct6MmPOoYXt0KAaY,8566
+torch/include/c10/util/Float8_e4m3fn.h,sha256=u4HAF7jf5ktxaSYZwGzV-8SoKqvxyqRUjb9uBKFY-7M,8356
+torch/include/c10/util/Float8_e4m3fnuz-inl.h,sha256=cttH-JCo5d0lwcZw36F2JORYNf1mjnKUzma5t1Vgp84,8996
+torch/include/c10/util/Float8_e4m3fnuz.h,sha256=mW-8JAlYWZS8vy7G397szh6nUJdwgNK7QWUYwabUdLU,3822
+torch/include/c10/util/Float8_e5m2-inl.h,sha256=-1wvPwDoSMCo8bYdiWpclOL8zGHNzf6MDgst0Orprks,8533
+torch/include/c10/util/Float8_e5m2.h,sha256=jzObT3uozffiPe0dJQHWjn1TT5FcHvZX_kusGczjUCI,4324
+torch/include/c10/util/Float8_e5m2fnuz-inl.h,sha256=VJABzsinCCfj9_ktliP6WLgwTqzFm4tv9oP86q9NV-U,8959
+torch/include/c10/util/Float8_e5m2fnuz.h,sha256=P_yKQ4nOnWvr0c9mQqL3D36sDVaJrBsdd5FkMi7onPI,3843
+torch/include/c10/util/Float8_fnuz_cvt.h,sha256=9mj750VZ1H3zKWp1-5Y6ZkiRv5gI2YdzmVMsMwn7l74,1732
+torch/include/c10/util/FunctionRef.h,sha256=L2sIQ56zatHFPgwVDlVM0cA-KzBI4M6-Tv3M8G5WHSM,2296
+torch/include/c10/util/Half-inl.h,sha256=H2q79bNyvRF5Rcm483SOL2VRgzqLEHhyeiPEade6G-E,10223
+torch/include/c10/util/Half.h,sha256=q46ErRd-gXWDusg2b6BMerFzs0vfVbQQFWut6OwfOwQ,20277
+torch/include/c10/util/IdWrapper.h,sha256=uYBOWQaBbtb9DDcerY46K4BfnM1bT3LLnIM6rae4iI8,2336
+torch/include/c10/util/Lazy.h,sha256=Q97mZlbfrcl7V8QLgBXmFAEUPCbomFq7OWX3_ju2TN8,2818
+torch/include/c10/util/LeftRight.h,sha256=qz8I2fjmp88vBb6qxq8zzOds57jutVAAle1MtY3G5qw,7072
+torch/include/c10/util/Load.h,sha256=onxMgIHtTe1Q8bbmT8tx7miGGdpBjTG9o8B-WF7s38w,904
+torch/include/c10/util/Logging.h,sha256=M40fkulnxJfHSFisNz4sZqWfokDTjqzm16lWu4hIv2s,13117
+torch/include/c10/util/MathConstants.h,sha256=gyZaVPY6yUN2V2c1pdAkjtXy6UpD51eDmDixsacR_uU,3690
+torch/include/c10/util/MaybeOwned.h,sha256=JG-HdRwRjypc-liDVqV3r0FHmCq11gy9pKx2droIzYM,7155
+torch/include/c10/util/Metaprogramming.h,sha256=RWrjybE-bjBO5gUsAUDbR1vGHYco9r8Sf2i-TG7BtUk,7031
+torch/include/c10/util/Optional.h,sha256=t-dDwvMe7ULlbZEuG3K5GpUTA9orMFOvHc87J2s8VSY,1675
+torch/include/c10/util/OptionalArrayRef.h,sha256=xIkPcMy-5iDDdXeYmJ6y6v-cr7GSt2Um6VR7N-UsxWA,7080
+torch/include/c10/util/ParallelGuard.h,sha256=AClhBs6-_lFnvdUTtuDKKmNp1Rdf_CbLOo-BZCPJoUI,373
+torch/include/c10/util/Registry.h,sha256=0Ub5zzGxOT1OQwXoWvmgoz553g-o-L5VsV-W0mcvjvg,13158
+torch/include/c10/util/ScopeExit.h,sha256=7IV_xwvAerKLsjzHhU_TAFsjVlknfN22tOarz1mFjLc,1259
+torch/include/c10/util/SmallBuffer.h,sha256=8FhfpVXad5SXYTyeIvLrQMyf7xwkBK5lsOammWGbHRQ,1762
+torch/include/c10/util/SmallVector.h,sha256=JG4jg_ToqV_jptoaJzCyy1cmF889LVM4RMcnIYv1xeA,49012
+torch/include/c10/util/StringUtil.h,sha256=pKkK9JpTAkndsm0S1NJV_N4aI861Vtf6gkYgE1nHYns,5178
+torch/include/c10/util/Synchronized.h,sha256=RYgOiIrZVwnXmMHeoZrHpv6-t383r39dotD-VZnlK1A,1896
+torch/include/c10/util/ThreadLocal.h,sha256=wW74FnH_mjIDvOKvzr6HTvxsPLRBI8HwWMuPcDFGsHk,3883
+torch/include/c10/util/ThreadLocalDebugInfo.h,sha256=ILDUXGApD0wOXy7FuQMSVnX9N-bnIeBVHR-53tvjFKI,2548
+torch/include/c10/util/Type.h,sha256=-GVwlf-O6CsPhLC_t9_t84apjpiCvwY7LlXpfp51OkY,646
+torch/include/c10/util/TypeCast.h,sha256=q7gjrM30sUgBle2fnga_GGBVWmNI3Q1BbVQimmPpA-I,6169
+torch/include/c10/util/TypeIndex.h,sha256=WUOrtqNbqB5PPYHBP8hLiUDSw4Kg1Al_p1j77sV7oYE,6038
+torch/include/c10/util/TypeList.h,sha256=YA3psuJdiyHYbjPAsGYrJVRqVvtWMH7kgC25_jqufu8,16829
+torch/include/c10/util/TypeSafeSignMath.h,sha256=ItboL27IimgDESSU-BFR907wTGbgkO5UdOENC6jh94M,4363
+torch/include/c10/util/TypeTraits.h,sha256=-3g4qpe76E0OKxVK731TUYKxElzCCj99SoAMU-UebHg,5338
+torch/include/c10/util/Unicode.h,sha256=hCDwsMEcAI5h6nD8F3ZxJbO4M4lq1pCRpwj6h3H0DvE,295
+torch/include/c10/util/UniqueVoidPtr.h,sha256=HbNzhyCaqaksAka7MfDVbu4E6jipEMt_DgVNu2hoaN8,4184
+torch/include/c10/util/Unroll.h,sha256=1R1zTrF4Blvqu0FRtpofBLroPSSVujaMdh0E8GIBDbw,843
+torch/include/c10/util/accumulate.h,sha256=hobsJjXaKqmwAZOCXogE7eZ-NFiScJS52hvnVjwElFs,4032
+torch/include/c10/util/bit_cast.h,sha256=X6VwjMumLNAkNzRsOJd55pxLofcLpj8meuotGhMjecI,821
+torch/include/c10/util/bits.h,sha256=5vkKgffFbfdboQtD9E4fDsMkxeGlMymsJuRwS_ChH-k,1449
+torch/include/c10/util/complex.h,sha256=El2yjMlx3_vOordFfikChNv_o-we7SULDl96Yq5kCKo,17971
+torch/include/c10/util/complex_math.h,sha256=K-lYAOgfqRUPZQQBExYkHuDpQtVplmaY85WlaO18wjk,12533
+torch/include/c10/util/complex_utils.h,sha256=647X9XNovef-gDB7_p-Q7TskQ-boGgW5MedmVJtp58s,1077
+torch/include/c10/util/copysign.h,sha256=EGcQC191aoUTlLXo8tKfAF9NFnMpQCE0hyWxw47FQZs,832
+torch/include/c10/util/env.h,sha256=tMqZ7y1lfkEX8GWMCZ9sL7lF81eioeSXDLt9QJHTQhk,944
+torch/include/c10/util/flat_hash_map.h,sha256=oSaLrGZejJg2sE4vOS73g9wxznCzBzaTEOeUKPH2ctA,61931
+torch/include/c10/util/floating_point_utils.h,sha256=qEX-EkcPf74per7v8KHX4c1-NAWsAqjckImw5pNC33M,809
+torch/include/c10/util/generic_math.h,sha256=OrVoQ3KVBmyRAXztOZwncxz6hcomJDYKwndsJAYGRfs,2156
+torch/include/c10/util/hash.h,sha256=6yk_3pfqiXLyBfNhh9Hw14z2CN8RjmAPtaD4rHqh0KM,11107
+torch/include/c10/util/int128.h,sha256=6B-OapJ188dixe1U3B4PQPzxyR9iueKI1WrCau6Rjyw,12452
+torch/include/c10/util/intrusive_ptr.h,sha256=p_v9X91Xj36K_rZY3x7hCXsVYK1C6OC-FdrUrRU714s,38467
+torch/include/c10/util/irange.h,sha256=PBKiXBnJTFP7Mpx1xZTa_jOX9027t6xF1tCc8MeRzLA,3352
+torch/include/c10/util/llvmMathExtras.h,sha256=x-xJE6ttLhUS3INBjLjXXjVwUgZWEx5qtUBIoSyXWxg,29493
+torch/include/c10/util/logging_is_google_glog.h,sha256=LU7_XPpQPV1CNYYOfKAnm9vRSTpUNFmRT81AqXJHtVQ,3794
+torch/include/c10/util/logging_is_not_google_glog.h,sha256=902fzZ3kKRO295OFUvKKFX9tM0Fcm959SE-uG7YsIn4,8664
+torch/include/c10/util/numa.h,sha256=Zv_RgPaUVPp3KN4FmvwaqIr-hZ_Es1bd_djbAIYGzsU,713
+torch/include/c10/util/order_preserving_flat_hash_map.h,sha256=H0kqajXqg-9Ez_FhP2U-C7ZKgP8mzAvSECi9AirffIg,65390
+torch/include/c10/util/overloaded.h,sha256=HroKnPbEpPcmOJ2ud_43qLAENSCdvN9q3F_2REQLhvM,727
+torch/include/c10/util/python_stub.h,sha256=Nigc7ZGrniF0qdLn-Ra4KIicNWTBrgARkJYpxs6Ssek,56
+torch/include/c10/util/qint32.h,sha256=iyBUhux_GEJ8J92GhOPnukFSHXEp_vCM_ImIZTR1_Gg,319
+torch/include/c10/util/qint8.h,sha256=bc5SknZDfO9_2Ez-QlgP6CVXkFhkFIc8pV6vqx4y4vo,472
+torch/include/c10/util/quint2x4.h,sha256=yGJ_ehKTUy8Iq54q6LGOQtBf2-Tdwm-6k9EzgLZnwr4,366
+torch/include/c10/util/quint4x2.h,sha256=XARtXHqCVQKflXpoKx4ybFS1E3Pdq9FafFAb9J8SUH4,366
+torch/include/c10/util/quint8.h,sha256=nEiBXDtefPX4IlYbmn_mxC7Ec9QaPZ-d0nIO1BbsGh0,320
+torch/include/c10/util/safe_numerics.h,sha256=QDH6C2kwmkewC8zw7pEBndXR2QvgsVMSBzCpvE9Pzow,2258
+torch/include/c10/util/signal_handler.h,sha256=cVZtjB4I9_Oy2ZinG-3BVa-8cMlDuflFqpPKWW0Y2AU,3309
+torch/include/c10/util/sparse_bitset.h,sha256=TdMRyhYIJtzDNRJQvMgTjY69YyytHZTRz9qJpNHxX4E,26645
+torch/include/c10/util/ssize.h,sha256=fRC0RaSU4YWJOWGpglcKzJbJoogdxtvQoSUKqW3Sc4I,1369
+torch/include/c10/util/static_tracepoint.h,sha256=u_jYYCJlvn-3eHJvxlGmnfwt99aG1mmVv4G65dS97bE,1076
+torch/include/c10/util/static_tracepoint_elfx86.h,sha256=_Nm-tHskm5pjhufoKXpjIEOnr2BAyhlndaI6DoZYt0o,7208
+torch/include/c10/util/strides.h,sha256=636o3IYdyG6Ms5qYbliIFWW2WrUEmSvdIYRHgWNrzzQ,630
+torch/include/c10/util/string_utils.h,sha256=9tNMsGkmJEL4Uh8tO4_01EImdBzACHsNIWPVGn4yN2o,378
+torch/include/c10/util/string_view.h,sha256=zCJx2FT-VZFQjuTTrNvoDs5BsuTV_9fhmLiyv6ArLDk,17062
+torch/include/c10/util/strong_type.h,sha256=3DZAVci9UflQRlaPgGlUQvg-G5Bin4WfC-Cu2Rnn9hc,35794
+torch/include/c10/util/tempfile.h,sha256=eCtZ_I5XJ2I-WUUWs0UoTFdgAhr9HKsVcmFEJsI340A,2760
+torch/include/c10/util/thread_name.h,sha256=mnZYxkwFcjqj9d0Kk2HIjtSEYuuFi9rtmW10DUwHyEo,148
+torch/include/c10/util/typeid.h,sha256=a9WQ7tqJv2xvGRBXPWMH6N5M1U8xPOJCiH15rcCgYW0,23327
+torch/include/c10/util/win32-headers.h,sha256=Hwx6Heb2BvTTMDfWYL3yRoXsqMd9xdu1_LRXz2nMzws,858
+torch/include/c10/xpu/XPUCachingAllocator.h,sha256=kHZ98_sH_kkTE7GGm9d5IE0-5AOeSK7Mz1mcCm2APT0,437
+torch/include/c10/xpu/XPUDeviceProp.h,sha256=1tUFEkT4pmTyEGptMa2z-vmm8Yl9voj4vYb2spCo_DM,10785
+torch/include/c10/xpu/XPUException.h,sha256=ZSAWqWf8on0ZSjP-MHInJhN8BAt595-T8Qch7QO5DVs,415
+torch/include/c10/xpu/XPUFunctions.h,sha256=WNspPSqWta_BYs6aVToWaPE8z5Zv37iV3DEsDuiT3ro,934
+torch/include/c10/xpu/XPUMacros.h,sha256=j3rgISZgHXKvaT-BCOVUdIs_icvCBY0nWc8LfMUMkEo,870
+torch/include/c10/xpu/XPUStream.h,sha256=MJp36_F2RyBm35-imDE9plh9l7fHLvunEqpkTUiBqP8,5833
+torch/include/c10/xpu/impl/XPUGuardImpl.h,sha256=lg2zcx62PB2M7-ezOmylggDHTpfwZ9W_3HgsgISdXjU,5412
+torch/include/caffe2/serialize/crc_alt.h,sha256=1S1Y-QOdR_AF6_ynNXP7skgrzBL4JA8knBpcUNniGFQ,75497
+torch/include/caffe2/serialize/file_adapter.h,sha256=cWooIxQt2IZhgtNh8Z1EMH-q6-ZRYt_Wm46bTZU2wl4,866
+torch/include/caffe2/serialize/in_memory_adapter.h,sha256=YvqxOKgl9o2TU79PqV29jh8jGxb91F1C_pdpuZd2S8k,644
+torch/include/caffe2/serialize/inline_container.h,sha256=Y001ThvgR77npui_9I7iRMdrdK1AJePbZiDDzHuR5_M,9835
+torch/include/caffe2/serialize/istream_adapter.h,sha256=jhPL2xpULlEAj8d6YhmRaSRRjRK6ZFkodgYX3vlPZSs,669
+torch/include/caffe2/serialize/read_adapter_interface.h,sha256=TrtqY4bnGW_iI8ZpIunrB0fbQhRq11g2Xic-AlE2ZPo,556
+torch/include/caffe2/serialize/versions.h,sha256=v2fi7vl7l_cGOVlPEjyW4GRFReQ5Kn4VTyJACt7_Euw,6648
+torch/include/clog.h,sha256=AaXz8upLdfJ-qFoEjRHcpp3j-ps8jNkBgStV3V19X9A,4900
+torch/include/cpuinfo.h,sha256=FXfTZ9m3jA9qr6Csftc-vDR10KFKljy7C-7V9561Ihk,48854
+torch/include/dnnl.h,sha256=I-QBhgaQhsKI9ws5dIWiC1mo_tzjMZTqcOEH2R_dquQ,826
+torch/include/dnnl_config.h,sha256=4gxE_VLSQRh1ZjNU0b813RVsIqLRf1g97y8E7yYt6SE,854
+torch/include/dnnl_debug.h,sha256=54dhupUgTYXVDXGNKkIHZa_CIs5rNdGaB4jzaKOmsV8,850
+torch/include/dnnl_ocl.h,sha256=zEhZqSx-AMUh-leUn1DUIKre4POhBRoclUX204x0Ynw,842
+torch/include/dnnl_sycl.h,sha256=hP8wUN2leTYsOSH0zxGhYCowrWL6y1qzEMJx82cMOLE,846
+torch/include/dnnl_sycl_types.h,sha256=wx0L7FacMUW1yLGkQdl633awv1WIiMyjPit8VR0MxRw,870
+torch/include/dnnl_threadpool.h,sha256=pXtNzHokkJu8cOj1YHKPswQ2lHyfnlWmahZ6xSFUONk,870
+torch/include/dnnl_types.h,sha256=mj-E92o3tq2jYmf4m5ApwxF5ZUpOHSW2Tcx1Ye2-CXE,850
+torch/include/dnnl_version.h,sha256=TMnzInMTsAACwnwp4ICpkZmiGXNhA4PHNkrHME_E8_8,858
+torch/include/experiments-config.h,sha256=wokuhtIs0aUOFxBc3Hw0PRvqIs7o6KuNIAd07_HeuI0,471
+torch/include/fp16.h,sha256=E8HMsWXIGhISM6v9jeIa5K3ncDxV_ccTbShVn-bEmb8,141
+torch/include/fxdiv.h,sha256=fSkLf2DxcdPiQIF9s90UAZYYt_70xe8TWmU1DA3MAc4,13149
+torch/include/kineto/AbstractConfig.h,sha256=pVcUhOi7dZLtvKGU_CRcy3iYTRQ7td4J2jIinres2KE,3709
+torch/include/kineto/ActivityProfilerInterface.h,sha256=0ygZs2i6yf1PnhS6NKq_5yiHmKJpDwJLlQdfIsY_HxY,3400
+torch/include/kineto/ActivityTraceInterface.h,sha256=Coq_Kwi86OF1LTZQRmfIuMrLIBNaHim726eYNAilhkU,584
+torch/include/kineto/ActivityType.h,sha256=1KIlnvX4wk42MvrOwL6ytcmlCMWhgMHKmftQVRXSOqo,2336
+torch/include/kineto/ClientInterface.h,sha256=srKIInxD8tnw9dVVj7FLdWXLvxa4ywy4-pyOI44XYu8,492
+torch/include/kineto/Config.h,sha256=JzDgvmcJFosmGl8AeUVtE5Os4twYsBGEFNZhxJlhiCo,14572
+torch/include/kineto/GenericTraceActivity.h,sha256=VMg1IcQPMnV3m2zBQWMBJk-cjuq69zu9IgNFdEiN7vA,3757
+torch/include/kineto/IActivityProfiler.h,sha256=DDF33DoSIOUfLjkcWmEWzMlplzqrReFSyb5kvl9rEJY,4705
+torch/include/kineto/ILoggerObserver.h,sha256=Mol7zVGUDxcsIhpXtzt6NWi-uBALA8RYkXzsIukGH2E,1641
+torch/include/kineto/ITraceActivity.h,sha256=irKZv99K2tkWmXBigU4m_jpYFWFgrWe9eKn6zuKJoKE,2044
+torch/include/kineto/LoggingAPI.h,sha256=pvS_9Xif-roEL6p49FFK_2FkLAOx1zJOCzP2ctMzHOg,350
+torch/include/kineto/ThreadUtil.h,sha256=sNFVP_hM3wPUBxRaa3PDDTG2-m6d4zV2lJY-Dbko7OU,758
+torch/include/kineto/TraceSpan.h,sha256=s7ACz6pbPUw3qrO2FWCb0vpZSw5FRKf7euDjrtUSiAk,996
+torch/include/kineto/libkineto.h,sha256=haFj6Fkb-w5SLt6BUuU8M6U3ShlloeUdrjJBLQBZcOY,3850
+torch/include/kineto/output_base.h,sha256=hKu1SyQ6NRRGlEFrktP_biMSeqrk6Vd-j239JeUkgUA,1824
+torch/include/kineto/time_since_epoch.h,sha256=6iW7aWNh_vYlxI3YbrePjcGEUEh0kY6e4pTJ6Rc24Mc,529
+torch/include/libshm.h,sha256=6V9-_p0xRhavijNsGdB4oxPHUgjOUZjd2U00-3dd0fA,1196
+torch/include/nnpack.h,sha256=1msg-Qi_QPKPHQHBEDHVWvHj0ilZNjwVIUSEhhs7_es,33083
+torch/include/psimd.h,sha256=4z8bkysyKCCrjI4MhcqPUIsdV46VUcRfjK8vO3p5q14,45504
+torch/include/pthreadpool.h,sha256=r65lzOu4EN3iozcIdd9C-J7y5DUCo0MCCNe26YD0t0w,99328
+torch/include/pybind11/attr.h,sha256=QPjH7BfhL8QFwHHkrDak8gNOLMlb1itAO5fobjdoLp8,24334
+torch/include/pybind11/buffer_info.h,sha256=m_VE_hfWPKl-KgUZy9aVQdPg1xtoaDaBgkurIX7aGig,7750
+torch/include/pybind11/cast.h,sha256=j5UvHFBOE3o-8kB2UcBNumV-dv9pLWn2Gf1uh-fz7pY,71139
+torch/include/pybind11/chrono.h,sha256=A23naeloqn-1NKVAABOsJtHU9Vz8lfvrAICuLk-7qBM,8458
+torch/include/pybind11/common.h,sha256=ATg9Bt1pwF8qnNuI086fprM4CUTdrZdk_g2HXE1Sf6A,120
+torch/include/pybind11/complex.h,sha256=AaDZ-rEmK4tFaue-K9P5y3TxxnaQF6JwZ_6LAzkdLQI,2096
+torch/include/pybind11/detail/class.h,sha256=J3yQxEpB9cg68riM3WnR5W9mzxraCJxmgQyHvONPPSM,28563
+torch/include/pybind11/detail/common.h,sha256=ww8qY6xFAjDhwTN8R3z-f4KI9itmVRRwG4H5vxYEfk0,53771
+torch/include/pybind11/detail/descr.h,sha256=k1nvytx1zhMh8ERL2xS8Unbxcio5fa7eZIqnTsZ0orE,5962
+torch/include/pybind11/detail/init.h,sha256=xJ_nyNwZh1j_a0d8K9fCloZ0-MIfh4X_vHja4CFwVF0,17858
+torch/include/pybind11/detail/internals.h,sha256=j0CmJRrMvSLOHFxn5yeq5lqTqBcjSoA0kT0v_VvgmgM,29033
+torch/include/pybind11/detail/type_caster_base.h,sha256=9AmJNWNFnbAmlty11TZEj4dcIDBItN_5EbHz3beDenE,49892
+torch/include/pybind11/detail/typeid.h,sha256=jw5pr9m72vkDsloT8vxl9wj17VJGcEdXDyziBlt89Js,1625
+torch/include/pybind11/eigen.h,sha256=-HmSA1kgwCQ-GHUt7PHtTEc-vxqw9xARpF8PHWJip28,316
+torch/include/pybind11/eigen/common.h,sha256=dIeqmK7IzW5K4k2larPnA1A863rDp38U9YbNIwiIyYk,378
+torch/include/pybind11/eigen/matrix.h,sha256=CS8NpkZI8Y8ty0NFQC7GZcUlM5o8_1Abv1GbGltsbkA,32135
+torch/include/pybind11/eigen/tensor.h,sha256=U7wM4vClaDAwWCKAqwmsCPiA2B3rAszIT3tV_yQusUw,18490
+torch/include/pybind11/embed.h,sha256=xD-oEg56PadTig9a8FOcMgbsL64jaie7hwG3y6DWPEI,13459
+torch/include/pybind11/eval.h,sha256=7re-O2Eor1yD0Q_KgFkHIjKD17ejzII687Yszl9_KfE,4731
+torch/include/pybind11/functional.h,sha256=XY1Rj5_x2nb9AT0OzB9skt6OMOn6klNSkT0uBrRIkLo,5051
+torch/include/pybind11/gil.h,sha256=IAR_w0RupvFS5bLfw66ZV91OE9WC1p1ztOFSaxHGvZo,8517
+torch/include/pybind11/gil_safe_call_once.h,sha256=tPoJICumDjCcfFsFkltDGLj7c42NbgdhSt0ERkrSGKQ,3876
+torch/include/pybind11/iostream.h,sha256=K5rPXoCYN325r1PptcJCIhPhgtRtTJQjMr7bvUIOwxk,8862
+torch/include/pybind11/numpy.h,sha256=iaVp3boyb4GkVgY2vgBXbFaLwoHPb6rmSlOM44-eFU4,84243
+torch/include/pybind11/operators.h,sha256=224RoAXcv1la4NNY9rQ3aD_AeC8S9ZKx3HVK1O8B4MU,9103
+torch/include/pybind11/options.h,sha256=qXvmnj--9fZSp56NYefnB3W5V17ppHlY1Srgo3DNBpw,2734
+torch/include/pybind11/pybind11.h,sha256=zwcJLUvVmiZPpzvkt0Lu9IysI5Xs1ptCw9Y7C689jJU,129569
+torch/include/pybind11/pytypes.h,sha256=ehwy0s9uSGkByshl2l90nd25D0Mop3RNY09JTRkHUME,98953
+torch/include/pybind11/stl.h,sha256=aMi1OCCw2Zb-IRLSlAtQEJJHtWsRJiLT9dKDMHST1Ic,15532
+torch/include/pybind11/stl_bind.h,sha256=TA3A3guojho4GWsaP8SQfqbphF_HJ62-Sj2M8-CnxVA,28472
+torch/include/pybind11/type_caster_pyobject_ptr.h,sha256=H7pKBYTvUlibiJQEcKmeAkygSQwoCkuIyukNSDmVq-U,1929
+torch/include/pybind11/typing.h,sha256=rnjXxUTOp6EKJ4bwGCNV5Jortun-gBezC5s4SH-o8Yw,3600
+torch/include/qnnpack_func.h,sha256=kxuQHibZQi5M43Cvi-CVaYx3sB5V0w8IHvy8sTo8GtE,4146
+torch/include/sleef.h,sha256=zOBFkTEj-EcJhOegJKOnUz-6Fafl2hVCIZbWv7V_248,267778
+torch/include/tensorpipe/channel/basic/factory.h,sha256=3o2OYoXOWYEwtjoQ5X-EswIApRuljOdRWv-ojMhhx5Q,463
+torch/include/tensorpipe/channel/cma/factory.h,sha256=JxKJlqaLXICRxUAUQ4WhZvnlDJ16q50RaRNrd_LI1kk,459
+torch/include/tensorpipe/channel/context.h,sha256=7ALwdlTvgQ03mQaf62xXQ8DUyPOqwg45Qd0F4K6d6II,3701
+torch/include/tensorpipe/channel/error.h,sha256=gELOO5tHQHB4A-WmJuEs6ti1R4EsclrJwIKd9M7tcI4,778
+torch/include/tensorpipe/channel/mpt/factory.h,sha256=G0uZbp_uflgv-AFC7ne6m0txzApGqMZWvt_ICfq3WKo,646
+torch/include/tensorpipe/channel/xth/factory.h,sha256=EmAmNeIHbPe5bMKHnlHR6xdxzTEoCjczXWS8AhiKJWc,459
+torch/include/tensorpipe/common/buffer.h,sha256=p4M8zVk4PM2536SlgY44_RhxEKREEZT6I8oVDJxhyXA,3472
+torch/include/tensorpipe/common/cpu_buffer.h,sha256=pxnNAhil60W4izP77i80GpYRAM1C80jeBO34Jai1RfA,441
+torch/include/tensorpipe/common/cuda_buffer.h,sha256=CTwIuLbgn0Jfp7rKEPZGG_Fo01q9oU67Mpw48SICUls,468
+torch/include/tensorpipe/common/device.h,sha256=KZSlF-D7o3gWVCc8bzQpt_nDBLvW0maDdOFrx60Whis,1649
+torch/include/tensorpipe/common/error.h,sha256=JkbuNVfCczMIFayGA0woiLCOEHTaSLmqC3dHBCvl4_Y,3136
+torch/include/tensorpipe/common/optional.h,sha256=R8Io-h6lETspEfT9z8gWWkKuS2y1X1bTCVFDJCp-lTQ,26638
+torch/include/tensorpipe/config.h,sha256=W7Q7azBmk7xdHVyvraFKBKwxkk6dsQew26lwxuDJu84,351
+torch/include/tensorpipe/config_cuda.h,sha256=_SLA9yKKTnnSbVDgUCfc5BmO3kFgcjGxUxVWu-WH3VM,319
+torch/include/tensorpipe/core/context.h,sha256=jM_MOIRoc1ZUU_NJi6du5PtFaxAzOEQiqzAb_ludD_g,2468
+torch/include/tensorpipe/core/error.h,sha256=7NdEl7Irf82Yk0WL2XXTFnpIapv04vuiEMn7mCCq060,961
+torch/include/tensorpipe/core/listener.h,sha256=19RG5UUa6-8AZAf5Nr-yA6_4j7bfBsdOv0CUwJF83cM,2928
+torch/include/tensorpipe/core/message.h,sha256=ycfshEi1a8QOrNJlOKZwKWKVzNo7F42-pZeiZtglxuY,2885
+torch/include/tensorpipe/core/pipe.h,sha256=Zb0z4tKyoAPd99se_YZs1RQe3Cd7iydEsbanE8LbiD4,2972
+torch/include/tensorpipe/tensorpipe.h,sha256=UlOcNcNxPcn35eq0OBZ0YzjRGPaZevqfOas094Mya-Q,1449
+torch/include/tensorpipe/tensorpipe_cuda.h,sha256=jfoYOu7NbE5bgHtQoW_LktEqtjP-D8QNHl9PgXfuKsQ,704
+torch/include/tensorpipe/transport/context.h,sha256=L6kYLwqLG3V-o90buhzJFPh7eI_dzQEqPj-m0A96alw,2645
+torch/include/tensorpipe/transport/error.h,sha256=cmUQYONBrI-zmT28gCKojsqp6OxSUh-OJq2bNWqjbOA,919
+torch/include/tensorpipe/transport/ibv/error.h,sha256=K_0RM-V2HRRp_f-CQR8VWxXao-jyT_BhAycnAlAX7uw,920
+torch/include/tensorpipe/transport/ibv/factory.h,sha256=x1RLLvO58D4JQY_BTj-Jo7eKQwKA1FVueAeVzzGg9Gg,465
+torch/include/tensorpipe/transport/ibv/utility.h,sha256=OwgbqTXmVFVfbq4HYZTPShLz0lhYWLsJ7OyG1c1uEK0,569
+torch/include/tensorpipe/transport/shm/factory.h,sha256=7SEWso-QS8ZpHPaffz4QCP-o8rusTJAC1Vdw3bMpJt0,465
+torch/include/tensorpipe/transport/uv/error.h,sha256=YHLjjMatSyU_V1ulMyFi3WWJQT_xJZCzH4YHt20tYLg,716
+torch/include/tensorpipe/transport/uv/factory.h,sha256=1hSYHcEhiLvuRgvEanrpDPzO1wtzG_2ZgeLH72mtwAE,463
+torch/include/tensorpipe/transport/uv/utility.h,sha256=FRljgmy75kb4DNXkINUOSN3prXPrNWttP4FvsyR1t3c,1049
+torch/include/torch/csrc/CudaIPCTypes.h,sha256=1NWXzIO6hR-YbsXDEAaux5cXPhA6Dc4POOrVBstZJe0,3397
+torch/include/torch/csrc/DataLoader.h,sha256=lznqMptWAhecYOjR4xNw7M9uz_D_3i-erB2afkahEns,222
+torch/include/torch/csrc/Device.h,sha256=-2jKs9r1Kd_NzeRiVXarBVyRAEHOd8JEZry6XhU0GWA,483
+torch/include/torch/csrc/Dtype.h,sha256=lx62svLbBYG49OcsMAyemsumU3cjiBWD19xa1og_g7w,789
+torch/include/torch/csrc/DynamicTypes.h,sha256=5QAXN-7uShXfuhKBbqdNDkkt9-bz8PmQl1o-EsHYPEY,999
+torch/include/torch/csrc/Event.h,sha256=FhNV-RDeKc8bf5kBF1fcqgkvyqG27fbTQEb2sqh4j6Y,534
+torch/include/torch/csrc/Exceptions.h,sha256=22c__6Lh3gniE4-nXK39oU8oT95GNIwkmqx1Rmuror8,15206
+torch/include/torch/csrc/Export.h,sha256=ZiMG2QBIF6DcKqwWj3KSiXLWEn55prmg9a5IjvOzjuM,157
+torch/include/torch/csrc/Generator.h,sha256=rjXBbuB2of6n4tiwU2p2KdHca3t_QFa5Gxa1Fn-QyZU,1040
+torch/include/torch/csrc/Layout.h,sha256=f4b22tdUkDPMBPf10r18CSrLrEX1zV0LgNBt9DUG1CU,537
+torch/include/torch/csrc/MemoryFormat.h,sha256=PS_TTIZiELRrg08au2TF5Pn5OjJ_78kESahVT754j2g,632
+torch/include/torch/csrc/Module.h,sha256=wN2tjWdCnIQxJrMDwGu9qvP8r3Q-33eB2HkCvydBUUo,101
+torch/include/torch/csrc/PyInterpreter.h,sha256=qKBF5qdTCx7hQxPUutO2sevyWnaW4kdtpM1G_yvZENo,195
+torch/include/torch/csrc/QScheme.h,sha256=7Tp540AWYE0HrNgNQmHdhyGwAouc2ZS3oewmKHsyXbM,558
+torch/include/torch/csrc/Size.h,sha256=i312eBDDhfQsJqIEY7HLO4mm6-F3gw0xptYBn-jcGYY,428
+torch/include/torch/csrc/Storage.h,sha256=34PcKpN5OAYDej7xvRhpEgPYYHXmG-tFBPkmDBNkT04,1520
+torch/include/torch/csrc/StorageMethods.h,sha256=rwOmQTprbmsE6JSQwctAI4et7C4sCu4T9aIfqLlcFY4,132
+torch/include/torch/csrc/StorageSharing.h,sha256=1CArzbCWa2fFqAh9GWj4fQovYycv5iY4D3UaamuAKJk,139
+torch/include/torch/csrc/Stream.h,sha256=7kZ7O6VsI0JxaZ0a27v3mGPSVEDXllQ4zPy4DSw0ZXs,546
+torch/include/torch/csrc/THConcat.h,sha256=JD1F5DtB2Ep00ZJVpilglulqKt6sTBwu7hS_Cmw2Cek,691
+torch/include/torch/csrc/THP.h,sha256=SPSS5bsFlvR4N7dgR2kV4fhELIwwggJnA3a82Wtgh84,894
+torch/include/torch/csrc/TypeInfo.h,sha256=ELy98ihypY76ViLiKmnrn0I3Lm6v0Xkko6hHzVdLl-M,498
+torch/include/torch/csrc/Types.h,sha256=AmVTjwFoCqH3ekahbAr32ulikXerrtB7ycNIDeX32lU,163
+torch/include/torch/csrc/api/include/torch/all.h,sha256=9nh4mWm6VZTD76X8xtCVjsx67eP5d3he8dAGKS_DmBc,590
+torch/include/torch/csrc/api/include/torch/arg.h,sha256=iGZepqd2MO7wSLfVuxeFo4UIfEHsI344159ekT528Mg,1427
+torch/include/torch/csrc/api/include/torch/autograd.h,sha256=MsdrQ_Un675B93MTyFZ1cLc09aLGLpXhwvJTZhR_j0Y,172
+torch/include/torch/csrc/api/include/torch/cuda.h,sha256=J238-uWS1thxsCxBj_f6wxC_fQPFc8A6MAYftdEEa5I,738
+torch/include/torch/csrc/api/include/torch/data.h,sha256=Kmhs111GxZwH-79BzETOAFrXVdXa-biOfDVy9H0PSvc,301
+torch/include/torch/csrc/api/include/torch/data/dataloader.h,sha256=HPYqCT10Ayx921nOdO6WIjghzEI4voQ9LgxCJYltq6c,1957
+torch/include/torch/csrc/api/include/torch/data/dataloader/base.h,sha256=bAS0eiyi1X6EyNTl7R7CdmsVvT5qZrbe0Ec0-d1azZ0,9091
+torch/include/torch/csrc/api/include/torch/data/dataloader/stateful.h,sha256=1JKR0Obtu3N0K0foAHARtvLZoZXujcyLlv8lCxzzIjY,2355
+torch/include/torch/csrc/api/include/torch/data/dataloader/stateless.h,sha256=shX4hiIWK6gNwdWdUt1qRcJBH53SzOrFCebUn45Riho,2773
+torch/include/torch/csrc/api/include/torch/data/dataloader_options.h,sha256=11favVQYGSXABmtx2OtLHIXDbV1tE_zEbcWnxJN3B8o,2207
+torch/include/torch/csrc/api/include/torch/data/datasets.h,sha256=Q3_zlkvTD7BOp09o0vpPhI9r_1ABb_6n5CunXPS8ZCU,289
+torch/include/torch/csrc/api/include/torch/data/datasets/base.h,sha256=IeK2LEjERreF490CTHgQyVBHAsDwUoEj5tiCy7DEGc0,3255
+torch/include/torch/csrc/api/include/torch/data/datasets/chunk.h,sha256=pcxe7fnfFIpMMBF7Ap9MYO1pW-SnYUl8bUlCopwh5CM,19166
+torch/include/torch/csrc/api/include/torch/data/datasets/map.h,sha256=2kU626ppfYHK5jov3RVHYf5ujhPSlLp7o-TCrKTwx3c,4145
+torch/include/torch/csrc/api/include/torch/data/datasets/mnist.h,sha256=EsIiV0K1xWUkWyvxJECZ-h5i9WTcgey7UwWg7y7rXbI,1274
+torch/include/torch/csrc/api/include/torch/data/datasets/shared.h,sha256=3sWsIjprurANfiujsA-nXYSaUjDb4J-6SC1fqfeAWtY,2640
+torch/include/torch/csrc/api/include/torch/data/datasets/stateful.h,sha256=BSXgm3tIeUJ7UeXFtcx9cl1ETE37j8xtnTZ-1Ph2AI4,2304
+torch/include/torch/csrc/api/include/torch/data/datasets/tensor.h,sha256=iwc95QjuG-qua9WDXr-UVvlJcL5yxaon8VjSS3_Gj9E,954
+torch/include/torch/csrc/api/include/torch/data/detail/data_shuttle.h,sha256=Ezx7V5a0DzbKFYaB-qONu5KE4CrMC6MddrluCXNkEzA,2626
+torch/include/torch/csrc/api/include/torch/data/detail/queue.h,sha256=sC_Z5JwLzcudmuDj2s5U9f39dkcdjkwfElWje6sSYyw,2486
+torch/include/torch/csrc/api/include/torch/data/detail/sequencers.h,sha256=4hOK1efnNfm_E1XY7kP1eC0EzJNlRpI317kciJi3S7g,4470
+torch/include/torch/csrc/api/include/torch/data/example.h,sha256=FoF2ZsbWqnyGe62RGxQpEe9zkPEFwPbnV_O9eGErl_o,1314
+torch/include/torch/csrc/api/include/torch/data/iterator.h,sha256=a5SCTCB0wHPJAuZtgj04OMKoyc3SKDwjnjfDONIbYZo,5284
+torch/include/torch/csrc/api/include/torch/data/samplers.h,sha256=ILkgiKXJN6RyR0Fjmmv8E8LuRBIoBH_P6lUmenbf8Ho,318
+torch/include/torch/csrc/api/include/torch/data/samplers/base.h,sha256=r_HP0iHQFeQ-5kaihcHHspLTZk4fSs6cztGPTKo2wJ0,1230
+torch/include/torch/csrc/api/include/torch/data/samplers/custom_batch_request.h,sha256=wwuFriVD9gspMiNaUerjj0JbzYiSq9gGHcvGxR5HJMA,556
+torch/include/torch/csrc/api/include/torch/data/samplers/distributed.h,sha256=xpV3JDi_ypd2zII3dzwVPVoNTVj1cuBkBV3rLIEr9yE,4120
+torch/include/torch/csrc/api/include/torch/data/samplers/random.h,sha256=CyDH8IthLCqxQMd7hp_Hjclmz8yXjIVdreKjx2MVQ-Q,1522
+torch/include/torch/csrc/api/include/torch/data/samplers/sequential.h,sha256=8CkVK2ND4rrMFeA1UQ2V8ZeI66NOJoaqX7mZd9Zz6mk,1254
+torch/include/torch/csrc/api/include/torch/data/samplers/serialize.h,sha256=Xziths-YjwF_GZ48kRC2woI-Mq3T5FnPaqb_rN1Dd7A,707
+torch/include/torch/csrc/api/include/torch/data/samplers/stream.h,sha256=QFEyl-x1J14aCngLJJ5Cq_M9z1UsW1yfDSsU1P1o_7I,2033
+torch/include/torch/csrc/api/include/torch/data/transforms.h,sha256=TvF9SJpmwR6rCQJvCvO4T5egw3AsiQsCCoOXs_0UTrA,222
+torch/include/torch/csrc/api/include/torch/data/transforms/base.h,sha256=ASbt1QfCjbbr1Y0UlhbxJMe2fB-aRUiQknSgnhSc52E,1629
+torch/include/torch/csrc/api/include/torch/data/transforms/collate.h,sha256=WmDBU1eC-t1-s0j8FQioTkdq1mwXoO_bqpB1lQo3rQI,1113
+torch/include/torch/csrc/api/include/torch/data/transforms/lambda.h,sha256=Kv3GGowexuP96q9NMdRD8VOPvAWq1V3vkc_c_SiUdjM,1709
+torch/include/torch/csrc/api/include/torch/data/transforms/stack.h,sha256=-PJSj11bWeg0mja_pATfo56qqrMcrHxvKO_qEZXaRQY,1424
+torch/include/torch/csrc/api/include/torch/data/transforms/tensor.h,sha256=kuYi1QbUpZcFZBA6_ty3rndAxH8ijPHUDaK64LqDr9k,2473
+torch/include/torch/csrc/api/include/torch/data/worker_exception.h,sha256=5wwUj8XNAgIBfepKIFOVzjtZ1_jf4TNXXXe-MUOIVxA,1088
+torch/include/torch/csrc/api/include/torch/detail/TensorDataContainer.h,sha256=0WGFrKHAV_i2pCI9cQ3xgWVBQATOajYUL0JSz0eDn78,13504
+torch/include/torch/csrc/api/include/torch/detail/static.h,sha256=pUIWtGGNH8v1WLnEULDUp3nUXrEn5mlgr2VEUCvP2nQ,2200
+torch/include/torch/csrc/api/include/torch/enum.h,sha256=-tBHQNaovnuDmmfZaxe1HaT09tDXEQiqtA9osvIDdGs,7407
+torch/include/torch/csrc/api/include/torch/expanding_array.h,sha256=gR1IqCaPrRAJKV7poAiooCFUS-5yB29B_530Xq1u54U,6673
+torch/include/torch/csrc/api/include/torch/fft.h,sha256=N57XSCBr1f00sfpwouzc1Bx_w8_4GEfdEQCFL9YEHKw,12018
+torch/include/torch/csrc/api/include/torch/imethod.h,sha256=jKsQgJqScAnlZLk5Gpx_b0mE1crUn95AULY3w77hjmw,1740
+torch/include/torch/csrc/api/include/torch/jit.h,sha256=DHCcXjlpyeSFTF58OmdCXUJL3hrXRujX-hIgA8YXukM,913
+torch/include/torch/csrc/api/include/torch/linalg.h,sha256=XQ8W8ImUbr_Htgxbc7NveIZsUMXffqtVcJ9u04R6X4E,28430
+torch/include/torch/csrc/api/include/torch/mps.h,sha256=FRDi-oKf2Xayga00DSgWPomyyWuC_nSKSbMSgkUAAWM,1219
+torch/include/torch/csrc/api/include/torch/nested.h,sha256=tjjqZe1l7ex33Q1yb6kT31PR9LhOttVjpXqAdY6HwUk,2798
+torch/include/torch/csrc/api/include/torch/nn.h,sha256=Iah9Blyam2lcEKX85589p1KxupDmsbwkigjMErXYSUI,251
+torch/include/torch/csrc/api/include/torch/nn/cloneable.h,sha256=zDEzxwVI0lJUgMhfHFjJOI7RyusqymDKl5MUSXortdE,3881
+torch/include/torch/csrc/api/include/torch/nn/functional.h,sha256=NysmuOu8Bb9fjjXr_qJk2eflRZtyB-B_txwODYKiCyU,642
+torch/include/torch/csrc/api/include/torch/nn/functional/activation.h,sha256=h4I80veDo-Hu6kYZOruopoznfSCv7ePfwgvrEqeInoE,29850
+torch/include/torch/csrc/api/include/torch/nn/functional/batchnorm.h,sha256=31u6gLhj8flgcFBPvoffCyXVo4GonleHhHBBERUwymg,2088
+torch/include/torch/csrc/api/include/torch/nn/functional/conv.h,sha256=EQxsD6CHlj--0scQH1jMzLx1eK_oZJtOcCH3gf4JUFo,8147
+torch/include/torch/csrc/api/include/torch/nn/functional/distance.h,sha256=ZKeMzztlHI9deP_sGkkZ6Sx25xSV_BliUEDD_j1iRfA,2549
+torch/include/torch/csrc/api/include/torch/nn/functional/dropout.h,sha256=TW8xAR53mhni7fpCQDKIQ7pHBW793a6p8-N6lhaob94,6586
+torch/include/torch/csrc/api/include/torch/nn/functional/embedding.h,sha256=6LrzOEgbeEsCUtqbF0fKwG3poy-O2yj8eBs4M7DygSU,6459
+torch/include/torch/csrc/api/include/torch/nn/functional/fold.h,sha256=aDNkzK1XoHGUpfbcjXdSugxGJPR8_-9HFBD_I630mgY,2786
+torch/include/torch/csrc/api/include/torch/nn/functional/instancenorm.h,sha256=vF5wCiUfY4a0tBS-NWCIy84Sh-8gfK_ypSLoFLegvYY,1605
+torch/include/torch/csrc/api/include/torch/nn/functional/linear.h,sha256=WXUeDK7FwvXxtZroPOP9KdP6Rvn2T3K8ds2OCEkPJfc,811
+torch/include/torch/csrc/api/include/torch/nn/functional/loss.h,sha256=RwN72emIzaCo9YC4a8hsssHgS0OXcanKVQqOwM9GUjg,31954
+torch/include/torch/csrc/api/include/torch/nn/functional/normalization.h,sha256=l75E7lnzF13hPWrrQsHPx5EKgZiS4TzD6Czrxc3LgoA,6021
+torch/include/torch/csrc/api/include/torch/nn/functional/padding.h,sha256=5kT32hmj1ubDqLp_w6DIgsRb852LHj1Yw9V0Q548THY,1724
+torch/include/torch/csrc/api/include/torch/nn/functional/pixelshuffle.h,sha256=-i59zXgh20MQbpE8GvKGb8PkyXl8FAWFTb-4thfnwTc,1343
+torch/include/torch/csrc/api/include/torch/nn/functional/pooling.h,sha256=v98gimzVj1TjhPXIgIwri2jw7JXhmoY3xsfCYgD9jrs,35455
+torch/include/torch/csrc/api/include/torch/nn/functional/upsampling.h,sha256=s24FfZ2G97Qq9RM0Ox2RXiolvZ9tQT8Mh_vVaxTHV1o,10761
+torch/include/torch/csrc/api/include/torch/nn/functional/vision.h,sha256=nstJWF90xPCvXNF2rNu-_fcY-4ASGwZr6p96JKOnmR8,3675
+torch/include/torch/csrc/api/include/torch/nn/init.h,sha256=peZX66JUTiRh4XRtOdscOKM9gmzt0N8RdqnvQFVleAo,4967
+torch/include/torch/csrc/api/include/torch/nn/module.h,sha256=-TiJnrYpMg1MOAcRcxMKVpqMTPVGYVc7_nLmKSWDros,26858
+torch/include/torch/csrc/api/include/torch/nn/modules.h,sha256=N-ch-fayJ5OIZEUP2hKxJK26CjIEGUnC2d8BnQWfK2M,1289
+torch/include/torch/csrc/api/include/torch/nn/modules/_functions.h,sha256=BP9nGTfrMWkvkNeWHXCl9beAWRvq-EQtnNo-DrCaCKY,706
+torch/include/torch/csrc/api/include/torch/nn/modules/activation.h,sha256=NMSmBpvtp_qPQziq5h7r2wv-YXrIA-AmromKeXZBNmE,30338
+torch/include/torch/csrc/api/include/torch/nn/modules/adaptive.h,sha256=g7WzDvs07m2oIaQE60YwFaBHgieqpCBm63YBIn2PBOY,3511
+torch/include/torch/csrc/api/include/torch/nn/modules/batchnorm.h,sha256=8N5R8n9RAtk5hUvNm2uWQGx6IsgzU2nZ1Ejs5u49tyI,8429
+torch/include/torch/csrc/api/include/torch/nn/modules/common.h,sha256=VIpLpI_JSyD8B372lKDzksHNFqgy5Ktn0F9iv5v-YTQ,4318
+torch/include/torch/csrc/api/include/torch/nn/modules/container/any.h,sha256=Hykw0B8jZCWyJr2SqddcIqdcczhpHkTus1XgKFr3olI,13722
+torch/include/torch/csrc/api/include/torch/nn/modules/container/any_module_holder.h,sha256=7YVmkUo4wdybUbKqQiQbmKcknPvn2GRP_cBrEEV5AN8,4806
+torch/include/torch/csrc/api/include/torch/nn/modules/container/any_value.h,sha256=szTdZbkCAWlv_2fHJbC53Y7_-umOoeHnsX-Xwxxa1Ww,4096
+torch/include/torch/csrc/api/include/torch/nn/modules/container/functional.h,sha256=qofxHYNImf3Xz165cWFeHfiiUaXbShoULoTe3F9Ydnc,3435
+torch/include/torch/csrc/api/include/torch/nn/modules/container/moduledict.h,sha256=OS8d-nox3sghr-80W5q1Z0JaIjKmszf1lJn-pGSNROU,8437
+torch/include/torch/csrc/api/include/torch/nn/modules/container/modulelist.h,sha256=qnmLQwQpZnSQT6hY-PuMQGW5HDy_0tCg5EUPSlGRXEA,8983
+torch/include/torch/csrc/api/include/torch/nn/modules/container/named_any.h,sha256=P2sWNAVFOwMDgAxGuLNeWTfv27J3pwgQfd6fDZ1xTUU,2748
+torch/include/torch/csrc/api/include/torch/nn/modules/container/parameterdict.h,sha256=hZfkx8aAFcLHdr-pTgDgRZB0AhFKEcw1fhxpoyqGRus,4500
+torch/include/torch/csrc/api/include/torch/nn/modules/container/parameterlist.h,sha256=Dt0JwsLZpr9C0WOuvNmxJHZSOntzLmnewaE2CfcUarI,5612
+torch/include/torch/csrc/api/include/torch/nn/modules/container/sequential.h,sha256=WlbdG1ALM2nUsRt7QebLkmoBTXNqONzUfnPc0b2JpXc,13740
+torch/include/torch/csrc/api/include/torch/nn/modules/conv.h,sha256=ET9zXy66TfkiYAm1wJwed1XCsf8lK9FxHFgZ0De5aKc,16338
+torch/include/torch/csrc/api/include/torch/nn/modules/distance.h,sha256=_pLgboy-ozY5cCyo_45WM02RoQLmNYMMZbm1BfvzgKU,3081
+torch/include/torch/csrc/api/include/torch/nn/modules/dropout.h,sha256=OUlN1AlhQZYKuiWH922-2d_ulSTy2-j1vp2jBGUhQwU,6517
+torch/include/torch/csrc/api/include/torch/nn/modules/embedding.h,sha256=-vVov7QfA7f3wc-ZEBQaGA6g5rcn9fcyiJxQrp7w2FE,6220
+torch/include/torch/csrc/api/include/torch/nn/modules/fold.h,sha256=BIg7APQ_HaeIxPnIvt2NwXa_7K03B-ImFjUEb-z5FCU,2847
+torch/include/torch/csrc/api/include/torch/nn/modules/instancenorm.h,sha256=lC3NztWPUljk3HqLTJ25BFyyNmiyH2bYfSou2p4_FBw,5434
+torch/include/torch/csrc/api/include/torch/nn/modules/linear.h,sha256=Dj053TykL1F_LHYOr7deM6oX4h29y96RnTI1VmK9wLo,7445
+torch/include/torch/csrc/api/include/torch/nn/modules/loss.h,sha256=gkzXNOMfG7NZSdwYV07DhbvNct4cSeddRBs-BrhKZB8,31007
+torch/include/torch/csrc/api/include/torch/nn/modules/normalization.h,sha256=g8a90_b9uhX0sdY0gzdiSxUYqjWTyg2FJ3apWPDrCms,6926
+torch/include/torch/csrc/api/include/torch/nn/modules/padding.h,sha256=RetIQeHGtV5VHxsiFzE3kvACiWVWccne5OgDgvv-nnU,14371
+torch/include/torch/csrc/api/include/torch/nn/modules/pixelshuffle.h,sha256=ffOnYEpSUTn4_cs5o9i-4o9sBwmJlkNl2LHJWgdhK-E,3134
+torch/include/torch/csrc/api/include/torch/nn/modules/pooling.h,sha256=Crl-3GlujjWgv-m5rCx9OmSpfFGg0S56LyaNxinCQPg,29665
+torch/include/torch/csrc/api/include/torch/nn/modules/rnn.h,sha256=ZGV1Iak0TOsKcJuwI881fUavCq99XzCX9k5tTVL2OxY,13471
+torch/include/torch/csrc/api/include/torch/nn/modules/transformer.h,sha256=csOLk0HEH9ecHhyRvagjkFSx4ImefSI-beO_mn1Tnh8,5347
+torch/include/torch/csrc/api/include/torch/nn/modules/transformercoder.h,sha256=EPoNusED4pNobo8JPiOcu_3vgNc1oSmlS0wsGhWgw14,5206
+torch/include/torch/csrc/api/include/torch/nn/modules/transformerlayer.h,sha256=ygMr2iO_75qd_-_jQ-58kjD5N6oxv9QMOMpeWVwgEvs,6432
+torch/include/torch/csrc/api/include/torch/nn/modules/upsampling.h,sha256=APIo9hRrQldZurXJqPguJ3ZG3YWfFBGM0qjwpcIjpJ8,1651
+torch/include/torch/csrc/api/include/torch/nn/modules/utils.h,sha256=5lhxKXJJr0S3EIja8u3K8PS0n_g4PmoWeTHk-m6rr2Q,1517
+torch/include/torch/csrc/api/include/torch/nn/options.h,sha256=gilbiVyS93p7hxxyII0HQeKrDG8lVfOafzVF--xe6Jo,645
+torch/include/torch/csrc/api/include/torch/nn/options/activation.h,sha256=hOh9DkON60SbripvQ8ktJeVZ5Bgp327enBbJv8gUBGg,19044
+torch/include/torch/csrc/api/include/torch/nn/options/adaptive.h,sha256=5EPq-J3DmNkQbwGBVLp7PeBCdVtSvBkfbPgGwdn4hCk,1082
+torch/include/torch/csrc/api/include/torch/nn/options/batchnorm.h,sha256=bA-q0Q25BAHnVEZZsLvFeZhgP7v-EFcoKHttCkYGjGY,2799
+torch/include/torch/csrc/api/include/torch/nn/options/conv.h,sha256=fDKeCfujd4KWTHVxhK3uEHJwcc1z0pa4Kphq6FQW_PQ,13471
+torch/include/torch/csrc/api/include/torch/nn/options/distance.h,sha256=1xO3QSvj2bRjC_tDSxsRHeZrWUo-aoyjoWGfjpE4FB8,2014
+torch/include/torch/csrc/api/include/torch/nn/options/dropout.h,sha256=310P1wMBa54NUwsX9-ZnaZz5cQ6MXt--zLwMopR-kZw,3070
+torch/include/torch/csrc/api/include/torch/nn/options/embedding.h,sha256=rMIgecn4WQLj6MvFjQx_mQ-xU04tkP4SNtboCceGnzw,11667
+torch/include/torch/csrc/api/include/torch/nn/options/fold.h,sha256=O0L5OK4knN17vWHoOlJO0oYcTPtg45KwHf5_Ozm7QOo,2985
+torch/include/torch/csrc/api/include/torch/nn/options/instancenorm.h,sha256=OYi8hkjptDwVSmUe4rVRKbWAinL3-yGWKfnrgVQhchE,2321
+torch/include/torch/csrc/api/include/torch/nn/options/linear.h,sha256=4vbCx_PsUqaEBZHT23QkkMlwX8dYJlgPDUewYEgAOP0,2804
+torch/include/torch/csrc/api/include/torch/nn/options/loss.h,sha256=HrRUvARYkf-VbkrEsNautVMWp1nnO60AWGr_SlAy3YM,26727
+torch/include/torch/csrc/api/include/torch/nn/options/normalization.h,sha256=5CkRK0897dX-cGkWEnGviXciGEluqoxWAmaCQSe5XLU,5522
+torch/include/torch/csrc/api/include/torch/nn/options/padding.h,sha256=niy8hQD-O7chIgVuxed2Vn5Y4msg6qsCsUnoU2XHNwM,6860
+torch/include/torch/csrc/api/include/torch/nn/options/pixelshuffle.h,sha256=8IxbtIymppT6zZ5HML8U-u4popSCbPoGWwL97kWovj0,1657
+torch/include/torch/csrc/api/include/torch/nn/options/pooling.h,sha256=vQp_dzXvXWcq5-Z8ETNLw7Hs-_EcRczVRRIkWSs5qY0,17743
+torch/include/torch/csrc/api/include/torch/nn/options/rnn.h,sha256=RBLJcPr1RXoK-lFWVyAgxcmQa0StVX3wifjYOr3XksI,8220
+torch/include/torch/csrc/api/include/torch/nn/options/transformer.h,sha256=ZovANxKNXQMg3-GjB1FYcYnGiWq5zAunZVRNxubCnvE,1839
+torch/include/torch/csrc/api/include/torch/nn/options/transformercoder.h,sha256=GyPoGtcjMp1zC0cdecPqdHUyqI9qMRImM570EXUoVjk,2344
+torch/include/torch/csrc/api/include/torch/nn/options/transformerlayer.h,sha256=j-KijW00OJcG8mDqkY7RzA8UTE337YryBmvU0SkhGU4,2084
+torch/include/torch/csrc/api/include/torch/nn/options/upsampling.h,sha256=1Fzg-vKe8V5BENkfW_kFwZiqLISx0gBxaoTK_P5XSuY,4150
+torch/include/torch/csrc/api/include/torch/nn/options/vision.h,sha256=sZJej66gnFW-pgyFE43iDVOk9znXWRkg3y8CR15I2xk,1099
+torch/include/torch/csrc/api/include/torch/nn/parallel/data_parallel.h,sha256=boWLFLpR4oWK_SlnnJYZGaIC7xCWHXJcyRvHwD0oHU0,11126
+torch/include/torch/csrc/api/include/torch/nn/pimpl-inl.h,sha256=F-2WQ11FuaWHsDcz31hVCBBD1WKgkaxCXrabd8sclMc,3224
+torch/include/torch/csrc/api/include/torch/nn/pimpl.h,sha256=hpxX46z_z3hVmfsx0fZ-nbJT8BVHmaRahmrtXEleHrE,6637
+torch/include/torch/csrc/api/include/torch/nn/utils.h,sha256=WCbMNSev0r4C0hIKiE0SK89PEv_fXBGZA3jregGzNNE,131
+torch/include/torch/csrc/api/include/torch/nn/utils/clip_grad.h,sha256=rErcAJYAdXQCg3IJO7PltgtpCv-1Pyh1JqtYBgNuuNg,4874
+torch/include/torch/csrc/api/include/torch/nn/utils/convert_parameters.h,sha256=29Rgz6tKU_MAY7xAz-qTuSkAjd_YBRa3V47YeTsMnjk,2442
+torch/include/torch/csrc/api/include/torch/nn/utils/rnn.h,sha256=C5tLzflMvc0EvgTCkzCO71xPapRPD1I4IBn9Fnx3y3k,12680
+torch/include/torch/csrc/api/include/torch/optim.h,sha256=N73RsN8bKIwQiMQ5Syj4MIBBHDHTkb-2aOxb4UuoQbA,394
+torch/include/torch/csrc/api/include/torch/optim/adagrad.h,sha256=MTFVhxp4UVapF-9_WycQrkLOJnm28z-2NkW1bRIaJNQ,3553
+torch/include/torch/csrc/api/include/torch/optim/adam.h,sha256=g25k323eiHpoomr8I4U1FB4ftmSAfwqAhSMEhvK0Fg4,2948
+torch/include/torch/csrc/api/include/torch/optim/adamw.h,sha256=2ggm--yAP7_u6q1LQuvOgVYvaFsHX_luZVlYRQMwJVg,2968
+torch/include/torch/csrc/api/include/torch/optim/lbfgs.h,sha256=4pvJVizT0NWcDasTmRsDB2cuBkKj8CmN3vN7dmiGZf0,3475
+torch/include/torch/csrc/api/include/torch/optim/optimizer.h,sha256=-t7rn6F4vEMVKWMdbmMs6ijXwv5IvksPma8q9A8KGp4,7739
+torch/include/torch/csrc/api/include/torch/optim/rmsprop.h,sha256=_-0cYe5WqZEx5CFQbQ7kDqI8s7ErzvVf7FFJ8OSYyJ0,2944
+torch/include/torch/csrc/api/include/torch/optim/schedulers/lr_scheduler.h,sha256=IEBVve89OX_4eeCsiUE7VeImY798ivG5y1S6qH5T89U,1073
+torch/include/torch/csrc/api/include/torch/optim/schedulers/reduce_on_plateau_scheduler.h,sha256=gNi-Egw6VDbcCaVhMMwjzcuUrTW05wFgYg5O1i5c72k,1350
+torch/include/torch/csrc/api/include/torch/optim/schedulers/step_lr.h,sha256=dL77rvbqybcqFZr6FodFnW6taud9JFPFnX5kW_2b_ZY,424
+torch/include/torch/csrc/api/include/torch/optim/serialize.h,sha256=3wSDF8IC_9oq_DnTSsLzo6KHwY6Mb1i9_ISaLOxEB1A,12550
+torch/include/torch/csrc/api/include/torch/optim/sgd.h,sha256=5W-3wIeP3Zic4ZJRA0bwYiwMPJGzX88CHi_X4qr5uVU,2690
+torch/include/torch/csrc/api/include/torch/ordered_dict.h,sha256=LyKdAi0oHRb09ePr1N98eid4PwITHxxOwUcogYBX-6c,16236
+torch/include/torch/csrc/api/include/torch/python.h,sha256=a1qb9sEiYP1CTRMOLSmWfIQ14fkO0ITwNuB1dlDVwjE,9903
+torch/include/torch/csrc/api/include/torch/serialize.h,sha256=IDE9Nj1gc7itAvC3fPOtydjauYKC7nLkWUi6vecOlLQ,5244
+torch/include/torch/csrc/api/include/torch/serialize/archive.h,sha256=IM8xj82javqyrkZJGayTWjrst7_FKKllzucRwSMrlos,101
+torch/include/torch/csrc/api/include/torch/serialize/input-archive.h,sha256=5_H1qUf0Iu1b02uVGAwvVyKCPf37Zw1av7QnS1Zxvck,3992
+torch/include/torch/csrc/api/include/torch/serialize/output-archive.h,sha256=SwvplynJPXRoJFGKYnocrS4K_jelwVG0cCmiB8wd9Ow,2315
+torch/include/torch/csrc/api/include/torch/serialize/tensor.h,sha256=gEYAbqPp6R4AH1G7o4OuS-zVPY8osmtguUFfSSUt7jI,432
+torch/include/torch/csrc/api/include/torch/sparse.h,sha256=XqH3dLpwkPJzg0p_5XcJ01tnrQC98M9Fhe48Jg6KHc4,97
+torch/include/torch/csrc/api/include/torch/special.h,sha256=Cms2GXCdMlPqc9bSGWuUI7sDbSgOn5Tku2jHNXQ03BI,38310
+torch/include/torch/csrc/api/include/torch/torch.h,sha256=VRdG_p1q4Y2gB0LtTmL_C4EpbrPQuvFVa-21l1wc-VU,154
+torch/include/torch/csrc/api/include/torch/types.h,sha256=AiczlsXtsqdri-ZdK48uyJZiXKoZg619dc4ahl4WXKc,2300
+torch/include/torch/csrc/api/include/torch/utils.h,sha256=T1WuMmWHTIEsjAwu6u04stbCbDGCpQyqDVmdvRrmIoo,3512
+torch/include/torch/csrc/api/include/torch/version.h,sha256=gm9E2TlG7PCG5yKdXEGxumFstM67uV4lc78Z6F1zpGw,315
+torch/include/torch/csrc/api/include/torch/xpu.h,sha256=Dlrk3eATuICT4j9HpzznnO6T7nPzIoEXlbuUtwstXOU,602
+torch/include/torch/csrc/autograd/FunctionsManual.h,sha256=zqNRkKFVBsLVfxbKJFq9BrbruakqctrUspiuBxRJtMQ,32107
+torch/include/torch/csrc/autograd/InferenceMode.h,sha256=hyp9uc-uXPuSoiyVupyje0n6r0_RlcZKQS4xX8eVAWE,156
+torch/include/torch/csrc/autograd/VariableTypeUtils.h,sha256=05lL-krnQ6v2AFcUbQqYgOTJtD6Ho7MH8iHwl_5CHUM,14576
+torch/include/torch/csrc/autograd/anomaly_mode.h,sha256=VhivPLzU1VudJLTVJvKOCfyR3e9Y0dLBwaefJaGDWpU,1724
+torch/include/torch/csrc/autograd/autograd.h,sha256=95Qa5E09Q72jerpoj05j6-9K0_u-cco6LhEEvPVZeaU,5309
+torch/include/torch/csrc/autograd/autograd_not_implemented_fallback.h,sha256=4uoj4sHweJt--NEkq8qWqEWj2tb6md_kC31TOU1N8os,1142
+torch/include/torch/csrc/autograd/cpp_hook.h,sha256=PRy5GQju8pdUEfXKQYo2qFRnyXa5G9l39RAc04cNXYI,865
+torch/include/torch/csrc/autograd/custom_function.h,sha256=rQilt6cdO_Nr1jOcQRaYm7N2lzeLwsD027LAWF1MOy4,18190
+torch/include/torch/csrc/autograd/edge.h,sha256=pqMnb2ppiPeiKn61IR_SY2jMpRQpU-OB9Vr7cqZrR6I,1615
+torch/include/torch/csrc/autograd/engine.h,sha256=V103Mk42PcXf98QOCmWlsaVb1TPQhX-3G8TQbL4PL3k,10702
+torch/include/torch/csrc/autograd/forward_grad.h,sha256=4b01CUfL2WNzrxME5fiBmkGdCBDFoYwa7Bg--rwIWDY,8938
+torch/include/torch/csrc/autograd/function.h,sha256=AJD7LxxqfpJart0uSTlY3a7Erl4Q9Eq4FjTMr7dfA4A,29650
+torch/include/torch/csrc/autograd/function_hook.h,sha256=lRuKm3CZ19Gl8ueR_MMSn8m4VK_Kx6ZfrMXR8ZVitnk,2072
+torch/include/torch/csrc/autograd/functions/accumulate_grad.h,sha256=J1Os4LQ92farCfHm7d_-11ZKBR-9f_lZepHwUOIAOzw,13659
+torch/include/torch/csrc/autograd/functions/basic_ops.h,sha256=BBaqHcPe30GCLac4nVxSuzYwX2J0fmnyMEVrVBSC3Ek,3257
+torch/include/torch/csrc/autograd/functions/comm.h,sha256=c_90HsXFhRKL6JrSRncB8sIfZSQ4o92Qaf6HQL1Uj9M,1233
+torch/include/torch/csrc/autograd/functions/pybind.h,sha256=e6eM-r7Xrvjp2lGt1nC0SOj56u_m2u6ysd0nBlXMP0s,342
+torch/include/torch/csrc/autograd/functions/tensor.h,sha256=gvjFoWaYGhjex-Aq0n7GEUGvukI8QNyRpQOCe6A-Yeo,7266
+torch/include/torch/csrc/autograd/functions/utils.h,sha256=-n_S-ZfbScMDCVApwvN8XQDruVhKOPBUUBmbWSUYT6g,3211
+torch/include/torch/csrc/autograd/generated/Functions.h,sha256=AtdXJrTwKuPwnseXWUOxMFveuMNtSexZglyXLaUIhpw,497335
+torch/include/torch/csrc/autograd/generated/VariableType.h,sha256=zXJlpMZTgLXR9naIuPUZW9bBJ5xqI8wmM-Un00OheSA,1730
+torch/include/torch/csrc/autograd/generated/ViewFuncs.h,sha256=tR8SMijVB13ayVb2UR5nZRLr_d8yQhO5Xay1oXM52dI,36722
+torch/include/torch/csrc/autograd/generated/python_functions.h,sha256=m2zbP4C796FvQVsVVmsXUCiz8Prj2O-pT55rbHA2NwA,891
+torch/include/torch/csrc/autograd/generated/python_return_types.h,sha256=duqsERucZcEvzjWUHjzvRJejN9GvrIcxhI29Sc7vrgQ,4062
+torch/include/torch/csrc/autograd/generated/variable_factories.h,sha256=FegtXOBx4UWlG23skf7oMeLQPOuC6RqWcZRIdi6tZj0,55923
+torch/include/torch/csrc/autograd/grad_mode.h,sha256=uzjms9KcKXMdR0-20069M5-4lNYJoO6Dp5IrTlp0040,210
+torch/include/torch/csrc/autograd/graph_task.h,sha256=l4WB36eN9IpMBHupk2IGKjQYhKvvVN_H34rpfJRTpnI,9250
+torch/include/torch/csrc/autograd/input_buffer.h,sha256=ZVx_NRi_idoqfofYlsR0_3E7kuys2ni02LcBoS0_PKc,1418
+torch/include/torch/csrc/autograd/input_metadata.h,sha256=c0fYFoqxMeKpEVrT1-eprIezNZw5T01JBKW7g-11tv8,2982
+torch/include/torch/csrc/autograd/jit_decomp_interface.h,sha256=FyQGL5BsOWcWFZruQYh_ysQDEy5LkO-GcRT63H3_DMM,1798
+torch/include/torch/csrc/autograd/profiler.h,sha256=6ArK8ksshLYFDODo91Q75_cqzFjn0mNzQ3-Tdefu4y4,112
+torch/include/torch/csrc/autograd/profiler_kineto.h,sha256=p9iuZzkMg5zo1Qw6MlaCNegfsnIudjtZDV5twEj9-mU,6834
+torch/include/torch/csrc/autograd/profiler_legacy.h,sha256=oXDatiHaYg3w477pB_itN_7o3w8DrOJtAv7Iz7lv5_k,10718
+torch/include/torch/csrc/autograd/profiler_python.h,sha256=8Z3Z8f9uC_BLJzWSJAGsNyhmig7RCpSZm0aYsYzkOZg,84
+torch/include/torch/csrc/autograd/python_anomaly_mode.h,sha256=ab0RG3xRaCXKiT02x_DxOYgZGNVreApNNfSjI6Hygxk,1164
+torch/include/torch/csrc/autograd/python_autograd.h,sha256=L9C-y46IX9u0Q48q4-cEFSDRK1weUIEzAQLcwtUlq-g,375
+torch/include/torch/csrc/autograd/python_cpp_function.h,sha256=_-ej0SU49LZsgZVh8vUCVVaqyA1DFDIvyzEwV3zD4Ao,4528
+torch/include/torch/csrc/autograd/python_engine.h,sha256=o2VfohkLdBGIZPOmej3U8-SDeDGYBjd4weSmGqgWxGc,1249
+torch/include/torch/csrc/autograd/python_enum_tag.h,sha256=xZjV2TWlkXw5USUrIq0aYpoVoG2mbDy4GXREOnPPkZI,120
+torch/include/torch/csrc/autograd/python_fft_functions.h,sha256=OZv3f3f7oonK7zYbShCv4EH6p3VhSPaAH7Sl-ahz62I,87
+torch/include/torch/csrc/autograd/python_function.h,sha256=QRNpKrqRhRxQhaPyQqx6i86T9xYT3wKaLVY065JcSr0,5520
+torch/include/torch/csrc/autograd/python_hook.h,sha256=gyxs2ZFVFgML8tDkwlUbxU0ZBD-MV5t2xxWLjw8kPHw,2015
+torch/include/torch/csrc/autograd/python_legacy_variable.h,sha256=_8tWed3mDIVmtYpI_WPVUpfjK_eH7Qv4wNrSIIlahVQ,257
+torch/include/torch/csrc/autograd/python_linalg_functions.h,sha256=592vpVDlik2EwxZnuKwqJ617_xq2p0Rf3Tr4XspSh2A,90
+torch/include/torch/csrc/autograd/python_nested_functions.h,sha256=4R_lyK5cWoEtRSKS1HqX6xHPfO0IUmnA99yiU-lyxRk,164
+torch/include/torch/csrc/autograd/python_nn_functions.h,sha256=_MMnMSOYTvNIHHzX6OEExk2ABVmgSVYvD_gt9C7gBqQ,86
+torch/include/torch/csrc/autograd/python_saved_variable_hooks.h,sha256=QeL_3hpnQ4AcIK63QipFRCndchE8ZKGqjQr8Q9nRwBk,933
+torch/include/torch/csrc/autograd/python_sparse_functions.h,sha256=Yw7doo_gafLcBM809TnnzZoitf_NBtCYex0nSTNweAc,90
+torch/include/torch/csrc/autograd/python_special_functions.h,sha256=4OdWU29kp8Alvtug_gJ4sLBvBYPq7n-v5Uwi4NRL_gk,91
+torch/include/torch/csrc/autograd/python_torch_functions.h,sha256=WMyOlDkJIchECl67t4uDckaSgKg0d1oK_F36pQ0Xd_A,650
+torch/include/torch/csrc/autograd/python_variable.h,sha256=5nkTR6yfXMKAa1j5DRWp94ua5AHRp7QnIybHgOWNkGc,3506
+torch/include/torch/csrc/autograd/python_variable_indexing.h,sha256=jLpBhLKeCZCUOn-NFnJCgqkJpXYFKshkiKA4V8R301E,2915
+torch/include/torch/csrc/autograd/record_function_ops.h,sha256=w2r9k_2werDHv3kukq9DbqLociG3kihj_--InboiQXY,946
+torch/include/torch/csrc/autograd/saved_variable.h,sha256=aShoOapyT6aDzmagIP7jaKQui_PFR-yB5QX-KB5WJ-k,4684
+torch/include/torch/csrc/autograd/saved_variable_hooks.h,sha256=d4Y8k7TzIhfaXWi_89WXbe3ZtT283ac_OiLtzFcpHuY,296
+torch/include/torch/csrc/autograd/symbolic.h,sha256=XMrwDnlSibXxnqZiy5pNDVwTBDsU8aIDamEg66kOEYk,300
+torch/include/torch/csrc/autograd/utils/error_messages.h,sha256=NBHVXO8V1_6xk2gwMofFfVt9nX1UCnXHi782S6zBYCw,545
+torch/include/torch/csrc/autograd/utils/grad_layout_contract.h,sha256=k0qojHNOvUIvBGJ1vkh6RuERPG6NgDzv0b0itZNPfVI,2872
+torch/include/torch/csrc/autograd/utils/lambda_post_hook.h,sha256=FkmqRcdB8ZrWs7F_59ZrQ0fL9qlUDp_dI1shzs3aegs,1272
+torch/include/torch/csrc/autograd/utils/python_arg_parsing.h,sha256=aj4oc-o5brT3JgHmMjGFSz--q8zkY82gB2Ide1ZJiZM,1473
+torch/include/torch/csrc/autograd/utils/warnings.h,sha256=asBCrExi_O6PzdroSIjC0Qi_QMqOvE6FFQVE2fxG-dg,633
+torch/include/torch/csrc/autograd/utils/wrap_outputs.h,sha256=xzH2EObOEZwN4R-8q6cm73KJ-DLJHDt9vRSExeDUdd4,3785
+torch/include/torch/csrc/autograd/variable.h,sha256=7AWkvAm04BU9ZIV3scxxggSZC7loEJhdqSOPRA_M3rw,40161
+torch/include/torch/csrc/autograd/variable_info.h,sha256=R-Zw-sUmTMOIpWb5Vnf_n2jlteDs5o0NZpfxLx7yKYg,481
+torch/include/torch/csrc/copy_utils.h,sha256=HPNwtV01Xllja6b16GsOFNYlpV0DrHkqsGCiwSYWnVg,1420
+torch/include/torch/csrc/cuda/CUDAPluggableAllocator.h,sha256=CghHUx7_9Jd9CqJ0oZc34oaWjJRWg04_-Q0G-vm7p4Y,5690
+torch/include/torch/csrc/cuda/Event.h,sha256=FK6jWILeAE5Y3b53Eqw-pDfF0tqu-LmIiiJ3Qck7ahc,406
+torch/include/torch/csrc/cuda/Module.h,sha256=GgDQDHrKiVqJgRS_Oxe49-vTIQorgcL1x4VgNbiEGvs,436
+torch/include/torch/csrc/cuda/Stream.h,sha256=Qp6DFebuoMgWE05n4AIfc7pasukINXSwKLrkqRK7TJo,504
+torch/include/torch/csrc/cuda/THCP.h,sha256=M9D-wbEcdRLxPxx-ZwChqKXx9TI1hL5GFLipfYbRHXY,213
+torch/include/torch/csrc/cuda/comm.h,sha256=hcGmVuVdf6CxeswOHuB52Gj39pViHJ8odPxcYH7u6RU,1525
+torch/include/torch/csrc/cuda/device_set.h,sha256=8s6LLs4PG1uykInR1FW08Ey32EQP84vgg4rDfPcLmF4,185
+torch/include/torch/csrc/cuda/memory_snapshot.h,sha256=czfnZI6LnKcS4kIy-hnL7XSjx3epZTPnRIBKTsMPl4s,780
+torch/include/torch/csrc/cuda/nccl.h,sha256=rVVaBjDaKWjVOTym3tzsWs1XbNFAx-IkhjyN_ateujc,5899
+torch/include/torch/csrc/cuda/python_comm.h,sha256=ysrI2Zyf3DEjAUPkc6Occ3SuSd__eZnPJptRA-hiU4A,123
+torch/include/torch/csrc/cuda/python_nccl.h,sha256=yNwoyNpT1EmyYAmk9k7UWpO3aNfErizqV0QVMiFtDts,682
+torch/include/torch/csrc/distributed/autograd/context/container.h,sha256=zgh1q2ouJQbhgfE03o6OFMf45Nf7JMF6oxK9xVqpd40,6435
+torch/include/torch/csrc/distributed/autograd/context/context.h,sha256=IBra9z6MfWpxdiCMJ5ydGwu8-9i0C5RpoqYc2MZ0Ooc,6623
+torch/include/torch/csrc/distributed/autograd/functions/recvrpc_backward.h,sha256=RXUW8DHNtGmsJncR5kalFR1OlSCMXAD42xlOfHwIdFU,1705
+torch/include/torch/csrc/distributed/autograd/functions/sendrpc_backward.h,sha256=aM04SmFMzmvHhoPbr3NsSLuNMxfnXUiRxKeoFxvPaKs,1373
+torch/include/torch/csrc/distributed/autograd/rpc_messages/autograd_metadata.h,sha256=TncgZoQ3veChIuqqWIrWk3C6fQLkE4vXUX1Xbmu04Po,750
+torch/include/torch/csrc/distributed/autograd/rpc_messages/cleanup_autograd_context_req.h,sha256=MbhyDQOZTiZgJdh-0NCSQGWxJd3HP5XI78PP37DD5T4,886
+torch/include/torch/csrc/distributed/autograd/rpc_messages/cleanup_autograd_context_resp.h,sha256=IhH67Y_YeYJG89z83_eabDLtLQFc6Qyw2i_Wf3UBrD0,711
+torch/include/torch/csrc/distributed/autograd/rpc_messages/propagate_gradients_req.h,sha256=fmUaNRSlp8UCpPOrfFVOYUWHnW-tIV1jPEq4gcOrCzA,1298
+torch/include/torch/csrc/distributed/autograd/rpc_messages/propagate_gradients_resp.h,sha256=gFrx1pp9o3mjfJMi4i0aN4nIofKvDrssUgI6ulwGFkM,804
+torch/include/torch/csrc/distributed/autograd/rpc_messages/rpc_with_autograd.h,sha256=gZptHkMQkV_GKb245ZvTXGj83XygGNlc_7RPxIUi6Xs,3556
+torch/include/torch/csrc/distributed/autograd/rpc_messages/rpc_with_profiling_req.h,sha256=ud7bL1DAGkXJjrYbT3at3PrUFSndKQML0MAYZu1SQ0g,2347
+torch/include/torch/csrc/distributed/autograd/rpc_messages/rpc_with_profiling_resp.h,sha256=ZAuSpskXTGPad2W7maXa6yOAqWwM8y01iC5V7M08w0Q,2307
+torch/include/torch/csrc/distributed/autograd/rpc_messages/rref_backward_req.h,sha256=97UW3DLiLJK1AiM3gMGDCNhXTZ7RHPUOeM6MJ0B9Gr4,1027
+torch/include/torch/csrc/distributed/autograd/rpc_messages/rref_backward_resp.h,sha256=ji-yEL0BUVRR6yGLhURGmje0GdRP5m047-urW_0_HnE,558
+torch/include/torch/csrc/distributed/c10d/Backend.hpp,sha256=9G1xXTW9LTUwbenUm02YtE7uZZrEFOo-DFsuX8vxOmQ,13276
+torch/include/torch/csrc/distributed/c10d/FakeProcessGroup.hpp,sha256=pyYQS2AQugAQ8M6NRDWWHE-Zx8qeUEDbGyisRBRMFq0,6309
+torch/include/torch/csrc/distributed/c10d/FileStore.hpp,sha256=T57ueYyvSnyRalBp2sZ51oVvMbE5QoTIiOllsNfzuUo,1492
+torch/include/torch/csrc/distributed/c10d/GlooDeviceFactory.hpp,sha256=sh1F0-6ykB0f58LitkS5CC35UgX4ts1cp2G_my6_V8o,773
+torch/include/torch/csrc/distributed/c10d/GroupRegistry.hpp,sha256=AY2m8qmBtcSvfHQLWn79oGfSPmDczounrM9eR6nX53A,562
+torch/include/torch/csrc/distributed/c10d/HashStore.hpp,sha256=Uo7fHZfd1C-LRGMCuyBfk9HyxFizWNWhatj7IllJyU0,1553
+torch/include/torch/csrc/distributed/c10d/NCCLUtils.hpp,sha256=a8hx0w7faxnu7G7VZthWyO7pTqj3I9fl6fUA-4QvMVo,19472
+torch/include/torch/csrc/distributed/c10d/ParamCommsUtils.hpp,sha256=gL5F46EtwPoL6SmeWdCv2Q6bJq0JeAxlg_yrxV6KjzY,8729
+torch/include/torch/csrc/distributed/c10d/PrefixStore.hpp,sha256=eCZ4aJMUKgR69sADUByLy1l9o0Dov3wyxSLpfMVgW5M,1949
+torch/include/torch/csrc/distributed/c10d/ProcessGroup.hpp,sha256=kV1Wtx8A5kjBZBQjKbDu4P2aZjAAn2Bd-939QhUQs0E,28538
+torch/include/torch/csrc/distributed/c10d/ProcessGroupCudaP2P.hpp,sha256=6zXkBPEogDbwZZfktllKBGljFvxoav8fxShsDAu6zC0,4912
+torch/include/torch/csrc/distributed/c10d/ProcessGroupGloo.hpp,sha256=NNhmYnWMzWMSJ_ExkBdc0YUY_QYTeGfbxFlfSp_K_08,15677
+torch/include/torch/csrc/distributed/c10d/ProcessGroupMPI.hpp,sha256=9wwetCTGO0VgJJePAbUndzp1BamOm0xyGwhH6Lnvuz4,8649
+torch/include/torch/csrc/distributed/c10d/ProcessGroupNCCL.hpp,sha256=o9a7QAOwFgsitF1Vx4liRwV_wzKRHf4E4y6rncNaMJg,43166
+torch/include/torch/csrc/distributed/c10d/ProcessGroupRoundRobin.hpp,sha256=rkZzy9oxnV2tvUmvrd2HKSQ8bY9tES0Rr9b1BZribwQ,3803
+torch/include/torch/csrc/distributed/c10d/ProcessGroupUCC.hpp,sha256=QTanDcv0ZFHp7LNwsVTFwm2viX79V6YodonMJvcOE8I,11076
+torch/include/torch/csrc/distributed/c10d/ProcessGroupWrapper.hpp,sha256=WoWJp46RZc8OEI1S_jcOiYC02QAq4VYZhUkTuwHQUNQ,5077
+torch/include/torch/csrc/distributed/c10d/PyProcessGroup.hpp,sha256=hWzSyz0YGjs1IPRtZKAsa8rIDYaIVvXQ-jF7mC4zmwo,7333
+torch/include/torch/csrc/distributed/c10d/RankLocal.hpp,sha256=tG9YhmIjvYo21H4aCITvrL3XsHS2b4uEU4MKUG20hDo,2279
+torch/include/torch/csrc/distributed/c10d/Store.hpp,sha256=tIm0BQj4aplxXaIA6dyMsL99ZD_uR6D-voterUVsri8,3560
+torch/include/torch/csrc/distributed/c10d/TCPStore.hpp,sha256=aJb1xKYhAkM3OKB5Y5sap2mo_ibocERc-UhtvFPz4r8,4387
+torch/include/torch/csrc/distributed/c10d/TCPStoreBackend.hpp,sha256=WCQaUfaAVyau3Zm5Cv0-4rN_v0jWrBlxwB_HE1D-F8U,1519
+torch/include/torch/csrc/distributed/c10d/TraceUtils.h,sha256=80N_Xy4pXQUV-tfw4KGAc93YMwX_4bGsrA_iPO1TgZ8,25874
+torch/include/torch/csrc/distributed/c10d/Types.hpp,sha256=m0j9iNrdOcA0gIDWyhG0Hq0aQasel9i1Pjtq6VfnQ1M,4867
+torch/include/torch/csrc/distributed/c10d/UCCTracing.hpp,sha256=t3jW1WV_VfbBnKvL-vJscb1D5oZDHiqIqUoO0AjRbw0,2301
+torch/include/torch/csrc/distributed/c10d/UCCUtils.hpp,sha256=lj2dmFih-AdPgLut2cIYKQwhASWm8u8pU0hIWAF8ktU,6360
+torch/include/torch/csrc/distributed/c10d/UnixSockUtils.hpp,sha256=_kpDQ1OrlMit7seBqBK6jRPDiyDs_S0a2lS4hBlVrPw,550
+torch/include/torch/csrc/distributed/c10d/Utils.hpp,sha256=EVwvYinm4QD4MHArm2tlCJclpR6RDBOmlG6E26b6vUM,23032
+torch/include/torch/csrc/distributed/c10d/WinSockUtils.hpp,sha256=Z1e98jBOcbOUdJo2e9Vzt9wcfkJFV3aW48UERrgSiKQ,541
+torch/include/torch/csrc/distributed/c10d/Work.hpp,sha256=Eres1QEk8P26V9qQzsmohPetj0C-NlEWifkKfnkA-HE,5095
+torch/include/torch/csrc/distributed/c10d/c10d.h,sha256=erw6jxQNqwf2IKaRhi9c6_x8sscxKKEFFunON2rMUwc,216
+torch/include/torch/csrc/distributed/c10d/comm.hpp,sha256=jTsD3fEuIZXJuXvlXXh9_1ayQJeKf3P7uIh9c6vBqts,4417
+torch/include/torch/csrc/distributed/c10d/debug.h,sha256=ihvgjPPnKL5CIZCt-b-sG9ZkGQOgR127o9j4JnzCZY0,604
+torch/include/torch/csrc/distributed/c10d/default_comm_hooks.hpp,sha256=yZm5rDul1jeAe4NzXlA3YWBgOLqQBMOQXKhX-7CXAjw,1745
+torch/include/torch/csrc/distributed/c10d/error.h,sha256=JLzBftaNhMRWU7kZSmqSgniRPbj2NYgg0FshAyguz5E,1361
+torch/include/torch/csrc/distributed/c10d/exception.h,sha256=YpfrCv_c9vxk2tI14aa5iHujuxWkCwUYg56v4oYHBj4,968
+torch/include/torch/csrc/distributed/c10d/intra_node_comm.hpp,sha256=HBvHQjcChhpMEV1clQIOImX9WltMZDEAnZuy94jmyIY,4107
+torch/include/torch/csrc/distributed/c10d/logger.hpp,sha256=uAMZoEx53uoD1-pDFmzR3rj0TFT2PkxQii9c0O604IQ,5175
+torch/include/torch/csrc/distributed/c10d/logging.h,sha256=WSP7f4iQC-gr0BLEUEEpCMq74ihWIr8ERvk3fo7_LX8,2059
+torch/include/torch/csrc/distributed/c10d/python_comm_hook.h,sha256=3C91AuADu-mZPOuxjNWxQywWOdp0X94yf4zbPjR3M0w,1072
+torch/include/torch/csrc/distributed/c10d/reducer.hpp,sha256=21QaIf47-ve-y7m_MBTbF2nJrls6uymUdT_PA_2-6cg,25671
+torch/include/torch/csrc/distributed/c10d/reducer_timer.hpp,sha256=fPjhV2OQEjD_1oEmeuT61zaagGVnWQJ8J2gMpNZFut0,2384
+torch/include/torch/csrc/distributed/c10d/sequence_num.hpp,sha256=woHdyxwXBS3E3QWPxSrKdwI727H0nMGyI27YOcP9qac,1698
+torch/include/torch/csrc/distributed/c10d/socket.h,sha256=zmhDv9eV41kBlUO_DIaMXg2GmgQMsZg421jUjxsTYw8,1949
+torch/include/torch/csrc/distributed/rpc/agent_utils.h,sha256=GnT_Z5VBQjr8MX54ju9oIuXlpk1O5jpK2y0aXQmbPUo,1679
+torch/include/torch/csrc/distributed/rpc/message.h,sha256=oaI15j4VSm5zxVTJOa_6FU3KyDO5FZ69PfGfBRjOoUY,7527
+torch/include/torch/csrc/distributed/rpc/py_rref.h,sha256=vRGei0f9FAjcmk1u-tBFG0cbCJgp_CSzhkELhQrIpIY,2974
+torch/include/torch/csrc/distributed/rpc/python_call.h,sha256=1bv2_SQ8WO3BLQ-zMvxolVxg3ArNg6toYV0ywRu3vGI,790
+torch/include/torch/csrc/distributed/rpc/python_functions.h,sha256=8PZagDa_TzingCPHkA5aGBKOXlofGBgZ4eZfJ13j-js,2307
+torch/include/torch/csrc/distributed/rpc/python_remote_call.h,sha256=t5bZ8LEPdFaExO1hjAB84XpPc2Y5PIMbx_pivlmPo9E,1184
+torch/include/torch/csrc/distributed/rpc/python_resp.h,sha256=O5D6odFJ7rq6eSS_Fi1-C0ZcvVo0LjRH6zeFpYUcsRo,671
+torch/include/torch/csrc/distributed/rpc/python_rpc_handler.h,sha256=K8Qj9yBgc3bZkm7deYH-GBtTJp-eLVrKvwb9lTmJ1Bc,5004
+torch/include/torch/csrc/distributed/rpc/request_callback.h,sha256=4-1Sw97hE7yz9R37u9zl-uLBy7ta79e__aJxhbWilrA,1276
+torch/include/torch/csrc/distributed/rpc/request_callback_impl.h,sha256=P-mVdApnXGcv_y8DLV_6Ph1TayWQ1enHNyvwb_I9-Ng,2083
+torch/include/torch/csrc/distributed/rpc/request_callback_no_python.h,sha256=9J1RGGdk15tVTrL5uagB8YmeQLTXwJBYUPdf0RGuAb8,3884
+torch/include/torch/csrc/distributed/rpc/rpc.h,sha256=N4T_NaiHmxQeggJ6YGReFOmn-wCGETZtAH73cA6EhLU,214
+torch/include/torch/csrc/distributed/rpc/rpc_agent.h,sha256=Zg-sCbyP3eQLVYx7B0dtyuqYO2RP6q4mbtxPzoYAKP0,13455
+torch/include/torch/csrc/distributed/rpc/rpc_command_base.h,sha256=Ob5xrnMaMwDaUQJ3qhqL-6FZTlWoHI8r6CJnRTN-l0c,728
+torch/include/torch/csrc/distributed/rpc/rref_context.h,sha256=Tnnm_juvLcIk1jQAZRDq6bvMDKgtoP9GDIw2uMmRDSE,15829
+torch/include/torch/csrc/distributed/rpc/rref_impl.h,sha256=41ivkeFzvY2o-emZvLlkPN20J8zMIG4HRBFmSx3u7Og,16159
+torch/include/torch/csrc/distributed/rpc/rref_proto.h,sha256=KinBpxjMtL0tJUCLI9LfKigZA8gZLBY1IYsprPHJbDo,5290
+torch/include/torch/csrc/distributed/rpc/script_call.h,sha256=aRT9WLRGWJCzRoowDEqrumVUyPjTmxyPeHFrClvZXeY,2527
+torch/include/torch/csrc/distributed/rpc/script_remote_call.h,sha256=WV-k6jQJ_tjJzxgs_ZI6fyg16BLxctgIrubBrnuX73E,1652
+torch/include/torch/csrc/distributed/rpc/script_resp.h,sha256=hMiCaxdFPYYGYFOaRRNOd-tTvNrD1T36iv-7AkwJIP0,678
+torch/include/torch/csrc/distributed/rpc/tensorpipe_agent.h,sha256=LSIuGtoRYl3rCy4BJHRgpMpMBMPexuiufgs2l6_iTfQ,17425
+torch/include/torch/csrc/distributed/rpc/tensorpipe_utils.h,sha256=OYDDWpYapwIVfmkMv345_8VimCElwU-SLfCCJ4aiXWo,4761
+torch/include/torch/csrc/distributed/rpc/torchscript_functions.h,sha256=K0HI8ZzP5aVn-TLRAU-vPP6b0wdZry5ZLtKHO8_DAV0,1707
+torch/include/torch/csrc/distributed/rpc/types.h,sha256=2KJn9XcBlAW-yiooYMO6RhmIgWup6Th5cRT-b8lhq7Q,1720
+torch/include/torch/csrc/distributed/rpc/unpickled_python_call.h,sha256=IZIuhgkohRn4Mt0REj3pwcTj4MC5p3OYkS9DXHo3I-U,1367
+torch/include/torch/csrc/distributed/rpc/unpickled_python_remote_call.h,sha256=yEFoq8rsnBFPy_9gvzQ25oukqoV7KX_S5RqutvfUrQw,1257
+torch/include/torch/csrc/distributed/rpc/utils.h,sha256=bpmEULAaBqiQXZ_om3jMieazn63WWndj-vLbzl_j9M4,3840
+torch/include/torch/csrc/dynamo/cache_entry.h,sha256=GpPJgclGdA7llFyVyV_eLU95Z52ccw5DC4BAE5JPS48,1734
+torch/include/torch/csrc/dynamo/compiled_autograd.h,sha256=cQGT_MXuIeGUn-lMMAHGjWbZ-QSV7Eiss4KfFRSAANM,23413
+torch/include/torch/csrc/dynamo/cpp_shim.h,sha256=6a8TJKtkFG1PUMiE4-CmkRNSmrbHi7IWmiGn49yEb8o,357
+torch/include/torch/csrc/dynamo/cpython_defs.h,sha256=0-rugK3NYZ6dRKjqeRU3bOYZEH0g2bOvCGCNIZ7PLfU,1072
+torch/include/torch/csrc/dynamo/debug_macros.h,sha256=GLgfjJgLtCrU3XiKHbn4Iui757ZkHotdJkFN0Uc9bwg,1474
+torch/include/torch/csrc/dynamo/eval_frame.h,sha256=E_GkS9vOzpIaTH15YpFAfw7Pf-q6JG19wf4R7um9-RY,97
+torch/include/torch/csrc/dynamo/extra_state.h,sha256=iUfKnBeoaWhf5tsJEVI0c_3ZH7EXm0PW-e8usD4mqvc,4569
+torch/include/torch/csrc/dynamo/guards.h,sha256=JKpLA3GSgq9K52ygNUfLrgcMBpkad15lY4tre3ZJsOI,2492
+torch/include/torch/csrc/dynamo/init.h,sha256=Z7mSy66v0be8l9dl_jSqHqxaK8Qqqxj0lnv_sbHSA1Y,187
+torch/include/torch/csrc/dynamo/python_compiled_autograd.h,sha256=dFWRhXaGLZEKOxIRw_8aJK_qTrhZkEf8iUOAmg2a7PU,215
+torch/include/torch/csrc/dynamo/utils.h,sha256=56qNFK9kiNNUdGKqv5JmJ8uWUJhOKxV0giT_UYJ6kWY,283
+torch/include/torch/csrc/inductor/aoti_runner/model_container_runner.h,sha256=znqTCKcR8IVvcVpKvnCULtTh32z_u1EwqZD9fNrbGpc,3172
+torch/include/torch/csrc/inductor/aoti_runner/model_container_runner_cpu.h,sha256=XgmR_Qd3JWNLa8vYG0sELcPbnfHbDNWpONlslyVSQfg,489
+torch/include/torch/csrc/inductor/aoti_runner/model_container_runner_cuda.h,sha256=T-t2cPRW9s8aeJRCk3tnq6GzrWGPzIpt3DRDpli3Krg,927
+torch/include/torch/csrc/inductor/aoti_runner/pybind.h,sha256=9qh4-fASrKhHGajRPRFIPbyarL0evSWaK-LeL2HaZf8,148
+torch/include/torch/csrc/inductor/aoti_runtime/arrayref_tensor.h,sha256=7yYbnt4HcMID03LiCiyEtZztB4B1a4zQET4m4fw91_I,10441
+torch/include/torch/csrc/inductor/aoti_runtime/device_utils.h,sha256=nf7kENi6HWJMPpcCphBTGGebAq7c_zhfTVNa2QJ7vPE,1553
+torch/include/torch/csrc/inductor/aoti_runtime/interface.h,sha256=5CfC69ajsaTCtlp-IJNmdrkk6C9HSIiLMujcgv-hWhw,7549
+torch/include/torch/csrc/inductor/aoti_runtime/model.h,sha256=uRUR1fXBAY9UP39ymfmBVigdLYBuSg2rfYDeYReOtvE,18986
+torch/include/torch/csrc/inductor/aoti_runtime/model_container.h,sha256=IQKqwOzXIGnaY84GDDGwV1kLMRO2_3COBiD1A2zk8AQ,18248
+torch/include/torch/csrc/inductor/aoti_runtime/scalar_to_tensor.h,sha256=Yell-wuEx6lwfxgS38jVLPFdCvO9z4_yTEDr8Dx_Px8,1459
+torch/include/torch/csrc/inductor/aoti_runtime/thread_local.h,sha256=Bx4cKZmijTaDWJNKF5G8ATL52K60TavuA7x9Kz0auqM,4241
+torch/include/torch/csrc/inductor/aoti_runtime/utils.h,sha256=dvwezei9JFqdGVm2tIns3711JOzf0XSdp-4mashZIyc,4893
+torch/include/torch/csrc/inductor/aoti_runtime/utils_cuda.h,sha256=lWQLHVCdJixcu7JKZLjvQ8dKM50H7YgrJqmjn_yRfCE,1713
+torch/include/torch/csrc/inductor/aoti_torch/c/shim.h,sha256=mULtyofjo6GyblNGT-74XTmJEXn9SJE_WD4xoYDkM9s,22173
+torch/include/torch/csrc/inductor/aoti_torch/generated/c_shim_cpu.h,sha256=ZoxvaEQkHN_ntnbo44Pam78S86FVBvVaG3_g6JO9WD0,25833
+torch/include/torch/csrc/inductor/aoti_torch/generated/c_shim_cuda.h,sha256=rUNocdPwy_iNbRz5Qh0Gr2--n9htrZ8rLDJrlwLNXWE,30144
+torch/include/torch/csrc/inductor/aoti_torch/mkldnn_tensor.h,sha256=36J2b43UKFVVWrYKTG52P6XI6yXrRqqg34L-4YDOUWQ,396
+torch/include/torch/csrc/inductor/aoti_torch/proxy_executor.h,sha256=82JGBwnR7TZVr8EfjKP_uTjdKt-71EzCouFTB4MKgdM,492
+torch/include/torch/csrc/inductor/aoti_torch/tensor_converter.h,sha256=kbckvXhi8tqDYpXw-kVwr5eL2R1grrbKO3c1m62y9_A,1010
+torch/include/torch/csrc/inductor/aoti_torch/utils.h,sha256=YLaGbwt4GRL3C6lziIxBqLY2WfLekbxDNUX6vUICUEE,5960
+torch/include/torch/csrc/inductor/inductor_ops.h,sha256=twizse1MiD7FKxU5mt9crYW-MfHVj2yiRYD1Vium9wE,798
+torch/include/torch/csrc/itt_wrapper.h,sha256=eCw9u1gl7vzf92sSxqO7WrEc0rhmVBW5cydUc2r_c3k,320
+torch/include/torch/csrc/jit/api/compilation_unit.h,sha256=dg4BdJhPM9PVgm8i6msjFhMX0p5fdXer7jH4J8INCZ4,11708
+torch/include/torch/csrc/jit/api/function_impl.h,sha256=_2zwVZRWqxvmshv7ifN3nnkCh4b_pO1Rw6W4Eb9K0AE,5705
+torch/include/torch/csrc/jit/api/method.h,sha256=sS0T0BQZ4ZZiO0lGh5xdmsW_Q3vIFaGUNWH0O8770BA,2370
+torch/include/torch/csrc/jit/api/module.h,sha256=zf7_2jxEa-eRIHg0ZHiArNF6D8aZZmSe-oflsr6PZaA,23540
+torch/include/torch/csrc/jit/api/object.h,sha256=aA2vRSVK8kuc_ZCJws1LfzIYb27TO2eX9vigzFTDgyA,6074
+torch/include/torch/csrc/jit/backends/backend.h,sha256=xDYuoy_lXkz4x7kY0SaBVjG5VFun4DcW3X7m2LLPVXA,4060
+torch/include/torch/csrc/jit/backends/backend_debug_handler.h,sha256=TZD8_Eh1PHjAAvOMbC5--eBNGHO5NkhEaeGUvJ18KeY,6332
+torch/include/torch/csrc/jit/backends/backend_debug_info.h,sha256=dLArTRoaGulvfZIMzDV6iw38zJCJLbJePxPcW71YNLA,2338
+torch/include/torch/csrc/jit/backends/backend_detail.h,sha256=3Vwqochwvvj1Hx_gOf2fQX-tIB-LyLfQV3d9bVffXFI,1104
+torch/include/torch/csrc/jit/backends/backend_exception.h,sha256=TkQle7sRjMI5lqbkadTp9Sme_CyI8iMWJyQSOPK0mDw,2085
+torch/include/torch/csrc/jit/backends/backend_init.h,sha256=oO64G0Ay0hdQtUeGSgXccDAWxSZ49bw_0wKNahGjM-A,277
+torch/include/torch/csrc/jit/backends/backend_interface.h,sha256=hMNGdVeLdZuOSTPMlTlqoT1hnWrq7UuwsOLcGr4jp_8,1184
+torch/include/torch/csrc/jit/backends/backend_preprocess.h,sha256=VfwbX1X0kyR50iKhCqbsdrp8a43AYaEMpIC6VxD51DA,438
+torch/include/torch/csrc/jit/backends/backend_resolver.h,sha256=fcuqo_lthD5E7OM7nY57kLXUNzMTiMcAe0GPpr1L9qE,277
+torch/include/torch/csrc/jit/codegen/cuda/interface.h,sha256=wT2NC-AX4H16CeKIs8moB7revz07jSlZ8LtaoJ13xdU,1929
+torch/include/torch/csrc/jit/frontend/builtin_functions.h,sha256=AVlrJ-b0oVDOLO61-JPdz58odNIX4ZKzWgQPodF2qS4,240
+torch/include/torch/csrc/jit/frontend/canonicalize_modified_loop.h,sha256=KDS5czTQZUWkzlEp9XWnfi_iGkrf1tz1c5tR5VBA6XE,312
+torch/include/torch/csrc/jit/frontend/concrete_module_type.h,sha256=6ck6pwavYIT6Wl5naRCLcI5tcforwBXNNcF7bWU5xCM,9062
+torch/include/torch/csrc/jit/frontend/convert_to_ssa.h,sha256=R0qk8fX4o8qqoZChkzL1O-0w_Pqi9yLos1N94l1zINo,327
+torch/include/torch/csrc/jit/frontend/edit_distance.h,sha256=hm4zRJY_rs1ictYlvmm9yzqNe0_pJHiDBam8ZET6I-k,254
+torch/include/torch/csrc/jit/frontend/error_report.h,sha256=K0HHBIcTvXMQKQaSvDJCxnp1oArhPLDqv-3Zscxc4rM,1485
+torch/include/torch/csrc/jit/frontend/exit_transforms.h,sha256=_e0F3TGVaSwWOEqyxAFLiq38HI7efc0DF6zHW21U7tA,218
+torch/include/torch/csrc/jit/frontend/function_schema_parser.h,sha256=v7FlokhaPk1VpH9NcHsOpXUwuQxhp3RlD-KoCQKPvp0,829
+torch/include/torch/csrc/jit/frontend/inline_loop_condition.h,sha256=h8ReUR0lKOWoGr8lqFai3wXpr73KsRl_-_CYm_ymmzM,352
+torch/include/torch/csrc/jit/frontend/ir_emitter.h,sha256=VLPmvzzJjQ0JcVDcWzHF-1Ey1UhwxYuEdzh3YvW7Ws4,541
+torch/include/torch/csrc/jit/frontend/lexer.h,sha256=pv7gIjoEMOCruRa_dlui94qrvzP-n-X1-1myxWQEawI,19249
+torch/include/torch/csrc/jit/frontend/mini_environment.h,sha256=pJjTC59f5wTwfx34DrhgDdhC_EnvmgSR_t7xdn5A3G8,1400
+torch/include/torch/csrc/jit/frontend/name_mangler.h,sha256=WZ0hpgm_eCuCz4vjG8TBoIe6tcQsNdoavAu6zfHHoas,655
+torch/include/torch/csrc/jit/frontend/parse_string_literal.h,sha256=keh7aDmyi7T28k_ONsMF6MUWy2gcxcTeVCGPSW5tfvs,2295
+torch/include/torch/csrc/jit/frontend/parser.h,sha256=sVpCoMJTlmElqG-8u3p-zu0gI8sMq4eTZr2wG9aZPp8,674
+torch/include/torch/csrc/jit/frontend/parser_constants.h,sha256=ENeKl7-wM4ljDf2sR_qynnnCke8d4YrCyxKxM5OmSwc,162
+torch/include/torch/csrc/jit/frontend/resolver.h,sha256=trmkoyBkAYPjpFaoiFRzrRoy2T2EsFjQ0dfLq1HX6OM,1982
+torch/include/torch/csrc/jit/frontend/schema_matching.h,sha256=-9f21KiIKeRimMG1HRxq-4Or-XFcXVoNW35pKUBVLSA,2133
+torch/include/torch/csrc/jit/frontend/schema_type_parser.h,sha256=WwbRB6IlG6Y-ETB3VZTgUzpp9ci3RnHus7FNVo645Pc,1226
+torch/include/torch/csrc/jit/frontend/script_type_parser.h,sha256=ZbcolYTCW2JZeSQZ_hgoj7gbcePBWbR6XCRaPuJq93M,1605
+torch/include/torch/csrc/jit/frontend/source_range.h,sha256=brZ5AotYUq0Da_YpaMMbTBaRDKQIYV0PXzjeEYqdU3U,12886
+torch/include/torch/csrc/jit/frontend/source_ref.h,sha256=mQU6_nrLmy8_zun717SNW5zEk2HinnWka-IulgKRzx8,1319
+torch/include/torch/csrc/jit/frontend/strtod.h,sha256=pXNpI58EBYdQ3B43FJ2TRkmlVHfz8BNAK6jytZOq8Cc,241
+torch/include/torch/csrc/jit/frontend/sugared_value.h,sha256=upTpaRpiYzElhwa7xzdirF86IOjXBsgPtZiabS_etEw,27854
+torch/include/torch/csrc/jit/frontend/tracer.h,sha256=KIh_3X00LAL6iGch4gzcA5zdddnDe8n6RA8tFqJdDJg,12788
+torch/include/torch/csrc/jit/frontend/tree.h,sha256=Hwx3oiz_Kup-c2ifkPXAKIqATBO0pMMT1IZqG2CCkGw,6629
+torch/include/torch/csrc/jit/frontend/tree_views.h,sha256=RgPY077JgUQxPUGePV8va8IWS-D4OuqxEmfJW4CHzUI,37251
+torch/include/torch/csrc/jit/frontend/versioned_symbols.h,sha256=xXzAecqTP-NZNhpiTNaj6m3FB0RNFMBXFbPFckccTac,620
+torch/include/torch/csrc/jit/ir/alias_analysis.h,sha256=EF1deiS8XFqZpljXpsOmwFmiC3JyRQyUS3HzBa9L4ik,12850
+torch/include/torch/csrc/jit/ir/attributes.h,sha256=LPBugSzeY71fM8aRZVxa0iDQxDnJBC1R9TT5wxeCpb8,4929
+torch/include/torch/csrc/jit/ir/constants.h,sha256=Xe8sEFenoiuhgaBdu7YLX7_Jrkad73kQYAynktjtFtY,2032
+torch/include/torch/csrc/jit/ir/graph_node_list.h,sha256=ROrVM01XWiDtqL8s4SuTTZ8QTt1-iH0B8e90VhU_VZE,6379
+torch/include/torch/csrc/jit/ir/graph_utils.h,sha256=fGLGBLy7HdGihSpojxmzUD_8G4apDLx2_RtIicwXnaI,529
+torch/include/torch/csrc/jit/ir/ir.h,sha256=yQ70gk9fcNfMG1yyNVzJ-lKfQ2dXmzfLLDiWXZGJUEo,54292
+torch/include/torch/csrc/jit/ir/ir_views.h,sha256=jrgHLunPvnr0xgp5_wnHZ-C20pO5NKXcvTVAVDzKqHo,4648
+torch/include/torch/csrc/jit/ir/irparser.h,sha256=yGP_Lk9W6HQzdG46CO-FUsO3VRupORJUrhqGlbmTu54,1163
+torch/include/torch/csrc/jit/ir/named_value.h,sha256=D-smzqrwS-7eT9JI7wsG14FuodJFssFRq0alKUJ1lXc,2444
+torch/include/torch/csrc/jit/ir/node_hashing.h,sha256=YFHiWACcNrteucwRCbQuBqwo0bQ6vPaatKkCS0Sb1kk,290
+torch/include/torch/csrc/jit/ir/scope.h,sha256=Jk2MbzTRNj2sSQV83QqZrgIgvAjeclhBEo4k-jzzKAA,7184
+torch/include/torch/csrc/jit/ir/subgraph_matcher.h,sha256=OjnS2hW2wVTE9bEtceHHLYDnKDXdf9WjhhN6JIJsxaQ,3151
+torch/include/torch/csrc/jit/ir/type_hashing.h,sha256=z6acE0i6K4KU-oAV4Il7_vpBF0Rg9zu-QdiE6a_XfOE,459
+torch/include/torch/csrc/jit/jit_log.h,sha256=2p4Ppro1HDAmnxlM47hngRqg6FfCQU5T__uV8MAm99k,4798
+torch/include/torch/csrc/jit/jit_opt_limit.h,sha256=3OVvSgL6igVN0RBsYvr4zbh8I5TXfVE19Z_6jyRnd9A,1406
+torch/include/torch/csrc/jit/mobile/code.h,sha256=62BWHvvHgPV_pnoW-SBPhuUKZdIuubijOFSsL9C_QLw,1186
+torch/include/torch/csrc/jit/mobile/debug_info.h,sha256=NcSePALty2KoLYfTv0MxV4KTXeo4QUNO836vMOH-1Y4,2230
+torch/include/torch/csrc/jit/mobile/file_format.h,sha256=clDM2z4imtoQhsBtmJ-rhKSrx2PzZsqIKpePscxRYzk,6632
+torch/include/torch/csrc/jit/mobile/flatbuffer_loader.h,sha256=m8T9iNWM1HSAhrPT-wH4y2u9Qq_rQzozJMFtxobUxts,4999
+torch/include/torch/csrc/jit/mobile/frame.h,sha256=djL5_y4LmS-GAzYPm9Ifc4B0eF-2vUia0YlAJ7NjlIE,872
+torch/include/torch/csrc/jit/mobile/function.h,sha256=fTTC14lNB_EmZ6O_GGejGBUvcsRwg-LqHsmQT7SrFGY,2900
+torch/include/torch/csrc/jit/mobile/import.h,sha256=C5pTy8dn8ShLSeavGXS95kJYTJWjZnvfugx5ThhfNDg,3937
+torch/include/torch/csrc/jit/mobile/import_data.h,sha256=Q835HG7mjOuDKt3HYJHmOSDVT8CNByH-xLdR7mCJ1IY,1031
+torch/include/torch/csrc/jit/mobile/import_export_common.h,sha256=YxBhRTweGOwndHx51WdgG8p-zwiW1ciVq5xQKtIP4lA,554
+torch/include/torch/csrc/jit/mobile/interpreter.h,sha256=HEQ5f8LM3wbjCpCbbO2pcXaqsycRegY0VfHyZ0jeyak,688
+torch/include/torch/csrc/jit/mobile/method.h,sha256=2MU0r3XL3q2QQMSSLRsjiXG-4Z99L7xdWPnLsFYN5oA,874
+torch/include/torch/csrc/jit/mobile/module.h,sha256=McCCFWoXWrVGfzXNBJEZt9PiaK0R0UZiMMIhvvoHAss,5977
+torch/include/torch/csrc/jit/mobile/observer.h,sha256=GhQYLhyUPbiIkVzBO2PcZRyo44G8yIoVwtLEzZ5iaLY,3637
+torch/include/torch/csrc/jit/mobile/parse_bytecode.h,sha256=pCwodDUGgtuCT7B04ekzdQuL-del6GFM_J96lMQLr2g,790
+torch/include/torch/csrc/jit/mobile/parse_operators.h,sha256=Jc3g63GerzBC2WRNw0J_FOOwE-paeyFhVqB2R-lSN1Y,734
+torch/include/torch/csrc/jit/mobile/prim_ops_registery.h,sha256=ggZkB-iiTO0RMW1ztdKNbmTaVy6eKOZc1W3gMxegQzw,645
+torch/include/torch/csrc/jit/mobile/profiler_edge.h,sha256=w9NwGZ3w45Su6RUxyWYPszzrgSW81H8ZRClbJFgFzBc,4538
+torch/include/torch/csrc/jit/mobile/promoted_prim_ops.h,sha256=2U3bNnj7C8Ypwc5qbE5bFwz-3jUCRVLiXYRSsKXzT48,1068
+torch/include/torch/csrc/jit/mobile/quantization.h,sha256=JALhO7vuLyehdCe5ecPAbi_X-WePiAqzoYUl3u_mrKU,1288
+torch/include/torch/csrc/jit/mobile/register_ops_common_utils.h,sha256=-3r8QXnSeVOrYmQBqUEudNkRvQdigDX4nON8w9AO788,1683
+torch/include/torch/csrc/jit/mobile/type_parser.h,sha256=SHCUMNas3tT6nlP66FwPGAoXo0rYsUKhaLCVaM7amqg,1443
+torch/include/torch/csrc/jit/mobile/upgrader_mobile.h,sha256=AGb8Nd4Z8B28CZk-1rWaBVfjJQDlgPPYkYn2XuJFOiY,981
+torch/include/torch/csrc/jit/passes/add_if_then_else.h,sha256=DAC6-vToJ6fqyDhCvW78_3xSrMS3SAjsMqJTvb20O9M,188
+torch/include/torch/csrc/jit/passes/annotate_warns.h,sha256=KKMFM5nOCeVUKI6x9Kx223EEfUU5uM5kxJc9SZtBE_Y,192
+torch/include/torch/csrc/jit/passes/autocast.h,sha256=yFwOAQHPjDG8Zl_N0VkzmNGyX3Lnfx3eHfVose3D9cY,267
+torch/include/torch/csrc/jit/passes/bailout_graph.h,sha256=_N5B_8WJZ9OdHgGnKuPBiCqoxzlO54Y_k3SflT1WTQ0,1115
+torch/include/torch/csrc/jit/passes/batch_mm.h,sha256=x6DsjOKNXdXaQ_EVz9FKqf281Mmcn_SlA8LR2AVKikk,163
+torch/include/torch/csrc/jit/passes/canonicalize.h,sha256=M0VS9x-bg7bQS1x4hYFUHXFr71KK0ENQjTXP5X2TaOg,492
+torch/include/torch/csrc/jit/passes/canonicalize_graph_fuser_ops.h,sha256=JRZ3Ldx0_3FUSVJ78o6yOVY6R7QL61vKMjyhZunwuv8,177
+torch/include/torch/csrc/jit/passes/check_strict_fusion.h,sha256=LE5ekWMi5KGUqh2ipZu7gHNd9fam3klyXmdpuNV2HHo,191
+torch/include/torch/csrc/jit/passes/clear_profiling.h,sha256=-7lka-w2NHHFaerEJfhkYor7wbgLMM8KYR_hlddKw_o,493
+torch/include/torch/csrc/jit/passes/clear_undefinedness.h,sha256=R3EOnJ2wgDGo3we5MJMA0loCWMGcHHlm8oBdwcj_HtQ,875
+torch/include/torch/csrc/jit/passes/common_subexpression_elimination.h,sha256=z7IfjAQ-MGLf5HIehx4nAl4XovJz0lp_Y4mmfIK0g3s,194
+torch/include/torch/csrc/jit/passes/concat_opt.h,sha256=wHxXr7R_NTiKqG_SH3wIdQXJLldX24uwbYXd0Ftgiw4,550
+torch/include/torch/csrc/jit/passes/constant_pooling.h,sha256=N1a2ZiNietyOW2zvh4tSQDsdUYMaUzqla0kLVcd5QP0,177
+torch/include/torch/csrc/jit/passes/constant_propagation.h,sha256=vVQdbrYeavuU5jGvdplmfZvh73JQRnw15yHGU-YXliY,1314
+torch/include/torch/csrc/jit/passes/create_autodiff_subgraphs.h,sha256=ZPUno0m-_ig3FWPau-Gu9YYaJT4gpqPmhZNCBlZDjpk,538
+torch/include/torch/csrc/jit/passes/create_functional_graphs.h,sha256=23H8y-a2uENpTHKTKZgR6qyIGtsHQKRu2uq-zEBdih4,309
+torch/include/torch/csrc/jit/passes/dead_code_elimination.h,sha256=qCIO97-UVqUaVmO9TyFEt_Mh-oq2unIM-J96Y3_0YbI,1584
+torch/include/torch/csrc/jit/passes/decompose_ops.h,sha256=9DiAUdCsDCp2tvCNck4UQR5A3U8An4bQuS8LTyubXKI,168
+torch/include/torch/csrc/jit/passes/device_type_analysis.h,sha256=IgrD5iDdKcjyoV8XMLb7KewwT5KhVt-CHk-FqkmEOEw,267
+torch/include/torch/csrc/jit/passes/dtype_analysis.h,sha256=9B7Y_vRJuZwXl-ZJYi8AUQlc7N6Czt4u8iA4PyXYcL0,414
+torch/include/torch/csrc/jit/passes/eliminate_no_ops.h,sha256=N5DsEvyhU0qBslYnpXFRvPZglSKB55Q3erS1MjBHpSo,517
+torch/include/torch/csrc/jit/passes/erase_number_types.h,sha256=yvp_ZBONBL3Xozskx_wm4B7hS7ypKxeILnLtpfKTQ7I,813
+torch/include/torch/csrc/jit/passes/fixup_trace_scope_blocks.h,sha256=U-HcU_4QjcksygXEtBVU1L13oS0C4KdEQ5GJ8JthB7U,1673
+torch/include/torch/csrc/jit/passes/fold_conv_bn.h,sha256=xb32jMMakR_ffR57TLS9g4OCBwREFWdPy3y35roa_ps,995
+torch/include/torch/csrc/jit/passes/fold_linear_bn.h,sha256=hW-uQYBv1a1i14Tdk52iOEtWylD-euOXo8oPzrDkiPw,691
+torch/include/torch/csrc/jit/passes/freeze_module.h,sha256=vw0opmLQ8AibD97GDtBCwm0bjBjA_a59xXLVW4wom5Y,1244
+torch/include/torch/csrc/jit/passes/frozen_concat_linear.h,sha256=Fdv0Z583wh9P1Ihq36kJ_f3GLpMcYRLlP4u-TANvmrg,277
+torch/include/torch/csrc/jit/passes/frozen_conv_add_relu_fusion.h,sha256=YBS8fWI79Kur0B2Znhh6nJNJ3L2lO7exOX4ZvDaMpwg,329
+torch/include/torch/csrc/jit/passes/frozen_conv_folding.h,sha256=5xHxXQaNmMTPdXN_G3-EdI3pE7SY5Z_MageAzgGI6hg,872
+torch/include/torch/csrc/jit/passes/frozen_graph_optimizations.h,sha256=UVQJPftcQHum-aAWrqel1lbvTuG4hHdKIxn99d8XHT8,466
+torch/include/torch/csrc/jit/passes/frozen_linear_folding.h,sha256=BNXMiKccojRWescayYkJkSQ-Aw5417JYiWQYdNHrDbU,370
+torch/include/torch/csrc/jit/passes/frozen_linear_transpose.h,sha256=7LvwiTSd1qMiJmGzO32Ctu7SYvxxN7ID2obA52JjNn8,286
+torch/include/torch/csrc/jit/passes/frozen_ops_to_mkldnn.h,sha256=zl66-XDYCQz5VMjOD80CkBNThHRtUi6MpTOMyNqPJ0o,414
+torch/include/torch/csrc/jit/passes/fuse_linear.h,sha256=gWla8he_7p2nhpOTClUukGPUueF_g7uumqJSC2XkyK0,768
+torch/include/torch/csrc/jit/passes/fuse_relu.h,sha256=hVpx9P8NMSHI5IlJWKSpNEfyatDQu1nvyD1TjABKxrU,273
+torch/include/torch/csrc/jit/passes/graph_fuser.h,sha256=B9J7gGOT6S-9UXb-ltZg5FOSvofsJmD5VrEAOKz8mHc,1251
+torch/include/torch/csrc/jit/passes/graph_rewrite_helper.h,sha256=F0yDDRxp03ZDAaUcBasCDTMpv8sgNBwCXM9COVSTqSw,1785
+torch/include/torch/csrc/jit/passes/guard_elimination.h,sha256=IOvzzo6_RvAthO1dhIYG-iIAv_MOGmBDHwAtenxQAy4,376
+torch/include/torch/csrc/jit/passes/hoist_conv_packed_params.h,sha256=RPdZCCa3I91wwEBruCktQgdtFT_skrNuaHAbVXwRpTI,211
+torch/include/torch/csrc/jit/passes/inline_autodiff_subgraphs.h,sha256=H5j-cg-2ky6V-m57XOMhLX0zdBI7w8ANRI2B5Z33kJY,275
+torch/include/torch/csrc/jit/passes/inline_fork_wait.h,sha256=REGVjC2nZkSpOcU3VOjTrw6zF_eZwZJxusr29UYQTsk,547
+torch/include/torch/csrc/jit/passes/inline_forked_closures.h,sha256=mhDh_9YO33vqMeqa9QsmNMQHxv20uIUO1WuGW2cdvBo,227
+torch/include/torch/csrc/jit/passes/inliner.h,sha256=ZBquqjU2bC7v0byu_sV4Od74jTZyCh8W79_F0_Gu1x4,254
+torch/include/torch/csrc/jit/passes/inplace_check.h,sha256=xijQSXw2abZOHPa_uLlXIvbSpzeK0cVmStxC7ahL04g,168
+torch/include/torch/csrc/jit/passes/insert_guards.h,sha256=oXa4a7QXBbPJDriOCJqC64tViTScnHbN5udldzv9Je4,439
+torch/include/torch/csrc/jit/passes/integer_value_refinement.h,sha256=N5jGBQswN7vU8fMv09tUxDq1E7oR81L9697fz9DH-yw,234
+torch/include/torch/csrc/jit/passes/lift_closures.h,sha256=6RyzKF8TFcBVUMNoqKlmxGFQrSj8DhHldVGJCs3dI1M,222
+torch/include/torch/csrc/jit/passes/liveness.h,sha256=IYGAyOoJX00fvvPlpBjBNr7RYVk_vVB95QYHRye3fEc,649
+torch/include/torch/csrc/jit/passes/loop_unrolling.h,sha256=qI1uHjW9dgWoGa_iZY_4-VhT0gGli6KY8MqWk7b-4GA,1006
+torch/include/torch/csrc/jit/passes/lower_grad_of.h,sha256=lQlKvI1LTZ5jSQp8VB7SkklnxoSLeTcRRoQQB0Gvt6M,348
+torch/include/torch/csrc/jit/passes/lower_graph.h,sha256=HKZxM64wjqRanSbpfLfBJATMpgTDGhFGSZt0pgKu67k,750
+torch/include/torch/csrc/jit/passes/lower_tuples.h,sha256=-LvG4dIykeTo4kSbPF5_zFlyBNfoi9vcOCa0gdLTjWs,666
+torch/include/torch/csrc/jit/passes/metal_rewrite.h,sha256=25_wn_jqFV151KKR7c7NcU62VysR4u0c6xLQGYV268Y,606
+torch/include/torch/csrc/jit/passes/mkldnn_rewrite.h,sha256=8MsnoMbkQT49r3IF6pSrQzkQIOpOP2wTNlFedRYvcD4,630
+torch/include/torch/csrc/jit/passes/mobile_optimizer_type.h,sha256=FkImh2z2c2osMwsZ-dCA8wQysofiETWhhZMbcDg54Ek,237
+torch/include/torch/csrc/jit/passes/normalize_ops.h,sha256=Le1kIVBt2PrVmUG1i5Cf-U2ueWGbFKBD_RgIEgqhVXg,536
+torch/include/torch/csrc/jit/passes/onednn_graph_fuser.h,sha256=rCzyjTE1-mcYOVqYmptlgpEuT1TstYOxwvXtbkVtbHE,1448
+torch/include/torch/csrc/jit/passes/onnx.h,sha256=AwTOWHDig_Y8jCBo37xeeq7NnOc159Z70bpUsJbIhY4,857
+torch/include/torch/csrc/jit/passes/pass_manager.h,sha256=3BQsxmJ8XOJMIMEZcGJmrI3uR8IPfoOvwB7-EPGt45Y,4574
+torch/include/torch/csrc/jit/passes/peephole.h,sha256=yqP0A71Mwk5xZKGkwOdLbz4RgIQJ8nFvwWOvDzaUNgw,507
+torch/include/torch/csrc/jit/passes/peephole_alias_sensitive.h,sha256=nfw9Xwcc-zhyIgnTsV2TWJrWxCHA0rRcHRwlpi8fc4g,435
+torch/include/torch/csrc/jit/passes/peephole_dict_idioms.h,sha256=NaZa85lCmoaqYSYwwypKKscSSeAIASgPy1V4XNOcTWI,1000
+torch/include/torch/csrc/jit/passes/peephole_list_idioms.h,sha256=__Zp475tWI1tSo8fzTqx3O5RX4ZuRJTfzGlK_yNPKWM,2003
+torch/include/torch/csrc/jit/passes/peephole_non_tensor.h,sha256=ZGpoLEljNMx6pKctfy-vWCgJfZ1HX87qIgOsmwPSZNQ,342
+torch/include/torch/csrc/jit/passes/prepack_folding.h,sha256=aQa61BMSpx4GgU6KpCVyC4wLSEVGmM_FDxxnEjkRmyo,358
+torch/include/torch/csrc/jit/passes/quantization/dedup_module_uses.h,sha256=BO4QlaPSdH1I37kIrdUi88CDoLDm3MYaKY-7YjMFNGI,826
+torch/include/torch/csrc/jit/passes/quantization/finalize.h,sha256=QEDufBsyjHdBm0rYP-yTAIQi7sRdRLUAEc0UEWMmUjw,2321
+torch/include/torch/csrc/jit/passes/quantization/fusion_passes.h,sha256=uDbKWQfLMcdtJt4H-1h-V4JCT8mKzKx6cAtxb5FtxkU,191
+torch/include/torch/csrc/jit/passes/quantization/helper.h,sha256=Fn_63msKgzryqOuUU91zE7PFSfY5MpiVthG2oxUg6TI,7484
+torch/include/torch/csrc/jit/passes/quantization/insert_observers.h,sha256=7z-o9x_nyG6_pgqnmsUnIWNP7dC8QvDUIgV0LtgPpJs,2351
+torch/include/torch/csrc/jit/passes/quantization/insert_quant_dequant.h,sha256=LHatNCh1b6fas9UPE0x9UxoAGJyoEWi1rxdSat6Olys,1450
+torch/include/torch/csrc/jit/passes/quantization/quantization_patterns.h,sha256=9jqgw4ptf0-ZoNlV-iucRJTO8TRE4An-6u8CLEM-380,53727
+torch/include/torch/csrc/jit/passes/quantization/quantization_type.h,sha256=UDgAy32Y3JJQUhZYoYo_qCA__SUbIdUThbBdQqGfOPw,358
+torch/include/torch/csrc/jit/passes/quantization/register_packed_params.h,sha256=XbD6rCZJx8Df4z6XnY-C1M4wNdaMOLuwxJCf63Jd2nA,514
+torch/include/torch/csrc/jit/passes/refine_tuple_types.h,sha256=AOglEl5zFs5GLygxXdZWIBvLY8E-euGUtOKr670dYRk,267
+torch/include/torch/csrc/jit/passes/remove_dropout.h,sha256=4gPkuN-LrDB-hGZOCnmeXiIvTjcPz6NT8bgUoVoC5ig,280
+torch/include/torch/csrc/jit/passes/remove_exceptions.h,sha256=uUw3Okrp0K27SoccPqlA8Wz2szkxS1bw3_X45pURZXc,954
+torch/include/torch/csrc/jit/passes/remove_expands.h,sha256=p1gyyUkdAl8paoIua_hIw7w9gZ6tbIOYYqkMND0ZVZM,175
+torch/include/torch/csrc/jit/passes/remove_inplace_ops.h,sha256=Jc9B6oTsIBXl_x7872GyBdbWiJjG_3a3TD24YsErM_g,296
+torch/include/torch/csrc/jit/passes/remove_mutation.h,sha256=vQcSEaMCTR4m9kpTOcFB_fWPpH271WHY46CtLq6RYVE,2631
+torch/include/torch/csrc/jit/passes/remove_redundant_profiles.h,sha256=nxTd7qnxpPSfwAQEGfwXyxGARygFcXEgGbFeOtazxw4,262
+torch/include/torch/csrc/jit/passes/replacement_of_old_operators.h,sha256=TcMUJonQnZL1TM8B8AACsWMQOE6r814c4AEmtHzgvoI,459
+torch/include/torch/csrc/jit/passes/requires_grad_analysis.h,sha256=NOk_n1Klny2BUbVGvbcUMXVD3ad3kpDx5IsR1w0g7rU,246
+torch/include/torch/csrc/jit/passes/restore_mutation.h,sha256=uU4DOi6WVSOX_KTFBWeR5SmMkhdzQdjQuJJnUjlupCs,1826
+torch/include/torch/csrc/jit/passes/shape_analysis.h,sha256=HpgZk6Gd-qy8YQEndmu3sgfchLVwJBI7Pmt_Ves0vYo,1102
+torch/include/torch/csrc/jit/passes/specialize_autogradzero.h,sha256=66bMvmBU5JN-2Xg6fpNquws9feQTGSWpnt_vJnldIaw,656
+torch/include/torch/csrc/jit/passes/subgraph_rewrite.h,sha256=l70yIPbM3Au9u8XwaVRLJXiIE4P2dRtbvrWcMD3axNc,4112
+torch/include/torch/csrc/jit/passes/symbolic_shape_analysis.h,sha256=Fb13Q97jr3iHlbbQtmPDfJOltlv0nzwXd7ef-sHOiAw,2103
+torch/include/torch/csrc/jit/passes/symbolic_shape_cache.h,sha256=4GrWoNGyznxUuLdU9GKAG12LjXXwHzxvFuL3OSFmYwE,1599
+torch/include/torch/csrc/jit/passes/symbolic_shape_runtime_fusion.h,sha256=vLNAUTR8HLCPqoSoyuWZ5aq9piJ08aK6KmP-kIVHDPo,2390
+torch/include/torch/csrc/jit/passes/tensorexpr_fuser.h,sha256=OxcY1D8TT3wUcT-V9bOzj-wTnM8_nxF8dAfubGuwdf4,2625
+torch/include/torch/csrc/jit/passes/update_differentiable_graph_requires_grad.h,sha256=6Eu-2ZGMD1FnrTMoRO7SqhRZiYoE_bz2GJ9mL2YE428,740
+torch/include/torch/csrc/jit/passes/utils/check_alias_annotation.h,sha256=pZafsHGeDV3cPTfJJubzUe20nGjb8Jsfe_pU7qaEFCY,612
+torch/include/torch/csrc/jit/passes/utils/memory_dag.h,sha256=amEijgYi0sKSpcWzg6cx3N_wUqD-Iwt6tUKqvfDW7BQ,6427
+torch/include/torch/csrc/jit/passes/utils/op_registry.h,sha256=UoA-APAe_5BCuNBWKN-zGdUUbhF3jjEYIMwCezuasE8,1033
+torch/include/torch/csrc/jit/passes/utils/optimization_utils.h,sha256=rSeEsn9yWTqYUxLSiz-XOHfN3qmECg2fVnrhAl_Vef8,244
+torch/include/torch/csrc/jit/passes/utils/subgraph_utils.h,sha256=E_OlnMAVussYOgV2HzPZJ5Z0WBPOzS9Coqw5vDk0jlk,2411
+torch/include/torch/csrc/jit/passes/value_refinement_utils.h,sha256=IU0rQv9QGbyJ9WQP93Cj3euziCJjutrwObQizd9LWD8,2632
+torch/include/torch/csrc/jit/passes/variadic_ops.h,sha256=GUbzziWDOcJKqpxkqnPqhrNufRYtHm30IrG0lmvUuz4,910
+torch/include/torch/csrc/jit/passes/vulkan_rewrite.h,sha256=D_erZJaxM2nVOvVFWzoanVlKb57Ce40B__HVaToSX4k,698
+torch/include/torch/csrc/jit/passes/xnnpack_rewrite.h,sha256=9B0h-1dQL0OU4MxArPMiXEwNxlB_nB9deNOcW6BwEe0,820
+torch/include/torch/csrc/jit/python/init.h,sha256=pi94AbCTzGH47EW-u9kPDdRazf2RXwVKISlt6S3p8dY,143
+torch/include/torch/csrc/jit/python/module_python.h,sha256=1vqq4Lt8kHxLV6BY2ZzGmPTFjtmrrQu5tPmssBa5mnU,960
+torch/include/torch/csrc/jit/python/pybind.h,sha256=McG2f_uxhUxBHOwkU_p40eKxwje8D7cFOHVayyS0dO8,7929
+torch/include/torch/csrc/jit/python/pybind_utils.h,sha256=YFJF9ZoRZVW2r4vzjpguIpIxzgdUQS2ivUjlpM1t-RY,43505
+torch/include/torch/csrc/jit/python/python_arg_flatten.h,sha256=-4yxueFeKLSCSDJO8zWm5nZfIWwNItwux0kXf_7jxZc,3527
+torch/include/torch/csrc/jit/python/python_custom_class.h,sha256=I-MFhM3ig0IiiVne9U84w0aqHrKRwl9MaCOGCtIfOPs,446
+torch/include/torch/csrc/jit/python/python_dict.h,sha256=rnifLBJFGqY5Xd8sQUw98yfJmvqegyq1kWcJ_yabHgY,3320
+torch/include/torch/csrc/jit/python/python_ir.h,sha256=NQBztQd2JZXnRRNYU0TE8k8dFxq92xhWQFxZXRMrAPw,1693
+torch/include/torch/csrc/jit/python/python_ivalue.h,sha256=OYmWe3cwZFuI9ELAwEYU8q-noAOz_4ouR2oVAYcy2Gs,3261
+torch/include/torch/csrc/jit/python/python_list.h,sha256=CkC1kuloKRCKh3ON4iFcm37x5VarCqm-rw8hTNW4kcs,5423
+torch/include/torch/csrc/jit/python/python_sugared_value.h,sha256=qFGpuX2zR2PqYMsdq91eAW7nm4lO639_ajLT2khfodk,11253
+torch/include/torch/csrc/jit/python/python_tracer.h,sha256=lqc6qmwN1Z8NdBWZK3NxrF5U3GXEfEZZXyW3IcUQZ-M,1211
+torch/include/torch/csrc/jit/python/python_tree_views.h,sha256=yJkTxIBDBgYEkX-7zAjVE1ACKKBNXvBU9Kiq885knT0,150
+torch/include/torch/csrc/jit/python/script_init.h,sha256=-nyejY7PHUrX4O1LEs7W48ZifDvd_oMfucwL2vAndyg,152
+torch/include/torch/csrc/jit/python/update_graph_executor_opt.h,sha256=pdlOCRdZR5VsId6If4yEOtsN1zNtLDzzFT7fncH-B-U,185
+torch/include/torch/csrc/jit/python/utf8_decoding_ignore.h,sha256=rndEzjMH5efB3RbaWMpfujvNQUe3o2_mesOzreaJHPs,179
+torch/include/torch/csrc/jit/resource_guard.h,sha256=Jg6cRhnUGCe219SnaIkIkPNs-v99qUBsu0OKIXDzxCM,465
+torch/include/torch/csrc/jit/runtime/argument_spec.h,sha256=GT94wEtjFPTEItpKQ_bLGCKvvY-JKeaMb4syhFBFXW0,17001
+torch/include/torch/csrc/jit/runtime/autodiff.h,sha256=5apSR8BAAdifHGPPFeCsS4GpYstVS1EvAYbK_lsaQgc,3930
+torch/include/torch/csrc/jit/runtime/calculate_necessary_args.h,sha256=WQujo6Vy1MOEeHzKhO04AYoOAAztIHnIZJ2Om4eqg9Q,2281
+torch/include/torch/csrc/jit/runtime/custom_operator.h,sha256=eKEDGUFIrgJPlHsk_XiittC4gnRPq1XZwjpkvFOiLYo,1054
+torch/include/torch/csrc/jit/runtime/decomposition_registry.h,sha256=FVhRmGP1tlkuOhoGxINQCRF3lko7zp_9r-yqhQpnJ8A,1045
+torch/include/torch/csrc/jit/runtime/decomposition_registry_util.h,sha256=vJ_K-8X9IaDOmrmwHNS79NxyyBlPdNcwH4NUbuvVS34,261
+torch/include/torch/csrc/jit/runtime/exception_message.h,sha256=HhV725zokG4hM07w-JpB6F2BLLoCoxwCjcYg2-Ccduw,614
+torch/include/torch/csrc/jit/runtime/graph_executor.h,sha256=MpqS32whzv48XSbutoKwrsY_t07H7K7mkcZyovvH5yo,4713
+torch/include/torch/csrc/jit/runtime/graph_executor_impl.h,sha256=qlWe2Gn2g4tKorSkJ1_nNcjdKv6u9ehXRqIGicY4Sm8,4027
+torch/include/torch/csrc/jit/runtime/graph_iterator.h,sha256=pSfARVvHC2XCw_p83DAuKxfLgvSJOgvkAB5dFXVE8LQ,4938
+torch/include/torch/csrc/jit/runtime/instruction.h,sha256=z1R5fLzff85MErdJopGVILbT-7Jii2ROWeRMoDSBoJ4,5621
+torch/include/torch/csrc/jit/runtime/interpreter.h,sha256=bpRpF1zQU8kRAXEIS4dWAEYhZkMu19QTZGcnFDjBOyk,5016
+torch/include/torch/csrc/jit/runtime/jit_exception.h,sha256=VurskGqYBjfOIpPfsfrHqF_OAexo4BDSkx54njc4PnY,1180
+torch/include/torch/csrc/jit/runtime/jit_trace.h,sha256=J7iFyOfzcqTPPaoGDSsgz79FcvpVEUJQz9Lp60IWdIk,200
+torch/include/torch/csrc/jit/runtime/logging.h,sha256=XgWWt2lyw61nt5GcEtQs1q-4By3VhTB5Y0PRlmDUMHY,2572
+torch/include/torch/csrc/jit/runtime/operator.h,sha256=sxqy0JTAeEMwf89_5oyMZLR6w36GdHTj-KxDM1Uv1gM,11738
+torch/include/torch/csrc/jit/runtime/operator_options.h,sha256=T3eF5cJyP0Gfv-8-8UDZQ67GYAznVFv4_S5MOr6QEow,164
+torch/include/torch/csrc/jit/runtime/print_handler.h,sha256=7BhckncLpvB1v1OViPjayXW-gMIDSyJ3HWc8ghENgBg,308
+torch/include/torch/csrc/jit/runtime/profiling_graph_executor_impl.h,sha256=cNEfjyNkfCqnwjMQMjqMGzk3pb75d16uh5s9VXoFdeo,2718
+torch/include/torch/csrc/jit/runtime/profiling_record.h,sha256=j5cXWqFSi4hxM1ncv4Z6u6kHOVf3c2f1MWlU1rqHq9Y,8543
+torch/include/torch/csrc/jit/runtime/register_ops_utils.h,sha256=fYjvTN9FpjSuJmrUbzpvUuMUOpK1ms9uifvC0AXOuRo,42603
+torch/include/torch/csrc/jit/runtime/script_profile.h,sha256=uryrw9gOOF1dB-0p-T2BROgTrDesmznjHrrv4cWf3IA,2617
+torch/include/torch/csrc/jit/runtime/serialized_shape_function_registry.h,sha256=TOfPLKlvlilf71WrOfkPCaCH0aFbnBCxFHSvxSAmEbE,356
+torch/include/torch/csrc/jit/runtime/shape_function_registry.h,sha256=E15CTZzgUVWvdzS4WBzzBLp53qHpRGIqi43STGjiymE,243
+torch/include/torch/csrc/jit/runtime/simple_graph_executor_impl.h,sha256=yMJXCsP6d25Q4tSpVc1aUNHbeuWT8Eq2Jw4Jzk8LSqE,643
+torch/include/torch/csrc/jit/runtime/slice_indices_adjust.h,sha256=-7bG6aoqU0uEXd4kXn8UNX63r3EETlWK8tZqBYiHhxI,782
+torch/include/torch/csrc/jit/runtime/symbolic_script.h,sha256=y3STqqE7YFmbZUJWwg3owACa0phbpHkvG6FJLX_3hi0,573
+torch/include/torch/csrc/jit/runtime/symbolic_shape_registry.h,sha256=IUUcL_jwRy2miT0nFw67gxwIkXz0i75E5bHdP38xpfQ,2795
+torch/include/torch/csrc/jit/runtime/symbolic_shape_registry_util.h,sha256=7p1cL2YS8jZuGeWI48XXETdslPoD9tm0_0FU_p-kWVQ,351
+torch/include/torch/csrc/jit/runtime/vararg_functions.h,sha256=4YE78NgzdL8MxckVRrej9O0B_JXQkcKJhxbazpoHXBc,1147
+torch/include/torch/csrc/jit/runtime/variable_tensor_list.h,sha256=BLJu7wftFO19tgS1o_8g9Vo58vKoBqtdLiH0pYMCbdw,527
+torch/include/torch/csrc/jit/serialization/callstack_debug_info_serialization.h,sha256=7h0qwLJ6aKY403rW_dvrXyhFDvfKuXsPM9POEjZyqkc,2624
+torch/include/torch/csrc/jit/serialization/export.h,sha256=h24H0EKnJfnmmyIW7XGSXLoBkSoxCrHj7QVUwBr5Lwo,11592
+torch/include/torch/csrc/jit/serialization/export_bytecode.h,sha256=nS3M5IKe-ife0LErkyh2hom3gPyhS8h8OM4hsscs4wM,1436
+torch/include/torch/csrc/jit/serialization/flatbuffer_serializer.h,sha256=xdg0sjrtrKEad8FIjpY4YGi4pCtdpiZoKQrwhNBHShY,3068
+torch/include/torch/csrc/jit/serialization/flatbuffer_serializer_jit.h,sha256=f71NMpmWRD8vLxf3oQoodL14eawM8SJNtmQA4nACsHY,197
+torch/include/torch/csrc/jit/serialization/import.h,sha256=rLGkgVEF21ff7TJdLIvpTzn445IoW9Dh7Bhz1LFY8kc,5038
+torch/include/torch/csrc/jit/serialization/import_export_constants.h,sha256=PwcBt7QaJgIeXEJharwa8-7TAbBoXW0jcBD0URuKv4E,670
+torch/include/torch/csrc/jit/serialization/import_export_functions.h,sha256=z1x5GErHSdXtFZHu-8RssFW6nXBztv43gh6o6a3Hs9M,413
+torch/include/torch/csrc/jit/serialization/import_export_helpers.h,sha256=AkAKNlNXoEd0uwK4NlgJ45OQ1yycbxppvdYL5Bkj_p4,709
+torch/include/torch/csrc/jit/serialization/import_read.h,sha256=jpen6tYnN82A6_vPhy4ImoKXAqtKE5iVSyZU6l6hkOE,875
+torch/include/torch/csrc/jit/serialization/import_source.h,sha256=eBPOL5IZfy-fYoyxIhhZYslbiSdLo41FGdNa6TOhZEs,3477
+torch/include/torch/csrc/jit/serialization/mobile_bytecode_generated.h,sha256=lYcBLkLIoeIVAno96rXwi7X5KMe3oAmjJaiodkZbv90,98594
+torch/include/torch/csrc/jit/serialization/onnx.h,sha256=MACgWo0l7D149IqzgTV-Maw_--5a9Kx2uqEgFqxuuqc,229
+torch/include/torch/csrc/jit/serialization/pickle.h,sha256=jpMsgRpjFhEq6B1XuM0ZwDpm6zesexfwEjyMVHYfiNk,4179
+torch/include/torch/csrc/jit/serialization/pickler.h,sha256=pL2EJmSP1ZGwJVnvCLY56gFwyN6ByK0RFHGQPappyMY,13853
+torch/include/torch/csrc/jit/serialization/python_print.h,sha256=ta8iGXz6MEe42z4hV1FlQwzcjEG-TDxWijRFjd973HA,1334
+torch/include/torch/csrc/jit/serialization/source_range_serialization.h,sha256=vopFFJ7_vhlsQUpqHwbxOim-dCi9BhAcgEt4-uY1pbo,1691
+torch/include/torch/csrc/jit/serialization/source_range_serialization_impl.h,sha256=wAjmPc3-qW33sA3hrU1MCE_qXYRfX4Q9laIubtg6iEk,705
+torch/include/torch/csrc/jit/serialization/storage_context.h,sha256=7Yuz7ObDXi8r8eBYXpQiB-7XNXkQff6Gr4URHAdAeM0,2512
+torch/include/torch/csrc/jit/serialization/type_name_uniquer.h,sha256=Iw47XHz7lPkgC9K5dUolB51xJ24SCWQ362jKGukbUKs,779
+torch/include/torch/csrc/jit/serialization/unpickler.h,sha256=Rxdr2zHdz2sxe2Yat0TvDPeNNNxJuLmSWJ0T3kpDbjI,7596
+torch/include/torch/csrc/jit/tensorexpr/analysis.h,sha256=XYsGpeq0kz4P4FH0-ZBOe7Yr2y98DrNbNWRqeGkHUKE,9180
+torch/include/torch/csrc/jit/tensorexpr/block_codegen.h,sha256=BPwiFdd-iDO0WGQKfhJKIYo4AwdivkihivMcEWHQMFU,4241
+torch/include/torch/csrc/jit/tensorexpr/bounds_inference.h,sha256=tIHoZEpXklzMujA-0x1JpsfOi2NPEWJAAdyUHT2St2I,2216
+torch/include/torch/csrc/jit/tensorexpr/bounds_overlap.h,sha256=CcwLq7XN4RiGtlOmWAizp3E0KNg2uiwt7AHftMx1OPw,4526
+torch/include/torch/csrc/jit/tensorexpr/codegen.h,sha256=UU8JCkBgH2F0mK6fr3rWeXHpGFmFIPbYHQNbiy7PG6k,8136
+torch/include/torch/csrc/jit/tensorexpr/cpp_codegen.h,sha256=QqpMixOPvEsoK4fNF0Qmbankqh4WJ8_jDfIZM9993EI,2278
+torch/include/torch/csrc/jit/tensorexpr/cpp_intrinsics.h,sha256=XEzshVCUefNQLU-d7ZixlApMdgtvZ3_9_wsuO8zGq4Q,719
+torch/include/torch/csrc/jit/tensorexpr/cuda_codegen.h,sha256=njpTZ25s2TKR3Mjo1YnufRGVtPNcIW6Y0tzhU1iktiI,8368
+torch/include/torch/csrc/jit/tensorexpr/cuda_random.h,sha256=c1i6pdqn9m-l9PeMXeNlhW9qiE8FlLSVj2DV-ioYB7c,2642
+torch/include/torch/csrc/jit/tensorexpr/eval.h,sha256=YbuwH-9sl3BjUzPTowh9OYF2knzd5LCLBiyNZPT076A,11044
+torch/include/torch/csrc/jit/tensorexpr/exceptions.h,sha256=SEHeRHop_dLo3vma50iqcIrDTZi0gg0jQX-1qfhbElc,3239
+torch/include/torch/csrc/jit/tensorexpr/expr.h,sha256=36S3RFRtD5MWFAYOIzru48VMW_GEFG8ie5eCsDCY8G8,14343
+torch/include/torch/csrc/jit/tensorexpr/external_functions.h,sha256=bSUq_yu6W4tMS5_HRadVqaDTssQVfdFz0VAnbkStzpA,3485
+torch/include/torch/csrc/jit/tensorexpr/external_functions_core.h,sha256=b35GbjY-X7qyLJ57hEu902nPpkk6uDs_tzaFCBYQlp0,504
+torch/include/torch/csrc/jit/tensorexpr/external_functions_registry.h,sha256=5PMv1IZZPXuBbj4t24FwbbhPNMgUjAlTaa5dkJjYB1Q,2356
+torch/include/torch/csrc/jit/tensorexpr/fwd_decls.h,sha256=NmtzudbjIA2Cm0HOFsDraY95bvBwy5wdNt-SJIDqBOM,3034
+torch/include/torch/csrc/jit/tensorexpr/graph_opt.h,sha256=O6a6TNU_FlUtyibMaKWu6hSWwSgrKqE1hyLJjXl04XY,4484
+torch/include/torch/csrc/jit/tensorexpr/half_support.h,sha256=3HP6qoqJv-fqTImF54smFiMvExD-wJ1LdluQZQZPoeU,5836
+torch/include/torch/csrc/jit/tensorexpr/hash_provider.h,sha256=TO1nBm1Aqgf5LvhurYgbLjOid5fjc-lUJraErGWFiiM,7983
+torch/include/torch/csrc/jit/tensorexpr/intrinsic_symbols.h,sha256=xFMYwrG9FzKJKOWVZSlyRaRn3YPR8SuDDAo9Md0GPVQ,420
+torch/include/torch/csrc/jit/tensorexpr/ir.h,sha256=sTTlxYO4jdw4sk4NduebyJnl4_bIYUxjv2OiR2JNF40,23598
+torch/include/torch/csrc/jit/tensorexpr/ir_cloner.h,sha256=-lPpvoRa9WCu1atbZcQ9eVz7QKFOIYUYL7RJyk6taKY,2110
+torch/include/torch/csrc/jit/tensorexpr/ir_mutator.h,sha256=qFsEPY_-eB1JxmsF9gybc-w2WGbTGT6vr5JWESRquaA,2140
+torch/include/torch/csrc/jit/tensorexpr/ir_printer.h,sha256=W69knIpaNagjTPn0WInf2zmmeckaK5py3T4Li-LZVSI,3860
+torch/include/torch/csrc/jit/tensorexpr/ir_simplifier.h,sha256=iayHUcL1X0rRAn-Vyj_X_ZzwNoG-fWWsTnv4VO_vS6U,15520
+torch/include/torch/csrc/jit/tensorexpr/ir_verifier.h,sha256=3uBx_O4TNeIctSQ81sjKtKOXd6E6s8bGQLY54loyrZk,1219
+torch/include/torch/csrc/jit/tensorexpr/ir_visitor.h,sha256=buPmythe5_kaYS9C1VC3pqXi6hT5LjSYxTtreTtVICs,1943
+torch/include/torch/csrc/jit/tensorexpr/kernel.h,sha256=oK0u_53WuSQwrvedLgNKM125tIiJTfxgWfraM_r7rWk,13376
+torch/include/torch/csrc/jit/tensorexpr/llvm_codegen.h,sha256=JK0PYvv2Ph4Kyo1krg7hBbDr1yS3hIfSFEn-uPKNmV0,3850
+torch/include/torch/csrc/jit/tensorexpr/llvm_jit.h,sha256=1TdilytdvSZ48YWsXUhLqhdM06zo-2r7hu3PrU9czb0,1951
+torch/include/torch/csrc/jit/tensorexpr/loopnest.h,sha256=8Wbbu-5KJzNvT19FKOX1S-Su0Ebt0k53JnXurQB6A-8,21347
+torch/include/torch/csrc/jit/tensorexpr/loopnest_randomization.h,sha256=EDpt9cBdS4oyjO_pH1i8v8rzyIOJBupk5yBioNzdlR4,359
+torch/include/torch/csrc/jit/tensorexpr/lowerings.h,sha256=8F9Aakie4lRHIdCouE7FGBrEKDFcAVg1wpPcQeBVsDw,1323
+torch/include/torch/csrc/jit/tensorexpr/mem_dependency_checker.h,sha256=GxuH9MphGhcEB6dXw1F6Udcjc1DmM16R0a4j5I7x4-I,13239
+torch/include/torch/csrc/jit/tensorexpr/operators/conv2d.h,sha256=0ZZGNCxz_im5dCpjqx9SyCL-YJlP5yXxyFApYlnJle0,2943
+torch/include/torch/csrc/jit/tensorexpr/operators/matmul.h,sha256=1gndiibjAkC-XTXGvdZEsmYV12S_F7HqxXvockrDn4E,653
+torch/include/torch/csrc/jit/tensorexpr/operators/misc.h,sha256=YtPVNqrJJDYR7saaiJp3nHVgJKbN49vGOma9MgM3ppw,3324
+torch/include/torch/csrc/jit/tensorexpr/operators/norm.h,sha256=45HCMbRK89MIwlXshrEGepftihmLnN4KCJ6nCuawNGc,423
+torch/include/torch/csrc/jit/tensorexpr/operators/operators.h,sha256=uUMEOYPpfSOrKklAjsN4YdQD7agTgSCUzMni2PeH78s,471
+torch/include/torch/csrc/jit/tensorexpr/operators/pointwise.h,sha256=dgSYgvTTDpHYhj3A_eZcWgQO2M-pNh3d7K-55iaHUQY,3202
+torch/include/torch/csrc/jit/tensorexpr/operators/quantization.h,sha256=uw-Bn1pmfxPqg6Ykf1kcI4GI16Jf_G7jDk1SWtEbjXM,5582
+torch/include/torch/csrc/jit/tensorexpr/operators/reduction.h,sha256=2K82V0gIkYDpbPOHMZ0SlYlVYEvNP7Q9No4uhVPvFPY,1155
+torch/include/torch/csrc/jit/tensorexpr/operators/softmax.h,sha256=tOkx_YTIAy78POs3G8GxUv-byZ39qEK_bBKZ5OruwUU,371
+torch/include/torch/csrc/jit/tensorexpr/reduction.h,sha256=UJv8prSVLTmcpnDS9fOw_i8ADpKcFDynr_G8ARdCnHY,8697
+torch/include/torch/csrc/jit/tensorexpr/registerizer.h,sha256=5P82baOPFf9lQVoO0aecLSQI0kPU7n3w5gGmHLBWTrQ,12540
+torch/include/torch/csrc/jit/tensorexpr/stmt.h,sha256=XOHcbNqYZyOXDk6kRVNW-BMMpigBC4llDkgwQJeBXDo,24321
+torch/include/torch/csrc/jit/tensorexpr/tensor.h,sha256=j6KG0UUCdH5NkZspoL5flkGNjIyHEx-Tko29imbX_nE,10793
+torch/include/torch/csrc/jit/tensorexpr/tensorexpr_init.h,sha256=INBGA6k25_MhWFjgjH3vqwPqTUupzoDo-qYARLMW8MA,268
+torch/include/torch/csrc/jit/tensorexpr/types.h,sha256=kDAeYY-9iIfERsFpbGXYf-V7SqhBzqxywI-FnuKeWtA,4310
+torch/include/torch/csrc/jit/tensorexpr/unique_name_manager.h,sha256=36F09N0Fvg7kRVB-7TAU1LZsgxJC9WvaK5XzRBvRUaE,926
+torch/include/torch/csrc/jit/tensorexpr/var_substitutor.h,sha256=i1UteqinYYFTPJzycOUwxHiyW9SAGx92bFujov82c0k,1812
+torch/include/torch/csrc/jit/testing/file_check.h,sha256=GfHH-By3ohBvZHkRvxE08DNKWMV3_Cz2InXbA8-UUAA,2568
+torch/include/torch/csrc/jit/testing/hooks_for_testing.h,sha256=qTVWQIZvaPw2xkzr_hbn3phdtT94Yc2_JCUEahUp1Us,603
+torch/include/torch/csrc/lazy/backend/backend_data.h,sha256=VQ_5Zm7jvFNYY9Vn3e-mkLk37hVolIl-YRC8Lo_-hEw,1205
+torch/include/torch/csrc/lazy/backend/backend_device.h,sha256=ErZsndDFoH-OwPn1SxNKH-l7stTYFAw4OTmD-9jZLYI,2876
+torch/include/torch/csrc/lazy/backend/backend_interface.h,sha256=nZUXiIxY3eCfXqZsLQsB-B9KbDX49OkO2OWmvJX05K4,4846
+torch/include/torch/csrc/lazy/backend/lowering_context.h,sha256=y5t4aXVFCZlM6aZFZDB6NbTfi4JB2aIjiXy9DD0nsPk,3308
+torch/include/torch/csrc/lazy/core/cache.h,sha256=O4NjeVhn5TiLcRIUQ5mvTNPac0TVOC1NVPZ3HnRmzVU,3645
+torch/include/torch/csrc/lazy/core/config.h,sha256=wF70zxarRonAuvn3nofxeKY1NXILNO9sqPhLl5MwPUE,913
+torch/include/torch/csrc/lazy/core/debug_util.h,sha256=HPbvpVneHJrn43myzDe1i24-wMCg7254M8TNGdcz13Q,1299
+torch/include/torch/csrc/lazy/core/dynamic_ir.h,sha256=iCbqKMuQU0OoJK5S4tG_dE99jzH5Ldw94DrQtLwdZyA,1586
+torch/include/torch/csrc/lazy/core/hash.h,sha256=b2vouiSWSiHBOwtBxXH_lZV2spNxiUY4Y_VNcKATIKI,7584
+torch/include/torch/csrc/lazy/core/helpers.h,sha256=_X2bnEg1MlFhkzxGTvmGyLaJ0m6SCwVdCe3rB4zh0yE,2259
+torch/include/torch/csrc/lazy/core/internal_ops/ltc_ops.h,sha256=Y1dv99_hdJegQM59a1sn2UVVCzG5M81IwNGChLyXtXE,1492
+torch/include/torch/csrc/lazy/core/ir.h,sha256=yKMcXvo7Ys-EsMUh8VvOt5bSOV5SdKgylnB0t9AC9gc,8007
+torch/include/torch/csrc/lazy/core/ir_builder.h,sha256=tLz5ExyBhae6_CLOm8yhD3kxrSoqAeJiAuXzrgdd4XU,4738
+torch/include/torch/csrc/lazy/core/ir_dump_util.h,sha256=cnOi7BbGSdYt29JaW0y7_2TveSXKllMuM3eF9hbPP7s,689
+torch/include/torch/csrc/lazy/core/ir_metadata.h,sha256=LV22oumhbrensXigzC6UuJjcycBENC--T3KNVebdgkw,1154
+torch/include/torch/csrc/lazy/core/ir_util.h,sha256=t2vTTSDYuZaljqHqrzx7YXPinZSjrgHQLdKtsimnWP4,1391
+torch/include/torch/csrc/lazy/core/lazy_graph_executor.h,sha256=TVdKCIs61x6jDNmftqdV2nnss-KbIxx0iDk6t2wh6d8,14859
+torch/include/torch/csrc/lazy/core/metrics.h,sha256=v5PGW2mAr_N0x_mzN_CiAUaCmn7MYmd0brsvOrwatmM,8017
+torch/include/torch/csrc/lazy/core/multi_wait.h,sha256=S9a59_NsDmrWvprDvDiiVDq-FjvFv7-hzgEat8g225U,1740
+torch/include/torch/csrc/lazy/core/ops/arithmetic_ir_ops.h,sha256=fjyJJvOW1x0vED4C03fdt_imQkFs1A_2xP1SDQQpWA0,406
+torch/include/torch/csrc/lazy/core/ops/utils.h,sha256=RwVAGc_1DAG5aTpaHRntrYyFO-YPx1Bqfm3XcHq_M4Q,1010
+torch/include/torch/csrc/lazy/core/permutation_util.h,sha256=sUpKHJc5ZtY0fBV4r3hpJ_xzSjmX37TmvrXcrQ_UusM,1277
+torch/include/torch/csrc/lazy/core/shape.h,sha256=To-giH6mkZTj0AyQVHYwNnuL9UBuCdIyfmrSPTuQY0Y,2020
+torch/include/torch/csrc/lazy/core/shape_inference.h,sha256=kaqixz1G4NV3ELuKsrfDL9i8B26xTj0F9ByDHY0417w,15438
+torch/include/torch/csrc/lazy/core/tensor.h,sha256=O5AR6lQCls_xUEoA8Xher4zxwtnfMMdzUjELu6GxDLw,9439
+torch/include/torch/csrc/lazy/core/tensor_impl.h,sha256=CwYsxVEiQjuUW7MIL4qEmenLvKWy4MzVGH3J9K8Tbp8,1910
+torch/include/torch/csrc/lazy/core/tensor_util.h,sha256=KPvXHuIm0r5okpoETM2V7_HL4rYnq4rHr-bWhX2df2I,2561
+torch/include/torch/csrc/lazy/core/thread_pool.h,sha256=93Llb28b8IOCi4fzc2t_dxI0KbiosFaUBrfWR6bx-6c,721
+torch/include/torch/csrc/lazy/core/trie.h,sha256=QSiW5yPfjwjCk4b6T-2DxUXH3-cL8r7jMtF9LkvVYiQ,2217
+torch/include/torch/csrc/lazy/core/unique.h,sha256=V-1QOAXQxvMyBKP14Mcv3M9C8sOLGkOahanANzhd97M,1175
+torch/include/torch/csrc/lazy/core/util.h,sha256=sPFrHhkU_gzTPLjic8Qx6795A-gAhyWxNLpfyhWMZTI,2830
+torch/include/torch/csrc/lazy/python/python_util.h,sha256=9EhTgwA3THvCeNpxHOtvwaPlGpyENRk5qZRCXJat7nM,351
+torch/include/torch/csrc/lazy/ts_backend/config.h,sha256=mAauhrHhWIzAJc-pHcjzFhaVBGuHXZUjiWL2G23BHt8,202
+torch/include/torch/csrc/lazy/ts_backend/dynamic_ir.h,sha256=RQWixJpb5piDUl5VaI1yL_uJXcEatY8YvwKY_WGVnEQ,2503
+torch/include/torch/csrc/lazy/ts_backend/ir_builder.h,sha256=jE1iHkdzgcFeQ29QKQQOdwigqjtUiAcsvXRJDAIopGM,2416
+torch/include/torch/csrc/lazy/ts_backend/tensor_aten_ops.h,sha256=g5DsT3zcoF-9oEYQ37Amm4jdhL_YRHdB6qPJkqPCU2w,548
+torch/include/torch/csrc/lazy/ts_backend/ts_autograd_functions.h,sha256=LBqUJ_aJwGFV7IPtUzhnbyYhUpO59COTv9gBC_fW2TE,644
+torch/include/torch/csrc/lazy/ts_backend/ts_backend_impl.h,sha256=G2aYU791b8hOnkBE6TZaCle0oKU1GoYp2NDnqm_EEUo,1234
+torch/include/torch/csrc/lazy/ts_backend/ts_eager_fallback.h,sha256=GW6xzyRRYLvdDf1XA78_nT-1bkdeDvPgYyeefhn3piQ,717
+torch/include/torch/csrc/lazy/ts_backend/ts_lowering_context.h,sha256=pPmx22bfOeJ5toBc_7Ey-QAYwIeJIKCoiU5_onXEXA4,4519
+torch/include/torch/csrc/lazy/ts_backend/ts_node.h,sha256=N91HrPG7tJEC1MdZv5Zo3R7jiZ2lzBK5QtSTisI7R3Y,3376
+torch/include/torch/csrc/lazy/ts_backend/ts_node_lowering.h,sha256=TUl69lpUcqybpxrYebLv5EDHgYIhXfyg26GvfrAOknY,484
+torch/include/torch/csrc/onnx/back_compat.h,sha256=zc5K7G4NO3cMvNW8Uz5xvoUNnw5G0sZfc0j5Xwq4i8E,1024
+torch/include/torch/csrc/onnx/init.h,sha256=ZXAqnv9mhvV3QHMdSwzKprQOSAa-rSi3pcABk0aY3a4,146
+torch/include/torch/csrc/onnx/onnx.h,sha256=9ghsm-HHPWO3NC6nNNCfEI1U_H2jZ55SULufWFKPa2w,507
+torch/include/torch/csrc/profiler/api.h,sha256=2zxTYEcugn1jicqDNnSJ84Lw1xsjlGMdvbmDl9coJCc,510
+torch/include/torch/csrc/profiler/collection.h,sha256=1X_C_-0UqYdAVJ3e_w6MmGZ8tKqYfi1PeoJyl_sKEe8,19581
+torch/include/torch/csrc/profiler/combined_traceback.h,sha256=xwV1K_fHpnblNCdp_69zKLbw2PxESKY80gtskCzA0zs,2457
+torch/include/torch/csrc/profiler/containers.h,sha256=00nSZi8h9c8_dPTH6200AWKhaNGCzC0Uux9ZbiIIREw,5877
+torch/include/torch/csrc/profiler/data_flow.h,sha256=uPu6BgWne5oO3086kPY0GxXPYadRrfO58isOdOROVHY,3625
+torch/include/torch/csrc/profiler/events.h,sha256=xZLUo_qQi2CakFguv9GOAVmZJ_B0VSZJBMrwAqNBimM,1038
+torch/include/torch/csrc/profiler/kineto_shim.h,sha256=hrQNuIzFghbjCHQbKB0l_PqHmAsgyPZYAdtojpIq4Hk,4054
+torch/include/torch/csrc/profiler/orchestration/observer.h,sha256=mtoB4Dfw3E01UbZ4eoOaOvlG81ABvHFAegIAGNYhZsg,5172
+torch/include/torch/csrc/profiler/orchestration/python_tracer.h,sha256=hbu3e45yq-Nn1O4RU_V7dy27vRpalkM5dkUK1k3CGwg,1828
+torch/include/torch/csrc/profiler/orchestration/vulkan.h,sha256=nbVl5pgj47F2WqBW45wwyXLMIzVtg9MCftxONuxb-zU,851
+torch/include/torch/csrc/profiler/perf-inl.h,sha256=9khZdhJrF2DvSd5H3J0m2y2_k1bUX6VX-vXuAvq_t30,1385
+torch/include/torch/csrc/profiler/perf.h,sha256=jHcjDFsVnsGYS7n0-K_IsWKwVEqTrK30X3w2PG3vgrE,2487
+torch/include/torch/csrc/profiler/python/combined_traceback.h,sha256=LX9Uf6zMXSTAXvE5vYGIPw825gjKEGZZ7UF2kQVBKZM,750
+torch/include/torch/csrc/profiler/python/init.h,sha256=vf_sbJmGyx3LWxbTgkmZ29G9FIQ2BUhoD9MNusGoNUM,1054
+torch/include/torch/csrc/profiler/python/pybind.h,sha256=JQjtsaiNSY7-N9wB-IqHjMMtpgrbMWrHrSM_NKcoIKY,1276
+torch/include/torch/csrc/profiler/standalone/execution_trace_observer.h,sha256=-JtHp1q_3WH4lgA7qs9UmMkB8sit90bu4qvOq8LBlSU,678
+torch/include/torch/csrc/profiler/standalone/itt_observer.h,sha256=OSb3qqv4IhJVQGdN_chq1b67lstAHlUbeThwpD1QSAI,274
+torch/include/torch/csrc/profiler/standalone/nvtx_observer.h,sha256=ewh17RBH4H3Jeojh7ZEzaQhFU67CyLAAzmjVrKdlTPg,275
+torch/include/torch/csrc/profiler/standalone/privateuse1_observer.h,sha256=lgWOky-YFXfOpyuafp0yHp5-1GXDzhB8vHD408iFhBo,1285
+torch/include/torch/csrc/profiler/stubs/base.h,sha256=mywaYsluaThccsb31UmdIXwXc8SENvAW6DQS6lgqrOY,1725
+torch/include/torch/csrc/profiler/unwind/action.h,sha256=Vbm-tE0c1tGZebsSXJuZ96WlqZOGlXsoLHvtqTOfBoI,1425
+torch/include/torch/csrc/profiler/unwind/communicate.h,sha256=BJKoqxTdZcVwY7l56xk__utDD4wEFPRCV0KjKw6VsFw,1926
+torch/include/torch/csrc/profiler/unwind/debug_info.h,sha256=bMYjFGWUvHW1vAQTh07OC62EKeJfI1v5o7sTRNL4OCU,9017
+torch/include/torch/csrc/profiler/unwind/dwarf_enums.h,sha256=Ojxlhbz2WvETGEnqFq4XH0Oi7d4zYg4nRU3LgyA6gew,1110
+torch/include/torch/csrc/profiler/unwind/dwarf_symbolize_enums.h,sha256=jytIbewGISmk-XGD8UfheYG3OrD5y8GdqOlGQDuemPs,4677
+torch/include/torch/csrc/profiler/unwind/eh_frame_hdr.h,sha256=3sHjQ6t5RcY_agK1pygByKNhhxmcfvBU-9ttclO66Jk,2583
+torch/include/torch/csrc/profiler/unwind/fast_symbolizer.h,sha256=4tK8kCNvLQZ7Nzz2bMtYwYltGPb-4jrSd_aL3E3xZw8,3292
+torch/include/torch/csrc/profiler/unwind/fde.h,sha256=WADP6LRTTFFS_MazWYbhOWzbJIxsy8wU518TBZf87T4,11981
+torch/include/torch/csrc/profiler/unwind/lexer.h,sha256=7XOquT2X2eIa8Uh-GqSuyJjCo9nhdnTEdzFzLufhSf8,3882
+torch/include/torch/csrc/profiler/unwind/line_number_program.h,sha256=KuStBulb4PirsJnw17DOxaQW9MauCC2i7D47ZTq0ZfM,10642
+torch/include/torch/csrc/profiler/unwind/mem_file.h,sha256=zNWxcRN9VFx3x33Hhu-r2xzE7wdlqFMawQXTHLaDJfc,4419
+torch/include/torch/csrc/profiler/unwind/range_table.h,sha256=lWbucg-sR2AFKCamWhgHTqYd4iHuPbVc2zXtDeZj8G4,2146
+torch/include/torch/csrc/profiler/unwind/sections.h,sha256=qmHdqFr-sZUTA2HS30dI1oMnWAaasb_rIxXYokrupoA,3689
+torch/include/torch/csrc/profiler/unwind/unwind.h,sha256=HCu6nQUUaZjxS5686I39HYmT3mNJ-_6mNHivV5QJqkc,1144
+torch/include/torch/csrc/profiler/unwind/unwind_error.h,sha256=XYWHajAt3y4H-7CodguI_FyS-QR8YoG3knWwg1iV4Ts,941
+torch/include/torch/csrc/profiler/unwind/unwinder.h,sha256=wZtP6Dl2KcWNgrKtQPhHDbB-1M_BX_lv93ufj-nSyGI,2293
+torch/include/torch/csrc/profiler/util.h,sha256=yDetDOOf9CRKjf_iPdYF4yQ_CSJ_RnFfgCqzT2s01E8,5591
+torch/include/torch/csrc/python_dimname.h,sha256=-Bk8OBU36eIs9dyAMtpnfXkfa5KgFVxxrLKjhAem5sM,214
+torch/include/torch/csrc/python_headers.h,sha256=ZjIaoShls4JWN3vgElKkmNlZuulOavbFlgugV5L7R70,649
+torch/include/torch/csrc/serialization.h,sha256=olcwp7eeOqqpLV_hqyjMf6FAn4ppF9vonr7Sflay_T4,681
+torch/include/torch/csrc/tensor/python_tensor.h,sha256=ygnOLM0OHKcJw8mDotS7Ysq62bk7tVtTH-SOZ5rsBx4,1102
+torch/include/torch/csrc/utils.h,sha256=LkiNTOWTIKXlBOaDkOA8aqWArrLl_cBRNgrlW_P4jXs,9389
+torch/include/torch/csrc/utils/byte_order.h,sha256=VD9bkgn1w83szmKeJt1atfG-_md-XjOSw-Gy6dm5DYg,5853
+torch/include/torch/csrc/utils/cpp_stacktraces.h,sha256=MbynZ32tmwy-9y-REs2kHEfAzth_NVJKt_8qCYn4yko,230
+torch/include/torch/csrc/utils/cuda_enabled.h,sha256=1hv3GlF9I_yK7CTNCGJ1Re0jgcwUXsMFWFYlU8xFmWI,170
+torch/include/torch/csrc/utils/device_lazy_init.h,sha256=TVVdOyHkv88DdZCkmoTVOklld2GHA5Bvo8MrVSdmRFU,1770
+torch/include/torch/csrc/utils/disable_torch_function.h,sha256=qcPSbpHM6iiAbD-GG2WRwZOK_lP-z-DjVhvZldWP-wY,1777
+torch/include/torch/csrc/utils/init.h,sha256=s3Sas-t_M5fl8aS8DXoZ7-4a53iCpvuvklhprvLx7YQ,193
+torch/include/torch/csrc/utils/invalid_arguments.h,sha256=dXhIUSgk21JztsfxdrsNWq40fQOVhPLmMWRQocy_q3M,302
+torch/include/torch/csrc/utils/nested.h,sha256=5OZ6lzhetvHDaJT-LMHB6e7M2whcimwDDhOZ-8gKogk,306
+torch/include/torch/csrc/utils/numpy_stub.h,sha256=1m2vyb-8t2lQGtylJZrcH2cw8nHX_OEtyKk7Q_jGg34,399
+torch/include/torch/csrc/utils/object_ptr.h,sha256=AUZl7WR4XxSyzIMahypE4_faOXCh6YoiXByY1uOZKxU,1574
+torch/include/torch/csrc/utils/out_types.h,sha256=45_LZPP_vy428wm05bdf0_j8EaDd7ekf0IHj2bVnDKE,320
+torch/include/torch/csrc/utils/pybind.h,sha256=8mUjU5gN4jDJHkroJ4_BmbnyTm6l6CrWPabnwa_gjRs,12948
+torch/include/torch/csrc/utils/pycfunction_helpers.h,sha256=4_LQ4gsIR9hC6vI7cHEW161VW8KxurlJyR3LvHQZxPo,385
+torch/include/torch/csrc/utils/pyobject_preservation.h,sha256=G0h2hb4Ou4yDrLX4UuNhp4-71hOioOugzTzqBilRFzI,181
+torch/include/torch/csrc/utils/python_arg_parser.h,sha256=Y4YfsPtJJ_3e9swE6CtKJt_R6raibYHhSyXjS08j4SE,40862
+torch/include/torch/csrc/utils/python_compat.h,sha256=aBbADFZzAIIq1NQuZhXj_O41oCSI9a3sQEiGq8OBUi4,999
+torch/include/torch/csrc/utils/python_dispatch.h,sha256=kfY9sMzz5bAJYC28WWJS9anGVtB5Uq9kSfGQGcv2Smg,379
+torch/include/torch/csrc/utils/python_numbers.h,sha256=zxV0gz6FxOaIBjXKNio_PFziHIln6JxgqxaTceQ1HZk,5500
+torch/include/torch/csrc/utils/python_raii.h,sha256=3MZTg-sj4n0iDJkXK-b1YCXKwzqt57m8cBd8MmybxYw,2669
+torch/include/torch/csrc/utils/python_scalars.h,sha256=MQcMiGBYMb-r-DfuwCyeulhsr7wL39gTlxDRIzafkTc,5561
+torch/include/torch/csrc/utils/python_strings.h,sha256=QVHz-mNlMXkYzeUJRNCz-VVOXJWfI5pvQMYeLk4YfCA,4361
+torch/include/torch/csrc/utils/python_stub.h,sha256=Nigc7ZGrniF0qdLn-Ra4KIicNWTBrgARkJYpxs6Ssek,56
+torch/include/torch/csrc/utils/python_symnode.h,sha256=EmsKijjtbsnvk-eqTZvrW1H-Mh8nUV7xIdRzTitG7rU,9465
+torch/include/torch/csrc/utils/python_torch_function_mode.h,sha256=4tAtyW8TmksBE7M0CmOQDNGQEAOaF33D1BiVIZ8SSFI,512
+torch/include/torch/csrc/utils/python_tuples.h,sha256=zJ4thzUsi2Gc1aOAviCv8r-cBAUPPmmE5n0G2jRauKI,701
+torch/include/torch/csrc/utils/pythoncapi_compat.h,sha256=zHuya17yA0NPrWNADChfl8sEz1GcRuvM8BbOGrY3K0M,19601
+torch/include/torch/csrc/utils/schema_info.h,sha256=FCNeuz7R9or4BDyYFZq0SirDtj4QN-Q7Ca9DWK6ZQp0,3718
+torch/include/torch/csrc/utils/six.h,sha256=HzpaQpIxOJqfhrEHhKyEXRGwzc_u79Iuqy_Kut7RVi0,1465
+torch/include/torch/csrc/utils/structseq.h,sha256=FqMWwrP01RtislZcWjq_AJP4ezz45bLXKMvu49_qQtQ,141
+torch/include/torch/csrc/utils/tensor_apply.h,sha256=22xkgkrqOnkINK9fW3550Ry7gdmbQNBcrE9VMcCa6rs,428
+torch/include/torch/csrc/utils/tensor_dtypes.h,sha256=STkoDxONbre5kkeVeeTp7ZjM0GQaXFoStb9FT5UKG2c,242
+torch/include/torch/csrc/utils/tensor_flatten.h,sha256=ml9PIt-3X-yGWJgw3MY3QfWDYHh_4dDrHnjv6HviZi4,2745
+torch/include/torch/csrc/utils/tensor_layouts.h,sha256=HllPBlHMJI52vdhnMUQABJVLHLzTXw94MX5bNq9Ldsk,69
+torch/include/torch/csrc/utils/tensor_list.h,sha256=NDU92TL1XjVG5lvOtiCbi2svqU8QJUYx6ncdLra7v7I,167
+torch/include/torch/csrc/utils/tensor_memoryformats.h,sha256=vSjxk-I3RkZ9DBChN-SPvhZM5hraH-r2Y0io4cblcWY,323
+torch/include/torch/csrc/utils/tensor_new.h,sha256=DxPRJA90vOiJ740uhnQYpbPA3C6kwEzDsUE0Mn2H7a0,4014
+torch/include/torch/csrc/utils/tensor_numpy.h,sha256=zWwuOXEl4xKnnBF7zc_hLyBaKLQEA-GYFhnpcqb64JU,713
+torch/include/torch/csrc/utils/tensor_qschemes.h,sha256=gjMlYXJP9UsN7LPlLM0DX2IjILfIjg8dV7OBCZlue7A,174
+torch/include/torch/csrc/utils/tensor_types.h,sha256=8zrEI8PbBZqd91gRsT3t-23m9oNPVTTcb8-c20LKxho,669
+torch/include/torch/csrc/utils/throughput_benchmark-inl.h,sha256=nqw3ftA-0GilDuDi6siwsR2czNqQ-r7Fa7EcVNIja4Y,5560
+torch/include/torch/csrc/utils/throughput_benchmark.h,sha256=LmCl4FF7NSO0SMvGxJ-1DvHsUxH8AnDhsW5eL1QJkFY,6885
+torch/include/torch/csrc/utils/torch_dispatch_mode.h,sha256=3ag6BiftFmYr7fUj5oHdu8HcrkDFyUqleyetqkVv-BA,1615
+torch/include/torch/csrc/utils/variadic.h,sha256=48W4ug2Xdk5OPDwoHAD2z5gW6UfjEtq0ufgf-YiLeno,4372
+torch/include/torch/csrc/utils/verbose.h,sha256=P_Dr_oOwiENVdRpzlGTBgJ4KOfl8PJI2ep2vCJeLsNg,138
+torch/include/torch/csrc/xpu/Event.h,sha256=GevWnT3ISB_N-aDQtFHkFPEU7rCcbdH6L1kkCvFeQgU,342
+torch/include/torch/csrc/xpu/Module.h,sha256=aqwqxUnsLYZ1g5nJeBmQYmOLSPJ6nPacKpQvuEWz9XQ,176
+torch/include/torch/csrc/xpu/Stream.h,sha256=Hbb8zcNcXj_JdslvzOROLYr77od5OpFGxFsocDiAaNc,437
+torch/include/torch/custom_class.h,sha256=DRZ1Q2dWYIBXq9CRt1fQAveo2YR8Ac5tSxqfj9o924o,19780
+torch/include/torch/custom_class_detail.h,sha256=ADBsip9z6MzDGapRlHNcmso5_tWFsRpLqo4P5sHOamM,7771
+torch/include/torch/extension.h,sha256=jIN4AnAwsUeV6tlDdnaZOlxuABYGNIEwSLtdbhwls9I,213
+torch/include/torch/library.h,sha256=bwkDMZteHIiHeXgW3NgQD157Mh_cuUnKez3F_YdycVU,40475
+torch/include/torch/script.h,sha256=5qMfjbmTzP84r3BPgSRhTqyjMFGrsD54pxsE6C1e508,469
+torch/include/xnnpack.h,sha256=YqSOuuPy13xBmJ6t9KajyXpor5Emd3Mj2nPpBZ5yiwI,223141
+torch/jit/__init__.py,sha256=qe4zDmyWYFSk1q3mmL4ds-6OMsRwXaj9_aGUvgO7dCM,8315
+torch/jit/__pycache__/__init__.cpython-310.pyc,,
+torch/jit/__pycache__/_async.cpython-310.pyc,,
+torch/jit/__pycache__/_await.cpython-310.pyc,,
+torch/jit/__pycache__/_builtins.cpython-310.pyc,,
+torch/jit/__pycache__/_check.cpython-310.pyc,,
+torch/jit/__pycache__/_dataclass_impls.cpython-310.pyc,,
+torch/jit/__pycache__/_decomposition_utils.cpython-310.pyc,,
+torch/jit/__pycache__/_decompositions.cpython-310.pyc,,
+torch/jit/__pycache__/_freeze.cpython-310.pyc,,
+torch/jit/__pycache__/_fuser.cpython-310.pyc,,
+torch/jit/__pycache__/_ir_utils.cpython-310.pyc,,
+torch/jit/__pycache__/_logging.cpython-310.pyc,,
+torch/jit/__pycache__/_monkeytype_config.cpython-310.pyc,,
+torch/jit/__pycache__/_pickle.cpython-310.pyc,,
+torch/jit/__pycache__/_recursive.cpython-310.pyc,,
+torch/jit/__pycache__/_script.cpython-310.pyc,,
+torch/jit/__pycache__/_serialization.cpython-310.pyc,,
+torch/jit/__pycache__/_shape_functions.cpython-310.pyc,,
+torch/jit/__pycache__/_state.cpython-310.pyc,,
+torch/jit/__pycache__/_trace.cpython-310.pyc,,
+torch/jit/__pycache__/annotations.cpython-310.pyc,,
+torch/jit/__pycache__/frontend.cpython-310.pyc,,
+torch/jit/__pycache__/generate_bytecode.cpython-310.pyc,,
+torch/jit/__pycache__/quantized.cpython-310.pyc,,
+torch/jit/__pycache__/supported_ops.cpython-310.pyc,,
+torch/jit/__pycache__/unsupported_tensor_ops.cpython-310.pyc,,
+torch/jit/_async.py,sha256=rVlKK2qAQNX3ejjOabhakV_GYv3_neAViHJlY6CwpfM,3810
+torch/jit/_await.py,sha256=GzaQIKMPwUMAT7Soo2XqIjcuBtADM18lD4RUkoSDiq4,852
+torch/jit/_builtins.py,sha256=o8S_hGoNkl1aLq6l5j3o3cJsK1jgA4gowTlAiBjkJF0,6608
+torch/jit/_check.py,sha256=h87DXz43avmUSLMgmVtvv58CVdsQoWYyHFrS23rshTs,9378
+torch/jit/_dataclass_impls.py,sha256=yCanfEDRrvACTarJEg2ycCpioRsCO1btnWNj5ZAjzEc,6684
+torch/jit/_decomposition_utils.py,sha256=IfRghppgh-F5WCwm077re21qWDRkImHgahltbOAH5Ho,402
+torch/jit/_decompositions.py,sha256=XWFuxrqIEeJ81bc6NrByYxBqAtIvLM-E5ByibEB535g,4118
+torch/jit/_freeze.py,sha256=A7KCf8ECC0-oPKq9Oz9NE_5s-vYaDD3m3KgBlYucIYM,9453
+torch/jit/_fuser.py,sha256=zm_1qXzYIcJJlzyr9lVvyukVPIQa_Yi7FkC6347NWA4,7114
+torch/jit/_ir_utils.py,sha256=G4D4xLtjDnQS3Imqe-C9Y5f6TfSbh8uIYvIzdfycUlo,677
+torch/jit/_logging.py,sha256=AXSPcmOG3GZFileVv9IeUES0wb5kjDTYzzsy5fCyj4E,256
+torch/jit/_monkeytype_config.py,sha256=rFN9qmfxtUqD9hQmckEaE5J6ygJntESorjoxfiqg2W8,7238
+torch/jit/_passes/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/jit/_passes/__pycache__/__init__.cpython-310.pyc,,
+torch/jit/_passes/__pycache__/_property_propagation.cpython-310.pyc,,
+torch/jit/_passes/_property_propagation.py,sha256=WCXn-60y8tZe_nZyIj6rSyqg4Xa77y3mbYnU_GSCXOc,1463
+torch/jit/_pickle.py,sha256=BmT17dBHjphOVtXo72QJGjIoeyHu-AQ5JUt9Eas1vrA,982
+torch/jit/_recursive.py,sha256=aBXPKVcP7hVsfhhzI_Kb9jmk2zfcZmayLEXHLIaC2q4,42668
+torch/jit/_script.py,sha256=jhuuu0CkKMin0Gc3JnIN4-kQfI98n9d6MVenRbCraqU,64933
+torch/jit/_serialization.py,sha256=GjgdetBcmDWkVMswxRM6tNn6Z2I3Q2Jw5bPMaTw4YPY,9351
+torch/jit/_shape_functions.py,sha256=ygk1UO63HSdXUo_gmDw0fbGe6jWxeFYXrnmCMGvjNo4,45375
+torch/jit/_state.py,sha256=AsL54ivRSwO-COJrXVIVwNUxW6s88jKhlvcE1axRr1U,3762
+torch/jit/_trace.py,sha256=dpvJyk9sFAtbntzduP5uhO39q2uKgLpCggaEVk6tUSc,58169
+torch/jit/annotations.py,sha256=b0OAqsc1986sHHBnaH-TPOKuXYoItOJTKmqpV0TD1oo,17796
+torch/jit/frontend.py,sha256=jab602w_-_bwf7oebgilWTYvWMedLRSrk1cFiHZrjrs,44516
+torch/jit/generate_bytecode.py,sha256=v3IXa8oSxdBqFezFD3ugULneKR9uPA14fQ1XMxeinyU,1066
+torch/jit/mobile/__init__.py,sha256=yYxKKVMzVQPOY4K44gD9HUZxl98RbKO57za6OQUHe5c,8518
+torch/jit/mobile/__pycache__/__init__.cpython-310.pyc,,
+torch/jit/quantized.py,sha256=_qdmUEm74_VB2z0Dipf61uuvyefSkNAz0kLSPGxFMmA,3193
+torch/jit/supported_ops.py,sha256=LJHTr2VkLO8tWNTq0nI3i-zaVvvR9vZj9YbgvY8-I1s,10308
+torch/jit/unsupported_tensor_ops.py,sha256=7lyR5ieKktGFuy1CSpvxo3bqJuMTl5xWOp5CXNAigk8,1999
+torch/lib/libc10.so,sha256=_07dtd7DIHAufPGjWvOoPPL8zinGjkv-6w4L_UhyQEE,1347801
+torch/lib/libc10_cuda.so,sha256=xnXT-0B4Fa5XqO7_Cjad6nnGOxAQBEDovqwp2KszpME,660473
+torch/lib/libcaffe2_nvrtc.so,sha256=aYxK1zW1HQL9Ci-3lG6Xz71JTCF1jbdQhP3SMfJf2ZY,22889
+torch/lib/libcusparseLt-f80c68d1.so.0,sha256=vm8kU08aqFmY-1imG55xJCgatTnL3hHw9A2dJXlchyg,43229425
+torch/lib/libgomp-a34b3233.so.1,sha256=nrAQIbtY7DaSXa61pWYGv6tVgzLrX1EZ6ZDkwgjtJYE,169089
+torch/lib/libshm.so,sha256=0pSkZcyUjS6IxsCGRy1SL-tMz3BcbRVSi3ek80FB2a0,52745
+torch/lib/libtorch.so,sha256=zRCwXrn_eTBo28TeflTzBQvBxaUb5UHaEK5fkdyCzkA,255913
+torch/lib/libtorch_cpu.so,sha256=Hwvj1PYe5KFQytv-lgE-qtRdHTQpu1ZzVVg9OqWycEw,492151297
+torch/lib/libtorch_cuda.so,sha256=cRraByAkhPqLoVlNI_hJRxMPr6dVJ6ziaUGKIgv9EBk,902418537
+torch/lib/libtorch_cuda_linalg.so,sha256=aAnTvNpXP30hza1MMGzNXDFOW1x4gM7pavxYCtBnFdI,85435913
+torch/lib/libtorch_global_deps.so,sha256=r43vSTmy5sHULBgKjY56iPjx2Vg3DOzAY2YPhEuvvgQ,21177
+torch/lib/libtorch_python.so,sha256=Hezy40DWlpFxCAiJtXl3iuagbIunPiJhL1-JkMt9G5o,27309121
+torch/library.py,sha256=Ji4OE5LtbnGNzYMcV_dO55uFcqfJyJEcofkFJDgUw1A,39761
+torch/linalg/__init__.py,sha256=HD8Fui36dBcMyMFGZvCOLcXuQalQVIUPQwSloeQXweU,113995
+torch/linalg/__pycache__/__init__.cpython-310.pyc,,
+torch/masked/__init__.py,sha256=bhusDt-Iuix6vfE2k6tFOv2IxzELbNbM5TAsY89I4ck,664
+torch/masked/__pycache__/__init__.cpython-310.pyc,,
+torch/masked/__pycache__/_docs.cpython-310.pyc,,
+torch/masked/__pycache__/_ops.cpython-310.pyc,,
+torch/masked/_docs.py,sha256=Jr-iD8MG_4F6Ip_yxboE8Or1ms-bo3ay_6pdggbfV44,49468
+torch/masked/_ops.py,sha256=wRtiLdJ9luZINda5CwGTZmi4nYxwMoKOfeApv0wO1xQ,65514
+torch/masked/maskedtensor/__init__.py,sha256=K62inlHZAKXpPohbbHnlJnrzIQqYpzb4SaHTF4s_hWQ,359
+torch/masked/maskedtensor/__pycache__/__init__.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/_ops_refs.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/binary.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/core.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/creation.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/passthrough.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/reductions.cpython-310.pyc,,
+torch/masked/maskedtensor/__pycache__/unary.cpython-310.pyc,,
+torch/masked/maskedtensor/_ops_refs.py,sha256=kCc_Y3TC1bGD7FApnbtRMQnFgqtxbV_Y0WLVwXy9ZH8,16861
+torch/masked/maskedtensor/binary.py,sha256=GXxdD8ehGZsmzVG2e8O2EVo4k5pvI5V9wwgmFLu4RCE,5453
+torch/masked/maskedtensor/core.py,sha256=VpLOWjK4NdKZ6wVK9te90otX7Edpey-OAJDWjJNemRY,12599
+torch/masked/maskedtensor/creation.py,sha256=fCpzScgLx6yQ23AR7Q6AQEzYuqicis3y3idQ6FuTC2M,554
+torch/masked/maskedtensor/passthrough.py,sha256=eDjGRJL_YyN3s7rjmRv2KZkL-rN6na-WodSPzm47Cuc,1304
+torch/masked/maskedtensor/reductions.py,sha256=4yJehs7A0Lg_tuBf-uzz9a0bFdIeYJX3V735PhIs24k,5585
+torch/masked/maskedtensor/unary.py,sha256=jnl6Y19bG-Ytpdodw8EY4RVGeCNLuzTgm6Wp580w2xM,4167
+torch/monitor/__init__.py,sha256=nR8eJ0FnT8UuTkWSfVe1K5UForibJBNMM1jLo8QTkXg,1213
+torch/monitor/__pycache__/__init__.cpython-310.pyc,,
+torch/mps/__init__.py,sha256=gOK3dsKb9RoW-EDOO4J0D4E2fqraLogftwHAg3J14fU,4948
+torch/mps/__pycache__/__init__.cpython-310.pyc,,
+torch/mps/__pycache__/event.cpython-310.pyc,,
+torch/mps/__pycache__/profiler.cpython-310.pyc,,
+torch/mps/event.py,sha256=96R50ucdPjFwWfj5M1I96WdCatlth2Ck_1zTAxYQ-sQ,1683
+torch/mps/profiler.py,sha256=J0fBxy4JsktFxkM7gZnSPJjn1dgzt2oWv8unr52VIag,2372
+torch/mtia/__init__.py,sha256=ZdYp13NjZWD3eof9cHmXEA9KCZmv0zZLifCMvvYqLmE,8718
+torch/mtia/__pycache__/__init__.cpython-310.pyc,,
+torch/mtia/__pycache__/_utils.cpython-310.pyc,,
+torch/mtia/_utils.py,sha256=4UJfB-hN2jC9pp0U-FuBOVHAstjmy2D9oeKQfPwWVHY,1597
+torch/multiprocessing/__init__.py,sha256=ydwcB9aJ0AdQ6UrFChIeKNCuBGkOKIV0GgYEi3gITVU,2514
+torch/multiprocessing/__pycache__/__init__.cpython-310.pyc,,
+torch/multiprocessing/__pycache__/_atfork.cpython-310.pyc,,
+torch/multiprocessing/__pycache__/pool.cpython-310.pyc,,
+torch/multiprocessing/__pycache__/queue.cpython-310.pyc,,
+torch/multiprocessing/__pycache__/reductions.cpython-310.pyc,,
+torch/multiprocessing/__pycache__/spawn.cpython-310.pyc,,
+torch/multiprocessing/_atfork.py,sha256=_7Qbc_mErGJ8wQc5WJJtyngLamxcjYoCl71_OUyNF_A,789
+torch/multiprocessing/pool.py,sha256=M4P93j12ZHPdQakHYucZdhq8_u4bIOH-UDelyYt1c5Y,1743
+torch/multiprocessing/queue.py,sha256=OT9KTbNOpqjhun_ZQTXizodE1UOwrpSbJhYRKtAyNmE,1477
+torch/multiprocessing/reductions.py,sha256=BFw_w91DAPCCELKsBBqDrbug3FVqT8RBAk_B7RW1QMg,21806
+torch/multiprocessing/spawn.py,sha256=MnhIMbIHY9kJfZtZ1ouRp6liX94_9Iny6GvPkpPQCwY,10424
+torch/nested/__init__.py,sha256=yx4crLcPY8kG28PSfEljFmtZcBs64NbxlCF16PORdLQ,17786
+torch/nested/__pycache__/__init__.cpython-310.pyc,,
+torch/nested/_internal/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/nested/_internal/__pycache__/__init__.cpython-310.pyc,,
+torch/nested/_internal/__pycache__/nested_tensor.cpython-310.pyc,,
+torch/nested/_internal/__pycache__/ops.cpython-310.pyc,,
+torch/nested/_internal/__pycache__/sdpa.cpython-310.pyc,,
+torch/nested/_internal/nested_tensor.py,sha256=2Z2dSpAoqlLzyuQ2wrejbgyS4gK6gSB-p3yGl5jE3Xw,16201
+torch/nested/_internal/ops.py,sha256=T2ji8HH2N5CZp8OBvnwv8CypTUkGcantAEAQmdcQuWM,39227
+torch/nested/_internal/sdpa.py,sha256=IddexJpB9-PYdXoI6yZWD7aeuhWZn2v5uU1et65xpwg,28256
+torch/nn/__init__.py,sha256=x0p3xlU9wDXA-958zl7GZj6YEAVZTAwnb_XnUX7fpSs,2201
+torch/nn/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/__pycache__/_reduction.cpython-310.pyc,,
+torch/nn/__pycache__/common_types.cpython-310.pyc,,
+torch/nn/__pycache__/cpp.cpython-310.pyc,,
+torch/nn/__pycache__/functional.cpython-310.pyc,,
+torch/nn/__pycache__/grad.cpython-310.pyc,,
+torch/nn/__pycache__/init.cpython-310.pyc,,
+torch/nn/__pycache__/parameter.cpython-310.pyc,,
+torch/nn/_reduction.py,sha256=GFubErXF9m01WzUcxNSAHVq6YQxsHxdoLqO2VVBzml0,1556
+torch/nn/attention/__init__.py,sha256=PgYSOf217GxAuV4E4KSTJue3eC0218MWhmJZOSW6k-w,4993
+torch/nn/attention/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/attention/__pycache__/_flex_attention.cpython-310.pyc,,
+torch/nn/attention/__pycache__/_utils.cpython-310.pyc,,
+torch/nn/attention/__pycache__/bias.cpython-310.pyc,,
+torch/nn/attention/_flex_attention.py,sha256=V_dKQ2YWCHCgCil2RBwa31bhrRB-sIi7XUTg-IQLrE4,5594
+torch/nn/attention/_utils.py,sha256=tSpBQH4NCN2fEu9WofPfG3AGeAxpg4YOvt_56QxztDE,2043
+torch/nn/attention/bias.py,sha256=h9yB70Vdv_FEythL4IYkxEcJBhVZx__viutBCrDM4_s,13021
+torch/nn/backends/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/nn/backends/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/backends/__pycache__/thnn.cpython-310.pyc,,
+torch/nn/backends/thnn.py,sha256=J_5u9NvoAunx5_AJluIVutplxegm2844Mbpu89h4ppI,145
+torch/nn/common_types.py,sha256=M8LbPzJIu9jl-KN2mOHBTenSqJpP4rs8f7f0d1CWr1E,1841
+torch/nn/cpp.py,sha256=TMiA6xzuxtvKLDIi99W1RtxHiOSFAf9ORBeYQ1JDGT8,3017
+torch/nn/functional.py,sha256=vGUOP1UJiCv1HPgHLmGnpHaUsEBtdn6RsXzvrU9H11A,228508
+torch/nn/functional.pyi,sha256=jWqGXmc72WBqeCVbezeEHFfP2whNGT0hQ05IlbXZwb4,23495
+torch/nn/grad.py,sha256=aw6Bgcv_mEdSee9IZB1ADRvZ3vhcE_neYurcI4aY-RE,9710
+torch/nn/init.py,sha256=nzlU_db3js0hkpOMA2GqJxGhCsiStOpxRC25ACJrM08,21920
+torch/nn/intrinsic/__init__.py,sha256=OhtaKp08Bf-FKk-eNcvNujWkhyU5bkFvkfNkUMX8lLA,1072
+torch/nn/intrinsic/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/modules/__init__.py,sha256=2JlBSE6zO591fF36hPL7DmyXt4ZbTJbJ3u6xiS4eBA4,678
+torch/nn/intrinsic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/modules/__pycache__/fused.cpython-310.pyc,,
+torch/nn/intrinsic/modules/fused.py,sha256=uqYu7W0MolWDMdw8kTeFAf_9vpjEW66vwMdZMEmuHIY,901
+torch/nn/intrinsic/qat/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/nn/intrinsic/qat/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/qat/modules/__init__.py,sha256=k99vQqwhgrdNcCFhUs9xb82U_Y1G4LCTbkZJ3gaEgNI,546
+torch/nn/intrinsic/qat/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/qat/modules/__pycache__/conv_fused.cpython-310.pyc,,
+torch/nn/intrinsic/qat/modules/__pycache__/linear_fused.cpython-310.pyc,,
+torch/nn/intrinsic/qat/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/nn/intrinsic/qat/modules/conv_fused.py,sha256=OIq8fy6Y-0Md2pYfv2Zjygqx1_6olUFYP8f-xzneLUs,1174
+torch/nn/intrinsic/qat/modules/linear_fused.py,sha256=xc7XWxaIYj3WT7jlERgDfuPv6oym8qEo7HBr1emNrIw,454
+torch/nn/intrinsic/qat/modules/linear_relu.py,sha256=gVTtqk0DP6CNgQaecePiKZbMqUHJht8qZbP7qvMEVNc,454
+torch/nn/intrinsic/quantized/__init__.py,sha256=Uf-JCGsr6NGF0RIlvULtAnRljdju3ikCCKWKDmnN0tg,279
+torch/nn/intrinsic/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/dynamic/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/nn/intrinsic/quantized/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/dynamic/modules/__init__.py,sha256=lkMt6s828aFw7-gWI756-da8_85esiNfiBZvWYXTZTY,69
+torch/nn/intrinsic/quantized/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/dynamic/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/dynamic/modules/linear_relu.py,sha256=mAk1IaHbDUbydRywsAoC5i_lkWmp7BbH1Wmnuoxh0e0,96
+torch/nn/intrinsic/quantized/modules/__init__.py,sha256=f-CbY2BNb5WU5_IEc_CxZYdXFcautBTg1eKGCxBTrtA,253
+torch/nn/intrinsic/quantized/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/modules/__pycache__/bn_relu.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/modules/__pycache__/conv_relu.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/modules/__pycache__/linear_relu.cpython-310.pyc,,
+torch/nn/intrinsic/quantized/modules/bn_relu.py,sha256=Lu4COiO8pvzJHny9UXqXXv6v9kj6Qc6PvCsJdtujXHo,153
+torch/nn/intrinsic/quantized/modules/conv_relu.py,sha256=4Xxx-Wp87tMHyKcKb4xb0G5jjbFXgox2CCsDdJhyNvE,234
+torch/nn/intrinsic/quantized/modules/linear_relu.py,sha256=9r7rHon00-NJ9wp1qVMRjOxMjiSbA4h_EzS2ecCv7nc,88
+torch/nn/modules/__init__.py,sha256=K0sEjC-VUVz6C9ILt3Y-VFbLGz-tiCK5zsKFXUEHJss,5369
+torch/nn/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/modules/__pycache__/_functions.cpython-310.pyc,,
+torch/nn/modules/__pycache__/activation.cpython-310.pyc,,
+torch/nn/modules/__pycache__/adaptive.cpython-310.pyc,,
+torch/nn/modules/__pycache__/batchnorm.cpython-310.pyc,,
+torch/nn/modules/__pycache__/channelshuffle.cpython-310.pyc,,
+torch/nn/modules/__pycache__/container.cpython-310.pyc,,
+torch/nn/modules/__pycache__/conv.cpython-310.pyc,,
+torch/nn/modules/__pycache__/distance.cpython-310.pyc,,
+torch/nn/modules/__pycache__/dropout.cpython-310.pyc,,
+torch/nn/modules/__pycache__/flatten.cpython-310.pyc,,
+torch/nn/modules/__pycache__/fold.cpython-310.pyc,,
+torch/nn/modules/__pycache__/instancenorm.cpython-310.pyc,,
+torch/nn/modules/__pycache__/lazy.cpython-310.pyc,,
+torch/nn/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/modules/__pycache__/loss.cpython-310.pyc,,
+torch/nn/modules/__pycache__/module.cpython-310.pyc,,
+torch/nn/modules/__pycache__/normalization.cpython-310.pyc,,
+torch/nn/modules/__pycache__/padding.cpython-310.pyc,,
+torch/nn/modules/__pycache__/pixelshuffle.cpython-310.pyc,,
+torch/nn/modules/__pycache__/pooling.cpython-310.pyc,,
+torch/nn/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/modules/__pycache__/sparse.cpython-310.pyc,,
+torch/nn/modules/__pycache__/transformer.cpython-310.pyc,,
+torch/nn/modules/__pycache__/upsampling.cpython-310.pyc,,
+torch/nn/modules/__pycache__/utils.cpython-310.pyc,,
+torch/nn/modules/_functions.py,sha256=01N7j_RGsNuJrGUNIc01zHqkxdE1jpj3cdnzK5Me4oQ,11815
+torch/nn/modules/activation.py,sha256=B_ZT5JThpWjJjjCdl3B8aBQENoTs4H7Q78IXaesKaqc,56358
+torch/nn/modules/adaptive.py,sha256=4POdv7oze6X1t27RUTumSK8m5rLZYKSinJLWhq9V430,12203
+torch/nn/modules/batchnorm.py,sha256=2mmeCcPTXqz8ZMfdfHABhXEqmfHCY-q03ow7rVcd7-Y,38055
+torch/nn/modules/channelshuffle.py,sha256=4lvzqoSpaYafuAPN-u2NyRE5EFn2-8QWj8N0GJye1b0,1552
+torch/nn/modules/container.py,sha256=SXTi_h9V3ya8N8z8j0kEE2gAtC_l6ybaqPNmGfeE2Y4,34404
+torch/nn/modules/conv.py,sha256=OaOBQj3UV166ETW1a_CmU6ik_mJgtGGV9Uf9XS2KbuA,72677
+torch/nn/modules/distance.py,sha256=r81R0UHbLtZC8BYg0_aXbRSDV5ZMRABas26P2SSX144,3249
+torch/nn/modules/dropout.py,sha256=2k-cedcok4T7qr08W-FtvplQg1cFoRzZcRnfKS-fY70,11127
+torch/nn/modules/flatten.py,sha256=Wo4O2KogXM2ZbABM0S1cICzV3jmFyiXL1GRtsRviggw,5431
+torch/nn/modules/fold.py,sha256=JzSn7h4TRBm7fl1C5GlhGNWbcfhFOgG2uTQDj7ib5Nw,12771
+torch/nn/modules/instancenorm.py,sha256=MLtsao2fXn7hvU2bPFfbTSLPpx23LV_nOTAyeI04_eI,20114
+torch/nn/modules/lazy.py,sha256=ubi3hL1ECj1W_wbm4Onk4jRdXW079MtJRgLcTE_8YbE,11572
+torch/nn/modules/linear.py,sha256=ZduFnYD0vY7ShTHWLqQqpPFzyvRqretkpy4Zi0nuaXo,10549
+torch/nn/modules/loss.py,sha256=AuXcuvqy4ZQEEaYX8xIa6qxmbL4TpLLwnmHqGCn8ldE,92169
+torch/nn/modules/module.py,sha256=ieXYIkfY4Ao58s8G-bYkMElA1Qk7kw9xpeSBGJjzlOY,114515
+torch/nn/modules/normalization.py,sha256=KlNKax1c44YXjZTvkGMPMi3W2-AuRm5p9xX6rLwqLjU,14738
+torch/nn/modules/padding.py,sha256=tpmr_qOtknkOIQH13krCfcl-WENw_hGP_0StlIWOK_o,30296
+torch/nn/modules/pixelshuffle.py,sha256=vzlSqJaJxn3jUB-Lf1_IW23-ufC2mpffjVb84_Ap_RQ,3677
+torch/nn/modules/pooling.py,sha256=M2LeUM9IMM4m7OA1Z7My4RyzqZ7xteemwCUQYwJpj10,57552
+torch/nn/modules/rnn.py,sha256=P8AvHmPQZRklIcseVNil5UK9GEVq254WOk5-Th4HZKE,70097
+torch/nn/modules/sparse.py,sha256=3hxJ4E8eFVylgN5CHI06woljK58-mJNZlWCFtPKSSCE,23418
+torch/nn/modules/transformer.py,sha256=9vr5uI05NmB-_GvSkc_8d_rHwZcL0NaWJqUn93MlOG0,47180
+torch/nn/modules/upsampling.py,sha256=36FKwRSoqgsD0Fw6kDDa819n-PQLqme2lM1EJE5lig0,11339
+torch/nn/modules/utils.py,sha256=xDpP1cG4Fq9sLEjCpzmkmX3Zz4Mjaefv8Qmxojmjqis,2605
+torch/nn/parallel/__init__.py,sha256=xdJ2JnVe3V9Rl4dzTc5g3C16sVdGvPlrccFn4BkhvCs,714
+torch/nn/parallel/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/_functions.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/comm.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/data_parallel.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/distributed.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/parallel_apply.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/replicate.cpython-310.pyc,,
+torch/nn/parallel/__pycache__/scatter_gather.cpython-310.pyc,,
+torch/nn/parallel/_functions.py,sha256=7_rjdDRBmXeswoIL8fHcEZEU-O7Hv0xx54h-63EAms0,4829
+torch/nn/parallel/comm.py,sha256=DIp43fI0eVBMnIQeXq-6ZLar2zrF7KWpOi0rzw9Dh7Q,10748
+torch/nn/parallel/data_parallel.py,sha256=OMHAQ3b8pBsU7sy06luZARYt42cnL-TNBkwjkYTvspA,11568
+torch/nn/parallel/distributed.py,sha256=wByyn_gcqH75VHC9QYUehcba6jjHRA7oqj1tFeId6kc,108167
+torch/nn/parallel/parallel_apply.py,sha256=GrNtlBz4J1CWZS_zmVE23KmJA6AOAt0zkd0VDY1hXV8,4304
+torch/nn/parallel/replicate.py,sha256=-AMBmtu0lJMOBoCl4S0sbXsa-KGVUk6bwFQc-o9jKpY,6766
+torch/nn/parallel/scatter_gather.py,sha256=GsaU0YleO44q9020zJ2gSTtMLklhhRkDSFUDzX6YMMs,4380
+torch/nn/parameter.py,sha256=J-3ZmMuCFLiWnNMBNMuTXDr3CW1rOObHXNqVjUM7dkA,9495
+torch/nn/parameter.pyi,sha256=Zsb3E6FezJweMm5tGhqtinuhhiEKNiKQSRpgyQPKfr4,936
+torch/nn/qat/__init__.py,sha256=H93oKQuFv32Gn9f1PM3z0Rb33HKk2edbGo9kUEXGFcU,367
+torch/nn/qat/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/qat/dynamic/__init__.py,sha256=xuz1hBmzVjgh_xTiw4wLtCKcgXgXilirgUQEmjxzLoY,187
+torch/nn/qat/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/qat/dynamic/modules/__init__.py,sha256=juJpue0ixFC8Vq3-HlcHdDRBPTd7H2jLGvdyQFwQzgk,49
+torch/nn/qat/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/qat/dynamic/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/qat/dynamic/modules/linear.py,sha256=6UAtM_9i3TRoQPuOyDnWtXTvNdRYZekKqBTopaHXLxQ,415
+torch/nn/qat/modules/__init__.py,sha256=lsJndKS9ItNcxvZ-93so11_Z3lIQtJRH-Nm5Qn-TP-0,587
+torch/nn/qat/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/qat/modules/__pycache__/conv.cpython-310.pyc,,
+torch/nn/qat/modules/__pycache__/embedding_ops.cpython-310.pyc,,
+torch/nn/qat/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/qat/modules/conv.py,sha256=EFUZUP7ZVkZF_SxcB-Tto-S8kU9cEUetR-xeFPH63_M,485
+torch/nn/qat/modules/embedding_ops.py,sha256=gVlvELAJNPjJck2TLnDLQNJJ8R_2lncZnY8U_ly6Y4Y,506
+torch/nn/qat/modules/linear.py,sha256=W18E_sx1dwIj03StoKVN_VPKlJYq1hoy4KTCobCbA7M,391
+torch/nn/quantizable/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/nn/quantizable/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantizable/modules/__init__.py,sha256=5H8qKn-MWNN8aECtVfBqeV5pK04GxpTezefPZl9xQyE,253
+torch/nn/quantizable/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantizable/modules/__pycache__/activation.cpython-310.pyc,,
+torch/nn/quantizable/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/quantizable/modules/activation.py,sha256=JvTGKm47nxF0xOdaJd-rVls-jrJFtYGu-YTZtrs5agI,439
+torch/nn/quantizable/modules/rnn.py,sha256=l1sllwPt0_IBSTm0KJKNKDsIA1vIyg6EFzf0IXbhIDM,475
+torch/nn/quantized/__init__.py,sha256=cwMqCJdFaRQQGM1j4MzVepOmu5t1HIX60-3T0WW-jgc,771
+torch/nn/quantized/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/__pycache__/functional.cpython-310.pyc,,
+torch/nn/quantized/_reference/__init__.py,sha256=M0iylhjuqtPcbO2pAVdDg9n9e1ET359nQ9txOEErmMo,37
+torch/nn/quantized/_reference/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__init__.py,sha256=HLAQUjUeDJLCVsRst6ualEUeT9hj_uRV-oMF56Asz4I,988
+torch/nn/quantized/_reference/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__pycache__/conv.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__pycache__/sparse.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/__pycache__/utils.cpython-310.pyc,,
+torch/nn/quantized/_reference/modules/conv.py,sha256=tfdo_boThHJ-YYIzQmcx6STG8cOJS-NYCMTcysqTPp4,934
+torch/nn/quantized/_reference/modules/linear.py,sha256=Cu-oS3rGRNtFQX8C8yBiLIeORYswqNnFbVw3ds6PMKQ,450
+torch/nn/quantized/_reference/modules/rnn.py,sha256=73pD23A2fMFnmjnjoK_yP3tdT0_8cDNXWmYEHJrtY2c,770
+torch/nn/quantized/_reference/modules/sparse.py,sha256=0mgV1abz95CVu_NJ-uptCtvEzUQiMOiacJvtuqClM7M,525
+torch/nn/quantized/_reference/modules/utils.py,sha256=FirWppy6vEhrbY-mUDlxyFasKMc0750KeUrR0YA_7Y4,792
+torch/nn/quantized/dynamic/__init__.py,sha256=lN8JfmyIwtMWNsOD0hWGgKMVPUXuUb5cu6QOvIlEJxg,58
+torch/nn/quantized/dynamic/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/dynamic/modules/__init__.py,sha256=ubQ6S0qDpPNDkZHnJqgQhjhZI8mEbrANilUqnVggvTE,1037
+torch/nn/quantized/dynamic/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/dynamic/modules/__pycache__/conv.cpython-310.pyc,,
+torch/nn/quantized/dynamic/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/quantized/dynamic/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/quantized/dynamic/modules/conv.py,sha256=OluHe7u-4cAeV1Isqh3hg5rEQytXPOwRpxuizKeczIc,882
+torch/nn/quantized/dynamic/modules/linear.py,sha256=9hI6zBpmeAs_hCwTr0QeEm7ouFfYjjGq0QHw7lwPvrs,447
+torch/nn/quantized/dynamic/modules/rnn.py,sha256=pM8tQT2LQL5VvqCTjuEUfAdsBUdy6tZzKaxZrp6NXfE,1094
+torch/nn/quantized/functional.py,sha256=YLagkINzH1ksH0zcEEizTr0Wdu8gvziqPkx-elbUkJE,276
+torch/nn/quantized/modules/__init__.py,sha256=1svpPm2TxoH2efXMMbCFo4XRG9MW9VGh93dTItqRW44,2434
+torch/nn/quantized/modules/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/activation.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/batchnorm.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/conv.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/dropout.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/embedding_ops.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/functional_modules.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/linear.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/normalization.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/quantized/modules/__pycache__/utils.cpython-310.pyc,,
+torch/nn/quantized/modules/activation.py,sha256=XRi47-nXXUz223d1fhqeWOl5pa5aItGxp4IvchgY8LQ,855
+torch/nn/quantized/modules/batchnorm.py,sha256=2-loBNbcXCZdkJLbFxq9V-xbQCQ9fIVMQEiQAkrV4J4,488
+torch/nn/quantized/modules/conv.py,sha256=ox8DKxQDt_UNhc2iWVtQmkSAy7eNLDs-y91_FWHRsYo,883
+torch/nn/quantized/modules/dropout.py,sha256=jQW8VHFmOuihBFOPL3p4SwR0KUqKHXAQOuTBWaxMr7Q,441
+torch/nn/quantized/modules/embedding_ops.py,sha256=noT7AglbpFbKlqZZPDu9VjpAQOaiSu67qL4b8GLN7IM,639
+torch/nn/quantized/modules/functional_modules.py,sha256=5dwT8ysnqbRkc0gQdjkzmcHNGYiJfoLj6z_mvC5ay7w,656
+torch/nn/quantized/modules/linear.py,sha256=Eg2rcE7jrav3zUvuTXuG4lX9PbyBICvA0XBWFXB2Juc,528
+torch/nn/quantized/modules/normalization.py,sha256=Q5HvoR1C07ymBFskdo8y2TUzp_TvTV9D2ATY78axB74,797
+torch/nn/quantized/modules/rnn.py,sha256=NWI5IuH_qaC1YD1ROeoUbodbN3yS0MrZKOhXLmGfPDo,411
+torch/nn/quantized/modules/utils.py,sha256=Zm1edjXDuRsVICYjgkiKSRMCGbIeFLDT4-WquDruY4E,702
+torch/nn/utils/__init__.py,sha256=uIns40AAgT7yoCRESGYiRmpDIAE1BrRJyyeA41TI8as,1073
+torch/nn/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/utils/__pycache__/_deprecation_utils.cpython-310.pyc,,
+torch/nn/utils/__pycache__/_named_member_accessor.cpython-310.pyc,,
+torch/nn/utils/__pycache__/_per_sample_grad.cpython-310.pyc,,
+torch/nn/utils/__pycache__/clip_grad.cpython-310.pyc,,
+torch/nn/utils/__pycache__/convert_parameters.cpython-310.pyc,,
+torch/nn/utils/__pycache__/fusion.cpython-310.pyc,,
+torch/nn/utils/__pycache__/init.cpython-310.pyc,,
+torch/nn/utils/__pycache__/memory_format.cpython-310.pyc,,
+torch/nn/utils/__pycache__/parametrizations.cpython-310.pyc,,
+torch/nn/utils/__pycache__/parametrize.cpython-310.pyc,,
+torch/nn/utils/__pycache__/prune.cpython-310.pyc,,
+torch/nn/utils/__pycache__/rnn.cpython-310.pyc,,
+torch/nn/utils/__pycache__/spectral_norm.cpython-310.pyc,,
+torch/nn/utils/__pycache__/stateless.cpython-310.pyc,,
+torch/nn/utils/__pycache__/weight_norm.cpython-310.pyc,,
+torch/nn/utils/_deprecation_utils.py,sha256=c9BTp_Wt5OLhEiHFRYdHnM_-gIF5QxQIqih3ruA3vN4,1673
+torch/nn/utils/_expanded_weights/__init__.py,sha256=xky9oo9e6irPwJixwzIyHy-3mUoPUdQWpl6U5YNavNA,451
+torch/nn/utils/_expanded_weights/__pycache__/__init__.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/conv_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/conv_utils.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/embedding_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/expanded_weights_impl.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/expanded_weights_utils.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/group_norm_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/instance_norm_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/layer_norm_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/__pycache__/linear_expanded_weights.cpython-310.pyc,,
+torch/nn/utils/_expanded_weights/conv_expanded_weights.py,sha256=6X4onB5e63_NwDqXQuk-ZeRqaglwplyluSN8AoGIr0w,2475
+torch/nn/utils/_expanded_weights/conv_utils.py,sha256=cXEC5eLlmFckpnTCWVUtDMte6UftVrRLTy3ykzLdeU4,9734
+torch/nn/utils/_expanded_weights/embedding_expanded_weights.py,sha256=E9tSsG2uxkAAcy2_kMcVgOGrF-K_vPAFiHLM61bbyeA,2500
+torch/nn/utils/_expanded_weights/expanded_weights_impl.py,sha256=_OPocyk18mmdLXEy5iLCNZZEiTXpgWY1l1TO0_eLSR4,5886
+torch/nn/utils/_expanded_weights/expanded_weights_utils.py,sha256=--7ieS_7HLQk0y0_EFz3sAanqdRjtw1-pTGSVlfXfcI,7351
+torch/nn/utils/_expanded_weights/group_norm_expanded_weights.py,sha256=KI5erGN_FC8-WTUW-300yCCU9p14p3DGPkr1f0n0VA0,2965
+torch/nn/utils/_expanded_weights/instance_norm_expanded_weights.py,sha256=LGsWBsX9DrybjvD7zHbFKiHchNyY-bhFNPYa9NO8qjE,3276
+torch/nn/utils/_expanded_weights/layer_norm_expanded_weights.py,sha256=X-AGZD0apB0RaBse-VsVMQD0RWALHrJtqdzzUKKBqgk,2888
+torch/nn/utils/_expanded_weights/linear_expanded_weights.py,sha256=Tj4NjcozmvCQ0V_3OGawj9Qqm3VEa8d_aZgYiaGP9e4,2099
+torch/nn/utils/_named_member_accessor.py,sha256=hCxeIRPV65DhCIaO2u5XWdtcTbcYI42g1OzlzYwsbcI,14215
+torch/nn/utils/_per_sample_grad.py,sha256=Bj3CkzR7244gSdBJvmgOIWhUrBB3kc4zjOAspW192z4,5614
+torch/nn/utils/clip_grad.py,sha256=BfVbR-a769yVpzp2_UR_B-qvs0pt-LtMz86S3NNGyLM,7176
+torch/nn/utils/convert_parameters.py,sha256=sbhhw_DqSC5kvzeKZQWbj-g9XG8ZAKbpDMXcndjGZyA,3152
+torch/nn/utils/fusion.py,sha256=smHgljjl5qXG-sQUkqq1HkkzOcSj5eyCwQUtxBi2ows,6163
+torch/nn/utils/init.py,sha256=RyYhNXpMrTC5hz3vnwigic4_o1Xb_JeGjlOoQQCTYMw,2251
+torch/nn/utils/memory_format.py,sha256=8iLk2JuQhgEisunZfQh3ZeHfiTEtRXKGjfxPwCOw_q0,7788
+torch/nn/utils/parametrizations.py,sha256=UZWUBR0V-tYZPyp0H932pk08LYyhFudcKIwPzfWJ2vg,25216
+torch/nn/utils/parametrize.py,sha256=BrB45ZRNpGWQOmG6AVM8VRjkRKuVxIbhR7tLaDK_u_A,35682
+torch/nn/utils/prune.py,sha256=3vgeSlUPKaNHTimfaWIWhw3cXVkpxTL4WUd-7yQRuYs,57854
+torch/nn/utils/rnn.py,sha256=RQOOyjhJHohirUwq3gWZ-UiBZ55fNSUDyD6IUTdCxNk,21365
+torch/nn/utils/spectral_norm.py,sha256=SB81D9_n5BRLYgzKmDk1iuTqdtgYhjTOQT-lFdJdAKI,14522
+torch/nn/utils/stateless.py,sha256=TC_cCKFLJSrjEcapbPwRCra4NNV_z8Rkai9gTIrPsfM,11351
+torch/nn/utils/weight_norm.py,sha256=QNFiyGmm6LUhFJM8hmcHVekuHS1G9rVqGLbu86hRxbY,5798
+torch/onnx/__init__.py,sha256=1EeJX-Gl0jQ-P-C1HcseaRRLDQoBmyck778eNicGzJc,4738
+torch/onnx/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/__pycache__/_constants.cpython-310.pyc,,
+torch/onnx/__pycache__/_deprecation.cpython-310.pyc,,
+torch/onnx/__pycache__/_experimental.cpython-310.pyc,,
+torch/onnx/__pycache__/_exporter_states.cpython-310.pyc,,
+torch/onnx/__pycache__/_globals.cpython-310.pyc,,
+torch/onnx/__pycache__/_onnx_supported_ops.cpython-310.pyc,,
+torch/onnx/__pycache__/_type_utils.cpython-310.pyc,,
+torch/onnx/__pycache__/errors.cpython-310.pyc,,
+torch/onnx/__pycache__/operators.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_caffe2.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_helper.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset10.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset11.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset12.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset13.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset14.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset15.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset16.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset17.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset18.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset19.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset20.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset7.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset8.cpython-310.pyc,,
+torch/onnx/__pycache__/symbolic_opset9.cpython-310.pyc,,
+torch/onnx/__pycache__/utils.cpython-310.pyc,,
+torch/onnx/__pycache__/verification.cpython-310.pyc,,
+torch/onnx/_constants.py,sha256=85vkG1xUJkwE5xoKxUcFbswqEGEXaZbyrqs4KA29o-k,608
+torch/onnx/_deprecation.py,sha256=3bYHJrZ7etA7IzNYc-pEHZjanQgrzr5cc2l3zsyOgjo,2060
+torch/onnx/_experimental.py,sha256=UPsO6P4mL7RiLdoRMWkX5qxNyttMdUIkKsQ5_ZQ4rpE,1042
+torch/onnx/_exporter_states.py,sha256=RdYRniYLGLlC8GNoRzkG0bqvPT56Qr1RZ5Ma_nE3aPs,1365
+torch/onnx/_globals.py,sha256=6A1JufUq52iw3I3aXJOMzGlqYB7mB8-uR11qiL7OD10,2995
+torch/onnx/_internal/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/onnx/_internal/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/_beartype.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/exporter.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/io_adapter.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/jit_utils.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/onnx_proto_utils.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/onnxruntime.cpython-310.pyc,,
+torch/onnx/_internal/__pycache__/registration.cpython-310.pyc,,
+torch/onnx/_internal/_beartype.py,sha256=JMYR67BtNfSv56C0-w91cUghtSJa6IY_FpYyV0KQCxM,4650
+torch/onnx/_internal/diagnostics/__init__.py,sha256=-zJC6TxIO-LS1-gDRI_t3O2WZSAnojr5AH71UwUh4zc,433
+torch/onnx/_internal/diagnostics/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/__pycache__/_diagnostic.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/__pycache__/_rules.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/_diagnostic.py,sha256=jWflPuVIOic4D-ZyZR3xZLY5uTCnFDsOlLJXlXxJSgQ,7349
+torch/onnx/_internal/diagnostics/_rules.py,sha256=KPBIRfXKYoxMCjOygMXUsoNZ-8Ude2njzKb4WPZwWPk,37184
+torch/onnx/_internal/diagnostics/infra/__init__.py,sha256=_zOoWhG-xR49LIA_9wDWEgPDF6nwRekLNUbgwPMfUA4,573
+torch/onnx/_internal/diagnostics/infra/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/__pycache__/_infra.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/__pycache__/context.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/__pycache__/decorator.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/__pycache__/formatter.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/__pycache__/utils.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/_infra.py,sha256=qVrmr8x5uCiSby5rrx521rX31fLajVEQyDQGWw0f3j8,9788
+torch/onnx/_internal/diagnostics/infra/context.py,sha256=NlH_4joVDV0EJ_aF0srMt26q6ni-u7uTXNSATTmi4fM,16312
+torch/onnx/_internal/diagnostics/infra/decorator.py,sha256=wxtclgRLCgmAEZWs3SEXXvW56a2KLHkyLx7f9nZ_Prs,5569
+torch/onnx/_internal/diagnostics/infra/formatter.py,sha256=zVtLX0O5kO7rru4DjOiX8fiwhKRJYPm3c5zA06w3C4g,3014
+torch/onnx/_internal/diagnostics/infra/sarif/__init__.py,sha256=Uj_QD1YO_8cyF_3xcoyZ05wi5uBgrwKP9fNZrpOwDS4,4984
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_address.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_artifact.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_artifact_change.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_artifact_content.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_artifact_location.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_attachment.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_code_flow.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_configuration_override.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_conversion.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_edge.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_edge_traversal.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_exception.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_external_properties.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_external_property_file_reference.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_external_property_file_references.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_fix.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_graph.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_graph_traversal.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_invocation.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_location.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_location_relationship.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_logical_location.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_message.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_multiformat_message_string.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_node.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_notification.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_physical_location.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_property_bag.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_rectangle.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_region.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_replacement.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_reporting_configuration.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_reporting_descriptor.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_reporting_descriptor_reference.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_reporting_descriptor_relationship.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_result.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_result_provenance.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_run.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_run_automation_details.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_sarif_log.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_special_locations.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_stack.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_stack_frame.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_suppression.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_thread_flow.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_thread_flow_location.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_tool.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_tool_component.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_tool_component_reference.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_translation_metadata.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_version_control_details.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_web_request.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/_web_response.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/__pycache__/version.cpython-310.pyc,,
+torch/onnx/_internal/diagnostics/infra/sarif/_address.py,sha256=ws5WXm5Z4sCx9ZVtCT67FluQUInkR2zKDaMW-QUNa2g,1748
+torch/onnx/_internal/diagnostics/infra/sarif/_artifact.py,sha256=0JJfuGrzAxAmPQcCi29zGoL1MTDusEe0bkd4JZ8Q0tQ,3026
+torch/onnx/_internal/diagnostics/infra/sarif/_artifact_change.py,sha256=l95-2ctz3d44esToAwN35lbeE6HkAXuETBgezH-ahFc,893
+torch/onnx/_internal/diagnostics/infra/sarif/_artifact_content.py,sha256=GI4NBRnQD3IEOZdFnny3XNh3gZW_g5LPRYImZ4Y8h3k,1012
+torch/onnx/_internal/diagnostics/infra/sarif/_artifact_location.py,sha256=U9qsrtJXuzR3iTcSYPOmD9Lbih2NBJ6OPlJToDfAXcQ,1061
+torch/onnx/_internal/diagnostics/infra/sarif/_attachment.py,sha256=hLFkgETVh3cCL94A0emFQqAEfcxC2RT0gqdMuLlkxzA,1213
+torch/onnx/_internal/diagnostics/infra/sarif/_code_flow.py,sha256=qZJ7C8EL9m1tYrf_sw66PbB3ilJ2fClEAKh3UYcNFKk,935
+torch/onnx/_internal/diagnostics/infra/sarif/_configuration_override.py,sha256=BREXBUAT2cSNZlpZJ1b59rcGkbooMI_gdusu_Cslcrg,1004
+torch/onnx/_internal/diagnostics/infra/sarif/_conversion.py,sha256=Z3pDN9OPAhaWAGaWlrRNKVOdkLIuF2aAr2pWJRMWBCI,1162
+torch/onnx/_internal/diagnostics/infra/sarif/_edge.py,sha256=av5c6koZeuTyRQCgE6fDBOk-JiOFhyHLx4_hwuuC2DY,983
+torch/onnx/_internal/diagnostics/infra/sarif/_edge_traversal.py,sha256=r2PBm018laYQPM_U8aAevhNx5T57R2lBrTQ2Vqv4b4Y,1083
+torch/onnx/_internal/diagnostics/infra/sarif/_exception.py,sha256=O70XX0b5HkMaSfaQvmnfKx5KxYgQqQ41gXfgOXToyj8,1168
+torch/onnx/_internal/diagnostics/infra/sarif/_external_properties.py,sha256=lVFUY8UijDceaBZwrfwVfYGmwk-fzItORnEbjHsr3pY,3816
+torch/onnx/_internal/diagnostics/infra/sarif/_external_property_file_reference.py,sha256=hpSt2mZnZRaZ0KNDxYdGUVF0yfarnRNq0nFAhrqmCpI,1120
+torch/onnx/_internal/diagnostics/infra/sarif/_external_property_file_references.py,sha256=_VSqpoX1i1-_PCSgalnEhBGMHSas8QUnz5kAoTaY0pk,3901
+torch/onnx/_internal/diagnostics/infra/sarif/_fix.py,sha256=FFAiJYI4CeDtIFld-dKk3HggBBPg4eCcMV3PCOAxmvQ,1069
+torch/onnx/_internal/diagnostics/infra/sarif/_graph.py,sha256=AXliROAwGC_Ff2chkUxqwdmQxswbQ2rqGT_ACsaWpfU,1090
+torch/onnx/_internal/diagnostics/infra/sarif/_graph_traversal.py,sha256=4k00If3e_57WKUBFJncbBjfA5e5ALlpQvoDqb0uCNhU,1423
+torch/onnx/_internal/diagnostics/infra/sarif/_invocation.py,sha256=eLxD0KHZVXD5Puw7VfDMvYbAaXhiZrU_h1cLWf8SBks,4597
+torch/onnx/_internal/diagnostics/infra/sarif/_location.py,sha256=S0uE-9hqa4EU10k_8GSrlQ4bPx7ILk_zar7mCqmGmgw,1610
+torch/onnx/_internal/diagnostics/infra/sarif/_location_relationship.py,sha256=TTtVOdV-Ht7IP7lyRBGE-UUc2mN_Gb_HeUy9DOxsQIY,964
+torch/onnx/_internal/diagnostics/infra/sarif/_logical_location.py,sha256=spq1Legx7q1euHSPpQkY4ZnE0jSrZPtDLY5CoVgcBRI,1314
+torch/onnx/_internal/diagnostics/infra/sarif/_message.py,sha256=VO4FTcUK-7Wl3Diom7lYmuYBjMfa-KwjBY9W1n2TQvk,1062
+torch/onnx/_internal/diagnostics/infra/sarif/_multiformat_message_string.py,sha256=V9d9I84_iYcDPwOs7KUWJ2DjDVcSmNt-Kq4Xaggd_ps,805
+torch/onnx/_internal/diagnostics/infra/sarif/_node.py,sha256=ABeCrjO8hS5B-83MFoUv8gd5IoLMDlbaK1LcWwqS6Mo,1075
+torch/onnx/_internal/diagnostics/infra/sarif/_notification.py,sha256=EptwUCa06LGuLKKfX1on41MZgfa0Lu-fABjlQkXpKlE,1934
+torch/onnx/_internal/diagnostics/infra/sarif/_physical_location.py,sha256=XV3galBCsbtnZ57PJoRbi82MgXYhaaifbGDt6HowLdQ,1337
+torch/onnx/_internal/diagnostics/infra/sarif/_property_bag.py,sha256=lsjMzdnz9g3dIMw9Mtm-0bTU5mQGSZNhEnydYRGyF8A,496
+torch/onnx/_internal/diagnostics/infra/sarif/_rectangle.py,sha256=k0VAKUBS4Sk1CWgYfehzAzCZxxOL6uzKM1V0Bkk_GZ4,1159
+torch/onnx/_internal/diagnostics/infra/sarif/_region.py,sha256=J3G25_1N--w2ueUGVGiazuTRUju47d1fJ-48HDgILT8,2031
+torch/onnx/_internal/diagnostics/infra/sarif/_replacement.py,sha256=ydAQKhmy2Mhq0GaPr62wTQstlPQNafSvMh3HYI_VQrU,905
+torch/onnx/_internal/diagnostics/infra/sarif/_reporting_configuration.py,sha256=4mShdhYP_MTlK6Xs22kaMej7a57ZCf2eafK7SSjfeG4,1136
+torch/onnx/_internal/diagnostics/infra/sarif/_reporting_descriptor.py,sha256=rUbnXljVoEizpgfmYu-dZOfkSNCkhXQwoAe4eIyUmFg,2746
+torch/onnx/_internal/diagnostics/infra/sarif/_reporting_descriptor_reference.py,sha256=3mJpF08p5fjqYncR4qjCP7Kma9w3ZkGO9XMAiG5SiCo,1166
+torch/onnx/_internal/diagnostics/infra/sarif/_reporting_descriptor_relationship.py,sha256=y2iu9t6UuREodZkdJtaoNEXgU8Zb0Kd23YQ9gQJQtd4,1110
+torch/onnx/_internal/diagnostics/infra/sarif/_result.py,sha256=lDs8R4v0GxjIQrOw9iWngMbqUGPFotUaAbEoj_QsR4M,5068
+torch/onnx/_internal/diagnostics/infra/sarif/_result_provenance.py,sha256=wtDg3jxzYu6yLglspmvn2Ul5qb3sl0NNXzet3QfKps8,1551
+torch/onnx/_internal/diagnostics/infra/sarif/_run.py,sha256=_1KntecS40dqYuLcIBpbheGIEXb_5913v-HJc3AvGvc,5306
+torch/onnx/_internal/diagnostics/infra/sarif/_run_automation_details.py,sha256=KRztrseIGyQm0JzBbAQJJ1-oqTwS9pt35MoXzwcpBF4,1136
+torch/onnx/_internal/diagnostics/infra/sarif/_sarif_log.py,sha256=wsCKQQKrcr9EzvHiIkiNyqbW52yj56VJwsE6v5pEirE,1237
+torch/onnx/_internal/diagnostics/infra/sarif/_special_locations.py,sha256=3YNBPg7CwcivAIf-s6OKur4s-5_xgTvt3pa18qKeuv8,782
+torch/onnx/_internal/diagnostics/infra/sarif/_stack.py,sha256=F2PUk8ubWkIdcFFhZ80pER1iCas4z8O1xH5APb_y02c,859
+torch/onnx/_internal/diagnostics/infra/sarif/_stack_frame.py,sha256=cvgDZszoMaleh_D8UHJPYQ619IVayITX7rWOxEHljm0,1088
+torch/onnx/_internal/diagnostics/infra/sarif/_suppression.py,sha256=GV1eMCGiusg5Ydb-jpewOltknZMKMLznVcFYBUWfluw,1249
+torch/onnx/_internal/diagnostics/infra/sarif/_thread_flow.py,sha256=YD_0OTAvRygQBiWMylIJeELuYxkqAAakECFDPlI4yko,1351
+torch/onnx/_internal/diagnostics/infra/sarif/_thread_flow_location.py,sha256=JEYgPHorvlV9zm8rI19-ecugrd_bb5fTxGhQ5jqjbA8,2517
+torch/onnx/_internal/diagnostics/infra/sarif/_tool.py,sha256=CkHTztGsphKqnKxTdVnEsf7IoLj8p-eH15R1puEjJSc,848
+torch/onnx/_internal/diagnostics/infra/sarif/_tool_component.py,sha256=x4lP0OcnvV0yBAlu2KkT26fgAR8UcwlwUM0r9Hz_lLM,4987
+torch/onnx/_internal/diagnostics/infra/sarif/_tool_component_reference.py,sha256=E_0IAvLbJZ2sDAbz04FgbrHW20DQX_DScF8tmbE8Eq8,947
+torch/onnx/_internal/diagnostics/infra/sarif/_translation_metadata.py,sha256=SHQNAX9iK8ptU_BkWYcSU-woXdrh3BCNYJUNEVKbON0,1494
+torch/onnx/_internal/diagnostics/infra/sarif/_version_control_details.py,sha256=N8lmfAcHW1BFZXxACnlKwlt1KveA3TL9uRDXoWQ8gEU,1436
+torch/onnx/_internal/diagnostics/infra/sarif/_web_request.py,sha256=d4Scw4N4JuZDGbDIOYQfhLXaPa2_mRUzRgi6B9XHK8Q,1543
+torch/onnx/_internal/diagnostics/infra/sarif/_web_response.py,sha256=-RkuvmR7VQcJ5g56G-5K36T6GjnVTzrUGv7uNM3b3zk,1611
+torch/onnx/_internal/diagnostics/infra/sarif/version.py,sha256=RadhQc9OCzMr6CQB3Anc7bJo315qIHL9UWp7WHwxOL0,185
+torch/onnx/_internal/diagnostics/infra/utils.py,sha256=XsmfnWlCSybicUV4RaBghL0ilv4EboffICGJC3ZUuys,2505
+torch/onnx/_internal/exporter.py,sha256=4g1qPbF-gTBJcNevLjpBLXtaoAyHCV0_0omZAA7G5KQ,68465
+torch/onnx/_internal/fx/__init__.py,sha256=nDN5RQ1wcu4ktXSPWCLgPREAyDWHnhr1EOMqcKSVDZs,172
+torch/onnx/_internal/fx/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/_pass.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/decomposition_skip.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/decomposition_table.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/diagnostics.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/dynamo_graph_extractor.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/fx_onnx_interpreter.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/fx_symbolic_graph_extractor.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/onnxfunction_dispatcher.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/op_validation.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/patcher.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/registration.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/serialization.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/torch_export_graph_extractor.cpython-310.pyc,,
+torch/onnx/_internal/fx/__pycache__/type_utils.cpython-310.pyc,,
+torch/onnx/_internal/fx/_pass.py,sha256=SbJUetyzqyx1hOLZdn5c8yG3a-VRE8wkJ9OypNB3frk,12634
+torch/onnx/_internal/fx/analysis/__init__.py,sha256=Jgm9-UUuAYClQeIHVaLyJM9J47SiRoZiaXWxwQzvogo,107
+torch/onnx/_internal/fx/analysis/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/fx/analysis/__pycache__/unsupported_nodes.cpython-310.pyc,,
+torch/onnx/_internal/fx/analysis/unsupported_nodes.py,sha256=88b7xEVRTpfbPdzBvIRmGr3sgJBA5Uj1weSZEY_HQ1o,3413
+torch/onnx/_internal/fx/decomposition_skip.py,sha256=_NSzB3LX2a-a6txpQ3RAcPB7w9TQrHCO8g8313asPWg,6707
+torch/onnx/_internal/fx/decomposition_table.py,sha256=Uhuts8nbRy6prtXp2c92Z4QjrP2-GmqUmXkBl7GKdHY,5392
+torch/onnx/_internal/fx/diagnostics.py,sha256=Hpxp_-LSIYWojRhnB5gRjc63qRLhYO2fyV2r3_XTOpQ,8914
+torch/onnx/_internal/fx/dynamo_graph_extractor.py,sha256=l6ohv4rz0fMrJNRXnNp2qS3vlTlVtSsItEdV8Q_85lQ,8386
+torch/onnx/_internal/fx/fx_onnx_interpreter.py,sha256=PpWk3hdsHoyjG9j69L85j9W-Nia8LY_wlPyJaxkZImY,36281
+torch/onnx/_internal/fx/fx_symbolic_graph_extractor.py,sha256=bf757U93BC5OeVvq9Y0IzDkBSwiq6eUiBeqOQFHTTo0,10228
+torch/onnx/_internal/fx/onnxfunction_dispatcher.py,sha256=ue05TWoR5qnDU0J0spbAM9rZxyDGCZVhcNPHVW9YMcU,38428
+torch/onnx/_internal/fx/op_validation.py,sha256=ujvbVWwYE0CKaq2Bqpz98J5JDR0KrKBV45lxqLNTSKM,15809
+torch/onnx/_internal/fx/passes/__init__.py,sha256=Wcrdhlwv6ajt8Z2PjYTyOnzZ5cHwpnBHyCPoulf9_yk,551
+torch/onnx/_internal/fx/passes/__pycache__/__init__.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/_utils.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/decomp.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/functionalization.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/modularization.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/readability.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/type_promotion.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/__pycache__/virtualization.cpython-310.pyc,,
+torch/onnx/_internal/fx/passes/_utils.py,sha256=YOrYCRuGHfhOtNUBT5AznMymBpxn1PZN-mqlT94Tzsg,4365
+torch/onnx/_internal/fx/passes/decomp.py,sha256=pnIjASXkPTQz9lNdxhxDlIHAaUoUSVvp6fATAZLVuLA,3629
+torch/onnx/_internal/fx/passes/functionalization.py,sha256=jyhM9AJehasnkCBw7RLeW-_aiLazMHM1XZN7MWpTGVg,6643
+torch/onnx/_internal/fx/passes/modularization.py,sha256=i5SQLMpiDLaGd8_hcwP4Qo8smJxiJtGZkypxudFu-kg,34457
+torch/onnx/_internal/fx/passes/readability.py,sha256=mkfUpTE2mTivBpoICchz6gYH64cb-bc1Sr_q1MgGcx0,5968
+torch/onnx/_internal/fx/passes/type_promotion.py,sha256=XgxAL935CNeJ9umqz-gH-i6Gzl8JRUKTu_uW3XwHXks,67325
+torch/onnx/_internal/fx/passes/virtualization.py,sha256=zujm_pUzVjliTCybqpKPFgptbjGglQZXDOKblYSTNAk,3895
+torch/onnx/_internal/fx/patcher.py,sha256=ZOvtEqFLLy3WlL2LSaqs5cAimDnyUNVP8T-yGhUExUo,6009
+torch/onnx/_internal/fx/registration.py,sha256=jHYsCI4p02qcCkOyX1wZy4sMumE-_WaFxd3dYoAtaTI,3167
+torch/onnx/_internal/fx/serialization.py,sha256=ZCH7xRBozc23QMMvaAbJwoDxSxFFJ0cbGhowWLI8kco,11504
+torch/onnx/_internal/fx/torch_export_graph_extractor.py,sha256=R3T7W4p8uAX8w_1Q0IZh0fKetWvMW0Q07yqd7f193Sc,4968
+torch/onnx/_internal/fx/type_utils.py,sha256=m2hMp-SdtAHtRoMP0eXzm5gIr4rNULC0lzyRFw5Ec7Y,8122
+torch/onnx/_internal/io_adapter.py,sha256=33zhz0VFRbLpNGxOOJIvOyG_LNnzsZ3fuSnidHgFx5I,23162
+torch/onnx/_internal/jit_utils.py,sha256=Xia9Uo6mwx_EQ4OHCXYgTu1CnGGNLKEYTSuEGYiwcxc,15143
+torch/onnx/_internal/onnx_proto_utils.py,sha256=RgiL-Zkudw1hQIOf16VX0bGPq_w6HlyGrMKrjNg2vO0,11052
+torch/onnx/_internal/onnxruntime.py,sha256=Ab16o0eq-YBSIiXzfPco4Gglur3NihMaiFkPsi8Rsrc,51593
+torch/onnx/_internal/registration.py,sha256=8kenp54WCYv3mDEN7Qzpp78Ov_ZK1_1nyYkTHv5mBx4,11099
+torch/onnx/_onnx_supported_ops.py,sha256=7VoLPwBIHC5KIoFMqMAi0PrwuBc7HAVMPpGgpIQj0Zc,3331
+torch/onnx/_type_utils.py,sha256=G6zSC3uvRh5X9DcIXVL5Mb51Dq7hy9RKejx_P5Y5NTA,14311
+torch/onnx/errors.py,sha256=NddcVEv1t-eCLJjP17yFxfS3lJrGUhY0MNViTjZ8oZs,3582
+torch/onnx/operators.py,sha256=lUoXBckVhrz51KaG2fI23HuGEn6xRwo5yIqc65eFw9U,900
+torch/onnx/symbolic_caffe2.py,sha256=U0rmT3hao9sec42Q-QIujWk18VUq9wditSJ2b6jI7YU,10935
+torch/onnx/symbolic_helper.py,sha256=a2I_l30eCM9Oo48z3vBNS3XWsUGq_OihUfPYbP2riKs,83820
+torch/onnx/symbolic_opset10.py,sha256=g-0XxPfDcIx0AL7qHYidKjvcXSMDp_iOClSl9Q09ln0,38311
+torch/onnx/symbolic_opset11.py,sha256=ObToESUtiOR-8PYm07o-4iPLkKLtqfHYY6MxZlCY52g,55742
+torch/onnx/symbolic_opset12.py,sha256=wfxYg3JFP43bj_9a0ddA_t0X97LyQtiGABy6t8HFdvQ,16220
+torch/onnx/symbolic_opset13.py,sha256=1gTiw834B_5-b12Ecf8o26-ukF35vt0kNah0aPaQS4A,41961
+torch/onnx/symbolic_opset14.py,sha256=pW9HEMKH3xFCkeFqnR_k4jUq47XekEUqqSguCAcojmQ,9555
+torch/onnx/symbolic_opset15.py,sha256=ZfxW8GXDCOTBJCp_dwY0NQCSVqpWBIqgb_9zeq4ESrc,2962
+torch/onnx/symbolic_opset16.py,sha256=ZAxMvPRPAgOJYn4OargtRuSXYC9VPCLPmSwvo40PzmI,6592
+torch/onnx/symbolic_opset17.py,sha256=TWp9gmCNKMiX49OggvgvgXwWGUV6f8eEH3Aaqx-G9oA,7678
+torch/onnx/symbolic_opset18.py,sha256=Roya6aAtTNvsSiRLA42FKNJ-lsyTIDY6yCz8msQVsso,8430
+torch/onnx/symbolic_opset19.py,sha256=yS4kO-Or7Aa-zhGI06ueMLyN7HN0FT3yqssLvdiv2fk,560
+torch/onnx/symbolic_opset20.py,sha256=o6pQtOAidC4q_L659G558sWcSObyh5-Z-cZp5O8lXy0,2245
+torch/onnx/symbolic_opset7.py,sha256=DK-UZL7LNb1Prfrefk5CFeJjy4qklMDywfHvZcXJwZY,2118
+torch/onnx/symbolic_opset8.py,sha256=IBXqSyjojVbIKL0YnxAWHVbbRmHle4a8_0GBVghP7dY,14963
+torch/onnx/symbolic_opset9.py,sha256=OqcBG8QcjkDuKdU3vsvAPVUB5kSQhnYYkINOdUKPAPg,233760
+torch/onnx/utils.py,sha256=pmCmy3AqsYLzMsK94Bwcpf03PYx1Nx9K4EjkiB8fwIM,84850
+torch/onnx/verification.py,sha256=cPCU4pzHRe5ZeFo62hAuaAZ2yfsYoZt8AOnpAV-E2a0,70304
+torch/optim/__init__.py,sha256=KLdCizDKY0cPXqIv9VkGoEAUL5sZIgaX-M_cXIMzboY,1424
+torch/optim/__pycache__/__init__.cpython-310.pyc,,
+torch/optim/__pycache__/_functional.cpython-310.pyc,,
+torch/optim/__pycache__/adadelta.cpython-310.pyc,,
+torch/optim/__pycache__/adagrad.cpython-310.pyc,,
+torch/optim/__pycache__/adam.cpython-310.pyc,,
+torch/optim/__pycache__/adamax.cpython-310.pyc,,
+torch/optim/__pycache__/adamw.cpython-310.pyc,,
+torch/optim/__pycache__/asgd.cpython-310.pyc,,
+torch/optim/__pycache__/lbfgs.cpython-310.pyc,,
+torch/optim/__pycache__/lr_scheduler.cpython-310.pyc,,
+torch/optim/__pycache__/nadam.cpython-310.pyc,,
+torch/optim/__pycache__/optimizer.cpython-310.pyc,,
+torch/optim/__pycache__/radam.cpython-310.pyc,,
+torch/optim/__pycache__/rmsprop.cpython-310.pyc,,
+torch/optim/__pycache__/rprop.cpython-310.pyc,,
+torch/optim/__pycache__/sgd.cpython-310.pyc,,
+torch/optim/__pycache__/sparse_adam.cpython-310.pyc,,
+torch/optim/__pycache__/swa_utils.cpython-310.pyc,,
+torch/optim/_functional.py,sha256=IKUBw1Lh7ZxXPTmP8gFTYVjjXLjntY8nfI7xONYPYjU,3265
+torch/optim/_multi_tensor/__init__.py,sha256=K8P5zQrCrH7VTo-R-x26E9YXDoFG62eSHDFdo8JPsHI,1011
+torch/optim/_multi_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/optim/adadelta.py,sha256=PMkb4I84vzteu7xRTi_uSUjHjylzLfRFB5wYyhnySNM,16059
+torch/optim/adagrad.py,sha256=LN2LvJSR6uHGkj02UCQsuMYbDwnGQs7ye18za5lV18M,20304
+torch/optim/adam.py,sha256=5lwn1m5mpN3dK5aBaZmiAlpY__GW_86fIKMkkrHHNBo,31094
+torch/optim/adamax.py,sha256=p8XXYEYwUFCnnorsAtwReUYTX80i3KbTvSWv7izMWJQ,16722
+torch/optim/adamw.py,sha256=_hpVHkytzisOy9t04seCf9xSxRv7b7ChHwrufnkllrY,30473
+torch/optim/asgd.py,sha256=mA_Gok5OGhwbOkBdmWfTaxLMZB0B6788bPiuxt1DWVA,15523
+torch/optim/lbfgs.py,sha256=vU6Cq4bsWH3845EYwIN-3VhLFL-WWnFUhACAfjWuikI,17786
+torch/optim/lr_scheduler.py,sha256=KEWpwnE6l6gS19-U9UCB9DSTQ1QapOwwYP-r_QdOhYY,83388
+torch/optim/nadam.py,sha256=SVJgk0zDRKrqHbNLWCVVcCVWtQdFLnUpMQcHeldlOFQ,25522
+torch/optim/optimizer.py,sha256=RvkR1ZlV13mzMjphy8NcM3Jdpk7f_2ubL6flm3MrGls,44739
+torch/optim/radam.py,sha256=hu2QUtDSx_wHi1AzLoEJA3x8KLo-dH4emKuxv_wPRPg,23872
+torch/optim/rmsprop.py,sha256=idt9bKLHiHK1zLV5xB_opMqHTwg9-vN29ztYFNfcmD4,19256
+torch/optim/rprop.py,sha256=NappgGCtzhjznx27-49qFgU7-8z0J_XGZH4nAdkQDoc,16892
+torch/optim/sgd.py,sha256=7GzabTzuknIbTa5MVIJTE8W0Ba8Ml6EJ5_a1O63GQAU,18626
+torch/optim/sparse_adam.py,sha256=kaVpn6r-3NvYzlOrIUbse7wHqaWYvJoOrW6uPK2v_jo,7872
+torch/optim/swa_utils.py,sha256=sTPIHo79P0oSYxmVu4w9G6ngzUgfDxXvDEQclJYnJD4,18233
+torch/overrides.py,sha256=n0Rsz_wq1MC2QJaOV7XR8M0b9Xdl4G99mXUk9BoAFy4,104300
+torch/package/__init__.py,sha256=ZLLvoviHHErV-XQZagde2I4cuNDK49dFLRGUC5oyOFc,388
+torch/package/__pycache__/__init__.cpython-310.pyc,,
+torch/package/__pycache__/_digraph.cpython-310.pyc,,
+torch/package/__pycache__/_directory_reader.cpython-310.pyc,,
+torch/package/__pycache__/_importlib.cpython-310.pyc,,
+torch/package/__pycache__/_mangling.cpython-310.pyc,,
+torch/package/__pycache__/_mock.cpython-310.pyc,,
+torch/package/__pycache__/_package_pickler.cpython-310.pyc,,
+torch/package/__pycache__/_package_unpickler.cpython-310.pyc,,
+torch/package/__pycache__/_stdlib.cpython-310.pyc,,
+torch/package/__pycache__/file_structure_representation.cpython-310.pyc,,
+torch/package/__pycache__/find_file_dependencies.cpython-310.pyc,,
+torch/package/__pycache__/glob_group.cpython-310.pyc,,
+torch/package/__pycache__/importer.cpython-310.pyc,,
+torch/package/__pycache__/package_exporter.cpython-310.pyc,,
+torch/package/__pycache__/package_importer.cpython-310.pyc,,
+torch/package/_digraph.py,sha256=0lx8BBj-3XwFOoBqHB9rZN8zKJWq53OG0KjmNun70UA,5659
+torch/package/_directory_reader.py,sha256=ib6YheMy3xTGAjMPKMnRvG5QBEI-v5rERvzCbSz94E8,1921
+torch/package/_importlib.py,sha256=mT2bySgYKMI-ciSVB90WLXiwcxsSKneCo6G_-z_q8JI,2997
+torch/package/_mangling.py,sha256=QQJMnL93WguktbuSq0stevexFLYsgPO526GSVcrQSTI,1881
+torch/package/_mock.py,sha256=n4L1d-hoa5XO7kyAlxbYMjeZWa2vwQ_-7Ih_dZfH0SA,2866
+torch/package/_package_pickler.py,sha256=rB0UnbIk_B5Uqt5jDIcgMhfGIXEPHB3e5cRXNW16IYM,4649
+torch/package/_package_unpickler.py,sha256=hBxGPJDOF1wWmGVAfvN4FMCmm1o1Qt4pDKPmCdSdH-k,992
+torch/package/_stdlib.py,sha256=Zqsdydc0of0NvJqZBkzL3Iy1hWBrkNp9Kyk-u4BX6R4,7265
+torch/package/analyze/__init__.py,sha256=RtjmM0jmYQwfuv9mQoKgZQZBij-GQ4cFcJX7_-aihDg,130
+torch/package/analyze/__pycache__/__init__.cpython-310.pyc,,
+torch/package/analyze/__pycache__/find_first_use_of_broken_modules.cpython-310.pyc,,
+torch/package/analyze/__pycache__/is_from_package.cpython-310.pyc,,
+torch/package/analyze/__pycache__/trace_dependencies.cpython-310.pyc,,
+torch/package/analyze/find_first_use_of_broken_modules.py,sha256=I1nPusI1vprdIlOO3CWahK_6HPYD_x9fcxSxupf1y-g,1053
+torch/package/analyze/is_from_package.py,sha256=xnYu_xdTqKdosT6pJtZrnrQaG14qGLlwyCBCwqCfu0I,404
+torch/package/analyze/trace_dependencies.py,sha256=MacmN4a7VaC7hFTrZeVMNuDiEWROtNBSHunQhwaz2UU,2220
+torch/package/file_structure_representation.py,sha256=x_TrHU0cTNTB4MMCXG3F6TNp9iKvFlyeEeg_AuETql4,4782
+torch/package/find_file_dependencies.py,sha256=PEMGg35P-CMBKrVrOtf3E8tk3mLIeF0HXtQPmFXHyKU,3982
+torch/package/glob_group.py,sha256=teaa-coxUw82gF06ho-aumCVAY-imtI5fsT4PjLkU44,3637
+torch/package/importer.py,sha256=xdsE8jUj2iZROKPSpwte98I1NCE4J-akrhpqWAaAb1c,8973
+torch/package/package_exporter.py,sha256=MjMxq07s6lmTltJVw7KI7p03EmaC9VVianXJrAWyRg4,50910
+torch/package/package_importer.py,sha256=qaHU5AeU8msN5LfJqsfJh0ywe3zn1xHtZaBPOnvkvng,30894
+torch/profiler/__init__.py,sha256=kmLKl-y-PzfFThzL6pJ5oGXKtMKZ3pT1zKFY23VRbLw,1461
+torch/profiler/__pycache__/__init__.cpython-310.pyc,,
+torch/profiler/__pycache__/_memory_profiler.cpython-310.pyc,,
+torch/profiler/__pycache__/_pattern_matcher.cpython-310.pyc,,
+torch/profiler/__pycache__/_utils.cpython-310.pyc,,
+torch/profiler/__pycache__/itt.cpython-310.pyc,,
+torch/profiler/__pycache__/profiler.cpython-310.pyc,,
+torch/profiler/__pycache__/python_tracer.cpython-310.pyc,,
+torch/profiler/_memory_profiler.py,sha256=LP0M4lgXQHm8s1oa8Wrr-MX26aX3uKiBSGq5PbaWK9I,48137
+torch/profiler/_pattern_matcher.py,sha256=boLS-xvMJt39ZdqPwNdkhwntARLalh_XZ_ugmoxUbIA,24782
+torch/profiler/_utils.py,sha256=i9ThqN60bqQXh3Xl-Z_-ntlu-d2v1jLUawcYmiNnS2g,13945
+torch/profiler/itt.py,sha256=rTdClE7K67EM0LxketZtCN4l_nmObQeKOwfBLnGn3_M,1781
+torch/profiler/profiler.py,sha256=DCUkFYgUKpwmPapCZ5HSpzsvECAKM25Avi2GQLNotss,35518
+torch/profiler/python_tracer.py,sha256=t2HhbERUPlMtdDrQ2B63QbAwfuK8oFE5GT3uuBCYAaA,497
+torch/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/quantization/__init__.py,sha256=s6Uov1AYZfF3R6UdqeV0QJsFVdnYmzHgE_Lga0-5mew,2683
+torch/quantization/__pycache__/__init__.cpython-310.pyc,,
+torch/quantization/__pycache__/_numeric_suite.cpython-310.pyc,,
+torch/quantization/__pycache__/_numeric_suite_fx.cpython-310.pyc,,
+torch/quantization/__pycache__/_quantized_conversions.cpython-310.pyc,,
+torch/quantization/__pycache__/fake_quantize.cpython-310.pyc,,
+torch/quantization/__pycache__/fuse_modules.cpython-310.pyc,,
+torch/quantization/__pycache__/fuser_method_mappings.cpython-310.pyc,,
+torch/quantization/__pycache__/observer.cpython-310.pyc,,
+torch/quantization/__pycache__/qconfig.cpython-310.pyc,,
+torch/quantization/__pycache__/quant_type.cpython-310.pyc,,
+torch/quantization/__pycache__/quantization_mappings.cpython-310.pyc,,
+torch/quantization/__pycache__/quantize.cpython-310.pyc,,
+torch/quantization/__pycache__/quantize_fx.cpython-310.pyc,,
+torch/quantization/__pycache__/quantize_jit.cpython-310.pyc,,
+torch/quantization/__pycache__/stubs.cpython-310.pyc,,
+torch/quantization/__pycache__/utils.cpython-310.pyc,,
+torch/quantization/_numeric_suite.py,sha256=kGqWAUJhc0DKg9RjXhiKRx7dxfmX-M5Y1w9jAEnU0Z0,779
+torch/quantization/_numeric_suite_fx.py,sha256=LkEYZQLt_CRTe4d_9EAvCzpuKKHTmTjYoXLXcawjN-I,752
+torch/quantization/_quantized_conversions.py,sha256=NEKk44IHWcW_ghu3FnR06YVxHmFU7onKMTi-PzbiuOY,4321
+torch/quantization/fake_quantize.py,sha256=AZes9LhE_KB-0Q_nV0Qy5kSOY0N9cvv7NPEpdjTwBz4,1015
+torch/quantization/fuse_modules.py,sha256=eLwRn_McF-cLDjCtgzvd6E3TWh7Fwpp3LuhS1ZrmEKM,731
+torch/quantization/fuser_method_mappings.py,sha256=AWk97tidfAL4jlhmYQgpObMusEsNc8aFAX0sxT3XH6Y,511
+torch/quantization/fx/__init__.py,sha256=s3Wh6JJbmUuv-pk4yieKjDpsHZRUkEqW04jRMT9iJPs,594
+torch/quantization/fx/__pycache__/__init__.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/_equalize.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/convert.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/fuse.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/fusion_patterns.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/graph_module.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/match_utils.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/pattern_utils.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/prepare.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/quantization_patterns.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/quantization_types.cpython-310.pyc,,
+torch/quantization/fx/__pycache__/utils.cpython-310.pyc,,
+torch/quantization/fx/_equalize.py,sha256=8LGj1MjWPuZ9i4hXy2QPmD9BBBFGhiMZtlkf9j5GPuA,1250
+torch/quantization/fx/convert.py,sha256=31cFTuIm23CT4JLdSJBHzi_spOsZs0peGyNzhny_rgk,386
+torch/quantization/fx/fuse.py,sha256=wc8SOcX_IxIWXS-E5WZhj0N6KCxpDHQGTUoAaq2Y9JI,380
+torch/quantization/fx/fusion_patterns.py,sha256=Ijjfig2bxM_YzaoEzsIPTg4NuZG6p2BPgV_Dw2bmYFw,415
+torch/quantization/fx/graph_module.py,sha256=bI7jvFL15dnuHLO8c8-tKebQO16XaWRir9jwIditoXU,573
+torch/quantization/fx/match_utils.py,sha256=ndaJFGvJfXCqUmzEyUEfRiNkDwoYV2Xxd39iFQdD2bo,456
+torch/quantization/fx/pattern_utils.py,sha256=gCBkAZzIvHjpk_wfgW2nP-jFfelkya0Sto9eaWJv2H0,1297
+torch/quantization/fx/prepare.py,sha256=onVEmW0FUj5y3NFZVdGnYVK7KbJWroMF23pNFBSVDk4,386
+torch/quantization/fx/quantization_patterns.py,sha256=iphHpoDc2SP2ooCEYRxteMnbOQ7z_ErQ6w2EgkmvNuI,2086
+torch/quantization/fx/quantization_types.py,sha256=Jo921qhPFWn9AqlZODQOjBvmQYwdXUt_vOWVpwkEvwE,395
+torch/quantization/fx/utils.py,sha256=RlQwgLPd_v1OKtjeSfFNqhbPRHW7a-rZLfKsek3uY8s,723
+torch/quantization/observer.py,sha256=ztgpjHb7Q1mB7f_i32tZRkdj8i7eYQP3uSqVGFDAWDA,1078
+torch/quantization/qconfig.py,sha256=avG-OasJvdG1szQJli3PW8eoNo7TVH6vrLO-Lv14SNE,910
+torch/quantization/quant_type.py,sha256=wwPL8MSv-G6QV5LogvkL4xRJ28Ido0yA7kPzh2dsIo0,399
+torch/quantization/quantization_mappings.py,sha256=yIflm9ncZNnznvmc6oPKxWD4fPA6C44-EeMVbtAcVl0,1147
+torch/quantization/quantize.py,sha256=g8mA0kRJIO2z63PuUcawc9bovat-uVjeUxIKFwvLb-I,804
+torch/quantization/quantize_fx.py,sha256=hBC2pUobd9oeYUliLKlIYE2dQ-6BQvdxg2xTyvkFLa8,736
+torch/quantization/quantize_jit.py,sha256=JNw2_M1d6EITYzYrXlrAsUac_4tX-IDMuAO_7prxhk8,714
+torch/quantization/stubs.py,sha256=ukEM_vZ34I3UdBnhFPn5GFL713MwFlEysXUAfYGshnA,392
+torch/quantization/utils.py,sha256=kOpHHmJ602vEybccn81hVLOHwY0CQ2YdnG9n9kOVcQM,833
+torch/quasirandom.py,sha256=5au9VL16H7L8m_-lyrcPzIS6zgtcB7GejSRKZEh79wA,7633
+torch/random.py,sha256=oAblvanwbCjaKDyOxCKfa-RdBj7SpiE2-m97W7SF1wI,7127
+torch/return_types.py,sha256=hwEZN_BVpTc0bHktEK-LquYRR1nbBgWlEwabVUdcbgQ,1482
+torch/return_types.pyi,sha256=-ZU9Hb63kjLwvSm8BVbTom7P3Jzdeajmg2P9ZBQ0J54,14405
+torch/serialization.py,sha256=PtlZWhZtpjECRgjUbTqFtxSxiuxncqLbi0xeElQcQy4,65914
+torch/share/cmake/ATen/ATenConfig.cmake,sha256=Fu4Jh3vhuxYcjsZfQ71erhUpBbyJr0-gwuAk6I7FqKQ,263
+torch/share/cmake/Caffe2/Caffe2Config.cmake,sha256=bXuUPJOCOrubZb5q4HfJyvjB-3oHodLdLviE6pCs6-Q,5107
+torch/share/cmake/Caffe2/Caffe2Targets-release.cmake,sha256=_hMee-otK3Wog4Dvs2EjYsXY-aEoG4nZGgVnSVpmy8g,2448
+torch/share/cmake/Caffe2/Caffe2Targets.cmake,sha256=ez3cKtQUi8bWLwMsgl8r7Lx8Y3METcS3yMg3essvTnQ,7290
+torch/share/cmake/Caffe2/FindCUDAToolkit.cmake,sha256=XWRBWHiHT1lTgU5q3BSnOG_Yoz4UvelM4IhBPh8aGyY,38342
+torch/share/cmake/Caffe2/FindCUSPARSELT.cmake,sha256=cjNafMBEzBGv0kZAQqMxdpku0Vyf2Yrn3vJ_OVHxdUQ,3068
+torch/share/cmake/Caffe2/FindSYCLToolkit.cmake,sha256=ENbvXc79Jr6zJQP5_KaFh_dAW_fjrIbuqyUAb0jn6ko,2515
+torch/share/cmake/Caffe2/Modules_CUDA_fix/FindCUDA.cmake,sha256=78mPFyIV7lR9kDJ8vAjJwKUDLpFhbssiLz5tR9CmDxk,525
+torch/share/cmake/Caffe2/Modules_CUDA_fix/FindCUDNN.cmake,sha256=NKwIx_LRJ3uu9oJC9_apdlRooZ-uR_izK1_deByfEQo,3085
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/CMakeInitializeConfigs.cmake,sha256=v1O1FBKmJWk1h-Zbh8M6qVlP4OqVsmCcYD8zwdVfb6Q,1657
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindCUDA.cmake,sha256=9zZASjPxjc9LVroI2zPfaP7-R1AdPQcL-bm9QFxtP58,86655
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindCUDA/make2cmake.cmake,sha256=_KLZxL3AhZehZKubThy4o2C_gEH5mm4h3kMpxLHgajU,3925
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindCUDA/parse_cubin.cmake,sha256=h3Ka8c-mmE2Majl0s8342faZWVPAaDbO1rM_4m--YzA,3439
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindCUDA/run_nvcc.cmake,sha256=2KcM296B27vgXYPm_QnN-k-6s16Xkv8NPwP7295j4sE,11813
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindCUDA/select_compute_arch.cmake,sha256=NwkcO-efBVPKltz0S6HRJ-b8vojQufXT6i9AOVhlHpw,10752
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindPackageHandleStandardArgs.cmake,sha256=aLA1Dg7qyjW9Eya73fiwm2RqiG0FGwPOV64Sm5-Nobc,14902
+torch/share/cmake/Caffe2/Modules_CUDA_fix/upstream/FindPackageMessage.cmake,sha256=ToKFxPt7HSmEA014cFkMZl79quM2gpF7tmcP8h1BuYs,1564
+torch/share/cmake/Caffe2/public/LoadHIP.cmake,sha256=rQOtxC_sfaoLymnR0aaw8ZJQCXuuPrVtTM5smbpf8ow,8507
+torch/share/cmake/Caffe2/public/cuda.cmake,sha256=_5LpAYv841x_0bpwkmFMj1yYlgd3FCAih3JOO9er2KA,13120
+torch/share/cmake/Caffe2/public/gflags.cmake,sha256=YrTkm-nQX6N3mh3tpY9a-i1_s_lAlifW0V_UZdAHS-M,2620
+torch/share/cmake/Caffe2/public/glog.cmake,sha256=zy1mZaicXNUHxSG7eOZ4ZVnbgk5qN-IuG_-jXUi98nk,2320
+torch/share/cmake/Caffe2/public/mkl.cmake,sha256=y1E6axKvT-AvgfmJrVMptYDVJ5svt723jNuQYIJp_kg,1317
+torch/share/cmake/Caffe2/public/mkldnn.cmake,sha256=7D8oS35genLaLdSPfgh3foWXQMsa2bUsQnB5WKfKPAA,444
+torch/share/cmake/Caffe2/public/protobuf.cmake,sha256=weW3OuHBIqIt0KpWRWzAnzSCu-AJ9naUfkjxcvaRl5c,4003
+torch/share/cmake/Caffe2/public/utils.cmake,sha256=TDcE6vqIh_Zcl64NSdpfwq6woZNgDnlVWvMQZMBdV6g,22418
+torch/share/cmake/Caffe2/public/xpu.cmake,sha256=V1OYG4Ar7UIJRI9Sq5_z9NNsxeGx8q4-R2bi7ODD-48,643
+torch/share/cmake/Tensorpipe/TensorpipeTargets-release.cmake,sha256=Z2BoA3v4t5CER3JhpvVXPyjHZMXUrxDE2d43oLRvtPg,1767
+torch/share/cmake/Tensorpipe/TensorpipeTargets.cmake,sha256=Du2evHbOEbIHNe9gzv7548p2XUtHcmvnOYX3op4aFG4,3956
+torch/share/cmake/Torch/TorchConfig.cmake,sha256=W9P4WAxStt15DpmUAtSqe62pGojt197iDYRPX0jWUPA,5764
+torch/share/cmake/Torch/TorchConfigVersion.cmake,sha256=g2UmgysEZjGxXionh_mE3Y5iUz3Vqz2CAqc661F4A4E,366
+torch/signal/__init__.py,sha256=Eogmvuz6NdECfSTByt08-ZQw0Fec-GfQNNY77stj3zg,51
+torch/signal/__pycache__/__init__.cpython-310.pyc,,
+torch/signal/windows/__init__.py,sha256=agqPFTqIfPJIMisuuSMnTJ3jQY7BKBI-NB6CWVB-j4U,383
+torch/signal/windows/__pycache__/__init__.cpython-310.pyc,,
+torch/signal/windows/__pycache__/windows.cpython-310.pyc,,
+torch/signal/windows/windows.py,sha256=ZiE5f7s6vmqQ_ffGV4bF6xS_aGOy0RJeCTzn0EaNnHI,23352
+torch/sparse/__init__.py,sha256=GifpjSlvyirM_U2njTMK1VjyQdLo5ODFfuYyYDXie_0,23518
+torch/sparse/__pycache__/__init__.cpython-310.pyc,,
+torch/sparse/__pycache__/_semi_structured_conversions.cpython-310.pyc,,
+torch/sparse/__pycache__/_semi_structured_ops.cpython-310.pyc,,
+torch/sparse/__pycache__/_triton_ops.cpython-310.pyc,,
+torch/sparse/__pycache__/_triton_ops_meta.cpython-310.pyc,,
+torch/sparse/__pycache__/semi_structured.cpython-310.pyc,,
+torch/sparse/_semi_structured_conversions.py,sha256=zbNZip89w2_jvcfIwUEMXoiqlO3gU2eYGbfqRrhuV-0,13984
+torch/sparse/_semi_structured_ops.py,sha256=60x5Nd34GQnnV4beyoyjIzwCXTmUYpV1MSGNamAxJkc,5202
+torch/sparse/_triton_ops.py,sha256=AOlm5CUFsFoW1emuQcfwqAjWz_sQUEEuuuv6zbpvkfs,74902
+torch/sparse/_triton_ops_meta.py,sha256=D7TuAqpnHwVyXqv9W6Dsr60482QrmhyhybkY8SYFLjM,351464
+torch/sparse/semi_structured.py,sha256=5bDTLI2TV6YyqXmB8u--HSvJ27fRD1sYIMITrNEOAns,27393
+torch/special/__init__.py,sha256=cNcIkzmknQKqoPiCtcUsBJhCYs-d_E7c_RxU39st6tc,32694
+torch/special/__pycache__/__init__.cpython-310.pyc,,
+torch/storage.py,sha256=gH6DV8o_XvfEv0XVOThmYrr82jqx3laC0dfO_x1KOO8,49244
+torch/testing/__init__.py,sha256=76RHEanpBOzFjNOaBgwQeNudNkGQBiQLigTB-dAoBfU,186
+torch/testing/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/__pycache__/_comparison.cpython-310.pyc,,
+torch/testing/__pycache__/_creation.cpython-310.pyc,,
+torch/testing/__pycache__/_utils.cpython-310.pyc,,
+torch/testing/_comparison.py,sha256=FZQ8fGOnyH6XBQwFNiFb13vEU_kH1R9jHOhMcOa1f5I,62925
+torch/testing/_creation.py,sha256=LkddjAX8IkQLcwpGb350PSTBQ38vJ5xLmyOdUS5AH9I,11889
+torch/testing/_internal/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/autocast_test_lists.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/autograd_function_db.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/check_kernel_launches.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_cuda.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_device_type.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_dist_composable.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_distributed.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_dtype.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_fsdp.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_jit.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_methods_invocations.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_mkldnn.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_modules.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_nn.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_optimizers.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_pruning.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_quantization.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_quantized.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_subclass.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/common_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/composite_compliance.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/custom_op_db.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/dist_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/dynamo_test_failures.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/hop_db.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/hypothesis_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/inductor_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/jit_metaprogramming_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/jit_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/logging_tensor.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/logging_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/quantization_torch_package_models.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/static_module.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/torchbind_impls.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/triton_utils.cpython-310.pyc,,
+torch/testing/_internal/__pycache__/two_tensor.cpython-310.pyc,,
+torch/testing/_internal/autocast_test_lists.py,sha256=RNeUSdpIUFCFh_qZgM3XhOiuMmhaE3UUCu3cdisJ410,24071
+torch/testing/_internal/autograd_function_db.py,sha256=r1_GSuXWuya7EXlgpBaCn_T1ATp7LwcJ4l2u9-eCsQQ,19689
+torch/testing/_internal/check_kernel_launches.py,sha256=fpt87LoSU6nmsbEI9JVB34z3DQv4Uu-pYxqXre3JMJA,6053
+torch/testing/_internal/codegen/__init__.py,sha256=8QLhisbHub6VJl6egijnrOPKK5QNAe5FJhfcxEelj4Y,22
+torch/testing/_internal/codegen/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/common_cuda.py,sha256=pT5tYi7dqV_T5bPxrpQvfWslwBfsU9U9U_KhHfPuN84,11700
+torch/testing/_internal/common_device_type.py,sha256=uzY7q-ofbmC_f18qJGEL-NfOYw-Ci7tiP1SdQjk2qBM,65099
+torch/testing/_internal/common_dist_composable.py,sha256=sMyH-QpvDrjWTgqHuHKOqsMWvAz1gNsG_efWy_7zD94,3424
+torch/testing/_internal/common_distributed.py,sha256=Gff4065Q8XL1_-H9_wKHUh4FD22batMPcMZWEQg8gnY,49975
+torch/testing/_internal/common_dtype.py,sha256=_Z5kM-Z9wYWCuJcqk8U-B8rwV-tyZN860ajhatbL8W8,4431
+torch/testing/_internal/common_fsdp.py,sha256=DEAroQdftJI1sO1pCMaj5qX4VjLz-h6Jb-wmfrPFQZM,55518
+torch/testing/_internal/common_jit.py,sha256=ACQlL_wDfxAMCd3cBYHKZ-jbx_V9NnvwxE_uKZBGLMY,15853
+torch/testing/_internal/common_methods_invocations.py,sha256=OxGH61gTnLyAXLMcs785UmQYRIsj3wbwaNikKAirKEQ,1165904
+torch/testing/_internal/common_mkldnn.py,sha256=AEHUbUWDAbJ-y4csGwF9-0I6jMfzVb0AdvvPAtgbCfU,2314
+torch/testing/_internal/common_modules.py,sha256=I5z6aE-RtvkVrPLfAR0hkeFyq84bTQGRVNTgvGX_O8g,217428
+torch/testing/_internal/common_nn.py,sha256=aL7sL1ajUx84FKmDf2SaVolZ4Oj47oii9XcS9q_1NG0,165748
+torch/testing/_internal/common_optimizers.py,sha256=j5ITQB551Hx-pNFVebtbvdlhrjILlpZXKoDYpooE__Q,72384
+torch/testing/_internal/common_pruning.py,sha256=l4ELXMMubTHmk571M7DWPyu1mPCD0rUNb2bcLE-TGFs,12945
+torch/testing/_internal/common_quantization.py,sha256=56z2WvR7rx9LtlpgaIF-ggnPx4eQajtCi3by47r1h78,107499
+torch/testing/_internal/common_quantized.py,sha256=h31x20TrhVmHAKh7eUc82nnfCeQDWIqO4awNxV69eM8,8702
+torch/testing/_internal/common_subclass.py,sha256=XUJZFZn7J22ZQBp4-10PKTJw47gf1ZUKS3wy6VvXD9I,7885
+torch/testing/_internal/common_utils.py,sha256=k9i5CTay1YIGyrEwcln3Rotx8wXCCsv2ppMXxnm0uy4,211054
+torch/testing/_internal/composite_compliance.py,sha256=l4V4ek9S0KRIJayWiKUiyqXt0H30Io-0JU7u5dMjy30,25249
+torch/testing/_internal/custom_op_db.py,sha256=3W2bdsKaPWOxBo7ztMlhu_Jz8WmZ4PDr5VnhoVSLOUE,16622
+torch/testing/_internal/data/__init__.py,sha256=8QLhisbHub6VJl6egijnrOPKK5QNAe5FJhfcxEelj4Y,22
+torch/testing/_internal/data/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/data/__pycache__/network1.cpython-310.pyc,,
+torch/testing/_internal/data/__pycache__/network2.cpython-310.pyc,,
+torch/testing/_internal/data/network1.py,sha256=u5gnexSmy8Z8Xn_tPIEps0bM5bxnEzW1bUm2PLdnvEg,161
+torch/testing/_internal/data/network2.py,sha256=Tq_zTkjh8eueBJr_rukytu_YWhwBvddQnlBTEYYf3uA,191
+torch/testing/_internal/dist_utils.py,sha256=oyAsjRbhS7OMLojgvOfgEhWNk8Yi34I9jE2jKZhCpzg,7280
+torch/testing/_internal/distributed/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/checkpoint_utils.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/common_state_dict.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/ddp_under_dist_autograd_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/distributed_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/distributed_utils.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/fake_pg.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/multi_threaded_pg.cpython-310.pyc,,
+torch/testing/_internal/distributed/__pycache__/rpc_utils.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/__init__.py,sha256=8QLhisbHub6VJl6egijnrOPKK5QNAe5FJhfcxEelj4Y,22
+torch/testing/_internal/distributed/_shard/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/__pycache__/test_common.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/sharded_tensor/__init__.py,sha256=P9RvnGe_09LP1qHinqcn0TyqQG_gmov_ytC9kZGO3ig,3174
+torch/testing/_internal/distributed/_shard/sharded_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/sharded_tensor/__pycache__/_test_ops_common.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/sharded_tensor/__pycache__/_test_st_common.cpython-310.pyc,,
+torch/testing/_internal/distributed/_shard/sharded_tensor/_test_ops_common.py,sha256=ZeDgmfmagacyLoSc6thJex5lZ5GegK3Z1AN4V3cbFls,4005
+torch/testing/_internal/distributed/_shard/sharded_tensor/_test_st_common.py,sha256=yol-5OPINDFI4TUmyfHK4BsbqZLpA7eN9Ooe57WlKig,1696
+torch/testing/_internal/distributed/_shard/test_common.py,sha256=7fKC5_EwNGoXVweCxUHBYrg3q5Mlie8ZQHemHd3F3Xw,1215
+torch/testing/_internal/distributed/_tensor/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/_tensor/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/_tensor/__pycache__/common_dtensor.cpython-310.pyc,,
+torch/testing/_internal/distributed/_tensor/common_dtensor.py,sha256=0-8JdzdsYU7N3Y_dDWqHA3Hbse9J0jIsCNhLJkuKO7A,19529
+torch/testing/_internal/distributed/checkpoint_utils.py,sha256=LLB4R5V112J21TaVEwQ43XIAboUWDGhzre__sky0Jc0,1514
+torch/testing/_internal/distributed/common_state_dict.py,sha256=P1O0E28w0QpdcXw6K68zp9xXsACvdNlX_dckICHUWOE,4431
+torch/testing/_internal/distributed/ddp_under_dist_autograd_test.py,sha256=ytg15s6_twrEqADiVNnVrp-hQktfNaKaQfMietDrLkY,26737
+torch/testing/_internal/distributed/distributed_test.py,sha256=CBgghw1R4BSBFHgRUG3xAKUURtBfjt0OKsU7I_j2EFo,438400
+torch/testing/_internal/distributed/distributed_utils.py,sha256=XKAm2pgGNQGIODqQojU9EnQdscFLchnslEvFFLtplUk,1943
+torch/testing/_internal/distributed/fake_pg.py,sha256=FnXla2q-s5dhSsY79IxSgFHdrc2MaJsEpYFFoXBCpDg,1040
+torch/testing/_internal/distributed/multi_threaded_pg.py,sha256=V8CiztjEhxk2xj5j8t5PcBWESHo_c8D3mZw1kakmQYY,19160
+torch/testing/_internal/distributed/nn/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/nn/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/nn/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/nn/api/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/nn/api/__pycache__/remote_module_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/nn/api/remote_module_test.py,sha256=GEnpCVi2-euYMp5cq5_ITsJrn7OXcAsadQq6kE9pGhg,29253
+torch/testing/_internal/distributed/rpc/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/rpc/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/dist_autograd_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/dist_optimizer_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/faulty_agent_rpc_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/faulty_rpc_agent_test_fixture.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/rpc_agent_test_fixture.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/rpc_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/__pycache__/tensorpipe_rpc_agent_test_fixture.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/dist_autograd_test.py,sha256=C8ZB8KV_XH2xRVHb0Xc-BYCd3JL3I4xu5LCVmIdW-S0,107716
+torch/testing/_internal/distributed/rpc/dist_optimizer_test.py,sha256=KIPKUS0OV_fi6wtY-bxXi3yoCViwbLUGV5LaeQtPUSY,10625
+torch/testing/_internal/distributed/rpc/examples/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/rpc/examples/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/examples/__pycache__/parameter_server_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/examples/__pycache__/reinforcement_learning_rpc_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/examples/parameter_server_test.py,sha256=j8GNOHo3wJM0sHP9cQtprNpF6UmrCVwKXWCd0EWiN_g,4560
+torch/testing/_internal/distributed/rpc/examples/reinforcement_learning_rpc_test.py,sha256=M8XMWNovLfzuVsgcrZYpipczACzojPXHcUOtkvSZ-_8,9330
+torch/testing/_internal/distributed/rpc/faulty_agent_rpc_test.py,sha256=uhIyHE2YXdX4ihQVZ1W-PC6AoSCKTzFQ5STBjMwcXyw,14127
+torch/testing/_internal/distributed/rpc/faulty_rpc_agent_test_fixture.py,sha256=yYKNXsXVRXxGXTC67REtyk-4YUmbCPIrYKIs5w9Tttk,2218
+torch/testing/_internal/distributed/rpc/jit/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/distributed/rpc/jit/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/jit/__pycache__/dist_autograd_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/jit/__pycache__/rpc_test.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/jit/__pycache__/rpc_test_faulty.cpython-310.pyc,,
+torch/testing/_internal/distributed/rpc/jit/dist_autograd_test.py,sha256=PADsx4x72ya9VbLloZkcrEce6N5OOsw5h0cD9Ld65a4,4230
+torch/testing/_internal/distributed/rpc/jit/rpc_test.py,sha256=8_0P5I6iSmFM0_c1ubmobc_q5QuJJqs01IhGbXrS7cw,47279
+torch/testing/_internal/distributed/rpc/jit/rpc_test_faulty.py,sha256=MnWn2VvGtjxBL4-ffExLwdbo0ZJ7OOFV9--Z3ak273Q,8027
+torch/testing/_internal/distributed/rpc/rpc_agent_test_fixture.py,sha256=lcm_w8nJmYvIF46zhq8j274ghzKGNtW8knHvQYpIes0,1908
+torch/testing/_internal/distributed/rpc/rpc_test.py,sha256=PpYCZ96wykMdP8EaVozKMRNCXpKKec0MRFcsHtiAMrA,228928
+torch/testing/_internal/distributed/rpc/tensorpipe_rpc_agent_test_fixture.py,sha256=X16R9HMGXYdeoVtbSooUiQtBHiPGAZmXm66y07ioxUE,1024
+torch/testing/_internal/distributed/rpc_utils.py,sha256=FW9MsbwIFmzcWPAGdX3ZsQM1rWGZpuuiW-_KgBiNiVA,6598
+torch/testing/_internal/dynamo_test_failures.py,sha256=Ku3CA2tcQA4ENLoEElDXpXtgsvNIRRDXVka4ZEaDj2g,4368
+torch/testing/_internal/generated/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/generated/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/generated/__pycache__/annotated_fn_args.cpython-310.pyc,,
+torch/testing/_internal/generated/annotated_fn_args.py,sha256=qwXcNY9n4snFkOKHN7yFahUDuvft0922KKDknv1w3SY,540209
+torch/testing/_internal/hop_db.py,sha256=i-i6R7BRyMzi8M3Ez2iicV0w-6VS0f25f7JvWG8vWf0,8283
+torch/testing/_internal/hypothesis_utils.py,sha256=tyjRa4vgdnU4HF7pQvZIYXnNpEpNl_avnC4wcUMS2_k,14691
+torch/testing/_internal/inductor_utils.py,sha256=_3IHJd0NE0qm2CZ3VDvUVQSiRG-n2A4tpyMEwZLjXpk,2266
+torch/testing/_internal/jit_metaprogramming_utils.py,sha256=8LoO9mSqAVygg8cjMcsQJsVgkSQrHTluLoQIB39WGmg,32968
+torch/testing/_internal/jit_utils.py,sha256=oyvvPtt8rMYUS7VvYg3UavIA9EQaZMf6dHiUCGHQYWM,33998
+torch/testing/_internal/logging_tensor.py,sha256=TtUU87tkLEc0jDVrvPf9rq8YJwpPlhgelj_e3eAZYhE,6941
+torch/testing/_internal/logging_utils.py,sha256=9lSYwirN_Gls0qaF2zP_DvJLl8GsC3Yxk5WKS3NpN2w,6926
+torch/testing/_internal/opinfo/__init__.py,sha256=6PWvlARagSjyrZW5xCOA5YGQjLqwaijc36TFX4UrU9g,116
+torch/testing/_internal/opinfo/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/opinfo/__pycache__/core.cpython-310.pyc,,
+torch/testing/_internal/opinfo/__pycache__/refs.cpython-310.pyc,,
+torch/testing/_internal/opinfo/__pycache__/utils.cpython-310.pyc,,
+torch/testing/_internal/opinfo/core.py,sha256=G4QJX7zPQurosaWvruGFTZtW52F7h0pbEZ3G3ST3c14,111294
+torch/testing/_internal/opinfo/definitions/__init__.py,sha256=_uEAYpR5_uxJ1PkDpmTFXvzqlDiDkqLn9n9eXxipeRs,476
+torch/testing/_internal/opinfo/definitions/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/_masked.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/fft.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/linalg.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/signal.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/sparse.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/__pycache__/special.cpython-310.pyc,,
+torch/testing/_internal/opinfo/definitions/_masked.py,sha256=hxjCb9NKDuOyvq4y0mlovx-fUpliiJe_wiPxkjrjDMY,45433
+torch/testing/_internal/opinfo/definitions/fft.py,sha256=DN3FKqIyYF7CO1mHjnvjl6p7sVMBirC97SYw2JJXxJA,28008
+torch/testing/_internal/opinfo/definitions/linalg.py,sha256=5OomcdtZRbWc7Agcj1HodiIl0TMIqd27Ji7bc8IgihU,87163
+torch/testing/_internal/opinfo/definitions/signal.py,sha256=aISkZ-CjpKUzgEqPk6CFfqQ4oN2hNSoSd4XQp9EaJ1I,15293
+torch/testing/_internal/opinfo/definitions/sparse.py,sha256=CmqiVIZiKC0Oyz8Z2pevz7G7CztU4TkSzENRdP3GIEo,33900
+torch/testing/_internal/opinfo/definitions/special.py,sha256=5xhNglpHEx2vWOJM5gGDQJ6vwziIi33JaM8U3A3Nldw,27763
+torch/testing/_internal/opinfo/refs.py,sha256=ITejvhEohlCDAus21sCwyVr8KYf5EUNRSWXTJJS8peY,8038
+torch/testing/_internal/opinfo/utils.py,sha256=zRa8aABZxUD0NDjM8bS6qUXFZxdzq1ZS3Mva-3ZANA0,8700
+torch/testing/_internal/optests/__init__.py,sha256=o-8t0Cva860Tcw0Ig_-rBr6-9Uuc9bDRWRMG6FgKzbA,372
+torch/testing/_internal/optests/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/optests/__pycache__/aot_autograd.cpython-310.pyc,,
+torch/testing/_internal/optests/__pycache__/autograd_registration.cpython-310.pyc,,
+torch/testing/_internal/optests/__pycache__/fake_tensor.cpython-310.pyc,,
+torch/testing/_internal/optests/__pycache__/generate_tests.cpython-310.pyc,,
+torch/testing/_internal/optests/__pycache__/make_fx.cpython-310.pyc,,
+torch/testing/_internal/optests/aot_autograd.py,sha256=sD9L_nc0gVugIxiM1b1cwdTIRSxtwd0_H2yjppfOITk,6052
+torch/testing/_internal/optests/autograd_registration.py,sha256=NTcmeU6cAPjNIfzcet__ZD4tPZIW2gpXy27U0DQprPo,5692
+torch/testing/_internal/optests/fake_tensor.py,sha256=WuT0PGbogjTGPJeRYo2JiQYoTzj_iZET56L1zkv0W4w,257
+torch/testing/_internal/optests/generate_tests.py,sha256=u2jgeZ7hURpxf_SmxIKmow2Wqp4RB5L2zEf_GsUqm8E,31032
+torch/testing/_internal/optests/make_fx.py,sha256=NtdQVRYx1E7dkxjVDGcpd5ZNSoGlntV7Mqr17ANPGuY,3268
+torch/testing/_internal/quantization_torch_package_models.py,sha256=DnChjrnLG54TWRhINvfTxOFmNZt5WflDBJDpam4fj9w,951
+torch/testing/_internal/static_module.py,sha256=bwmblZ7N3UtKuO6UEJDUUJdqdhxxIpCwvmrJEESauOk,893
+torch/testing/_internal/test_module/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/testing/_internal/test_module/__pycache__/__init__.cpython-310.pyc,,
+torch/testing/_internal/test_module/__pycache__/future_div.cpython-310.pyc,,
+torch/testing/_internal/test_module/__pycache__/no_future_div.cpython-310.pyc,,
+torch/testing/_internal/test_module/future_div.py,sha256=298hLJlLz2QCJ80OVQXQM6CgN71nbkFMNnkesgzSnY8,114
+torch/testing/_internal/test_module/no_future_div.py,sha256=sksxzWFUupRBbSThS69P366IwnWBNGJe9EqQx8m5EKM,145
+torch/testing/_internal/torchbind_impls.py,sha256=oJnTuYw1FaBGFFFy_ftnXvAuTcyyhsbofdaQSQPYAUQ,3751
+torch/testing/_internal/triton_utils.py,sha256=lBH-l4DCExxKOkgz9BTJ7otI0JbpEWjc9EOTQ19ZOFI,12072
+torch/testing/_internal/two_tensor.py,sha256=4OTAvXWt2r8jSW85aeBH7D8sJg91uLQhUk3nQGrnloI,2944
+torch/testing/_utils.py,sha256=G3k57Wo_lZU8uq0Ta2otVWozEYiYXSEw3t9Fy8kTCp4,2038
+torch/torch_version.py,sha256=JlkfYgYWmxsdBVsdqvMJwgRiIzBI2HmWkPB7t_HVwA0,2495
+torch/types.py,sha256=naxY5ufpXzGtimYL3CG-UMGwgtst22gVMDpkZn3GwB0,2524
+torch/utils/__init__.py,sha256=4rUQJh2gni3ZAtsf8WJzhfkQZJuCkq2T0sN2HpdxXg4,3927
+torch/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/__pycache__/_config_module.cpython-310.pyc,,
+torch/utils/__pycache__/_content_store.cpython-310.pyc,,
+torch/utils/__pycache__/_contextlib.cpython-310.pyc,,
+torch/utils/__pycache__/_cpp_extension_versioner.cpython-310.pyc,,
+torch/utils/__pycache__/_cxx_pytree.cpython-310.pyc,,
+torch/utils/__pycache__/_device.cpython-310.pyc,,
+torch/utils/__pycache__/_exposed_in.cpython-310.pyc,,
+torch/utils/__pycache__/_foreach_utils.cpython-310.pyc,,
+torch/utils/__pycache__/_freeze.cpython-310.pyc,,
+torch/utils/__pycache__/_get_clean_triton.cpython-310.pyc,,
+torch/utils/__pycache__/_import_utils.cpython-310.pyc,,
+torch/utils/__pycache__/_mode_utils.cpython-310.pyc,,
+torch/utils/__pycache__/_python_dispatch.cpython-310.pyc,,
+torch/utils/__pycache__/_pytree.cpython-310.pyc,,
+torch/utils/__pycache__/_stats.cpython-310.pyc,,
+torch/utils/__pycache__/_traceback.cpython-310.pyc,,
+torch/utils/__pycache__/_triton.cpython-310.pyc,,
+torch/utils/__pycache__/_typing_utils.cpython-310.pyc,,
+torch/utils/__pycache__/_zip.cpython-310.pyc,,
+torch/utils/__pycache__/backend_registration.cpython-310.pyc,,
+torch/utils/__pycache__/bundled_inputs.cpython-310.pyc,,
+torch/utils/__pycache__/checkpoint.cpython-310.pyc,,
+torch/utils/__pycache__/collect_env.cpython-310.pyc,,
+torch/utils/__pycache__/cpp_backtrace.cpython-310.pyc,,
+torch/utils/__pycache__/cpp_extension.cpython-310.pyc,,
+torch/utils/__pycache__/deterministic.cpython-310.pyc,,
+torch/utils/__pycache__/dlpack.cpython-310.pyc,,
+torch/utils/__pycache__/file_baton.cpython-310.pyc,,
+torch/utils/__pycache__/flop_counter.cpython-310.pyc,,
+torch/utils/__pycache__/hooks.cpython-310.pyc,,
+torch/utils/__pycache__/mkldnn.cpython-310.pyc,,
+torch/utils/__pycache__/mobile_optimizer.cpython-310.pyc,,
+torch/utils/__pycache__/model_zoo.cpython-310.pyc,,
+torch/utils/__pycache__/module_tracker.cpython-310.pyc,,
+torch/utils/__pycache__/show_pickle.cpython-310.pyc,,
+torch/utils/__pycache__/throughput_benchmark.cpython-310.pyc,,
+torch/utils/__pycache__/weak.cpython-310.pyc,,
+torch/utils/_config_module.py,sha256=bwT6dCCa_09ZsPp1O-Y14M31fyHl3cGD-fmqQ5SuBI0,12642
+torch/utils/_content_store.py,sha256=P4rW46sh_xGCfM-VLdaE9u4jCei19Yh2oc41CXGc8wk,9078
+torch/utils/_contextlib.py,sha256=z3qlsI9El0uowdCM1x73D_0T0cSKSTFXbrI1MGv6RrU,6022
+torch/utils/_cpp_extension_versioner.py,sha256=nfdpz8vTUMsazJkIu948jLRoZ07bRmVcgN8-Qjjy_lw,2010
+torch/utils/_cxx_pytree.py,sha256=MKoDytu3xovkXcp26E3omfOR1IGz_L568jozFPofDio,35133
+torch/utils/_device.py,sha256=9rjB8bd-JCoSde_THw2DKBwj2yY-1eXdkMCsBXpyg0M,2775
+torch/utils/_exposed_in.py,sha256=qr_dgn92ed90Eesvr-YoQuZ8BLq63P-W3yMaimcBnKk,629
+torch/utils/_foreach_utils.py,sha256=OX-OOrPHHxKQ7nyfpH9o-6lYzOoP_QYRRpfPkWz63_E,2335
+torch/utils/_freeze.py,sha256=rmnTw8G6-yzCfOU7u6nOzfybytd0es_SPPd0AyygMd4,10011
+torch/utils/_get_clean_triton.py,sha256=YxmqplKgOXDGl3NvWJqCvnzGscdBCmZmMv6NnFmH2TM,5225
+torch/utils/_import_utils.py,sha256=8Uv-lHLgZ6qsCqOPrJZuGdcJLq_Jy-67DjmLHG2jyC4,1267
+torch/utils/_mode_utils.py,sha256=MkuPh97nbSNvh7fvyY87XE-odxEGqwEu0_wLsqaXgZY,251
+torch/utils/_python_dispatch.py,sha256=0aR9yTybaCN6vxEQuEh6So2aL64XBFHinsdTmw7fBjY,25911
+torch/utils/_pytree.py,sha256=Oa48dWBDMnK7REsvzbP-qvsMysjPiWSSy1x88lzCw44,53784
+torch/utils/_stats.py,sha256=rHnNk8IymuhWloQoiyh2S0zPqaWXrFN8vydTJKv7rzc,837
+torch/utils/_strobelight/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/_strobelight/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/_strobelight/__pycache__/cli_function_profiler.cpython-310.pyc,,
+torch/utils/_strobelight/cli_function_profiler.py,sha256=XTbgsT5mB_zySbtZtWZq4CQzIazhcDI4UY_nbU-u_98,11050
+torch/utils/_sympy/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/_sympy/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/functions.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/interp.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/reference.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/singleton_int.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/solve.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/symbol.cpython-310.pyc,,
+torch/utils/_sympy/__pycache__/value_ranges.cpython-310.pyc,,
+torch/utils/_sympy/functions.py,sha256=1W8N0XNZEHafTi3SnyC21RvJ1ynIiGl5bnfyaJwl7HE,21567
+torch/utils/_sympy/interp.py,sha256=Tu6AWjI2VFVIXH7ThQjxpKWGTFs8KatYqhv1loPcUzQ,5528
+torch/utils/_sympy/reference.py,sha256=bI87-kktNHGHA5mEZHxB-vmU39RmzkpqkkJBuXnNUB8,5949
+torch/utils/_sympy/singleton_int.py,sha256=m7AxzUyUgm8gxdVBLBRWGnZk5i3xvO-t-bk91-PoC-A,2966
+torch/utils/_sympy/solve.py,sha256=8Fgf_1YRgj1hqB1QaygJJODNu0Om6cU4-0NwpqIN33E,6426
+torch/utils/_sympy/symbol.py,sha256=UCYG6pqQ2guSfUQC2nI0qaqAK6J-vUpQSY4jSEqh4ls,3380
+torch/utils/_sympy/value_ranges.py,sha256=Z7FHRJHn3PDItDXEcX01G1OrLm9SRdQfDEhFksDNQlc,34318
+torch/utils/_traceback.py,sha256=ouVJSfFruZekBUvPDTa2ZblUe5JsROXqKOzGLjw355Q,10303
+torch/utils/_triton.py,sha256=tCcQJ2uD5ZE3ALo7Gjpki6AiPuQY6AVRknpG6GMtokQ,2373
+torch/utils/_typing_utils.py,sha256=jsi2FN9VvtbWYKNf2v-nB1mtODLrgy1L--8rK2oOemo,377
+torch/utils/_zip.py,sha256=MH2x7uphZkAEd_hZ6icJ6kO3z0bFLWDRtex8OPdbUxI,2454
+torch/utils/backcompat/__init__.py,sha256=p0A1haxs45DMaETdPPBv6p23SpDxN-PdM48YDNVw9kM,694
+torch/utils/backcompat/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/backend_registration.py,sha256=D6f6XMSc89-ihDtqUENU8yGSmaj1pPy8Tg2c5CkufBU,19258
+torch/utils/benchmark/__init__.py,sha256=VMZoFTt8YGaScu3-5L1uWwMOED8FRYoEBAX37RFJ3c0,411
+torch/utils/benchmark/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/benchmark/examples/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/benchmark/examples/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/blas_compare_setup.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/compare.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/fuzzer.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/op_benchmark.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/simple_timeit.cpython-310.pyc,,
+torch/utils/benchmark/examples/__pycache__/spectral_ops_fuzz_test.cpython-310.pyc,,
+torch/utils/benchmark/examples/blas_compare_setup.py,sha256=a1e5sV1uOB62qObaSQoAZjJRzRBiGrdtCWRz00pJUwY,7175
+torch/utils/benchmark/examples/compare.py,sha256=Vp5KSGUDOYAE54NMXRHXImY7MjEfpfgO3XZRcntJsUI,2915
+torch/utils/benchmark/examples/fuzzer.py,sha256=xMSTZ5wa8d0TK5XLDBdffNHGManXq0NTcdqGHQhvlGs,2650
+torch/utils/benchmark/examples/op_benchmark.py,sha256=oCr3uM1db1zmVrgSMyaB9cxMwjSKELQXjbGFEv6mu4E,4227
+torch/utils/benchmark/examples/simple_timeit.py,sha256=gemlx8iEpXc_nY6OrZgMWCW9WA6GIHr_CzQ1Q8-AHHk,560
+torch/utils/benchmark/examples/spectral_ops_fuzz_test.py,sha256=3yRGHfcj2AxlB4Hf1iL2Eq7Ho6LI4JV0G59ATHWPLg8,4779
+torch/utils/benchmark/op_fuzzers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/benchmark/op_fuzzers/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/__pycache__/binary.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/__pycache__/sparse_binary.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/__pycache__/sparse_unary.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/__pycache__/spectral.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/__pycache__/unary.cpython-310.pyc,,
+torch/utils/benchmark/op_fuzzers/binary.py,sha256=hqr5_VG-GMwDiNCRNE4nqjBZm9mwf0QvOqtzQ-LYjIk,4136
+torch/utils/benchmark/op_fuzzers/sparse_binary.py,sha256=4COEJAYa4kQWyPOQYBXFuSDFd4BLKtoLxYqTV15TStE,4218
+torch/utils/benchmark/op_fuzzers/sparse_unary.py,sha256=dTC5UmD-BJO9d99RMYxbFuRPJhLFHsJgRgyt1IQZVAM,3246
+torch/utils/benchmark/op_fuzzers/spectral.py,sha256=tb2YizjJzwteeoQpS1e3l5jqzx5j7QmNHKXRAz0h6Ik,3624
+torch/utils/benchmark/op_fuzzers/unary.py,sha256=7MpUeiaL6_0zhEKB6oHz0Rt_CHgNSZYhTKOy1hvZvNA,3146
+torch/utils/benchmark/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/benchmark/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/_stubs.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/common.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/compare.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/compile.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/cpp_jit.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/fuzzer.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/sparse_fuzzer.cpython-310.pyc,,
+torch/utils/benchmark/utils/__pycache__/timer.cpython-310.pyc,,
+torch/utils/benchmark/utils/_stubs.py,sha256=YapnkkFuitztF2XrMHTR9A2EsGm0lsrhmqTRcHPYhjM,976
+torch/utils/benchmark/utils/common.py,sha256=Oe9uNGIaFe7OuybeDXNcfsnp4aOv9-aKyScBmWT7Rzc,13653
+torch/utils/benchmark/utils/compare.py,sha256=kpwhak8X6B2uzaUfFse3QodoYG_1zS0F1I6LXbL6JZY,13324
+torch/utils/benchmark/utils/compile.py,sha256=Hwu7UKnGY0prWPQ2fmHDaxtdeAr8QIBno6r86tZN4jc,7550
+torch/utils/benchmark/utils/cpp_jit.py,sha256=Lfphq1CRzmhr0WKibv_A5b2DgeHRVJ8SHGiFGroC_I4,6811
+torch/utils/benchmark/utils/fuzzer.py,sha256=UElVfercVZso5sldT7IwD2RxjRsZix_jZQ10fnA68K4,18245
+torch/utils/benchmark/utils/sparse_fuzzer.py,sha256=Ejnnu3Fup95iwLwqzuYkgHJjQTjCWTMvo48EGraveB0,5167
+torch/utils/benchmark/utils/timeit_template.cpp,sha256=Wzz-o6Yjgq3tkmUTxeRldQxrsETh48T2hwL8xbOkRSg,1009
+torch/utils/benchmark/utils/timer.py,sha256=yjPmylTGRChfeu3aYF5m84MGH9GuNBaqGaRnykNEqJA,21097
+torch/utils/benchmark/utils/valgrind_wrapper/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/benchmark/utils/valgrind_wrapper/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/benchmark/utils/valgrind_wrapper/__pycache__/timer_interface.cpython-310.pyc,,
+torch/utils/benchmark/utils/valgrind_wrapper/callgrind.h,sha256=wK1NVdRImF_4WVLlQrXkufunvE0qLr5dw50v86KPIo0,5744
+torch/utils/benchmark/utils/valgrind_wrapper/compat_bindings.cpp,sha256=ysuof0blt-4g76St1LUrdlZLiaCBKjwjwZXE0L4nI74,813
+torch/utils/benchmark/utils/valgrind_wrapper/timer_callgrind_template.cpp,sha256=ILVnffXHThuakEj3hzKv4usmt8rICdXpSTBeWKz7jU4,1676
+torch/utils/benchmark/utils/valgrind_wrapper/timer_interface.py,sha256=mRzHX_MtLPaSD-lGRXt3dPS_0fIgrsfx3l05G2sUC4Y,36967
+torch/utils/benchmark/utils/valgrind_wrapper/valgrind.h,sha256=8MpV41sjwR0bIML04pxlLIjVuGhRtWdy1Kmtax4jFLI,422653
+torch/utils/bottleneck/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/bottleneck/__main__.py,sha256=efcGahb61sZa6sq5rauybY4ysJLCt3Fv7k_DtfqxURs,7214
+torch/utils/bottleneck/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/bottleneck/__pycache__/__main__.cpython-310.pyc,,
+torch/utils/bundled_inputs.py,sha256=6bji47LvpopuWrMhOuhNXzCC2qlnnhIq0NmRQDOkmZQ,22574
+torch/utils/checkpoint.py,sha256=6ofBN_VlUPyyEVVwxzQuIZ1JAMxabCjddfT-8BmooCs,60308
+torch/utils/collect_env.py,sha256=ZL--FHoFkgRHQhB9GbEGlk09xHqY3A8VCKu5dYfyHvU,23357
+torch/utils/cpp_backtrace.py,sha256=GxSqoJwxCh9nbgm7EJS9KRJ0Mn5UwIwJUje-0vC4C-Y,483
+torch/utils/cpp_extension.py,sha256=0VO56VMDgM631jX-ClTNAJHfR2yxCuC5xKHCGmC7QH8,105134
+torch/utils/data/__init__.py,sha256=XZqNdyIRIGvowDMh9VjpENdqQIn8M-eGZLXHzgAIHW8,1956
+torch/utils/data/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/__pycache__/backward_compatibility.cpython-310.pyc,,
+torch/utils/data/__pycache__/dataloader.cpython-310.pyc,,
+torch/utils/data/__pycache__/dataset.cpython-310.pyc,,
+torch/utils/data/__pycache__/distributed.cpython-310.pyc,,
+torch/utils/data/__pycache__/graph.cpython-310.pyc,,
+torch/utils/data/__pycache__/graph_settings.cpython-310.pyc,,
+torch/utils/data/__pycache__/sampler.cpython-310.pyc,,
+torch/utils/data/_utils/__init__.py,sha256=-U4O4o248-6VLiuw9Hz8UnVKcnPyLiDUsOo8JqYgLmY,1623
+torch/utils/data/_utils/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/_utils/__pycache__/collate.cpython-310.pyc,,
+torch/utils/data/_utils/__pycache__/fetch.cpython-310.pyc,,
+torch/utils/data/_utils/__pycache__/pin_memory.cpython-310.pyc,,
+torch/utils/data/_utils/__pycache__/signal_handling.cpython-310.pyc,,
+torch/utils/data/_utils/__pycache__/worker.cpython-310.pyc,,
+torch/utils/data/_utils/collate.py,sha256=5w0wPOWmZZY0zI1W1PbiKmE760jsgjlW_migsNIqVL8,15064
+torch/utils/data/_utils/fetch.py,sha256=V_nDlVcBJqpooFee1a_k0yf9HVVnkpr3TNPZX4i1Z74,1953
+torch/utils/data/_utils/pin_memory.py,sha256=vMmZaCaGM-e87Ghje3OTCfPkN_sLbmQIY2ItGWErY_k,4234
+torch/utils/data/_utils/signal_handling.py,sha256=Eeucqsg3V_hsKvrZO7-nuNKHZEx8M6sHRWDIBjmcdfc,3182
+torch/utils/data/_utils/worker.py,sha256=z2KRmqgu8jZT0d_n8YiaDn02FOiIWR4q9xfsGQja1q0,13468
+torch/utils/data/backward_compatibility.py,sha256=iVwgc7nHC98OaKE5yYMXPiMoWjAqxSVNewbENz9WU00,309
+torch/utils/data/dataloader.py,sha256=npwWYs-y3-H-mvOpRaFfDgZLHLicUmwIbhGujX_MjbA,74093
+torch/utils/data/datapipes/__init__.py,sha256=yCobz1Svm4GireCenmOohIBB2ne0mVSJP7sukzkWAC8,61
+torch/utils/data/datapipes/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/datapipes/__pycache__/_decorator.cpython-310.pyc,,
+torch/utils/data/datapipes/__pycache__/_hook_iterator.cpython-310.pyc,,
+torch/utils/data/datapipes/__pycache__/_typing.cpython-310.pyc,,
+torch/utils/data/datapipes/__pycache__/datapipe.cpython-310.pyc,,
+torch/utils/data/datapipes/__pycache__/gen_pyi.cpython-310.pyc,,
+torch/utils/data/datapipes/_decorator.py,sha256=mWdMn_t6q5w6oJA78BQHMNTGACRxfiMrc2JrI0UAOoA,7480
+torch/utils/data/datapipes/_hook_iterator.py,sha256=HpwJ-BFqPU9d6HUXRbkcTTPY9AbeNdu6ZABt8Nklm7o,11565
+torch/utils/data/datapipes/_typing.py,sha256=duQDEAs6N10azR3Snw4TnoZsCsIFJYgPcaByHXeaYLI,15776
+torch/utils/data/datapipes/dataframe/__init__.py,sha256=DG3VrNOAVSK8JORYiJJoJBuS9cHICGQFNevAc5PzwZE,335
+torch/utils/data/datapipes/dataframe/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/datapipes/dataframe/__pycache__/dataframe_wrapper.cpython-310.pyc,,
+torch/utils/data/datapipes/dataframe/__pycache__/dataframes.cpython-310.pyc,,
+torch/utils/data/datapipes/dataframe/__pycache__/datapipes.cpython-310.pyc,,
+torch/utils/data/datapipes/dataframe/__pycache__/structures.cpython-310.pyc,,
+torch/utils/data/datapipes/dataframe/dataframe_wrapper.py,sha256=UAoSS6F6S7ZcEzl6o-cRGm3IXY0MFOQkv5ZDnA_LqGI,3368
+torch/utils/data/datapipes/dataframe/dataframes.py,sha256=zmbkVsN7NSctf0sMOsWAUKmHLKD3yREfKQLAOQEbQjY,13429
+torch/utils/data/datapipes/dataframe/datapipes.py,sha256=dJgTwcXeczPEZ0ecD64Ti6HX_WiBZrpWz7uuryt8r-g,4462
+torch/utils/data/datapipes/dataframe/structures.py,sha256=tWpr74QILtLO72WO6y9CkHlUS3dp1H8Qzzl1UQUnGuI,605
+torch/utils/data/datapipes/datapipe.py,sha256=R95s3P-QCErMn72gF4CICWBNkQwJfk-7RcvHNQhggNE,16770
+torch/utils/data/datapipes/datapipe.pyi,sha256=ALaLFIqwOKGyvyUxkqBU8pyKguox-M0HGMEEOYcwDsw,32334
+torch/utils/data/datapipes/gen_pyi.py,sha256=SAXf-3oGa0OTIgVZbxKOvlavcvOrxUks45bqkR0ghrI,10655
+torch/utils/data/datapipes/iter/__init__.py,sha256=2yQfue4Wyn-RZ_IM9FQwXtOzR_Gf8vBoqKzHkQGfmiM,1942
+torch/utils/data/datapipes/iter/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/callable.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/combinatorics.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/combining.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/filelister.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/fileopener.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/grouping.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/routeddecoder.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/selecting.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/sharding.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/streamreader.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/__pycache__/utils.cpython-310.pyc,,
+torch/utils/data/datapipes/iter/callable.py,sha256=NMHCV5GxrdR_Rg-VrKiGyrA2tHVh7bXMWwBW8-vvGb4,9127
+torch/utils/data/datapipes/iter/combinatorics.py,sha256=eJexOq5XEYFkOUlJn5AgHG-zSD1zsRIsIQ5f6_RXgZw,6508
+torch/utils/data/datapipes/iter/combining.py,sha256=_6ZJ7bUnu5jcZMizpndlKvWiT5TnjvPOCM4lx2kZFIE,26571
+torch/utils/data/datapipes/iter/filelister.py,sha256=2FnqZxQwt3HYiKpPmmed3KGZpDFj_RPYUqBAyT-If28,2540
+torch/utils/data/datapipes/iter/fileopener.py,sha256=Kh6gfnbwKVnnvCQfZIbzBZ4Abq4Xp2ln22wqWZj50ig,2794
+torch/utils/data/datapipes/iter/grouping.py,sha256=T7UJ8FTqi381qgrMBVf9FSqaKBUvGyLpXWAB3MbJ4UI,12254
+torch/utils/data/datapipes/iter/routeddecoder.py,sha256=KmuVA600kSLmIiJHGai2EY_2bMrv-_Rh56LQYAckYew,2723
+torch/utils/data/datapipes/iter/selecting.py,sha256=6BHw2AM41VJznTbkmsObZdfh4-KzgkUKoekUt9ckUZ8,3236
+torch/utils/data/datapipes/iter/sharding.py,sha256=vIZ3LLEfQPmgcsvMhiiqrzuNT6zuaJYOqGi6SvHuKYA,3338
+torch/utils/data/datapipes/iter/streamreader.py,sha256=HKujm6iMIKGh3rGYmJM93LFEQZd41npfXghqxx8F1zw,1429
+torch/utils/data/datapipes/iter/utils.py,sha256=UyIAQ1qpm4IJ7XbCLr69PcOQFWZbw-IFKrO3uMGCJqs,1809
+torch/utils/data/datapipes/map/__init__.py,sha256=TjyQmY9aPPSsaz4UlfIrVF-4p6D3oO0dnvatLhTolTc,656
+torch/utils/data/datapipes/map/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/datapipes/map/__pycache__/callable.cpython-310.pyc,,
+torch/utils/data/datapipes/map/__pycache__/combinatorics.cpython-310.pyc,,
+torch/utils/data/datapipes/map/__pycache__/combining.cpython-310.pyc,,
+torch/utils/data/datapipes/map/__pycache__/grouping.cpython-310.pyc,,
+torch/utils/data/datapipes/map/__pycache__/utils.cpython-310.pyc,,
+torch/utils/data/datapipes/map/callable.py,sha256=_4KFgPC5eZ45C3kOuu9PB0GMRVlcV8XmqsqI9n3lDrg,1853
+torch/utils/data/datapipes/map/combinatorics.py,sha256=b2ZuCMmlU7vUrK2nQKVLI9uJFrsHInHca2RF0lvuS80,4196
+torch/utils/data/datapipes/map/combining.py,sha256=-4d8_3k8xuhl84SuRJkLMNj7m8Fnu1bM5CPdRYvg2cw,3632
+torch/utils/data/datapipes/map/grouping.py,sha256=_oR-cscPNZh8cGvyr0TI9QgnUpimXtqJM0jVJ1r4oVw,2470
+torch/utils/data/datapipes/map/utils.py,sha256=poKnmEJNIMAdJb9mlYRuk10oQrLnsHY1YZAazb9rNlk,1575
+torch/utils/data/datapipes/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/data/datapipes/utils/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/data/datapipes/utils/__pycache__/common.cpython-310.pyc,,
+torch/utils/data/datapipes/utils/__pycache__/decoder.cpython-310.pyc,,
+torch/utils/data/datapipes/utils/__pycache__/snapshot.cpython-310.pyc,,
+torch/utils/data/datapipes/utils/common.py,sha256=30r5HYVjKn2rahU13gtEPiEQTRzp1TfkJMg7S9CQ-kc,13408
+torch/utils/data/datapipes/utils/decoder.py,sha256=tphSWgtiGX69Dz5CDupnAWjQOV-gK5_NjYFpH239LUM,11028
+torch/utils/data/datapipes/utils/snapshot.py,sha256=RSUHHWPmkcp3V4oi8fXVQRJpAJbw5qnrvk77L3Xhzks,3073
+torch/utils/data/dataset.py,sha256=BN63dYb2YGcnaBcc95TEbnpsQ_cE-AYuyyZHHVF1KPA,19171
+torch/utils/data/distributed.py,sha256=j6LFqOp6Sh_wn6z-Gg82ymY9-DL3xOM4CfMExrA1jJg,5950
+torch/utils/data/graph.py,sha256=fzuBgOOhoeIZ0Ak-qHizC2iCkE8g5hDylUyqoogXeQQ,5829
+torch/utils/data/graph_settings.py,sha256=mfYqK5JAioZv08_NgF3DuZxGM0cC2vcyNFgM-dS7mIk,5589
+torch/utils/data/sampler.py,sha256=fci2WdSaXl08_GrQtG45Nwd1Q1zSPk3Fc4wAwvenyOs,12514
+torch/utils/deterministic.py,sha256=aDwP89FjYTIT-3g2RtWBoagN59_JbqE2BZbgV4HttMU,611
+torch/utils/dlpack.py,sha256=eb7fXKDRQcr0oc0P49qpxE1_hsklavXoRSEUI8wPD00,4438
+torch/utils/file_baton.py,sha256=c1fCu9u9OjgEwYXau4MCEJoEx55s5Uz_VwcILE__Cro,1419
+torch/utils/flop_counter.py,sha256=uwxHnzv5W84vTHGBMzgBRPKlk6iDGrGccwnN5tl14yg,25222
+torch/utils/hipify/__init__.py,sha256=Jzb_RfgvXCrm_SQ4AfeGVi1N36YybxnM5mpyxrnihgI,33
+torch/utils/hipify/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/hipify/__pycache__/constants.cpython-310.pyc,,
+torch/utils/hipify/__pycache__/cuda_to_hip_mappings.cpython-310.pyc,,
+torch/utils/hipify/__pycache__/hipify_python.cpython-310.pyc,,
+torch/utils/hipify/__pycache__/version.cpython-310.pyc,,
+torch/utils/hipify/constants.py,sha256=sogTIVpPGdJWQA7OvnjfeAgNwbp8BpbWtO12xV-KBFE,1174
+torch/utils/hipify/cuda_to_hip_mappings.py,sha256=SOwYkuYueXHEK_qgoasmL7TajasOdSFdJmAbuUdJbMM,349732
+torch/utils/hipify/hipify_python.py,sha256=fwKHBcpJdPt8YvF9m6QPuFj-skKybLd67UKv8GODYJQ,46348
+torch/utils/hipify/version.py,sha256=RsZjRjMprNcDm97wqRRSk6rTLgTX8N0GyicZyZ8OsBQ,22
+torch/utils/hooks.py,sha256=QtW2wjVZroyInSbACBGfUbD-psu0mzNazxo7GEKi-JI,9558
+torch/utils/jit/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/jit/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/jit/__pycache__/log_extract.cpython-310.pyc,,
+torch/utils/jit/log_extract.py,sha256=mkmsch7WoCVKf2TvpOOcVtgve2xPAQg-7B3n3pY9bo4,3781
+torch/utils/mkldnn.py,sha256=Tmjrw5aTght4xAnX__P6LK9_WTE2s54-2MNb40CBUuE,7908
+torch/utils/mobile_optimizer.py,sha256=liU6eDm-aybOgfcR2wt1o279zFuawbXyUxtDll7bzGI,6494
+torch/utils/model_dump/__init__.py,sha256=vX3CeAhcgHPNXMIazgj4s2Lt4ZT0WLeJZZO7xDF0hLo,16845
+torch/utils/model_dump/__main__.py,sha256=jYGPuoI11jzWgGKtK1-E550XLfPkrbHq_BRUbLusK-A,79
+torch/utils/model_dump/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/model_dump/__pycache__/__main__.cpython-310.pyc,,
+torch/utils/model_dump/code.js,sha256=70w_JAT7N8dkWHrpQsA1enZCJK7VJOIy23ukbbbXQAg,19251
+torch/utils/model_dump/htm.mjs,sha256=m-psDFjVL3_BzcZnYkiRT8AIYhFhCY5ERrh_LP4sEH4,1230
+torch/utils/model_dump/preact.mjs,sha256=005yDhrtmGbeMNCyf7SMhNktZT4VisnDde1R-TMD5gk,10078
+torch/utils/model_dump/skeleton.html,sha256=vq4r1yFKZEchXwQmky1zpj3q65MCPDBD7wDt6SqzJGg,384
+torch/utils/model_zoo.py,sha256=o2NC-XaU8fqDXbUBQDv7thQBld_LOK-Ko63GS4x8Iyg,117
+torch/utils/module_tracker.py,sha256=UAr-xnJW5lCrgj_Swjj_S99QsiCYvDUpHwA-Xvt79Go,5063
+torch/utils/show_pickle.py,sha256=0WKgqTteE5wEJcfdQLmRlThOhBDYzVreEpRQbtiRHJQ,5425
+torch/utils/tensorboard/__init__.py,sha256=9NIYMYOGpyaLBWDL3a1sp44BdncOM2aYXYuZkNsnNJM,434
+torch/utils/tensorboard/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_convert_np.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_embedding.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_onnx_graph.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_proto_graph.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_pytorch_graph.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/_utils.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/summary.cpython-310.pyc,,
+torch/utils/tensorboard/__pycache__/writer.cpython-310.pyc,,
+torch/utils/tensorboard/_convert_np.py,sha256=lcVRd0CBoPHW20nSk3bTyJQzzR9UuNKPlEUsJISwp1s,705
+torch/utils/tensorboard/_embedding.py,sha256=6ExXXIQiSnA2cIAS9RLxGdKFmuBT01PqdB739x3yT6E,3224
+torch/utils/tensorboard/_onnx_graph.py,sha256=RcIUnGjdzDS9yxI6rios1hafL3jRhRq3yHoFo-TATE4,1923
+torch/utils/tensorboard/_proto_graph.py,sha256=9GOFVhEEovaFOScEzeeXAkCouCZ4B4Blai4M9KCRREA,1758
+torch/utils/tensorboard/_pytorch_graph.py,sha256=ayU_7mWz9g7-3OzKGa2ZVSkdtJgsNzLswjD8AkJjs_g,13879
+torch/utils/tensorboard/_utils.py,sha256=_t_4ZCyhUU4oCpw9aQ8wrmKZK9cy-gCHq9GXY-WecjY,4159
+torch/utils/tensorboard/summary.py,sha256=_SYc4gO5jj4evhY6wXKdZYocgI15_CswJaQWsFN4hTM,34471
+torch/utils/tensorboard/writer.py,sha256=Qp8LuYYq6JYh3_oQhqQdw39s0TosPPHRtoIt31fVWxU,46669
+torch/utils/throughput_benchmark.py,sha256=f50CNVwm_mvpevFUkpz7dgDdWab519jmZIReB8qhVB0,6502
+torch/utils/viz/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torch/utils/viz/__pycache__/__init__.cpython-310.pyc,,
+torch/utils/viz/__pycache__/_cycles.cpython-310.pyc,,
+torch/utils/viz/_cycles.py,sha256=mFdGmG5QsHMWB4MsC2HcX5un82HLcW-nySRye7r3pRs,14758
+torch/utils/weak.py,sha256=WYMGXPlryZPak6xtA31__d949fUYUO2pon0S8BM3l_k,11070
+torch/version.py,sha256=2Vcw5pr24n1ZeknI0kWPanK3JA9taJ8xnj9j29xES70,248
+torch/xpu/__init__.py,sha256=F-jfIDBqh-EGTKujlqXLWRd-Nv0hxyPCuSvoD2WdZf0,15467
+torch/xpu/__pycache__/__init__.cpython-310.pyc,,
+torch/xpu/__pycache__/_gpu_trace.cpython-310.pyc,,
+torch/xpu/__pycache__/_utils.cpython-310.pyc,,
+torch/xpu/__pycache__/random.cpython-310.pyc,,
+torch/xpu/__pycache__/streams.cpython-310.pyc,,
+torch/xpu/_gpu_trace.py,sha256=Bdv8ITvAHj19qhb84z85zT-IxRJuBFHlv2wlsf7lkxM,2373
+torch/xpu/_utils.py,sha256=JTETOkI3J7tp4SFKV3ukRlvQDO-6Qg850KkJ8wO6gh0,1591
+torch/xpu/random.py,sha256=hQhO12TXMckh5JOQszO9pqkWG38B5YX4Mxkc7PShT6Q,5244
+torch/xpu/streams.py,sha256=95sEEdmQJUq4ZxCa0S7KGWwf6vkfDYA9fq9aH-uZsbk,5562
+torchgen/__init__.py,sha256=iirTpG38WcCsNMhEbi1dg7_jad6ptk_uzZ-BzaGBFyU,348
+torchgen/__pycache__/__init__.cpython-310.pyc,,
+torchgen/__pycache__/code_template.cpython-310.pyc,,
+torchgen/__pycache__/context.cpython-310.pyc,,
+torchgen/__pycache__/gen.cpython-310.pyc,,
+torchgen/__pycache__/gen_aoti_c_shim.cpython-310.pyc,,
+torchgen/__pycache__/gen_backend_stubs.cpython-310.pyc,,
+torchgen/__pycache__/gen_executorch.cpython-310.pyc,,
+torchgen/__pycache__/gen_functionalization_type.cpython-310.pyc,,
+torchgen/__pycache__/gen_lazy_tensor.cpython-310.pyc,,
+torchgen/__pycache__/gen_vmap_plumbing.cpython-310.pyc,,
+torchgen/__pycache__/local.cpython-310.pyc,,
+torchgen/__pycache__/model.cpython-310.pyc,,
+torchgen/__pycache__/native_function_generation.cpython-310.pyc,,
+torchgen/__pycache__/utils.cpython-310.pyc,,
+torchgen/__pycache__/yaml_utils.cpython-310.pyc,,
+torchgen/aoti/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/aoti/__pycache__/__init__.cpython-310.pyc,,
+torchgen/aoti/__pycache__/fallback_ops.cpython-310.pyc,,
+torchgen/aoti/fallback_ops.py,sha256=lamMMsm6NS0d-7twD_SqO8JxXpJ3ywKahLWBhnb_VDY,5582
+torchgen/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/api/__pycache__/__init__.cpython-310.pyc,,
+torchgen/api/__pycache__/autograd.cpython-310.pyc,,
+torchgen/api/__pycache__/cpp.cpython-310.pyc,,
+torchgen/api/__pycache__/dispatcher.cpython-310.pyc,,
+torchgen/api/__pycache__/functionalization.cpython-310.pyc,,
+torchgen/api/__pycache__/lazy.cpython-310.pyc,,
+torchgen/api/__pycache__/meta.cpython-310.pyc,,
+torchgen/api/__pycache__/native.cpython-310.pyc,,
+torchgen/api/__pycache__/python.cpython-310.pyc,,
+torchgen/api/__pycache__/structured.cpython-310.pyc,,
+torchgen/api/__pycache__/translate.cpython-310.pyc,,
+torchgen/api/__pycache__/ufunc.cpython-310.pyc,,
+torchgen/api/__pycache__/unboxing.cpython-310.pyc,,
+torchgen/api/autograd.py,sha256=LdDfXGiuqKRiWHG-_ZTQzAosYXvOeDPDw3vbU1oDH2k,38946
+torchgen/api/cpp.py,sha256=fC1bPcxTauHDu-KSk_nJoTOMUgfFYQWnN2-wDwX4zDs,16460
+torchgen/api/dispatcher.py,sha256=dcD3zGsejoxnIo24j7ZluQlELwlYGN7xt-lhCu1sFf0,3365
+torchgen/api/functionalization.py,sha256=pPJAMcqP5f3_jltdu6UsdUlvG3MfO8UqlAlsKCgRhBk,7571
+torchgen/api/lazy.py,sha256=i_UDcZRVX0KxzSXHFVmRPuGVwiSm6dkn5Ep-sMI5UuQ,17022
+torchgen/api/meta.py,sha256=Nn2a0cqNmu2EFJz6Lyyooty0W8TCHeibs21b5GBEXt4,482
+torchgen/api/native.py,sha256=iWsl_HVvZ0LZNF4r_P59ee-cc6Xezkn__UxKr0E0y90,5136
+torchgen/api/python.py,sha256=5gPWOo4IfRVLTDm1PMW81B6uERpdIsTREj5DtDYBl7c,58785
+torchgen/api/structured.py,sha256=JaybRL0Kbwq8EpYvZePCr5vD5PrhRpEO9wy1NvwOaZc,6115
+torchgen/api/translate.py,sha256=WZMDUWE16yKuLzGHgQu-5e0w1t1zeefLOskh6pLCEAg,19211
+torchgen/api/types/__init__.py,sha256=a6PpYNAoVb4KtAclJR8Y8J4I1VcNZ1LIx_SAIdQ2hpk,87
+torchgen/api/types/__pycache__/__init__.cpython-310.pyc,,
+torchgen/api/types/__pycache__/signatures.cpython-310.pyc,,
+torchgen/api/types/__pycache__/types.cpython-310.pyc,,
+torchgen/api/types/__pycache__/types_base.cpython-310.pyc,,
+torchgen/api/types/signatures.py,sha256=ACdrryc16bGRWxkBmT2G3S7ZVCkhZIwI5muXAZKZ4XQ,15671
+torchgen/api/types/types.py,sha256=9Q7g5cmekXjAwBRW_2IhCI-R4gP57uf6yAmQOr_j3cI,6526
+torchgen/api/types/types_base.py,sha256=4FEbQm61mLe3vfjrsO-KNnPjHWNy5fzYQiuoZTrgpRw,8949
+torchgen/api/ufunc.py,sha256=9CBk5dFzYj4xN9idf4zvkpIEav8vNdPIEhPv0wr7IYA,6698
+torchgen/api/unboxing.py,sha256=rLnXCRHQYsBCzmx0EkMtXjCM1pb38UxtD0xc4LuIqNM,9488
+torchgen/code_template.py,sha256=z3N3FvXHfvO2aLIu2LoFqe7XGpzbFfzXEyzhGez2KME,2903
+torchgen/context.py,sha256=798e45g0zoR69Xn_4HjTuBRXbuNnyyK-j5_vWOnrs_s,3974
+torchgen/dest/__init__.py,sha256=5tJcjfIVpy5jHVFjkP4L33-zainx1zo2A-IXOt2W5uE,753
+torchgen/dest/__pycache__/__init__.cpython-310.pyc,,
+torchgen/dest/__pycache__/lazy_ir.cpython-310.pyc,,
+torchgen/dest/__pycache__/lazy_ts_lowering.cpython-310.pyc,,
+torchgen/dest/__pycache__/native_functions.cpython-310.pyc,,
+torchgen/dest/__pycache__/register_dispatch_key.cpython-310.pyc,,
+torchgen/dest/__pycache__/ufunc.cpython-310.pyc,,
+torchgen/dest/lazy_ir.py,sha256=nGiHydLK-teDSqZa0eyiFcfSBobmRy7V1-k9Hja-ps0,29003
+torchgen/dest/lazy_ts_lowering.py,sha256=9QUvL_Z-mGqRfhtK_X2RSEHlGmFOqDr_J8cYJrALUG4,1831
+torchgen/dest/native_functions.py,sha256=A1ouzHcvvEPGQbD6Lc7NFH8ORNYaiNTyL8DRegxctA0,2328
+torchgen/dest/register_dispatch_key.py,sha256=WTLFtqv0oQt2WAuI7k7V_aNvTcAsyx5d2rTz3w853EQ,40382
+torchgen/dest/ufunc.py,sha256=tw0hgS3Nw8V-n9At8NeXfxtrjl3hELOaYlKLxPBaJXg,17798
+torchgen/executorch/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/executorch/__pycache__/__init__.cpython-310.pyc,,
+torchgen/executorch/__pycache__/model.cpython-310.pyc,,
+torchgen/executorch/__pycache__/parse.cpython-310.pyc,,
+torchgen/executorch/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/executorch/api/__pycache__/__init__.cpython-310.pyc,,
+torchgen/executorch/api/__pycache__/custom_ops.cpython-310.pyc,,
+torchgen/executorch/api/__pycache__/et_cpp.cpython-310.pyc,,
+torchgen/executorch/api/__pycache__/unboxing.cpython-310.pyc,,
+torchgen/executorch/api/custom_ops.py,sha256=qz5wHb5wav1cwhGypMnHxcVcOeWznFYf9nHNP1tjR0Q,5429
+torchgen/executorch/api/et_cpp.py,sha256=STArjOc3MTSAvAQU1wrITCupiyLv7bS35GLK6UNROaQ,12961
+torchgen/executorch/api/types/__init__.py,sha256=-4pCMsRpHwq2I5yJ-yM4NDXF7wFJ4XJILXRTl8uFxnQ,61
+torchgen/executorch/api/types/__pycache__/__init__.cpython-310.pyc,,
+torchgen/executorch/api/types/__pycache__/signatures.cpython-310.pyc,,
+torchgen/executorch/api/types/__pycache__/types.cpython-310.pyc,,
+torchgen/executorch/api/types/signatures.py,sha256=hpvEEpH5Mn4N3I8o_49429iKtOcwfnxTuq62iFKjuFY,2490
+torchgen/executorch/api/types/types.py,sha256=83ml9nH_8gXjWNxM-XPg_4T59Nc8agIC2tQPsBn6czk,2432
+torchgen/executorch/api/unboxing.py,sha256=q8YARSax5LXIu6k87X1aKHYu09bepkaiQsOOM-p1_8g,7811
+torchgen/executorch/model.py,sha256=Vs7K0kluYO64I1pas_O8Z-BIxyN8dJ_8sZJpZdjzUPc,7710
+torchgen/executorch/parse.py,sha256=FiAuXT3T2xlKOajjQQ65RZMIzurR5bqLP2FFZ_XxeoA,5423
+torchgen/gen.py,sha256=pNYN7HH4ssAghTpqHRCGw2BlqXNlJ8tCqSYzaveLnOM,113749
+torchgen/gen_aoti_c_shim.py,sha256=uja0ljyp7NI3cRLlJXLobSlm_gpduaDR5ovn8BeSMSc,16554
+torchgen/gen_backend_stubs.py,sha256=eainmNL1aWHhMxaGMGea-_eEPA2MueHYO2L1peusrXE,22357
+torchgen/gen_executorch.py,sha256=YtUG0I-hoH5mp9m5S_uku4J8AJlxwiOgDKGWK4iMtEo,36269
+torchgen/gen_functionalization_type.py,sha256=zmNisOPv0HdoIdr2XTKVlyd5nFM5dnGWdYNCBJcoHTs,37829
+torchgen/gen_lazy_tensor.py,sha256=hyH_QdFzXPKTnt1rt03hBcmlafKcYjvxR6nBZObgJME,22804
+torchgen/gen_vmap_plumbing.py,sha256=7BVjXs5Jdtt6sWI2Lqp0mxlHOJ6V2L1BxFb2hnRDQjM,9154
+torchgen/local.py,sha256=4-uRxPk3ik_9v_Uf15J02g8DR5RUkqLr6jjMrdELYeA,2091
+torchgen/model.py,sha256=5S3WPlW_FMBiJz8Z9iU0pl1Jmzj22-tvGrgfQOGbyEM,112704
+torchgen/native_function_generation.py,sha256=KAcx_PalJAleoRLlrm7_qphHwGl9A9PTJP0UHJ5hT3g,29583
+torchgen/operator_versions/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/operator_versions/__pycache__/__init__.cpython-310.pyc,,
+torchgen/operator_versions/__pycache__/gen_mobile_upgraders.cpython-310.pyc,,
+torchgen/operator_versions/__pycache__/gen_mobile_upgraders_constant.cpython-310.pyc,,
+torchgen/operator_versions/gen_mobile_upgraders.py,sha256=zoYeQX2m3F-m7BcrGrMs38OJBlqP2JeLkwqVEhS_OSI,12685
+torchgen/operator_versions/gen_mobile_upgraders_constant.py,sha256=C-U6rHQybm_FTcxsz27RMgJDj464NOLhlOzVjSjEn0w,243
+torchgen/packaged/ATen/native/native_functions.yaml,sha256=Szurxx11qWYCgJL9u4pSOYwQP24sa7i2Pmyn0VuC92g,590778
+torchgen/packaged/ATen/native/tags.yaml,sha256=sJLINHqLeGmBIawEPQE7RZsgzrg38Uq0kLpfbDzizLM,3311
+torchgen/packaged/ATen/templates/ATenOpList.cpp,sha256=YobnhIm91ECCc6uYD2uDOrvFM4WqutKQbQ5x_Fh_5IE,1059
+torchgen/packaged/ATen/templates/CompositeViewCopyKernels.cpp,sha256=H64AHoCBB7MJIECAHNzki8NiTVPND0hy2vJ-KqiSF2c,2077
+torchgen/packaged/ATen/templates/DispatchKeyFunction.h,sha256=npUU8WpU76sZv8oqUQqBpcV_QHT6RW9j42EVTSA6pvA,702
+torchgen/packaged/ATen/templates/DispatchKeyFunctions.h,sha256=iBAyyG_T0y--B0hMJy5Ly0mnUhWLzD8GLJLT5YpDBDQ,1932
+torchgen/packaged/ATen/templates/DispatchKeyFunctions_inl.h,sha256=nlAU0xWHQqRZn7JNV163YgAv5wwlykwsikMyjzZeZkI,824
+torchgen/packaged/ATen/templates/DispatchKeyNativeFunctions.cpp,sha256=DYjxJmYQ5Yegq1XW4hakqjvZo5skNWi2f5ZNLPUyQ4c,184
+torchgen/packaged/ATen/templates/DispatchKeyNativeFunctions.h,sha256=e8lUNJZ4jt0uMHjio6HOupVpMv83DtAaFBudAG6pEDw,384
+torchgen/packaged/ATen/templates/Function.h,sha256=QSbPrsdWGgcW5Wl4a_KSIyHqQEH-3T7h2RM2Q5IQ3dA,507
+torchgen/packaged/ATen/templates/FunctionalInverses.h,sha256=azlMYM1eJqDFCBeDRBEgpKgbeDIsWLIPEWBVyLVoocY,1231
+torchgen/packaged/ATen/templates/Functions.cpp,sha256=NRQfSQo5Ot7SebfjhJtqLregJS222jr-SFY9mZ1Amq4,3024
+torchgen/packaged/ATen/templates/Functions.h,sha256=ORykJWXUsHoaADA5aV4-IOgBTWn7UdIplNBX_1d6ON0,4688
+torchgen/packaged/ATen/templates/LazyIr.h,sha256=mFY0bv2tEUtDp0ypCelVq_RgtbgUA_HW7mikUq6a0-8,575
+torchgen/packaged/ATen/templates/LazyNonNativeIr.h,sha256=KQbjyZ0Q8qK8JcgqAaF-M-ZhvRE5UhTj8JIHyceNK9Y,178
+torchgen/packaged/ATen/templates/MethodOperators.h,sha256=ifirYleNPll8bjo_OYaC8jEuLWIJlP0Asy0xjtdGfQo,830
+torchgen/packaged/ATen/templates/NativeFunction.h,sha256=aC1du7h-uGx3GzxW9GbtCYfL4Rt0bVbG-Ep_wVMgvpo,377
+torchgen/packaged/ATen/templates/NativeFunctions.h,sha256=Cgf_eYRzaczDydEIGxh35wfBBZAF4X6fJt-CFUhTmwM,1160
+torchgen/packaged/ATen/templates/NativeMetaFunction.h,sha256=aUwcQS2n2k_RV0L2CbMY1PWTVzMghD38-PH406UdNq4,463
+torchgen/packaged/ATen/templates/NativeMetaFunctions.h,sha256=mIOwmpkQY9zYolxUXK39c4nRDyG32vBsqEeSDo76p_k,306
+torchgen/packaged/ATen/templates/Operator.h,sha256=ymuBaaHDKS1QZ-7yiHOUmjX-eyCxsjD1v6_ZUGKvz8o,425
+torchgen/packaged/ATen/templates/Operators.cpp,sha256=cjfjkIMtfc8n1w0TDy_JJDJq0DK2cT9DfhkZw3YnTWM,347
+torchgen/packaged/ATen/templates/Operators.h,sha256=oU939CI59Drfg2QlKfkCdU6yVQBVi0y9Ia_kQ0rFC5k,3200
+torchgen/packaged/ATen/templates/RedispatchFunctions.cpp,sha256=pNhfp3gMBw4km2c_4EfeF6ge3DGZi8xtGCnkmjzfpi0,307
+torchgen/packaged/ATen/templates/RedispatchFunctions.h,sha256=RMRWieLHLURueB27BhW7UQty4ZC2MDfzdqskH6OCTTI,893
+torchgen/packaged/ATen/templates/RegisterBackendSelect.cpp,sha256=x0rELrRO6uvCnB50shaTR1BQCDSndukxH9ONxqoLoHA,1998
+torchgen/packaged/ATen/templates/RegisterCodegenUnboxedKernels.cpp,sha256=tux2wSt9RalK0o5AfliXJB3N4diTi-88PwNHOobDbmM,1119
+torchgen/packaged/ATen/templates/RegisterDispatchDefinitions.ini,sha256=E8PNfTGFdvYUkk6YN0K-cfXRf61KazOov2ogDWmDFDU,476
+torchgen/packaged/ATen/templates/RegisterDispatchKey.cpp,sha256=ka3DGWd5YkeXGzxmp7V7568JwLBPnjnBBf82e0Frv_w,1645
+torchgen/packaged/ATen/templates/RegisterFunctionalization.cpp,sha256=NoARFNJBFnaWoQhc7tI2Fd5609ignpm6JkehpOZ5YKM,3372
+torchgen/packaged/ATen/templates/RegisterSchema.cpp,sha256=HoLTDNwRhe8xJJucgd6qCkqTglPtxLYCRGCD_4-S0j0,383
+torchgen/packaged/ATen/templates/RegistrationDeclarations.h,sha256=KImic_ILyhxavbGxVna-Ascf--okibalZJlK44a5dic,160
+torchgen/packaged/ATen/templates/TensorBody.h,sha256=RmRiD1WQ-gZYsX6BgKTucmLQseacNjJvd1kIE2hxODQ,29146
+torchgen/packaged/ATen/templates/TensorMethods.cpp,sha256=x541hSdseYz2jdqFdKNHW2cEWAHxzV313FYfHg2s1OQ,2624
+torchgen/packaged/ATen/templates/UfuncCPU.cpp,sha256=LrnISndBkXtdugvOWeRk9ZGYQlztFI5yqytoaZiKOQk,445
+torchgen/packaged/ATen/templates/UfuncCPUKernel.cpp,sha256=paz66F7U6E9e2X-rpbxlVDGcxevcXIOialaEqAaoArc,350
+torchgen/packaged/ATen/templates/UfuncCUDA.cu,sha256=HOBz8yO4QFxxmX_6gCF7L8MJvrGPwGQjoE-qDf8kF9Y,494
+torchgen/packaged/ATen/templates/UnboxingFunctions.cpp,sha256=wwdlYUaaCjXwhlaoqieeO-3fOqoQSBj62j6Is4n-UKY,709
+torchgen/packaged/ATen/templates/UnboxingFunctions.h,sha256=bcs4ET0LLtzs7nSSWhKA8jJzongib5CGlNA5yaExfKw,1026
+torchgen/packaged/ATen/templates/aten_interned_strings.h,sha256=_FM2jXAhATj9GZ66dXXUPx72q2uYnzT8iN4hkTz0rmI,805
+torchgen/packaged/ATen/templates/enum_tag.h,sha256=w3hCov4CToJ5qyHrnadei9907AIZkDLALSOlOZ1gP2Q,179
+torchgen/packaged/autograd/BUILD.bazel,sha256=Jd76gG6LQlmmEKK9IYlDbkVSmc8L5bTvGjG159L3rJA,104
+torchgen/packaged/autograd/README.md,sha256=hGiUzBaCs0wzBhEXB3vkWUXU4Lima6y5_wPKjAoKQ-Q,147
+torchgen/packaged/autograd/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/packaged/autograd/__pycache__/__init__.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/context.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_annotated_fn_args.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_autograd.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_autograd_functions.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_inplace_or_view_type.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_python_functions.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_trace_type.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_variable_factories.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_variable_type.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/gen_view_funcs.cpython-310.pyc,,
+torchgen/packaged/autograd/__pycache__/load_derivatives.cpython-310.pyc,,
+torchgen/packaged/autograd/build.bzl,sha256=P4Ox76V35gWtKl8p08d-av4YEb10BC5Lcr5qHiqK7uE,348
+torchgen/packaged/autograd/context.py,sha256=zGoFTCXNnWbHWdkLRKYxIv2Xg41lEv7evO8WIvg1LKI,943
+torchgen/packaged/autograd/deprecated.yaml,sha256=UbtajzWo89jf1Q5sw8JNJIZT5s-iDBagnrGJthtDS2Q,6250
+torchgen/packaged/autograd/derivatives.yaml,sha256=m5wt2r9MpJ00g8Dr_xeYhtwhrh20ar1JPHIHPGusyXI,176145
+torchgen/packaged/autograd/gen_annotated_fn_args.py,sha256=cTpcqGEj2xBDorwmLCVHmdY-19340lLzHONvmFEmVes,4383
+torchgen/packaged/autograd/gen_autograd.py,sha256=lvrRRTed4lMmEYG9IHigovGvyrEc3CvU9OFCuomYrI0,4603
+torchgen/packaged/autograd/gen_autograd_functions.py,sha256=nZ2LzzDov9tMrNJU2Kt4rUFhZz3nnAhwGyuXsqYmB94,32091
+torchgen/packaged/autograd/gen_inplace_or_view_type.py,sha256=i_ycJUdKySO95L-JAwv86Sjq07Rl0rOFYan3lJxythA,22806
+torchgen/packaged/autograd/gen_python_functions.py,sha256=Ah7WMwIDpu9dseAIA9RolVP2IsH4QaTPVzf9ryYDjJE,46363
+torchgen/packaged/autograd/gen_trace_type.py,sha256=_ZjiAojVs65yN4L_WhcX4Q23TiFF5keLHUy_mG_kYdg,18926
+torchgen/packaged/autograd/gen_variable_factories.py,sha256=vY-OLC3hBEZpi5poZawF5osX7xu3t7OiqATWnI2CCK8,4478
+torchgen/packaged/autograd/gen_variable_type.py,sha256=yr4fCxPfpYyM1DHMqF-HonfrcX3EE1vG-tk75AbzY64,83454
+torchgen/packaged/autograd/gen_view_funcs.py,sha256=B5iSzCUEAa5aLmnxJwyIiAFETOkeUkYQnZ0KISyPlAQ,11533
+torchgen/packaged/autograd/load_derivatives.py,sha256=YPRsoru-0GhIntPSluYCyLlw2SYDG4invv703klhdZw,40334
+torchgen/packaged/autograd/templates/ADInplaceOrViewType.cpp,sha256=6juXEdMJaxhS1nv6bqUmx-cJLWPyc4Yb3teAeTyEBG4,790
+torchgen/packaged/autograd/templates/Functions.cpp,sha256=T2Mf85iPLHVAs3-Qen3YQ5f6-rSLQPEa9fvxn5wWujs,623
+torchgen/packaged/autograd/templates/Functions.h,sha256=92Q-5Zq6A2uCzQtRLDa_cuNwmrfZaBwglQqc-6Z6UWI,1575
+torchgen/packaged/autograd/templates/TraceType.cpp,sha256=aqACTyrT05ElIiBLJYkfSgxNjwhum6_QUPDAtXwoKqo,695
+torchgen/packaged/autograd/templates/VariableType.cpp,sha256=40JaiDOkY_86ndvGzap_UWqNg-b_XQQxPqXnsKSMhzc,1859
+torchgen/packaged/autograd/templates/VariableType.h,sha256=jf5Q5UKN9dOahf54IEryjU-8t2NkyB18r3DPbWMJgFo,1692
+torchgen/packaged/autograd/templates/ViewFuncs.cpp,sha256=oas1Pw6wWyAfRy2uh5K7fGD3qR60LD2Oiv-B5OW6Tvc,269
+torchgen/packaged/autograd/templates/ViewFuncs.h,sha256=7RoIEE9NQ6jWdg3SfdbRsQxACKdscsrnZN45JTJER5I,498
+torchgen/packaged/autograd/templates/annotated_fn_args.py.in,sha256=gRgF9BZmylhyfXrVSAVjg9Y4TUYpq1FgYVd3_hk_9no,199
+torchgen/packaged/autograd/templates/python_enum_tag.cpp,sha256=2cTLq6vaU-qjAXLrChZAnCmpVqA4oDvZLOsBY3GWmDA,495
+torchgen/packaged/autograd/templates/python_fft_functions.cpp,sha256=g8Ub5jh_YhgeourCXjB2zlH15Lm_oGwLa37IjibMoEc,1951
+torchgen/packaged/autograd/templates/python_functions.cpp,sha256=b20LJcBbbQHQ4hTt-2h__DIuk8uHksD4ZVD5csfM43Q,1121
+torchgen/packaged/autograd/templates/python_functions.h,sha256=WX52FzntisoprdObQvGXrzMhehgWZ2rIfnHzgNpX-5U,345
+torchgen/packaged/autograd/templates/python_linalg_functions.cpp,sha256=3NyK1tMOYwAsnxyb1k04RPiN9MQkriblY3GnPVOrfSY,1614
+torchgen/packaged/autograd/templates/python_nested_functions.cpp,sha256=2wivRfIBY8pkU9mqHVQfqnsIff6K1Al-BTJyRFuUeAw,2029
+torchgen/packaged/autograd/templates/python_nn_functions.cpp,sha256=s3bTYskH2tKfU79HmQicznSdrCPSQI0YagbitVy51xU,3492
+torchgen/packaged/autograd/templates/python_return_types.cpp,sha256=GB75OiT-5X3rmgXZlc30MB67qMlvqkzhrDIfIj1mZp4,1219
+torchgen/packaged/autograd/templates/python_return_types.h,sha256=ZDLPH-bxSjCpeyWLhU6kZsuAxa2pnCgTE57YpxXmDmQ,198
+torchgen/packaged/autograd/templates/python_sparse_functions.cpp,sha256=NW_L2mF7ZrR2FvXtDE7iNfw0BM-wTyUzBa_C1B5RZ7A,1551
+torchgen/packaged/autograd/templates/python_special_functions.cpp,sha256=JqcAExUPCnbzUujY2PIDL5Gap-ZKlltKiZmDTleO_8s,1972
+torchgen/packaged/autograd/templates/python_torch_functions.cpp,sha256=QEgUPJbi5TunkkQog-o6zoIjpLFZ6VFHQYxKe7BUAiw,2601
+torchgen/packaged/autograd/templates/python_variable_methods.cpp,sha256=jIV3IadDQtVMNhcqhV0xdYDmjndopgr4cG-HCiIU9CA,52511
+torchgen/packaged/autograd/templates/variable_factories.h,sha256=doAqR5o4vMmLvF6MpXwt-g-4018fGN_ZvjdPY4AOOyc,5627
+torchgen/selective_build/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/selective_build/__pycache__/__init__.cpython-310.pyc,,
+torchgen/selective_build/__pycache__/operator.cpython-310.pyc,,
+torchgen/selective_build/__pycache__/selector.cpython-310.pyc,,
+torchgen/selective_build/operator.py,sha256=kMI7F1HQUjg9s_-n-QUDTzqSaHmkpPmK8d1zK36xjIM,6539
+torchgen/selective_build/selector.py,sha256=Co8Yz_ks4AQzZ12rQDt-OcS-71B5ErZfKLlaiuKZCIY,12638
+torchgen/static_runtime/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
+torchgen/static_runtime/__pycache__/__init__.cpython-310.pyc,,
+torchgen/static_runtime/__pycache__/config.cpython-310.pyc,,
+torchgen/static_runtime/__pycache__/gen_static_runtime_ops.cpython-310.pyc,,
+torchgen/static_runtime/__pycache__/generator.cpython-310.pyc,,
+torchgen/static_runtime/config.py,sha256=fEMB4EdO8aX47aW13s-nVSy-yM5qIzfXrOYaQkmv3-A,14493
+torchgen/static_runtime/gen_static_runtime_ops.py,sha256=QR3er_B2yhAzTQqvE8VQCwrNAq2XG8pKsk1Abjtizco,7329
+torchgen/static_runtime/generator.py,sha256=A6GKcAP6_RBejZoZw_qA-bRAuDtrV2UdOngY0g7FiKw,26380
+torchgen/utils.py,sha256=R01cH4owZIi5VBEIu1KMWiVH-jnPDJV-OSGC6DXoJXw,15895
+torchgen/yaml_utils.py,sha256=Xhwu0FkP6tsRKYQi34JG9BfgHclejg_FhI8mAzzD5DM,1080
diff --git a/parrot/lib/python3.10/site-packages/typing_extensions.py b/parrot/lib/python3.10/site-packages/typing_extensions.py
new file mode 100644
index 0000000000000000000000000000000000000000..dec429ca8723950097217d2140dd8daccb064e2d
--- /dev/null
+++ b/parrot/lib/python3.10/site-packages/typing_extensions.py
@@ -0,0 +1,3641 @@
+import abc
+import collections
+import collections.abc
+import contextlib
+import functools
+import inspect
+import operator
+import sys
+import types as _types
+import typing
+import warnings
+
+__all__ = [
+ # Super-special typing primitives.
+ 'Any',
+ 'ClassVar',
+ 'Concatenate',
+ 'Final',
+ 'LiteralString',
+ 'ParamSpec',
+ 'ParamSpecArgs',
+ 'ParamSpecKwargs',
+ 'Self',
+ 'Type',
+ 'TypeVar',
+ 'TypeVarTuple',
+ 'Unpack',
+
+ # ABCs (from collections.abc).
+ 'Awaitable',
+ 'AsyncIterator',
+ 'AsyncIterable',
+ 'Coroutine',
+ 'AsyncGenerator',
+ 'AsyncContextManager',
+ 'Buffer',
+ 'ChainMap',
+
+ # Concrete collection types.
+ 'ContextManager',
+ 'Counter',
+ 'Deque',
+ 'DefaultDict',
+ 'NamedTuple',
+ 'OrderedDict',
+ 'TypedDict',
+
+ # Structural checks, a.k.a. protocols.
+ 'SupportsAbs',
+ 'SupportsBytes',
+ 'SupportsComplex',
+ 'SupportsFloat',
+ 'SupportsIndex',
+ 'SupportsInt',
+ 'SupportsRound',
+
+ # One-off things.
+ 'Annotated',
+ 'assert_never',
+ 'assert_type',
+ 'clear_overloads',
+ 'dataclass_transform',
+ 'deprecated',
+ 'Doc',
+ 'get_overloads',
+ 'final',
+ 'get_args',
+ 'get_origin',
+ 'get_original_bases',
+ 'get_protocol_members',
+ 'get_type_hints',
+ 'IntVar',
+ 'is_protocol',
+ 'is_typeddict',
+ 'Literal',
+ 'NewType',
+ 'overload',
+ 'override',
+ 'Protocol',
+ 'reveal_type',
+ 'runtime',
+ 'runtime_checkable',
+ 'Text',
+ 'TypeAlias',
+ 'TypeAliasType',
+ 'TypeGuard',
+ 'TypeIs',
+ 'TYPE_CHECKING',
+ 'Never',
+ 'NoReturn',
+ 'ReadOnly',
+ 'Required',
+ 'NotRequired',
+
+ # Pure aliases, have always been in typing
+ 'AbstractSet',
+ 'AnyStr',
+ 'BinaryIO',
+ 'Callable',
+ 'Collection',
+ 'Container',
+ 'Dict',
+ 'ForwardRef',
+ 'FrozenSet',
+ 'Generator',
+ 'Generic',
+ 'Hashable',
+ 'IO',
+ 'ItemsView',
+ 'Iterable',
+ 'Iterator',
+ 'KeysView',
+ 'List',
+ 'Mapping',
+ 'MappingView',
+ 'Match',
+ 'MutableMapping',
+ 'MutableSequence',
+ 'MutableSet',
+ 'NoDefault',
+ 'Optional',
+ 'Pattern',
+ 'Reversible',
+ 'Sequence',
+ 'Set',
+ 'Sized',
+ 'TextIO',
+ 'Tuple',
+ 'Union',
+ 'ValuesView',
+ 'cast',
+ 'no_type_check',
+ 'no_type_check_decorator',
+]
+
+# for backward compatibility
+PEP_560 = True
+GenericMeta = type
+_PEP_696_IMPLEMENTED = sys.version_info >= (3, 13, 0, "beta")
+
+# The functions below are modified copies of typing internal helpers.
+# They are needed by _ProtocolMeta and they provide support for PEP 646.
+
+
+class _Sentinel:
+ def __repr__(self):
+ return ""
+
+
+_marker = _Sentinel()
+
+
+if sys.version_info >= (3, 10):
+ def _should_collect_from_parameters(t):
+ return isinstance(
+ t, (typing._GenericAlias, _types.GenericAlias, _types.UnionType)
+ )
+elif sys.version_info >= (3, 9):
+ def _should_collect_from_parameters(t):
+ return isinstance(t, (typing._GenericAlias, _types.GenericAlias))
+else:
+ def _should_collect_from_parameters(t):
+ return isinstance(t, typing._GenericAlias) and not t._special
+
+
+NoReturn = typing.NoReturn
+
+# Some unconstrained type variables. These are used by the container types.
+# (These are not for export.)
+T = typing.TypeVar('T') # Any type.
+KT = typing.TypeVar('KT') # Key type.
+VT = typing.TypeVar('VT') # Value type.
+T_co = typing.TypeVar('T_co', covariant=True) # Any type covariant containers.
+T_contra = typing.TypeVar('T_contra', contravariant=True) # Ditto contravariant.
+
+
+if sys.version_info >= (3, 11):
+ from typing import Any
+else:
+
+ class _AnyMeta(type):
+ def __instancecheck__(self, obj):
+ if self is Any:
+ raise TypeError("typing_extensions.Any cannot be used with isinstance()")
+ return super().__instancecheck__(obj)
+
+ def __repr__(self):
+ if self is Any:
+ return "typing_extensions.Any"
+ return super().__repr__()
+
+ class Any(metaclass=_AnyMeta):
+ """Special type indicating an unconstrained type.
+ - Any is compatible with every type.
+ - Any assumed to have all methods.
+ - All values assumed to be instances of Any.
+ Note that all the above statements are true from the point of view of
+ static type checkers. At runtime, Any should not be used with instance
+ checks.
+ """
+ def __new__(cls, *args, **kwargs):
+ if cls is Any:
+ raise TypeError("Any cannot be instantiated")
+ return super().__new__(cls, *args, **kwargs)
+
+
+ClassVar = typing.ClassVar
+
+
+class _ExtensionsSpecialForm(typing._SpecialForm, _root=True):
+ def __repr__(self):
+ return 'typing_extensions.' + self._name
+
+
+Final = typing.Final
+
+if sys.version_info >= (3, 11):
+ final = typing.final
+else:
+ # @final exists in 3.8+, but we backport it for all versions
+ # before 3.11 to keep support for the __final__ attribute.
+ # See https://bugs.python.org/issue46342
+ def final(f):
+ """This decorator can be used to indicate to type checkers that
+ the decorated method cannot be overridden, and decorated class
+ cannot be subclassed. For example:
+
+ class Base:
+ @final
+ def done(self) -> None:
+ ...
+ class Sub(Base):
+ def done(self) -> None: # Error reported by type checker
+ ...
+ @final
+ class Leaf:
+ ...
+ class Other(Leaf): # Error reported by type checker
+ ...
+
+ There is no runtime checking of these properties. The decorator
+ sets the ``__final__`` attribute to ``True`` on the decorated object
+ to allow runtime introspection.
+ """
+ try:
+ f.__final__ = True
+ except (AttributeError, TypeError):
+ # Skip the attribute silently if it is not writable.
+ # AttributeError happens if the object has __slots__ or a
+ # read-only property, TypeError if it's a builtin class.
+ pass
+ return f
+
+
+def IntVar(name):
+ return typing.TypeVar(name)
+
+
+# A Literal bug was fixed in 3.11.0, 3.10.1 and 3.9.8
+if sys.version_info >= (3, 10, 1):
+ Literal = typing.Literal
+else:
+ def _flatten_literal_params(parameters):
+ """An internal helper for Literal creation: flatten Literals among parameters"""
+ params = []
+ for p in parameters:
+ if isinstance(p, _LiteralGenericAlias):
+ params.extend(p.__args__)
+ else:
+ params.append(p)
+ return tuple(params)
+
+ def _value_and_type_iter(params):
+ for p in params:
+ yield p, type(p)
+
+ class _LiteralGenericAlias(typing._GenericAlias, _root=True):
+ def __eq__(self, other):
+ if not isinstance(other, _LiteralGenericAlias):
+ return NotImplemented
+ these_args_deduped = set(_value_and_type_iter(self.__args__))
+ other_args_deduped = set(_value_and_type_iter(other.__args__))
+ return these_args_deduped == other_args_deduped
+
+ def __hash__(self):
+ return hash(frozenset(_value_and_type_iter(self.__args__)))
+
+ class _LiteralForm(_ExtensionsSpecialForm, _root=True):
+ def __init__(self, doc: str):
+ self._name = 'Literal'
+ self._doc = self.__doc__ = doc
+
+ def __getitem__(self, parameters):
+ if not isinstance(parameters, tuple):
+ parameters = (parameters,)
+
+ parameters = _flatten_literal_params(parameters)
+
+ val_type_pairs = list(_value_and_type_iter(parameters))
+ try:
+ deduped_pairs = set(val_type_pairs)
+ except TypeError:
+ # unhashable parameters
+ pass
+ else:
+ # similar logic to typing._deduplicate on Python 3.9+
+ if len(deduped_pairs) < len(val_type_pairs):
+ new_parameters = []
+ for pair in val_type_pairs:
+ if pair in deduped_pairs:
+ new_parameters.append(pair[0])
+ deduped_pairs.remove(pair)
+ assert not deduped_pairs, deduped_pairs
+ parameters = tuple(new_parameters)
+
+ return _LiteralGenericAlias(self, parameters)
+
+ Literal = _LiteralForm(doc="""\
+ A type that can be used to indicate to type checkers
+ that the corresponding value has a value literally equivalent
+ to the provided parameter. For example:
+
+ var: Literal[4] = 4
+
+ The type checker understands that 'var' is literally equal to
+ the value 4 and no other value.
+
+ Literal[...] cannot be subclassed. There is no runtime
+ checking verifying that the parameter is actually a value
+ instead of a type.""")
+
+
+_overload_dummy = typing._overload_dummy
+
+
+if hasattr(typing, "get_overloads"): # 3.11+
+ overload = typing.overload
+ get_overloads = typing.get_overloads
+ clear_overloads = typing.clear_overloads
+else:
+ # {module: {qualname: {firstlineno: func}}}
+ _overload_registry = collections.defaultdict(
+ functools.partial(collections.defaultdict, dict)
+ )
+
+ def overload(func):
+ """Decorator for overloaded functions/methods.
+
+ In a stub file, place two or more stub definitions for the same
+ function in a row, each decorated with @overload. For example:
+
+ @overload
+ def utf8(value: None) -> None: ...
+ @overload
+ def utf8(value: bytes) -> bytes: ...
+ @overload
+ def utf8(value: str) -> bytes: ...
+
+ In a non-stub file (i.e. a regular .py file), do the same but
+ follow it with an implementation. The implementation should *not*
+ be decorated with @overload. For example:
+
+ @overload
+ def utf8(value: None) -> None: ...
+ @overload
+ def utf8(value: bytes) -> bytes: ...
+ @overload
+ def utf8(value: str) -> bytes: ...
+ def utf8(value):
+ # implementation goes here
+
+ The overloads for a function can be retrieved at runtime using the
+ get_overloads() function.
+ """
+ # classmethod and staticmethod
+ f = getattr(func, "__func__", func)
+ try:
+ _overload_registry[f.__module__][f.__qualname__][
+ f.__code__.co_firstlineno
+ ] = func
+ except AttributeError:
+ # Not a normal function; ignore.
+ pass
+ return _overload_dummy
+
+ def get_overloads(func):
+ """Return all defined overloads for *func* as a sequence."""
+ # classmethod and staticmethod
+ f = getattr(func, "__func__", func)
+ if f.__module__ not in _overload_registry:
+ return []
+ mod_dict = _overload_registry[f.__module__]
+ if f.__qualname__ not in mod_dict:
+ return []
+ return list(mod_dict[f.__qualname__].values())
+
+ def clear_overloads():
+ """Clear all overloads in the registry."""
+ _overload_registry.clear()
+
+
+# This is not a real generic class. Don't use outside annotations.
+Type = typing.Type
+
+# Various ABCs mimicking those in collections.abc.
+# A few are simply re-exported for completeness.
+Awaitable = typing.Awaitable
+Coroutine = typing.Coroutine
+AsyncIterable = typing.AsyncIterable
+AsyncIterator = typing.AsyncIterator
+Deque = typing.Deque
+DefaultDict = typing.DefaultDict
+OrderedDict = typing.OrderedDict
+Counter = typing.Counter
+ChainMap = typing.ChainMap
+Text = typing.Text
+TYPE_CHECKING = typing.TYPE_CHECKING
+
+
+if sys.version_info >= (3, 13, 0, "beta"):
+ from typing import AsyncContextManager, AsyncGenerator, ContextManager, Generator
+else:
+ def _is_dunder(attr):
+ return attr.startswith('__') and attr.endswith('__')
+
+ # Python <3.9 doesn't have typing._SpecialGenericAlias
+ _special_generic_alias_base = getattr(
+ typing, "_SpecialGenericAlias", typing._GenericAlias
+ )
+
+ class _SpecialGenericAlias(_special_generic_alias_base, _root=True):
+ def __init__(self, origin, nparams, *, inst=True, name=None, defaults=()):
+ if _special_generic_alias_base is typing._GenericAlias:
+ # Python <3.9
+ self.__origin__ = origin
+ self._nparams = nparams
+ super().__init__(origin, nparams, special=True, inst=inst, name=name)
+ else:
+ # Python >= 3.9
+ super().__init__(origin, nparams, inst=inst, name=name)
+ self._defaults = defaults
+
+ def __setattr__(self, attr, val):
+ allowed_attrs = {'_name', '_inst', '_nparams', '_defaults'}
+ if _special_generic_alias_base is typing._GenericAlias:
+ # Python <3.9
+ allowed_attrs.add("__origin__")
+ if _is_dunder(attr) or attr in allowed_attrs:
+ object.__setattr__(self, attr, val)
+ else:
+ setattr(self.__origin__, attr, val)
+
+ @typing._tp_cache
+ def __getitem__(self, params):
+ if not isinstance(params, tuple):
+ params = (params,)
+ msg = "Parameters to generic types must be types."
+ params = tuple(typing._type_check(p, msg) for p in params)
+ if (
+ self._defaults
+ and len(params) < self._nparams
+ and len(params) + len(self._defaults) >= self._nparams
+ ):
+ params = (*params, *self._defaults[len(params) - self._nparams:])
+ actual_len = len(params)
+
+ if actual_len != self._nparams:
+ if self._defaults:
+ expected = f"at least {self._nparams - len(self._defaults)}"
+ else:
+ expected = str(self._nparams)
+ if not self._nparams:
+ raise TypeError(f"{self} is not a generic class")
+ raise TypeError(
+ f"Too {'many' if actual_len > self._nparams else 'few'}"
+ f" arguments for {self};"
+ f" actual {actual_len}, expected {expected}"
+ )
+ return self.copy_with(params)
+
+ _NoneType = type(None)
+ Generator = _SpecialGenericAlias(
+ collections.abc.Generator, 3, defaults=(_NoneType, _NoneType)
+ )
+ AsyncGenerator = _SpecialGenericAlias(
+ collections.abc.AsyncGenerator, 2, defaults=(_NoneType,)
+ )
+ ContextManager = _SpecialGenericAlias(
+ contextlib.AbstractContextManager,
+ 2,
+ name="ContextManager",
+ defaults=(typing.Optional[bool],)
+ )
+ AsyncContextManager = _SpecialGenericAlias(
+ contextlib.AbstractAsyncContextManager,
+ 2,
+ name="AsyncContextManager",
+ defaults=(typing.Optional[bool],)
+ )
+
+
+_PROTO_ALLOWLIST = {
+ 'collections.abc': [
+ 'Callable', 'Awaitable', 'Iterable', 'Iterator', 'AsyncIterable',
+ 'Hashable', 'Sized', 'Container', 'Collection', 'Reversible', 'Buffer',
+ ],
+ 'contextlib': ['AbstractContextManager', 'AbstractAsyncContextManager'],
+ 'typing_extensions': ['Buffer'],
+}
+
+
+_EXCLUDED_ATTRS = frozenset(typing.EXCLUDED_ATTRIBUTES) | {
+ "__match_args__", "__protocol_attrs__", "__non_callable_proto_members__",
+ "__final__",
+}
+
+
+def _get_protocol_attrs(cls):
+ attrs = set()
+ for base in cls.__mro__[:-1]: # without object
+ if base.__name__ in {'Protocol', 'Generic'}:
+ continue
+ annotations = getattr(base, '__annotations__', {})
+ for attr in (*base.__dict__, *annotations):
+ if (not attr.startswith('_abc_') and attr not in _EXCLUDED_ATTRS):
+ attrs.add(attr)
+ return attrs
+
+
+def _caller(depth=2):
+ try:
+ return sys._getframe(depth).f_globals.get('__name__', '__main__')
+ except (AttributeError, ValueError): # For platforms without _getframe()
+ return None
+
+
+# `__match_args__` attribute was removed from protocol members in 3.13,
+# we want to backport this change to older Python versions.
+if sys.version_info >= (3, 13):
+ Protocol = typing.Protocol
+else:
+ def _allow_reckless_class_checks(depth=3):
+ """Allow instance and class checks for special stdlib modules.
+ The abc and functools modules indiscriminately call isinstance() and
+ issubclass() on the whole MRO of a user class, which may contain protocols.
+ """
+ return _caller(depth) in {'abc', 'functools', None}
+
+ def _no_init(self, *args, **kwargs):
+ if type(self)._is_protocol:
+ raise TypeError('Protocols cannot be instantiated')
+
+ def _type_check_issubclass_arg_1(arg):
+ """Raise TypeError if `arg` is not an instance of `type`
+ in `issubclass(arg, )`.
+
+ In most cases, this is verified by type.__subclasscheck__.
+ Checking it again unnecessarily would slow down issubclass() checks,
+ so, we don't perform this check unless we absolutely have to.
+
+ For various error paths, however,
+ we want to ensure that *this* error message is shown to the user
+ where relevant, rather than a typing.py-specific error message.
+ """
+ if not isinstance(arg, type):
+ # Same error message as for issubclass(1, int).
+ raise TypeError('issubclass() arg 1 must be a class')
+
+ # Inheriting from typing._ProtocolMeta isn't actually desirable,
+ # but is necessary to allow typing.Protocol and typing_extensions.Protocol
+ # to mix without getting TypeErrors about "metaclass conflict"
+ class _ProtocolMeta(type(typing.Protocol)):
+ # This metaclass is somewhat unfortunate,
+ # but is necessary for several reasons...
+ #
+ # NOTE: DO NOT call super() in any methods in this class
+ # That would call the methods on typing._ProtocolMeta on Python 3.8-3.11
+ # and those are slow
+ def __new__(mcls, name, bases, namespace, **kwargs):
+ if name == "Protocol" and len(bases) < 2:
+ pass
+ elif {Protocol, typing.Protocol} & set(bases):
+ for base in bases:
+ if not (
+ base in {object, typing.Generic, Protocol, typing.Protocol}
+ or base.__name__ in _PROTO_ALLOWLIST.get(base.__module__, [])
+ or is_protocol(base)
+ ):
+ raise TypeError(
+ f"Protocols can only inherit from other protocols, "
+ f"got {base!r}"
+ )
+ return abc.ABCMeta.__new__(mcls, name, bases, namespace, **kwargs)
+
+ def __init__(cls, *args, **kwargs):
+ abc.ABCMeta.__init__(cls, *args, **kwargs)
+ if getattr(cls, "_is_protocol", False):
+ cls.__protocol_attrs__ = _get_protocol_attrs(cls)
+
+ def __subclasscheck__(cls, other):
+ if cls is Protocol:
+ return type.__subclasscheck__(cls, other)
+ if (
+ getattr(cls, '_is_protocol', False)
+ and not _allow_reckless_class_checks()
+ ):
+ if not getattr(cls, '_is_runtime_protocol', False):
+ _type_check_issubclass_arg_1(other)
+ raise TypeError(
+ "Instance and class checks can only be used with "
+ "@runtime_checkable protocols"
+ )
+ if (
+ # this attribute is set by @runtime_checkable:
+ cls.__non_callable_proto_members__
+ and cls.__dict__.get("__subclasshook__") is _proto_hook
+ ):
+ _type_check_issubclass_arg_1(other)
+ non_method_attrs = sorted(cls.__non_callable_proto_members__)
+ raise TypeError(
+ "Protocols with non-method members don't support issubclass()."
+ f" Non-method members: {str(non_method_attrs)[1:-1]}."
+ )
+ return abc.ABCMeta.__subclasscheck__(cls, other)
+
+ def __instancecheck__(cls, instance):
+ # We need this method for situations where attributes are
+ # assigned in __init__.
+ if cls is Protocol:
+ return type.__instancecheck__(cls, instance)
+ if not getattr(cls, "_is_protocol", False):
+ # i.e., it's a concrete subclass of a protocol
+ return abc.ABCMeta.__instancecheck__(cls, instance)
+
+ if (
+ not getattr(cls, '_is_runtime_protocol', False) and
+ not _allow_reckless_class_checks()
+ ):
+ raise TypeError("Instance and class checks can only be used with"
+ " @runtime_checkable protocols")
+
+ if abc.ABCMeta.__instancecheck__(cls, instance):
+ return True
+
+ for attr in cls.__protocol_attrs__:
+ try:
+ val = inspect.getattr_static(instance, attr)
+ except AttributeError:
+ break
+ # this attribute is set by @runtime_checkable:
+ if val is None and attr not in cls.__non_callable_proto_members__:
+ break
+ else:
+ return True
+
+ return False
+
+ def __eq__(cls, other):
+ # Hack so that typing.Generic.__class_getitem__
+ # treats typing_extensions.Protocol
+ # as equivalent to typing.Protocol
+ if abc.ABCMeta.__eq__(cls, other) is True:
+ return True
+ return cls is Protocol and other is typing.Protocol
+
+ # This has to be defined, or the abc-module cache
+ # complains about classes with this metaclass being unhashable,
+ # if we define only __eq__!
+ def __hash__(cls) -> int:
+ return type.__hash__(cls)
+
+ @classmethod
+ def _proto_hook(cls, other):
+ if not cls.__dict__.get('_is_protocol', False):
+ return NotImplemented
+
+ for attr in cls.__protocol_attrs__:
+ for base in other.__mro__:
+ # Check if the members appears in the class dictionary...
+ if attr in base.__dict__:
+ if base.__dict__[attr] is None:
+ return NotImplemented
+ break
+
+ # ...or in annotations, if it is a sub-protocol.
+ annotations = getattr(base, '__annotations__', {})
+ if (
+ isinstance(annotations, collections.abc.Mapping)
+ and attr in annotations
+ and is_protocol(other)
+ ):
+ break
+ else:
+ return NotImplemented
+ return True
+
+ class Protocol(typing.Generic, metaclass=_ProtocolMeta):
+ __doc__ = typing.Protocol.__doc__
+ __slots__ = ()
+ _is_protocol = True
+ _is_runtime_protocol = False
+
+ def __init_subclass__(cls, *args, **kwargs):
+ super().__init_subclass__(*args, **kwargs)
+
+ # Determine if this is a protocol or a concrete subclass.
+ if not cls.__dict__.get('_is_protocol', False):
+ cls._is_protocol = any(b is Protocol for b in cls.__bases__)
+
+ # Set (or override) the protocol subclass hook.
+ if '__subclasshook__' not in cls.__dict__:
+ cls.__subclasshook__ = _proto_hook
+
+ # Prohibit instantiation for protocol classes
+ if cls._is_protocol and cls.__init__ is Protocol.__init__:
+ cls.__init__ = _no_init
+
+
+if sys.version_info >= (3, 13):
+ runtime_checkable = typing.runtime_checkable
+else:
+ def runtime_checkable(cls):
+ """Mark a protocol class as a runtime protocol.
+
+ Such protocol can be used with isinstance() and issubclass().
+ Raise TypeError if applied to a non-protocol class.
+ This allows a simple-minded structural check very similar to
+ one trick ponies in collections.abc such as Iterable.
+
+ For example::
+
+ @runtime_checkable
+ class Closable(Protocol):
+ def close(self): ...
+
+ assert isinstance(open('/some/file'), Closable)
+
+ Warning: this will check only the presence of the required methods,
+ not their type signatures!
+ """
+ if not issubclass(cls, typing.Generic) or not getattr(cls, '_is_protocol', False):
+ raise TypeError(f'@runtime_checkable can be only applied to protocol classes,'
+ f' got {cls!r}')
+ cls._is_runtime_protocol = True
+
+ # typing.Protocol classes on <=3.11 break if we execute this block,
+ # because typing.Protocol classes on <=3.11 don't have a
+ # `__protocol_attrs__` attribute, and this block relies on the
+ # `__protocol_attrs__` attribute. Meanwhile, typing.Protocol classes on 3.12.2+
+ # break if we *don't* execute this block, because *they* assume that all
+ # protocol classes have a `__non_callable_proto_members__` attribute
+ # (which this block sets)
+ if isinstance(cls, _ProtocolMeta) or sys.version_info >= (3, 12, 2):
+ # PEP 544 prohibits using issubclass()
+ # with protocols that have non-method members.
+ # See gh-113320 for why we compute this attribute here,
+ # rather than in `_ProtocolMeta.__init__`
+ cls.__non_callable_proto_members__ = set()
+ for attr in cls.__protocol_attrs__:
+ try:
+ is_callable = callable(getattr(cls, attr, None))
+ except Exception as e:
+ raise TypeError(
+ f"Failed to determine whether protocol member {attr!r} "
+ "is a method member"
+ ) from e
+ else:
+ if not is_callable:
+ cls.__non_callable_proto_members__.add(attr)
+
+ return cls
+
+
+# The "runtime" alias exists for backwards compatibility.
+runtime = runtime_checkable
+
+
+# Our version of runtime-checkable protocols is faster on Python 3.8-3.11
+if sys.version_info >= (3, 12):
+ SupportsInt = typing.SupportsInt
+ SupportsFloat = typing.SupportsFloat
+ SupportsComplex = typing.SupportsComplex
+ SupportsBytes = typing.SupportsBytes
+ SupportsIndex = typing.SupportsIndex
+ SupportsAbs = typing.SupportsAbs
+ SupportsRound = typing.SupportsRound
+else:
+ @runtime_checkable
+ class SupportsInt(Protocol):
+ """An ABC with one abstract method __int__."""
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __int__(self) -> int:
+ pass
+
+ @runtime_checkable
+ class SupportsFloat(Protocol):
+ """An ABC with one abstract method __float__."""
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __float__(self) -> float:
+ pass
+
+ @runtime_checkable
+ class SupportsComplex(Protocol):
+ """An ABC with one abstract method __complex__."""
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __complex__(self) -> complex:
+ pass
+
+ @runtime_checkable
+ class SupportsBytes(Protocol):
+ """An ABC with one abstract method __bytes__."""
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __bytes__(self) -> bytes:
+ pass
+
+ @runtime_checkable
+ class SupportsIndex(Protocol):
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __index__(self) -> int:
+ pass
+
+ @runtime_checkable
+ class SupportsAbs(Protocol[T_co]):
+ """
+ An ABC with one abstract method __abs__ that is covariant in its return type.
+ """
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __abs__(self) -> T_co:
+ pass
+
+ @runtime_checkable
+ class SupportsRound(Protocol[T_co]):
+ """
+ An ABC with one abstract method __round__ that is covariant in its return type.
+ """
+ __slots__ = ()
+
+ @abc.abstractmethod
+ def __round__(self, ndigits: int = 0) -> T_co:
+ pass
+
+
+def _ensure_subclassable(mro_entries):
+ def inner(func):
+ if sys.implementation.name == "pypy" and sys.version_info < (3, 9):
+ cls_dict = {
+ "__call__": staticmethod(func),
+ "__mro_entries__": staticmethod(mro_entries)
+ }
+ t = type(func.__name__, (), cls_dict)
+ return functools.update_wrapper(t(), func)
+ else:
+ func.__mro_entries__ = mro_entries
+ return func
+ return inner
+
+
+# Update this to something like >=3.13.0b1 if and when
+# PEP 728 is implemented in CPython
+_PEP_728_IMPLEMENTED = False
+
+if _PEP_728_IMPLEMENTED:
+ # The standard library TypedDict in Python 3.8 does not store runtime information
+ # about which (if any) keys are optional. See https://bugs.python.org/issue38834
+ # The standard library TypedDict in Python 3.9.0/1 does not honour the "total"
+ # keyword with old-style TypedDict(). See https://bugs.python.org/issue42059
+ # The standard library TypedDict below Python 3.11 does not store runtime
+ # information about optional and required keys when using Required or NotRequired.
+ # Generic TypedDicts are also impossible using typing.TypedDict on Python <3.11.
+ # Aaaand on 3.12 we add __orig_bases__ to TypedDict
+ # to enable better runtime introspection.
+ # On 3.13 we deprecate some odd ways of creating TypedDicts.
+ # Also on 3.13, PEP 705 adds the ReadOnly[] qualifier.
+ # PEP 728 (still pending) makes more changes.
+ TypedDict = typing.TypedDict
+ _TypedDictMeta = typing._TypedDictMeta
+ is_typeddict = typing.is_typeddict
+else:
+ # 3.10.0 and later
+ _TAKES_MODULE = "module" in inspect.signature(typing._type_check).parameters
+
+ def _get_typeddict_qualifiers(annotation_type):
+ while True:
+ annotation_origin = get_origin(annotation_type)
+ if annotation_origin is Annotated:
+ annotation_args = get_args(annotation_type)
+ if annotation_args:
+ annotation_type = annotation_args[0]
+ else:
+ break
+ elif annotation_origin is Required:
+ yield Required
+ annotation_type, = get_args(annotation_type)
+ elif annotation_origin is NotRequired:
+ yield NotRequired
+ annotation_type, = get_args(annotation_type)
+ elif annotation_origin is ReadOnly:
+ yield ReadOnly
+ annotation_type, = get_args(annotation_type)
+ else:
+ break
+
+ class _TypedDictMeta(type):
+ def __new__(cls, name, bases, ns, *, total=True, closed=False):
+ """Create new typed dict class object.
+
+ This method is called when TypedDict is subclassed,
+ or when TypedDict is instantiated. This way
+ TypedDict supports all three syntax forms described in its docstring.
+ Subclasses and instances of TypedDict return actual dictionaries.
+ """
+ for base in bases:
+ if type(base) is not _TypedDictMeta and base is not typing.Generic:
+ raise TypeError('cannot inherit from both a TypedDict type '
+ 'and a non-TypedDict base class')
+
+ if any(issubclass(b, typing.Generic) for b in bases):
+ generic_base = (typing.Generic,)
+ else:
+ generic_base = ()
+
+ # typing.py generally doesn't let you inherit from plain Generic, unless
+ # the name of the class happens to be "Protocol"
+ tp_dict = type.__new__(_TypedDictMeta, "Protocol", (*generic_base, dict), ns)
+ tp_dict.__name__ = name
+ if tp_dict.__qualname__ == "Protocol":
+ tp_dict.__qualname__ = name
+
+ if not hasattr(tp_dict, '__orig_bases__'):
+ tp_dict.__orig_bases__ = bases
+
+ annotations = {}
+ if "__annotations__" in ns:
+ own_annotations = ns["__annotations__"]
+ elif "__annotate__" in ns:
+ # TODO: Use inspect.VALUE here, and make the annotations lazily evaluated
+ own_annotations = ns["__annotate__"](1)
+ else:
+ own_annotations = {}
+ msg = "TypedDict('Name', {f0: t0, f1: t1, ...}); each t must be a type"
+ if _TAKES_MODULE:
+ own_annotations = {
+ n: typing._type_check(tp, msg, module=tp_dict.__module__)
+ for n, tp in own_annotations.items()
+ }
+ else:
+ own_annotations = {
+ n: typing._type_check(tp, msg)
+ for n, tp in own_annotations.items()
+ }
+ required_keys = set()
+ optional_keys = set()
+ readonly_keys = set()
+ mutable_keys = set()
+ extra_items_type = None
+
+ for base in bases:
+ base_dict = base.__dict__
+
+ annotations.update(base_dict.get('__annotations__', {}))
+ required_keys.update(base_dict.get('__required_keys__', ()))
+ optional_keys.update(base_dict.get('__optional_keys__', ()))
+ readonly_keys.update(base_dict.get('__readonly_keys__', ()))
+ mutable_keys.update(base_dict.get('__mutable_keys__', ()))
+ base_extra_items_type = base_dict.get('__extra_items__', None)
+ if base_extra_items_type is not None:
+ extra_items_type = base_extra_items_type
+
+ if closed and extra_items_type is None:
+ extra_items_type = Never
+ if closed and "__extra_items__" in own_annotations:
+ annotation_type = own_annotations.pop("__extra_items__")
+ qualifiers = set(_get_typeddict_qualifiers(annotation_type))
+ if Required in qualifiers:
+ raise TypeError(
+ "Special key __extra_items__ does not support "
+ "Required"
+ )
+ if NotRequired in qualifiers:
+ raise TypeError(
+ "Special key __extra_items__ does not support "
+ "NotRequired"
+ )
+ extra_items_type = annotation_type
+
+ annotations.update(own_annotations)
+ for annotation_key, annotation_type in own_annotations.items():
+ qualifiers = set(_get_typeddict_qualifiers(annotation_type))
+
+ if Required in qualifiers:
+ required_keys.add(annotation_key)
+ elif NotRequired in qualifiers:
+ optional_keys.add(annotation_key)
+ elif total:
+ required_keys.add(annotation_key)
+ else:
+ optional_keys.add(annotation_key)
+ if ReadOnly in qualifiers:
+ mutable_keys.discard(annotation_key)
+ readonly_keys.add(annotation_key)
+ else:
+ mutable_keys.add(annotation_key)
+ readonly_keys.discard(annotation_key)
+
+ tp_dict.__annotations__ = annotations
+ tp_dict.__required_keys__ = frozenset(required_keys)
+ tp_dict.__optional_keys__ = frozenset(optional_keys)
+ tp_dict.__readonly_keys__ = frozenset(readonly_keys)
+ tp_dict.__mutable_keys__ = frozenset(mutable_keys)
+ if not hasattr(tp_dict, '__total__'):
+ tp_dict.__total__ = total
+ tp_dict.__closed__ = closed
+ tp_dict.__extra_items__ = extra_items_type
+ return tp_dict
+
+ __call__ = dict # static method
+
+ def __subclasscheck__(cls, other):
+ # Typed dicts are only for static structural subtyping.
+ raise TypeError('TypedDict does not support instance and class checks')
+
+ __instancecheck__ = __subclasscheck__
+
+ _TypedDict = type.__new__(_TypedDictMeta, 'TypedDict', (), {})
+
+ @_ensure_subclassable(lambda bases: (_TypedDict,))
+ def TypedDict(typename, fields=_marker, /, *, total=True, closed=False, **kwargs):
+ """A simple typed namespace. At runtime it is equivalent to a plain dict.
+
+ TypedDict creates a dictionary type such that a type checker will expect all
+ instances to have a certain set of keys, where each key is
+ associated with a value of a consistent type. This expectation
+ is not checked at runtime.
+
+ Usage::
+
+ class Point2D(TypedDict):
+ x: int
+ y: int
+ label: str
+
+ a: Point2D = {'x': 1, 'y': 2, 'label': 'good'} # OK
+ b: Point2D = {'z': 3, 'label': 'bad'} # Fails type check
+
+ assert Point2D(x=1, y=2, label='first') == dict(x=1, y=2, label='first')
+
+ The type info can be accessed via the Point2D.__annotations__ dict, and
+ the Point2D.__required_keys__ and Point2D.__optional_keys__ frozensets.
+ TypedDict supports an additional equivalent form::
+
+ Point2D = TypedDict('Point2D', {'x': int, 'y': int, 'label': str})
+
+ By default, all keys must be present in a TypedDict. It is possible
+ to override this by specifying totality::
+
+ class Point2D(TypedDict, total=False):
+ x: int
+ y: int
+
+ This means that a Point2D TypedDict can have any of the keys omitted. A type
+ checker is only expected to support a literal False or True as the value of
+ the total argument. True is the default, and makes all items defined in the
+ class body be required.
+
+ The Required and NotRequired special forms can also be used to mark
+ individual keys as being required or not required::
+
+ class Point2D(TypedDict):
+ x: int # the "x" key must always be present (Required is the default)
+ y: NotRequired[int] # the "y" key can be omitted
+
+ See PEP 655 for more details on Required and NotRequired.
+ """
+ if fields is _marker or fields is None:
+ if fields is _marker:
+ deprecated_thing = "Failing to pass a value for the 'fields' parameter"
+ else:
+ deprecated_thing = "Passing `None` as the 'fields' parameter"
+
+ example = f"`{typename} = TypedDict({typename!r}, {{}})`"
+ deprecation_msg = (
+ f"{deprecated_thing} is deprecated and will be disallowed in "
+ "Python 3.15. To create a TypedDict class with 0 fields "
+ "using the functional syntax, pass an empty dictionary, e.g. "
+ ) + example + "."
+ warnings.warn(deprecation_msg, DeprecationWarning, stacklevel=2)
+ if closed is not False and closed is not True:
+ kwargs["closed"] = closed
+ closed = False
+ fields = kwargs
+ elif kwargs:
+ raise TypeError("TypedDict takes either a dict or keyword arguments,"
+ " but not both")
+ if kwargs:
+ if sys.version_info >= (3, 13):
+ raise TypeError("TypedDict takes no keyword arguments")
+ warnings.warn(
+ "The kwargs-based syntax for TypedDict definitions is deprecated "
+ "in Python 3.11, will be removed in Python 3.13, and may not be "
+ "understood by third-party type checkers.",
+ DeprecationWarning,
+ stacklevel=2,
+ )
+
+ ns = {'__annotations__': dict(fields)}
+ module = _caller()
+ if module is not None:
+ # Setting correct module is necessary to make typed dict classes pickleable.
+ ns['__module__'] = module
+
+ td = _TypedDictMeta(typename, (), ns, total=total, closed=closed)
+ td.__orig_bases__ = (TypedDict,)
+ return td
+
+ if hasattr(typing, "_TypedDictMeta"):
+ _TYPEDDICT_TYPES = (typing._TypedDictMeta, _TypedDictMeta)
+ else:
+ _TYPEDDICT_TYPES = (_TypedDictMeta,)
+
+ def is_typeddict(tp):
+ """Check if an annotation is a TypedDict class
+
+ For example::
+ class Film(TypedDict):
+ title: str
+ year: int
+
+ is_typeddict(Film) # => True
+ is_typeddict(Union[list, str]) # => False
+ """
+ # On 3.8, this would otherwise return True
+ if hasattr(typing, "TypedDict") and tp is typing.TypedDict:
+ return False
+ return isinstance(tp, _TYPEDDICT_TYPES)
+
+
+if hasattr(typing, "assert_type"):
+ assert_type = typing.assert_type
+
+else:
+ def assert_type(val, typ, /):
+ """Assert (to the type checker) that the value is of the given type.
+
+ When the type checker encounters a call to assert_type(), it
+ emits an error if the value is not of the specified type::
+
+ def greet(name: str) -> None:
+ assert_type(name, str) # ok
+ assert_type(name, int) # type checker error
+
+ At runtime this returns the first argument unchanged and otherwise
+ does nothing.
+ """
+ return val
+
+
+if hasattr(typing, "ReadOnly"): # 3.13+
+ get_type_hints = typing.get_type_hints
+else: # <=3.13
+ # replaces _strip_annotations()
+ def _strip_extras(t):
+ """Strips Annotated, Required and NotRequired from a given type."""
+ if isinstance(t, _AnnotatedAlias):
+ return _strip_extras(t.__origin__)
+ if hasattr(t, "__origin__") and t.__origin__ in (Required, NotRequired, ReadOnly):
+ return _strip_extras(t.__args__[0])
+ if isinstance(t, typing._GenericAlias):
+ stripped_args = tuple(_strip_extras(a) for a in t.__args__)
+ if stripped_args == t.__args__:
+ return t
+ return t.copy_with(stripped_args)
+ if hasattr(_types, "GenericAlias") and isinstance(t, _types.GenericAlias):
+ stripped_args = tuple(_strip_extras(a) for a in t.__args__)
+ if stripped_args == t.__args__:
+ return t
+ return _types.GenericAlias(t.__origin__, stripped_args)
+ if hasattr(_types, "UnionType") and isinstance(t, _types.UnionType):
+ stripped_args = tuple(_strip_extras(a) for a in t.__args__)
+ if stripped_args == t.__args__:
+ return t
+ return functools.reduce(operator.or_, stripped_args)
+
+ return t
+
+ def get_type_hints(obj, globalns=None, localns=None, include_extras=False):
+ """Return type hints for an object.
+
+ This is often the same as obj.__annotations__, but it handles
+ forward references encoded as string literals, adds Optional[t] if a
+ default value equal to None is set and recursively replaces all
+ 'Annotated[T, ...]', 'Required[T]' or 'NotRequired[T]' with 'T'
+ (unless 'include_extras=True').
+
+ The argument may be a module, class, method, or function. The annotations
+ are returned as a dictionary. For classes, annotations include also
+ inherited members.
+
+ TypeError is raised if the argument is not of a type that can contain
+ annotations, and an empty dictionary is returned if no annotations are
+ present.
+
+ BEWARE -- the behavior of globalns and localns is counterintuitive
+ (unless you are familiar with how eval() and exec() work). The
+ search order is locals first, then globals.
+
+ - If no dict arguments are passed, an attempt is made to use the
+ globals from obj (or the respective module's globals for classes),
+ and these are also used as the locals. If the object does not appear
+ to have globals, an empty dictionary is used.
+
+ - If one dict argument is passed, it is used for both globals and
+ locals.
+
+ - If two dict arguments are passed, they specify globals and
+ locals, respectively.
+ """
+ if hasattr(typing, "Annotated"): # 3.9+
+ hint = typing.get_type_hints(
+ obj, globalns=globalns, localns=localns, include_extras=True
+ )
+ else: # 3.8
+ hint = typing.get_type_hints(obj, globalns=globalns, localns=localns)
+ if include_extras:
+ return hint
+ return {k: _strip_extras(t) for k, t in hint.items()}
+
+
+# Python 3.9+ has PEP 593 (Annotated)
+if hasattr(typing, 'Annotated'):
+ Annotated = typing.Annotated
+ # Not exported and not a public API, but needed for get_origin() and get_args()
+ # to work.
+ _AnnotatedAlias = typing._AnnotatedAlias
+# 3.8
+else:
+ class _AnnotatedAlias(typing._GenericAlias, _root=True):
+ """Runtime representation of an annotated type.
+
+ At its core 'Annotated[t, dec1, dec2, ...]' is an alias for the type 't'
+ with extra annotations. The alias behaves like a normal typing alias,
+ instantiating is the same as instantiating the underlying type, binding
+ it to types is also the same.
+ """
+ def __init__(self, origin, metadata):
+ if isinstance(origin, _AnnotatedAlias):
+ metadata = origin.__metadata__ + metadata
+ origin = origin.__origin__
+ super().__init__(origin, origin)
+ self.__metadata__ = metadata
+
+ def copy_with(self, params):
+ assert len(params) == 1
+ new_type = params[0]
+ return _AnnotatedAlias(new_type, self.__metadata__)
+
+ def __repr__(self):
+ return (f"typing_extensions.Annotated[{typing._type_repr(self.__origin__)}, "
+ f"{', '.join(repr(a) for a in self.__metadata__)}]")
+
+ def __reduce__(self):
+ return operator.getitem, (
+ Annotated, (self.__origin__, *self.__metadata__)
+ )
+
+ def __eq__(self, other):
+ if not isinstance(other, _AnnotatedAlias):
+ return NotImplemented
+ if self.__origin__ != other.__origin__:
+ return False
+ return self.__metadata__ == other.__metadata__
+
+ def __hash__(self):
+ return hash((self.__origin__, self.__metadata__))
+
+ class Annotated:
+ """Add context specific metadata to a type.
+
+ Example: Annotated[int, runtime_check.Unsigned] indicates to the
+ hypothetical runtime_check module that this type is an unsigned int.
+ Every other consumer of this type can ignore this metadata and treat
+ this type as int.
+
+ The first argument to Annotated must be a valid type (and will be in
+ the __origin__ field), the remaining arguments are kept as a tuple in
+ the __extra__ field.
+
+ Details:
+
+ - It's an error to call `Annotated` with less than two arguments.
+ - Nested Annotated are flattened::
+
+ Annotated[Annotated[T, Ann1, Ann2], Ann3] == Annotated[T, Ann1, Ann2, Ann3]
+
+ - Instantiating an annotated type is equivalent to instantiating the
+ underlying type::
+
+ Annotated[C, Ann1](5) == C(5)
+
+ - Annotated can be used as a generic type alias::
+
+ Optimized = Annotated[T, runtime.Optimize()]
+ Optimized[int] == Annotated[int, runtime.Optimize()]
+
+ OptimizedList = Annotated[List[T], runtime.Optimize()]
+ OptimizedList[int] == Annotated[List[int], runtime.Optimize()]
+ """
+
+ __slots__ = ()
+
+ def __new__(cls, *args, **kwargs):
+ raise TypeError("Type Annotated cannot be instantiated.")
+
+ @typing._tp_cache
+ def __class_getitem__(cls, params):
+ if not isinstance(params, tuple) or len(params) < 2:
+ raise TypeError("Annotated[...] should be used "
+ "with at least two arguments (a type and an "
+ "annotation).")
+ allowed_special_forms = (ClassVar, Final)
+ if get_origin(params[0]) in allowed_special_forms:
+ origin = params[0]
+ else:
+ msg = "Annotated[t, ...]: t must be a type."
+ origin = typing._type_check(params[0], msg)
+ metadata = tuple(params[1:])
+ return _AnnotatedAlias(origin, metadata)
+
+ def __init_subclass__(cls, *args, **kwargs):
+ raise TypeError(
+ f"Cannot subclass {cls.__module__}.Annotated"
+ )
+
+# Python 3.8 has get_origin() and get_args() but those implementations aren't
+# Annotated-aware, so we can't use those. Python 3.9's versions don't support
+# ParamSpecArgs and ParamSpecKwargs, so only Python 3.10's versions will do.
+if sys.version_info[:2] >= (3, 10):
+ get_origin = typing.get_origin
+ get_args = typing.get_args
+# 3.8-3.9
+else:
+ try:
+ # 3.9+
+ from typing import _BaseGenericAlias
+ except ImportError:
+ _BaseGenericAlias = typing._GenericAlias
+ try:
+ # 3.9+
+ from typing import GenericAlias as _typing_GenericAlias
+ except ImportError:
+ _typing_GenericAlias = typing._GenericAlias
+
+ def get_origin(tp):
+ """Get the unsubscripted version of a type.
+
+ This supports generic types, Callable, Tuple, Union, Literal, Final, ClassVar
+ and Annotated. Return None for unsupported types. Examples::
+
+ get_origin(Literal[42]) is Literal
+ get_origin(int) is None
+ get_origin(ClassVar[int]) is ClassVar
+ get_origin(Generic) is Generic
+ get_origin(Generic[T]) is Generic
+ get_origin(Union[T, int]) is Union
+ get_origin(List[Tuple[T, T]][int]) == list
+ get_origin(P.args) is P
+ """
+ if isinstance(tp, _AnnotatedAlias):
+ return Annotated
+ if isinstance(tp, (typing._GenericAlias, _typing_GenericAlias, _BaseGenericAlias,
+ ParamSpecArgs, ParamSpecKwargs)):
+ return tp.__origin__
+ if tp is typing.Generic:
+ return typing.Generic
+ return None
+
+ def get_args(tp):
+ """Get type arguments with all substitutions performed.
+
+ For unions, basic simplifications used by Union constructor are performed.
+ Examples::
+ get_args(Dict[str, int]) == (str, int)
+ get_args(int) == ()
+ get_args(Union[int, Union[T, int], str][int]) == (int, str)
+ get_args(Union[int, Tuple[T, int]][str]) == (int, Tuple[str, int])
+ get_args(Callable[[], T][int]) == ([], int)
+ """
+ if isinstance(tp, _AnnotatedAlias):
+ return (tp.__origin__, *tp.__metadata__)
+ if isinstance(tp, (typing._GenericAlias, _typing_GenericAlias)):
+ if getattr(tp, "_special", False):
+ return ()
+ res = tp.__args__
+ if get_origin(tp) is collections.abc.Callable and res[0] is not Ellipsis:
+ res = (list(res[:-1]), res[-1])
+ return res
+ return ()
+
+
+# 3.10+
+if hasattr(typing, 'TypeAlias'):
+ TypeAlias = typing.TypeAlias
+# 3.9
+elif sys.version_info[:2] >= (3, 9):
+ @_ExtensionsSpecialForm
+ def TypeAlias(self, parameters):
+ """Special marker indicating that an assignment should
+ be recognized as a proper type alias definition by type
+ checkers.
+
+ For example::
+
+ Predicate: TypeAlias = Callable[..., bool]
+
+ It's invalid when used anywhere except as in the example above.
+ """
+ raise TypeError(f"{self} is not subscriptable")
+# 3.8
+else:
+ TypeAlias = _ExtensionsSpecialForm(
+ 'TypeAlias',
+ doc="""Special marker indicating that an assignment should
+ be recognized as a proper type alias definition by type
+ checkers.
+
+ For example::
+
+ Predicate: TypeAlias = Callable[..., bool]
+
+ It's invalid when used anywhere except as in the example
+ above."""
+ )
+
+
+if hasattr(typing, "NoDefault"):
+ NoDefault = typing.NoDefault
+else:
+ class NoDefaultTypeMeta(type):
+ def __setattr__(cls, attr, value):
+ # TypeError is consistent with the behavior of NoneType
+ raise TypeError(
+ f"cannot set {attr!r} attribute of immutable type {cls.__name__!r}"
+ )
+
+ class NoDefaultType(metaclass=NoDefaultTypeMeta):
+ """The type of the NoDefault singleton."""
+
+ __slots__ = ()
+
+ def __new__(cls):
+ return globals().get("NoDefault") or object.__new__(cls)
+
+ def __repr__(self):
+ return "typing_extensions.NoDefault"
+
+ def __reduce__(self):
+ return "NoDefault"
+
+ NoDefault = NoDefaultType()
+ del NoDefaultType, NoDefaultTypeMeta
+
+
+def _set_default(type_param, default):
+ type_param.has_default = lambda: default is not NoDefault
+ type_param.__default__ = default
+
+
+def _set_module(typevarlike):
+ # for pickling:
+ def_mod = _caller(depth=3)
+ if def_mod != 'typing_extensions':
+ typevarlike.__module__ = def_mod
+
+
+class _DefaultMixin:
+ """Mixin for TypeVarLike defaults."""
+
+ __slots__ = ()
+ __init__ = _set_default
+
+
+# Classes using this metaclass must provide a _backported_typevarlike ClassVar
+class _TypeVarLikeMeta(type):
+ def __instancecheck__(cls, __instance: Any) -> bool:
+ return isinstance(__instance, cls._backported_typevarlike)
+
+
+if _PEP_696_IMPLEMENTED:
+ from typing import TypeVar
+else:
+ # Add default and infer_variance parameters from PEP 696 and 695
+ class TypeVar(metaclass=_TypeVarLikeMeta):
+ """Type variable."""
+
+ _backported_typevarlike = typing.TypeVar
+
+ def __new__(cls, name, *constraints, bound=None,
+ covariant=False, contravariant=False,
+ default=NoDefault, infer_variance=False):
+ if hasattr(typing, "TypeAliasType"):
+ # PEP 695 implemented (3.12+), can pass infer_variance to typing.TypeVar
+ typevar = typing.TypeVar(name, *constraints, bound=bound,
+ covariant=covariant, contravariant=contravariant,
+ infer_variance=infer_variance)
+ else:
+ typevar = typing.TypeVar(name, *constraints, bound=bound,
+ covariant=covariant, contravariant=contravariant)
+ if infer_variance and (covariant or contravariant):
+ raise ValueError("Variance cannot be specified with infer_variance.")
+ typevar.__infer_variance__ = infer_variance
+
+ _set_default(typevar, default)
+ _set_module(typevar)
+
+ def _tvar_prepare_subst(alias, args):
+ if (
+ typevar.has_default()
+ and alias.__parameters__.index(typevar) == len(args)
+ ):
+ args += (typevar.__default__,)
+ return args
+
+ typevar.__typing_prepare_subst__ = _tvar_prepare_subst
+ return typevar
+
+ def __init_subclass__(cls) -> None:
+ raise TypeError(f"type '{__name__}.TypeVar' is not an acceptable base type")
+
+
+# Python 3.10+ has PEP 612
+if hasattr(typing, 'ParamSpecArgs'):
+ ParamSpecArgs = typing.ParamSpecArgs
+ ParamSpecKwargs = typing.ParamSpecKwargs
+# 3.8-3.9
+else:
+ class _Immutable:
+ """Mixin to indicate that object should not be copied."""
+ __slots__ = ()
+
+ def __copy__(self):
+ return self
+
+ def __deepcopy__(self, memo):
+ return self
+
+ class ParamSpecArgs(_Immutable):
+ """The args for a ParamSpec object.
+
+ Given a ParamSpec object P, P.args is an instance of ParamSpecArgs.
+
+ ParamSpecArgs objects have a reference back to their ParamSpec:
+
+ P.args.__origin__ is P
+
+ This type is meant for runtime introspection and has no special meaning to
+ static type checkers.
+ """
+ def __init__(self, origin):
+ self.__origin__ = origin
+
+ def __repr__(self):
+ return f"{self.__origin__.__name__}.args"
+
+ def __eq__(self, other):
+ if not isinstance(other, ParamSpecArgs):
+ return NotImplemented
+ return self.__origin__ == other.__origin__
+
+ class ParamSpecKwargs(_Immutable):
+ """The kwargs for a ParamSpec object.
+
+ Given a ParamSpec object P, P.kwargs is an instance of ParamSpecKwargs.
+
+ ParamSpecKwargs objects have a reference back to their ParamSpec:
+
+ P.kwargs.__origin__ is P
+
+ This type is meant for runtime introspection and has no special meaning to
+ static type checkers.
+ """
+ def __init__(self, origin):
+ self.__origin__ = origin
+
+ def __repr__(self):
+ return f"{self.__origin__.__name__}.kwargs"
+
+ def __eq__(self, other):
+ if not isinstance(other, ParamSpecKwargs):
+ return NotImplemented
+ return self.__origin__ == other.__origin__
+
+
+if _PEP_696_IMPLEMENTED:
+ from typing import ParamSpec
+
+# 3.10+
+elif hasattr(typing, 'ParamSpec'):
+
+ # Add default parameter - PEP 696
+ class ParamSpec(metaclass=_TypeVarLikeMeta):
+ """Parameter specification."""
+
+ _backported_typevarlike = typing.ParamSpec
+
+ def __new__(cls, name, *, bound=None,
+ covariant=False, contravariant=False,
+ infer_variance=False, default=NoDefault):
+ if hasattr(typing, "TypeAliasType"):
+ # PEP 695 implemented, can pass infer_variance to typing.TypeVar
+ paramspec = typing.ParamSpec(name, bound=bound,
+ covariant=covariant,
+ contravariant=contravariant,
+ infer_variance=infer_variance)
+ else:
+ paramspec = typing.ParamSpec(name, bound=bound,
+ covariant=covariant,
+ contravariant=contravariant)
+ paramspec.__infer_variance__ = infer_variance
+
+ _set_default(paramspec, default)
+ _set_module(paramspec)
+
+ def _paramspec_prepare_subst(alias, args):
+ params = alias.__parameters__
+ i = params.index(paramspec)
+ if i == len(args) and paramspec.has_default():
+ args = [*args, paramspec.__default__]
+ if i >= len(args):
+ raise TypeError(f"Too few arguments for {alias}")
+ # Special case where Z[[int, str, bool]] == Z[int, str, bool] in PEP 612.
+ if len(params) == 1 and not typing._is_param_expr(args[0]):
+ assert i == 0
+ args = (args,)
+ # Convert lists to tuples to help other libraries cache the results.
+ elif isinstance(args[i], list):
+ args = (*args[:i], tuple(args[i]), *args[i + 1:])
+ return args
+
+ paramspec.__typing_prepare_subst__ = _paramspec_prepare_subst
+ return paramspec
+
+ def __init_subclass__(cls) -> None:
+ raise TypeError(f"type '{__name__}.ParamSpec' is not an acceptable base type")
+
+# 3.8-3.9
+else:
+
+ # Inherits from list as a workaround for Callable checks in Python < 3.9.2.
+ class ParamSpec(list, _DefaultMixin):
+ """Parameter specification variable.
+
+ Usage::
+
+ P = ParamSpec('P')
+
+ Parameter specification variables exist primarily for the benefit of static
+ type checkers. They are used to forward the parameter types of one
+ callable to another callable, a pattern commonly found in higher order
+ functions and decorators. They are only valid when used in ``Concatenate``,
+ or s the first argument to ``Callable``. In Python 3.10 and higher,
+ they are also supported in user-defined Generics at runtime.
+ See class Generic for more information on generic types. An
+ example for annotating a decorator::
+
+ T = TypeVar('T')
+ P = ParamSpec('P')
+
+ def add_logging(f: Callable[P, T]) -> Callable[P, T]:
+ '''A type-safe decorator to add logging to a function.'''
+ def inner(*args: P.args, **kwargs: P.kwargs) -> T:
+ logging.info(f'{f.__name__} was called')
+ return f(*args, **kwargs)
+ return inner
+
+ @add_logging
+ def add_two(x: float, y: float) -> float:
+ '''Add two numbers together.'''
+ return x + y
+
+ Parameter specification variables defined with covariant=True or
+ contravariant=True can be used to declare covariant or contravariant
+ generic types. These keyword arguments are valid, but their actual semantics
+ are yet to be decided. See PEP 612 for details.
+
+ Parameter specification variables can be introspected. e.g.:
+
+ P.__name__ == 'T'
+ P.__bound__ == None
+ P.__covariant__ == False
+ P.__contravariant__ == False
+
+ Note that only parameter specification variables defined in global scope can
+ be pickled.
+ """
+
+ # Trick Generic __parameters__.
+ __class__ = typing.TypeVar
+
+ @property
+ def args(self):
+ return ParamSpecArgs(self)
+
+ @property
+ def kwargs(self):
+ return ParamSpecKwargs(self)
+
+ def __init__(self, name, *, bound=None, covariant=False, contravariant=False,
+ infer_variance=False, default=NoDefault):
+ list.__init__(self, [self])
+ self.__name__ = name
+ self.__covariant__ = bool(covariant)
+ self.__contravariant__ = bool(contravariant)
+ self.__infer_variance__ = bool(infer_variance)
+ if bound:
+ self.__bound__ = typing._type_check(bound, 'Bound must be a type.')
+ else:
+ self.__bound__ = None
+ _DefaultMixin.__init__(self, default)
+
+ # for pickling:
+ def_mod = _caller()
+ if def_mod != 'typing_extensions':
+ self.__module__ = def_mod
+
+ def __repr__(self):
+ if self.__infer_variance__:
+ prefix = ''
+ elif self.__covariant__:
+ prefix = '+'
+ elif self.__contravariant__:
+ prefix = '-'
+ else:
+ prefix = '~'
+ return prefix + self.__name__
+
+ def __hash__(self):
+ return object.__hash__(self)
+
+ def __eq__(self, other):
+ return self is other
+
+ def __reduce__(self):
+ return self.__name__
+
+ # Hack to get typing._type_check to pass.
+ def __call__(self, *args, **kwargs):
+ pass
+
+
+# 3.8-3.9
+if not hasattr(typing, 'Concatenate'):
+ # Inherits from list as a workaround for Callable checks in Python < 3.9.2.
+ class _ConcatenateGenericAlias(list):
+
+ # Trick Generic into looking into this for __parameters__.
+ __class__ = typing._GenericAlias
+
+ # Flag in 3.8.
+ _special = False
+
+ def __init__(self, origin, args):
+ super().__init__(args)
+ self.__origin__ = origin
+ self.__args__ = args
+
+ def __repr__(self):
+ _type_repr = typing._type_repr
+ return (f'{_type_repr(self.__origin__)}'
+ f'[{", ".join(_type_repr(arg) for arg in self.__args__)}]')
+
+ def __hash__(self):
+ return hash((self.__origin__, self.__args__))
+
+ # Hack to get typing._type_check to pass in Generic.
+ def __call__(self, *args, **kwargs):
+ pass
+
+ @property
+ def __parameters__(self):
+ return tuple(
+ tp for tp in self.__args__ if isinstance(tp, (typing.TypeVar, ParamSpec))
+ )
+
+
+# 3.8-3.9
+@typing._tp_cache
+def _concatenate_getitem(self, parameters):
+ if parameters == ():
+ raise TypeError("Cannot take a Concatenate of no types.")
+ if not isinstance(parameters, tuple):
+ parameters = (parameters,)
+ if not isinstance(parameters[-1], ParamSpec):
+ raise TypeError("The last parameter to Concatenate should be a "
+ "ParamSpec variable.")
+ msg = "Concatenate[arg, ...]: each arg must be a type."
+ parameters = tuple(typing._type_check(p, msg) for p in parameters)
+ return _ConcatenateGenericAlias(self, parameters)
+
+
+# 3.10+
+if hasattr(typing, 'Concatenate'):
+ Concatenate = typing.Concatenate
+ _ConcatenateGenericAlias = typing._ConcatenateGenericAlias
+# 3.9
+elif sys.version_info[:2] >= (3, 9):
+ @_ExtensionsSpecialForm
+ def Concatenate(self, parameters):
+ """Used in conjunction with ``ParamSpec`` and ``Callable`` to represent a
+ higher order function which adds, removes or transforms parameters of a
+ callable.
+
+ For example::
+
+ Callable[Concatenate[int, P], int]
+
+ See PEP 612 for detailed information.
+ """
+ return _concatenate_getitem(self, parameters)
+# 3.8
+else:
+ class _ConcatenateForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ return _concatenate_getitem(self, parameters)
+
+ Concatenate = _ConcatenateForm(
+ 'Concatenate',
+ doc="""Used in conjunction with ``ParamSpec`` and ``Callable`` to represent a
+ higher order function which adds, removes or transforms parameters of a
+ callable.
+
+ For example::
+
+ Callable[Concatenate[int, P], int]
+
+ See PEP 612 for detailed information.
+ """)
+
+# 3.10+
+if hasattr(typing, 'TypeGuard'):
+ TypeGuard = typing.TypeGuard
+# 3.9
+elif sys.version_info[:2] >= (3, 9):
+ @_ExtensionsSpecialForm
+ def TypeGuard(self, parameters):
+ """Special typing form used to annotate the return type of a user-defined
+ type guard function. ``TypeGuard`` only accepts a single type argument.
+ At runtime, functions marked this way should return a boolean.
+
+ ``TypeGuard`` aims to benefit *type narrowing* -- a technique used by static
+ type checkers to determine a more precise type of an expression within a
+ program's code flow. Usually type narrowing is done by analyzing
+ conditional code flow and applying the narrowing to a block of code. The
+ conditional expression here is sometimes referred to as a "type guard".
+
+ Sometimes it would be convenient to use a user-defined boolean function
+ as a type guard. Such a function should use ``TypeGuard[...]`` as its
+ return type to alert static type checkers to this intention.
+
+ Using ``-> TypeGuard`` tells the static type checker that for a given
+ function:
+
+ 1. The return value is a boolean.
+ 2. If the return value is ``True``, the type of its argument
+ is the type inside ``TypeGuard``.
+
+ For example::
+
+ def is_str(val: Union[str, float]):
+ # "isinstance" type guard
+ if isinstance(val, str):
+ # Type of ``val`` is narrowed to ``str``
+ ...
+ else:
+ # Else, type of ``val`` is narrowed to ``float``.
+ ...
+
+ Strict type narrowing is not enforced -- ``TypeB`` need not be a narrower
+ form of ``TypeA`` (it can even be a wider form) and this may lead to
+ type-unsafe results. The main reason is to allow for things like
+ narrowing ``List[object]`` to ``List[str]`` even though the latter is not
+ a subtype of the former, since ``List`` is invariant. The responsibility of
+ writing type-safe type guards is left to the user.
+
+ ``TypeGuard`` also works with type variables. For more information, see
+ PEP 647 (User-Defined Type Guards).
+ """
+ item = typing._type_check(parameters, f'{self} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+# 3.8
+else:
+ class _TypeGuardForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ item = typing._type_check(parameters,
+ f'{self._name} accepts only a single type')
+ return typing._GenericAlias(self, (item,))
+
+ TypeGuard = _TypeGuardForm(
+ 'TypeGuard',
+ doc="""Special typing form used to annotate the return type of a user-defined
+ type guard function. ``TypeGuard`` only accepts a single type argument.
+ At runtime, functions marked this way should return a boolean.
+
+ ``TypeGuard`` aims to benefit *type narrowing* -- a technique used by static
+ type checkers to determine a more precise type of an expression within a
+ program's code flow. Usually type narrowing is done by analyzing
+ conditional code flow and applying the narrowing to a block of code. The
+ conditional expression here is sometimes referred to as a "type guard".
+
+ Sometimes it would be convenient to use a user-defined boolean function
+ as a type guard. Such a function should use ``TypeGuard[...]`` as its
+ return type to alert static type checkers to this intention.
+
+ Using ``-> TypeGuard`` tells the static type checker that for a given
+ function:
+
+ 1. The return value is a boolean.
+ 2. If the return value is ``True``, the type of its argument
+ is the type inside ``TypeGuard``.
+
+ For example::
+
+ def is_str(val: Union[str, float]):
+ # "isinstance" type guard
+ if isinstance(val, str):
+ # Type of ``val`` is narrowed to ``str``
+ ...
+ else:
+ # Else, type of ``val`` is narrowed to ``float``.
+ ...
+
+ Strict type narrowing is not enforced -- ``TypeB`` need not be a narrower
+ form of ``TypeA`` (it can even be a wider form) and this may lead to
+ type-unsafe results. The main reason is to allow for things like
+ narrowing ``List[object]`` to ``List[str]`` even though the latter is not
+ a subtype of the former, since ``List`` is invariant. The responsibility of
+ writing type-safe type guards is left to the user.
+
+ ``TypeGuard`` also works with type variables. For more information, see
+ PEP 647 (User-Defined Type Guards).
+ """)
+
+# 3.13+
+if hasattr(typing, 'TypeIs'):
+ TypeIs = typing.TypeIs
+# 3.9
+elif sys.version_info[:2] >= (3, 9):
+ @_ExtensionsSpecialForm
+ def TypeIs(self, parameters):
+ """Special typing form used to annotate the return type of a user-defined
+ type narrower function. ``TypeIs`` only accepts a single type argument.
+ At runtime, functions marked this way should return a boolean.
+
+ ``TypeIs`` aims to benefit *type narrowing* -- a technique used by static
+ type checkers to determine a more precise type of an expression within a
+ program's code flow. Usually type narrowing is done by analyzing
+ conditional code flow and applying the narrowing to a block of code. The
+ conditional expression here is sometimes referred to as a "type guard".
+
+ Sometimes it would be convenient to use a user-defined boolean function
+ as a type guard. Such a function should use ``TypeIs[...]`` as its
+ return type to alert static type checkers to this intention.
+
+ Using ``-> TypeIs`` tells the static type checker that for a given
+ function:
+
+ 1. The return value is a boolean.
+ 2. If the return value is ``True``, the type of its argument
+ is the intersection of the type inside ``TypeGuard`` and the argument's
+ previously known type.
+
+ For example::
+
+ def is_awaitable(val: object) -> TypeIs[Awaitable[Any]]:
+ return hasattr(val, '__await__')
+
+ def f(val: Union[int, Awaitable[int]]) -> int:
+ if is_awaitable(val):
+ assert_type(val, Awaitable[int])
+ else:
+ assert_type(val, int)
+
+ ``TypeIs`` also works with type variables. For more information, see
+ PEP 742 (Narrowing types with TypeIs).
+ """
+ item = typing._type_check(parameters, f'{self} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+# 3.8
+else:
+ class _TypeIsForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ item = typing._type_check(parameters,
+ f'{self._name} accepts only a single type')
+ return typing._GenericAlias(self, (item,))
+
+ TypeIs = _TypeIsForm(
+ 'TypeIs',
+ doc="""Special typing form used to annotate the return type of a user-defined
+ type narrower function. ``TypeIs`` only accepts a single type argument.
+ At runtime, functions marked this way should return a boolean.
+
+ ``TypeIs`` aims to benefit *type narrowing* -- a technique used by static
+ type checkers to determine a more precise type of an expression within a
+ program's code flow. Usually type narrowing is done by analyzing
+ conditional code flow and applying the narrowing to a block of code. The
+ conditional expression here is sometimes referred to as a "type guard".
+
+ Sometimes it would be convenient to use a user-defined boolean function
+ as a type guard. Such a function should use ``TypeIs[...]`` as its
+ return type to alert static type checkers to this intention.
+
+ Using ``-> TypeIs`` tells the static type checker that for a given
+ function:
+
+ 1. The return value is a boolean.
+ 2. If the return value is ``True``, the type of its argument
+ is the intersection of the type inside ``TypeGuard`` and the argument's
+ previously known type.
+
+ For example::
+
+ def is_awaitable(val: object) -> TypeIs[Awaitable[Any]]:
+ return hasattr(val, '__await__')
+
+ def f(val: Union[int, Awaitable[int]]) -> int:
+ if is_awaitable(val):
+ assert_type(val, Awaitable[int])
+ else:
+ assert_type(val, int)
+
+ ``TypeIs`` also works with type variables. For more information, see
+ PEP 742 (Narrowing types with TypeIs).
+ """)
+
+
+# Vendored from cpython typing._SpecialFrom
+class _SpecialForm(typing._Final, _root=True):
+ __slots__ = ('_name', '__doc__', '_getitem')
+
+ def __init__(self, getitem):
+ self._getitem = getitem
+ self._name = getitem.__name__
+ self.__doc__ = getitem.__doc__
+
+ def __getattr__(self, item):
+ if item in {'__name__', '__qualname__'}:
+ return self._name
+
+ raise AttributeError(item)
+
+ def __mro_entries__(self, bases):
+ raise TypeError(f"Cannot subclass {self!r}")
+
+ def __repr__(self):
+ return f'typing_extensions.{self._name}'
+
+ def __reduce__(self):
+ return self._name
+
+ def __call__(self, *args, **kwds):
+ raise TypeError(f"Cannot instantiate {self!r}")
+
+ def __or__(self, other):
+ return typing.Union[self, other]
+
+ def __ror__(self, other):
+ return typing.Union[other, self]
+
+ def __instancecheck__(self, obj):
+ raise TypeError(f"{self} cannot be used with isinstance()")
+
+ def __subclasscheck__(self, cls):
+ raise TypeError(f"{self} cannot be used with issubclass()")
+
+ @typing._tp_cache
+ def __getitem__(self, parameters):
+ return self._getitem(self, parameters)
+
+
+if hasattr(typing, "LiteralString"): # 3.11+
+ LiteralString = typing.LiteralString
+else:
+ @_SpecialForm
+ def LiteralString(self, params):
+ """Represents an arbitrary literal string.
+
+ Example::
+
+ from typing_extensions import LiteralString
+
+ def query(sql: LiteralString) -> ...:
+ ...
+
+ query("SELECT * FROM table") # ok
+ query(f"SELECT * FROM {input()}") # not ok
+
+ See PEP 675 for details.
+
+ """
+ raise TypeError(f"{self} is not subscriptable")
+
+
+if hasattr(typing, "Self"): # 3.11+
+ Self = typing.Self
+else:
+ @_SpecialForm
+ def Self(self, params):
+ """Used to spell the type of "self" in classes.
+
+ Example::
+
+ from typing import Self
+
+ class ReturnsSelf:
+ def parse(self, data: bytes) -> Self:
+ ...
+ return self
+
+ """
+
+ raise TypeError(f"{self} is not subscriptable")
+
+
+if hasattr(typing, "Never"): # 3.11+
+ Never = typing.Never
+else:
+ @_SpecialForm
+ def Never(self, params):
+ """The bottom type, a type that has no members.
+
+ This can be used to define a function that should never be
+ called, or a function that never returns::
+
+ from typing_extensions import Never
+
+ def never_call_me(arg: Never) -> None:
+ pass
+
+ def int_or_str(arg: int | str) -> None:
+ never_call_me(arg) # type checker error
+ match arg:
+ case int():
+ print("It's an int")
+ case str():
+ print("It's a str")
+ case _:
+ never_call_me(arg) # ok, arg is of type Never
+
+ """
+
+ raise TypeError(f"{self} is not subscriptable")
+
+
+if hasattr(typing, 'Required'): # 3.11+
+ Required = typing.Required
+ NotRequired = typing.NotRequired
+elif sys.version_info[:2] >= (3, 9): # 3.9-3.10
+ @_ExtensionsSpecialForm
+ def Required(self, parameters):
+ """A special typing construct to mark a key of a total=False TypedDict
+ as required. For example:
+
+ class Movie(TypedDict, total=False):
+ title: Required[str]
+ year: int
+
+ m = Movie(
+ title='The Matrix', # typechecker error if key is omitted
+ year=1999,
+ )
+
+ There is no runtime checking that a required key is actually provided
+ when instantiating a related TypedDict.
+ """
+ item = typing._type_check(parameters, f'{self._name} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+
+ @_ExtensionsSpecialForm
+ def NotRequired(self, parameters):
+ """A special typing construct to mark a key of a TypedDict as
+ potentially missing. For example:
+
+ class Movie(TypedDict):
+ title: str
+ year: NotRequired[int]
+
+ m = Movie(
+ title='The Matrix', # typechecker error if key is omitted
+ year=1999,
+ )
+ """
+ item = typing._type_check(parameters, f'{self._name} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+
+else: # 3.8
+ class _RequiredForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ item = typing._type_check(parameters,
+ f'{self._name} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+
+ Required = _RequiredForm(
+ 'Required',
+ doc="""A special typing construct to mark a key of a total=False TypedDict
+ as required. For example:
+
+ class Movie(TypedDict, total=False):
+ title: Required[str]
+ year: int
+
+ m = Movie(
+ title='The Matrix', # typechecker error if key is omitted
+ year=1999,
+ )
+
+ There is no runtime checking that a required key is actually provided
+ when instantiating a related TypedDict.
+ """)
+ NotRequired = _RequiredForm(
+ 'NotRequired',
+ doc="""A special typing construct to mark a key of a TypedDict as
+ potentially missing. For example:
+
+ class Movie(TypedDict):
+ title: str
+ year: NotRequired[int]
+
+ m = Movie(
+ title='The Matrix', # typechecker error if key is omitted
+ year=1999,
+ )
+ """)
+
+
+if hasattr(typing, 'ReadOnly'):
+ ReadOnly = typing.ReadOnly
+elif sys.version_info[:2] >= (3, 9): # 3.9-3.12
+ @_ExtensionsSpecialForm
+ def ReadOnly(self, parameters):
+ """A special typing construct to mark an item of a TypedDict as read-only.
+
+ For example:
+
+ class Movie(TypedDict):
+ title: ReadOnly[str]
+ year: int
+
+ def mutate_movie(m: Movie) -> None:
+ m["year"] = 1992 # allowed
+ m["title"] = "The Matrix" # typechecker error
+
+ There is no runtime checking for this property.
+ """
+ item = typing._type_check(parameters, f'{self._name} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+
+else: # 3.8
+ class _ReadOnlyForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ item = typing._type_check(parameters,
+ f'{self._name} accepts only a single type.')
+ return typing._GenericAlias(self, (item,))
+
+ ReadOnly = _ReadOnlyForm(
+ 'ReadOnly',
+ doc="""A special typing construct to mark a key of a TypedDict as read-only.
+
+ For example:
+
+ class Movie(TypedDict):
+ title: ReadOnly[str]
+ year: int
+
+ def mutate_movie(m: Movie) -> None:
+ m["year"] = 1992 # allowed
+ m["title"] = "The Matrix" # typechecker error
+
+ There is no runtime checking for this propery.
+ """)
+
+
+_UNPACK_DOC = """\
+Type unpack operator.
+
+The type unpack operator takes the child types from some container type,
+such as `tuple[int, str]` or a `TypeVarTuple`, and 'pulls them out'. For
+example:
+
+ # For some generic class `Foo`:
+ Foo[Unpack[tuple[int, str]]] # Equivalent to Foo[int, str]
+
+ Ts = TypeVarTuple('Ts')
+ # Specifies that `Bar` is generic in an arbitrary number of types.
+ # (Think of `Ts` as a tuple of an arbitrary number of individual
+ # `TypeVar`s, which the `Unpack` is 'pulling out' directly into the
+ # `Generic[]`.)
+ class Bar(Generic[Unpack[Ts]]): ...
+ Bar[int] # Valid
+ Bar[int, str] # Also valid
+
+From Python 3.11, this can also be done using the `*` operator:
+
+ Foo[*tuple[int, str]]
+ class Bar(Generic[*Ts]): ...
+
+The operator can also be used along with a `TypedDict` to annotate
+`**kwargs` in a function signature. For instance:
+
+ class Movie(TypedDict):
+ name: str
+ year: int
+
+ # This function expects two keyword arguments - *name* of type `str` and
+ # *year* of type `int`.
+ def foo(**kwargs: Unpack[Movie]): ...
+
+Note that there is only some runtime checking of this operator. Not
+everything the runtime allows may be accepted by static type checkers.
+
+For more information, see PEP 646 and PEP 692.
+"""
+
+
+if sys.version_info >= (3, 12): # PEP 692 changed the repr of Unpack[]
+ Unpack = typing.Unpack
+
+ def _is_unpack(obj):
+ return get_origin(obj) is Unpack
+
+elif sys.version_info[:2] >= (3, 9): # 3.9+
+ class _UnpackSpecialForm(_ExtensionsSpecialForm, _root=True):
+ def __init__(self, getitem):
+ super().__init__(getitem)
+ self.__doc__ = _UNPACK_DOC
+
+ class _UnpackAlias(typing._GenericAlias, _root=True):
+ __class__ = typing.TypeVar
+
+ @property
+ def __typing_unpacked_tuple_args__(self):
+ assert self.__origin__ is Unpack
+ assert len(self.__args__) == 1
+ arg, = self.__args__
+ if isinstance(arg, (typing._GenericAlias, _types.GenericAlias)):
+ if arg.__origin__ is not tuple:
+ raise TypeError("Unpack[...] must be used with a tuple type")
+ return arg.__args__
+ return None
+
+ @_UnpackSpecialForm
+ def Unpack(self, parameters):
+ item = typing._type_check(parameters, f'{self._name} accepts only a single type.')
+ return _UnpackAlias(self, (item,))
+
+ def _is_unpack(obj):
+ return isinstance(obj, _UnpackAlias)
+
+else: # 3.8
+ class _UnpackAlias(typing._GenericAlias, _root=True):
+ __class__ = typing.TypeVar
+
+ class _UnpackForm(_ExtensionsSpecialForm, _root=True):
+ def __getitem__(self, parameters):
+ item = typing._type_check(parameters,
+ f'{self._name} accepts only a single type.')
+ return _UnpackAlias(self, (item,))
+
+ Unpack = _UnpackForm('Unpack', doc=_UNPACK_DOC)
+
+ def _is_unpack(obj):
+ return isinstance(obj, _UnpackAlias)
+
+
+if _PEP_696_IMPLEMENTED:
+ from typing import TypeVarTuple
+
+elif hasattr(typing, "TypeVarTuple"): # 3.11+
+
+ def _unpack_args(*args):
+ newargs = []
+ for arg in args:
+ subargs = getattr(arg, '__typing_unpacked_tuple_args__', None)
+ if subargs is not None and not (subargs and subargs[-1] is ...):
+ newargs.extend(subargs)
+ else:
+ newargs.append(arg)
+ return newargs
+
+ # Add default parameter - PEP 696
+ class TypeVarTuple(metaclass=_TypeVarLikeMeta):
+ """Type variable tuple."""
+
+ _backported_typevarlike = typing.TypeVarTuple
+
+ def __new__(cls, name, *, default=NoDefault):
+ tvt = typing.TypeVarTuple(name)
+ _set_default(tvt, default)
+ _set_module(tvt)
+
+ def _typevartuple_prepare_subst(alias, args):
+ params = alias.__parameters__
+ typevartuple_index = params.index(tvt)
+ for param in params[typevartuple_index + 1:]:
+ if isinstance(param, TypeVarTuple):
+ raise TypeError(
+ f"More than one TypeVarTuple parameter in {alias}"
+ )
+
+ alen = len(args)
+ plen = len(params)
+ left = typevartuple_index
+ right = plen - typevartuple_index - 1
+ var_tuple_index = None
+ fillarg = None
+ for k, arg in enumerate(args):
+ if not isinstance(arg, type):
+ subargs = getattr(arg, '__typing_unpacked_tuple_args__', None)
+ if subargs and len(subargs) == 2 and subargs[-1] is ...:
+ if var_tuple_index is not None:
+ raise TypeError(
+ "More than one unpacked "
+ "arbitrary-length tuple argument"
+ )
+ var_tuple_index = k
+ fillarg = subargs[0]
+ if var_tuple_index is not None:
+ left = min(left, var_tuple_index)
+ right = min(right, alen - var_tuple_index - 1)
+ elif left + right > alen:
+ raise TypeError(f"Too few arguments for {alias};"
+ f" actual {alen}, expected at least {plen - 1}")
+ if left == alen - right and tvt.has_default():
+ replacement = _unpack_args(tvt.__default__)
+ else:
+ replacement = args[left: alen - right]
+
+ return (
+ *args[:left],
+ *([fillarg] * (typevartuple_index - left)),
+ replacement,
+ *([fillarg] * (plen - right - left - typevartuple_index - 1)),
+ *args[alen - right:],
+ )
+
+ tvt.__typing_prepare_subst__ = _typevartuple_prepare_subst
+ return tvt
+
+ def __init_subclass__(self, *args, **kwds):
+ raise TypeError("Cannot subclass special typing classes")
+
+else: # <=3.10
+ class TypeVarTuple(_DefaultMixin):
+ """Type variable tuple.
+
+ Usage::
+
+ Ts = TypeVarTuple('Ts')
+
+ In the same way that a normal type variable is a stand-in for a single
+ type such as ``int``, a type variable *tuple* is a stand-in for a *tuple*
+ type such as ``Tuple[int, str]``.
+
+ Type variable tuples can be used in ``Generic`` declarations.
+ Consider the following example::
+
+ class Array(Generic[*Ts]): ...
+
+ The ``Ts`` type variable tuple here behaves like ``tuple[T1, T2]``,
+ where ``T1`` and ``T2`` are type variables. To use these type variables
+ as type parameters of ``Array``, we must *unpack* the type variable tuple using
+ the star operator: ``*Ts``. The signature of ``Array`` then behaves
+ as if we had simply written ``class Array(Generic[T1, T2]): ...``.
+ In contrast to ``Generic[T1, T2]``, however, ``Generic[*Shape]`` allows
+ us to parameterise the class with an *arbitrary* number of type parameters.
+
+ Type variable tuples can be used anywhere a normal ``TypeVar`` can.
+ This includes class definitions, as shown above, as well as function
+ signatures and variable annotations::
+
+ class Array(Generic[*Ts]):
+
+ def __init__(self, shape: Tuple[*Ts]):
+ self._shape: Tuple[*Ts] = shape
+
+ def get_shape(self) -> Tuple[*Ts]:
+ return self._shape
+
+ shape = (Height(480), Width(640))
+ x: Array[Height, Width] = Array(shape)
+ y = abs(x) # Inferred type is Array[Height, Width]
+ z = x + x # ... is Array[Height, Width]
+ x.get_shape() # ... is tuple[Height, Width]
+
+ """
+
+ # Trick Generic __parameters__.
+ __class__ = typing.TypeVar
+
+ def __iter__(self):
+ yield self.__unpacked__
+
+ def __init__(self, name, *, default=NoDefault):
+ self.__name__ = name
+ _DefaultMixin.__init__(self, default)
+
+ # for pickling:
+ def_mod = _caller()
+ if def_mod != 'typing_extensions':
+ self.__module__ = def_mod
+
+ self.__unpacked__ = Unpack[self]
+
+ def __repr__(self):
+ return self.__name__
+
+ def __hash__(self):
+ return object.__hash__(self)
+
+ def __eq__(self, other):
+ return self is other
+
+ def __reduce__(self):
+ return self.__name__
+
+ def __init_subclass__(self, *args, **kwds):
+ if '_root' not in kwds:
+ raise TypeError("Cannot subclass special typing classes")
+
+
+if hasattr(typing, "reveal_type"): # 3.11+
+ reveal_type = typing.reveal_type
+else: # <=3.10
+ def reveal_type(obj: T, /) -> T:
+ """Reveal the inferred type of a variable.
+
+ When a static type checker encounters a call to ``reveal_type()``,
+ it will emit the inferred type of the argument::
+
+ x: int = 1
+ reveal_type(x)
+
+ Running a static type checker (e.g., ``mypy``) on this example
+ will produce output similar to 'Revealed type is "builtins.int"'.
+
+ At runtime, the function prints the runtime type of the
+ argument and returns it unchanged.
+
+ """
+ print(f"Runtime type is {type(obj).__name__!r}", file=sys.stderr)
+ return obj
+
+
+if hasattr(typing, "_ASSERT_NEVER_REPR_MAX_LENGTH"): # 3.11+
+ _ASSERT_NEVER_REPR_MAX_LENGTH = typing._ASSERT_NEVER_REPR_MAX_LENGTH
+else: # <=3.10
+ _ASSERT_NEVER_REPR_MAX_LENGTH = 100
+
+
+if hasattr(typing, "assert_never"): # 3.11+
+ assert_never = typing.assert_never
+else: # <=3.10
+ def assert_never(arg: Never, /) -> Never:
+ """Assert to the type checker that a line of code is unreachable.
+
+ Example::
+
+ def int_or_str(arg: int | str) -> None:
+ match arg:
+ case int():
+ print("It's an int")
+ case str():
+ print("It's a str")
+ case _:
+ assert_never(arg)
+
+ If a type checker finds that a call to assert_never() is
+ reachable, it will emit an error.
+
+ At runtime, this throws an exception when called.
+
+ """
+ value = repr(arg)
+ if len(value) > _ASSERT_NEVER_REPR_MAX_LENGTH:
+ value = value[:_ASSERT_NEVER_REPR_MAX_LENGTH] + '...'
+ raise AssertionError(f"Expected code to be unreachable, but got: {value}")
+
+
+if sys.version_info >= (3, 12): # 3.12+
+ # dataclass_transform exists in 3.11 but lacks the frozen_default parameter
+ dataclass_transform = typing.dataclass_transform
+else: # <=3.11
+ def dataclass_transform(
+ *,
+ eq_default: bool = True,
+ order_default: bool = False,
+ kw_only_default: bool = False,
+ frozen_default: bool = False,
+ field_specifiers: typing.Tuple[
+ typing.Union[typing.Type[typing.Any], typing.Callable[..., typing.Any]],
+ ...
+ ] = (),
+ **kwargs: typing.Any,
+ ) -> typing.Callable[[T], T]:
+ """Decorator that marks a function, class, or metaclass as providing
+ dataclass-like behavior.
+
+ Example:
+
+ from typing_extensions import dataclass_transform
+
+ _T = TypeVar("_T")
+
+ # Used on a decorator function
+ @dataclass_transform()
+ def create_model(cls: type[_T]) -> type[_T]:
+ ...
+ return cls
+
+ @create_model
+ class CustomerModel:
+ id: int
+ name: str
+
+ # Used on a base class
+ @dataclass_transform()
+ class ModelBase: ...
+
+ class CustomerModel(ModelBase):
+ id: int
+ name: str
+
+ # Used on a metaclass
+ @dataclass_transform()
+ class ModelMeta(type): ...
+
+ class ModelBase(metaclass=ModelMeta): ...
+
+ class CustomerModel(ModelBase):
+ id: int
+ name: str
+
+ Each of the ``CustomerModel`` classes defined in this example will now
+ behave similarly to a dataclass created with the ``@dataclasses.dataclass``
+ decorator. For example, the type checker will synthesize an ``__init__``
+ method.
+
+ The arguments to this decorator can be used to customize this behavior:
+ - ``eq_default`` indicates whether the ``eq`` parameter is assumed to be
+ True or False if it is omitted by the caller.
+ - ``order_default`` indicates whether the ``order`` parameter is
+ assumed to be True or False if it is omitted by the caller.
+ - ``kw_only_default`` indicates whether the ``kw_only`` parameter is
+ assumed to be True or False if it is omitted by the caller.
+ - ``frozen_default`` indicates whether the ``frozen`` parameter is
+ assumed to be True or False if it is omitted by the caller.
+ - ``field_specifiers`` specifies a static list of supported classes
+ or functions that describe fields, similar to ``dataclasses.field()``.
+
+ At runtime, this decorator records its arguments in the
+ ``__dataclass_transform__`` attribute on the decorated object.
+
+ See PEP 681 for details.
+
+ """
+ def decorator(cls_or_fn):
+ cls_or_fn.__dataclass_transform__ = {
+ "eq_default": eq_default,
+ "order_default": order_default,
+ "kw_only_default": kw_only_default,
+ "frozen_default": frozen_default,
+ "field_specifiers": field_specifiers,
+ "kwargs": kwargs,
+ }
+ return cls_or_fn
+ return decorator
+
+
+if hasattr(typing, "override"): # 3.12+
+ override = typing.override
+else: # <=3.11
+ _F = typing.TypeVar("_F", bound=typing.Callable[..., typing.Any])
+
+ def override(arg: _F, /) -> _F:
+ """Indicate that a method is intended to override a method in a base class.
+
+ Usage:
+
+ class Base:
+ def method(self) -> None:
+ pass
+
+ class Child(Base):
+ @override
+ def method(self) -> None:
+ super().method()
+
+ When this decorator is applied to a method, the type checker will
+ validate that it overrides a method with the same name on a base class.
+ This helps prevent bugs that may occur when a base class is changed
+ without an equivalent change to a child class.
+
+ There is no runtime checking of these properties. The decorator
+ sets the ``__override__`` attribute to ``True`` on the decorated object
+ to allow runtime introspection.
+
+ See PEP 698 for details.
+
+ """
+ try:
+ arg.__override__ = True
+ except (AttributeError, TypeError):
+ # Skip the attribute silently if it is not writable.
+ # AttributeError happens if the object has __slots__ or a
+ # read-only property, TypeError if it's a builtin class.
+ pass
+ return arg
+
+
+if hasattr(warnings, "deprecated"):
+ deprecated = warnings.deprecated
+else:
+ _T = typing.TypeVar("_T")
+
+ class deprecated:
+ """Indicate that a class, function or overload is deprecated.
+
+ When this decorator is applied to an object, the type checker
+ will generate a diagnostic on usage of the deprecated object.
+
+ Usage:
+
+ @deprecated("Use B instead")
+ class A:
+ pass
+
+ @deprecated("Use g instead")
+ def f():
+ pass
+
+ @overload
+ @deprecated("int support is deprecated")
+ def g(x: int) -> int: ...
+ @overload
+ def g(x: str) -> int: ...
+
+ The warning specified by *category* will be emitted at runtime
+ on use of deprecated objects. For functions, that happens on calls;
+ for classes, on instantiation and on creation of subclasses.
+ If the *category* is ``None``, no warning is emitted at runtime.
+ The *stacklevel* determines where the
+ warning is emitted. If it is ``1`` (the default), the warning
+ is emitted at the direct caller of the deprecated object; if it
+ is higher, it is emitted further up the stack.
+ Static type checker behavior is not affected by the *category*
+ and *stacklevel* arguments.
+
+ The deprecation message passed to the decorator is saved in the
+ ``__deprecated__`` attribute on the decorated object.
+ If applied to an overload, the decorator
+ must be after the ``@overload`` decorator for the attribute to
+ exist on the overload as returned by ``get_overloads()``.
+
+ See PEP 702 for details.
+
+ """
+ def __init__(
+ self,
+ message: str,
+ /,
+ *,
+ category: typing.Optional[typing.Type[Warning]] = DeprecationWarning,
+ stacklevel: int = 1,
+ ) -> None:
+ if not isinstance(message, str):
+ raise TypeError(
+ "Expected an object of type str for 'message', not "
+ f"{type(message).__name__!r}"
+ )
+ self.message = message
+ self.category = category
+ self.stacklevel = stacklevel
+
+ def __call__(self, arg: _T, /) -> _T:
+ # Make sure the inner functions created below don't
+ # retain a reference to self.
+ msg = self.message
+ category = self.category
+ stacklevel = self.stacklevel
+ if category is None:
+ arg.__deprecated__ = msg
+ return arg
+ elif isinstance(arg, type):
+ import functools
+ from types import MethodType
+
+ original_new = arg.__new__
+
+ @functools.wraps(original_new)
+ def __new__(cls, *args, **kwargs):
+ if cls is arg:
+ warnings.warn(msg, category=category, stacklevel=stacklevel + 1)
+ if original_new is not object.__new__:
+ return original_new(cls, *args, **kwargs)
+ # Mirrors a similar check in object.__new__.
+ elif cls.__init__ is object.__init__ and (args or kwargs):
+ raise TypeError(f"{cls.__name__}() takes no arguments")
+ else:
+ return original_new(cls)
+
+ arg.__new__ = staticmethod(__new__)
+
+ original_init_subclass = arg.__init_subclass__
+ # We need slightly different behavior if __init_subclass__
+ # is a bound method (likely if it was implemented in Python)
+ if isinstance(original_init_subclass, MethodType):
+ original_init_subclass = original_init_subclass.__func__
+
+ @functools.wraps(original_init_subclass)
+ def __init_subclass__(*args, **kwargs):
+ warnings.warn(msg, category=category, stacklevel=stacklevel + 1)
+ return original_init_subclass(*args, **kwargs)
+
+ arg.__init_subclass__ = classmethod(__init_subclass__)
+ # Or otherwise, which likely means it's a builtin such as
+ # object's implementation of __init_subclass__.
+ else:
+ @functools.wraps(original_init_subclass)
+ def __init_subclass__(*args, **kwargs):
+ warnings.warn(msg, category=category, stacklevel=stacklevel + 1)
+ return original_init_subclass(*args, **kwargs)
+
+ arg.__init_subclass__ = __init_subclass__
+
+ arg.__deprecated__ = __new__.__deprecated__ = msg
+ __init_subclass__.__deprecated__ = msg
+ return arg
+ elif callable(arg):
+ import functools
+
+ @functools.wraps(arg)
+ def wrapper(*args, **kwargs):
+ warnings.warn(msg, category=category, stacklevel=stacklevel + 1)
+ return arg(*args, **kwargs)
+
+ arg.__deprecated__ = wrapper.__deprecated__ = msg
+ return wrapper
+ else:
+ raise TypeError(
+ "@deprecated decorator with non-None category must be applied to "
+ f"a class or callable, not {arg!r}"
+ )
+
+
+# We have to do some monkey patching to deal with the dual nature of
+# Unpack/TypeVarTuple:
+# - We want Unpack to be a kind of TypeVar so it gets accepted in
+# Generic[Unpack[Ts]]
+# - We want it to *not* be treated as a TypeVar for the purposes of
+# counting generic parameters, so that when we subscript a generic,
+# the runtime doesn't try to substitute the Unpack with the subscripted type.
+if not hasattr(typing, "TypeVarTuple"):
+ def _check_generic(cls, parameters, elen=_marker):
+ """Check correct count for parameters of a generic cls (internal helper).
+
+ This gives a nice error message in case of count mismatch.
+ """
+ if not elen:
+ raise TypeError(f"{cls} is not a generic class")
+ if elen is _marker:
+ if not hasattr(cls, "__parameters__") or not cls.__parameters__:
+ raise TypeError(f"{cls} is not a generic class")
+ elen = len(cls.__parameters__)
+ alen = len(parameters)
+ if alen != elen:
+ expect_val = elen
+ if hasattr(cls, "__parameters__"):
+ parameters = [p for p in cls.__parameters__ if not _is_unpack(p)]
+ num_tv_tuples = sum(isinstance(p, TypeVarTuple) for p in parameters)
+ if (num_tv_tuples > 0) and (alen >= elen - num_tv_tuples):
+ return
+
+ # deal with TypeVarLike defaults
+ # required TypeVarLikes cannot appear after a defaulted one.
+ if alen < elen:
+ # since we validate TypeVarLike default in _collect_type_vars
+ # or _collect_parameters we can safely check parameters[alen]
+ if (
+ getattr(parameters[alen], '__default__', NoDefault)
+ is not NoDefault
+ ):
+ return
+
+ num_default_tv = sum(getattr(p, '__default__', NoDefault)
+ is not NoDefault for p in parameters)
+
+ elen -= num_default_tv
+
+ expect_val = f"at least {elen}"
+
+ things = "arguments" if sys.version_info >= (3, 10) else "parameters"
+ raise TypeError(f"Too {'many' if alen > elen else 'few'} {things}"
+ f" for {cls}; actual {alen}, expected {expect_val}")
+else:
+ # Python 3.11+
+
+ def _check_generic(cls, parameters, elen):
+ """Check correct count for parameters of a generic cls (internal helper).
+
+ This gives a nice error message in case of count mismatch.
+ """
+ if not elen:
+ raise TypeError(f"{cls} is not a generic class")
+ alen = len(parameters)
+ if alen != elen:
+ expect_val = elen
+ if hasattr(cls, "__parameters__"):
+ parameters = [p for p in cls.__parameters__ if not _is_unpack(p)]
+
+ # deal with TypeVarLike defaults
+ # required TypeVarLikes cannot appear after a defaulted one.
+ if alen < elen:
+ # since we validate TypeVarLike default in _collect_type_vars
+ # or _collect_parameters we can safely check parameters[alen]
+ if (
+ getattr(parameters[alen], '__default__', NoDefault)
+ is not NoDefault
+ ):
+ return
+
+ num_default_tv = sum(getattr(p, '__default__', NoDefault)
+ is not NoDefault for p in parameters)
+
+ elen -= num_default_tv
+
+ expect_val = f"at least {elen}"
+
+ raise TypeError(f"Too {'many' if alen > elen else 'few'} arguments"
+ f" for {cls}; actual {alen}, expected {expect_val}")
+
+if not _PEP_696_IMPLEMENTED:
+ typing._check_generic = _check_generic
+
+
+def _has_generic_or_protocol_as_origin() -> bool:
+ try:
+ frame = sys._getframe(2)
+ # - Catch AttributeError: not all Python implementations have sys._getframe()
+ # - Catch ValueError: maybe we're called from an unexpected module
+ # and the call stack isn't deep enough
+ except (AttributeError, ValueError):
+ return False # err on the side of leniency
+ else:
+ # If we somehow get invoked from outside typing.py,
+ # also err on the side of leniency
+ if frame.f_globals.get("__name__") != "typing":
+ return False
+ origin = frame.f_locals.get("origin")
+ # Cannot use "in" because origin may be an object with a buggy __eq__ that
+ # throws an error.
+ return origin is typing.Generic or origin is Protocol or origin is typing.Protocol
+
+
+_TYPEVARTUPLE_TYPES = {TypeVarTuple, getattr(typing, "TypeVarTuple", None)}
+
+
+def _is_unpacked_typevartuple(x) -> bool:
+ if get_origin(x) is not Unpack:
+ return False
+ args = get_args(x)
+ return (
+ bool(args)
+ and len(args) == 1
+ and type(args[0]) in _TYPEVARTUPLE_TYPES
+ )
+
+
+# Python 3.11+ _collect_type_vars was renamed to _collect_parameters
+if hasattr(typing, '_collect_type_vars'):
+ def _collect_type_vars(types, typevar_types=None):
+ """Collect all type variable contained in types in order of
+ first appearance (lexicographic order). For example::
+
+ _collect_type_vars((T, List[S, T])) == (T, S)
+ """
+ if typevar_types is None:
+ typevar_types = typing.TypeVar
+ tvars = []
+
+ # A required TypeVarLike cannot appear after a TypeVarLike with a default
+ # if it was a direct call to `Generic[]` or `Protocol[]`
+ enforce_default_ordering = _has_generic_or_protocol_as_origin()
+ default_encountered = False
+
+ # Also, a TypeVarLike with a default cannot appear after a TypeVarTuple
+ type_var_tuple_encountered = False
+
+ for t in types:
+ if _is_unpacked_typevartuple(t):
+ type_var_tuple_encountered = True
+ elif isinstance(t, typevar_types) and t not in tvars:
+ if enforce_default_ordering:
+ has_default = getattr(t, '__default__', NoDefault) is not NoDefault
+ if has_default:
+ if type_var_tuple_encountered:
+ raise TypeError('Type parameter with a default'
+ ' follows TypeVarTuple')
+ default_encountered = True
+ elif default_encountered:
+ raise TypeError(f'Type parameter {t!r} without a default'
+ ' follows type parameter with a default')
+
+ tvars.append(t)
+ if _should_collect_from_parameters(t):
+ tvars.extend([t for t in t.__parameters__ if t not in tvars])
+ return tuple(tvars)
+
+ typing._collect_type_vars = _collect_type_vars
+else:
+ def _collect_parameters(args):
+ """Collect all type variables and parameter specifications in args
+ in order of first appearance (lexicographic order).
+
+ For example::
+
+ assert _collect_parameters((T, Callable[P, T])) == (T, P)
+ """
+ parameters = []
+
+ # A required TypeVarLike cannot appear after a TypeVarLike with default
+ # if it was a direct call to `Generic[]` or `Protocol[]`
+ enforce_default_ordering = _has_generic_or_protocol_as_origin()
+ default_encountered = False
+
+ # Also, a TypeVarLike with a default cannot appear after a TypeVarTuple
+ type_var_tuple_encountered = False
+
+ for t in args:
+ if isinstance(t, type):
+ # We don't want __parameters__ descriptor of a bare Python class.
+ pass
+ elif isinstance(t, tuple):
+ # `t` might be a tuple, when `ParamSpec` is substituted with
+ # `[T, int]`, or `[int, *Ts]`, etc.
+ for x in t:
+ for collected in _collect_parameters([x]):
+ if collected not in parameters:
+ parameters.append(collected)
+ elif hasattr(t, '__typing_subst__'):
+ if t not in parameters:
+ if enforce_default_ordering:
+ has_default = (
+ getattr(t, '__default__', NoDefault) is not NoDefault
+ )
+
+ if type_var_tuple_encountered and has_default:
+ raise TypeError('Type parameter with a default'
+ ' follows TypeVarTuple')
+
+ if has_default:
+ default_encountered = True
+ elif default_encountered:
+ raise TypeError(f'Type parameter {t!r} without a default'
+ ' follows type parameter with a default')
+
+ parameters.append(t)
+ else:
+ if _is_unpacked_typevartuple(t):
+ type_var_tuple_encountered = True
+ for x in getattr(t, '__parameters__', ()):
+ if x not in parameters:
+ parameters.append(x)
+
+ return tuple(parameters)
+
+ if not _PEP_696_IMPLEMENTED:
+ typing._collect_parameters = _collect_parameters
+
+# Backport typing.NamedTuple as it exists in Python 3.13.
+# In 3.11, the ability to define generic `NamedTuple`s was supported.
+# This was explicitly disallowed in 3.9-3.10, and only half-worked in <=3.8.
+# On 3.12, we added __orig_bases__ to call-based NamedTuples
+# On 3.13, we deprecated kwargs-based NamedTuples
+if sys.version_info >= (3, 13):
+ NamedTuple = typing.NamedTuple
+else:
+ def _make_nmtuple(name, types, module, defaults=()):
+ fields = [n for n, t in types]
+ annotations = {n: typing._type_check(t, f"field {n} annotation must be a type")
+ for n, t in types}
+ nm_tpl = collections.namedtuple(name, fields,
+ defaults=defaults, module=module)
+ nm_tpl.__annotations__ = nm_tpl.__new__.__annotations__ = annotations
+ # The `_field_types` attribute was removed in 3.9;
+ # in earlier versions, it is the same as the `__annotations__` attribute
+ if sys.version_info < (3, 9):
+ nm_tpl._field_types = annotations
+ return nm_tpl
+
+ _prohibited_namedtuple_fields = typing._prohibited
+ _special_namedtuple_fields = frozenset({'__module__', '__name__', '__annotations__'})
+
+ class _NamedTupleMeta(type):
+ def __new__(cls, typename, bases, ns):
+ assert _NamedTuple in bases
+ for base in bases:
+ if base is not _NamedTuple and base is not typing.Generic:
+ raise TypeError(
+ 'can only inherit from a NamedTuple type and Generic')
+ bases = tuple(tuple if base is _NamedTuple else base for base in bases)
+ if "__annotations__" in ns:
+ types = ns["__annotations__"]
+ elif "__annotate__" in ns:
+ # TODO: Use inspect.VALUE here, and make the annotations lazily evaluated
+ types = ns["__annotate__"](1)
+ else:
+ types = {}
+ default_names = []
+ for field_name in types:
+ if field_name in ns:
+ default_names.append(field_name)
+ elif default_names:
+ raise TypeError(f"Non-default namedtuple field {field_name} "
+ f"cannot follow default field"
+ f"{'s' if len(default_names) > 1 else ''} "
+ f"{', '.join(default_names)}")
+ nm_tpl = _make_nmtuple(
+ typename, types.items(),
+ defaults=[ns[n] for n in default_names],
+ module=ns['__module__']
+ )
+ nm_tpl.__bases__ = bases
+ if typing.Generic in bases:
+ if hasattr(typing, '_generic_class_getitem'): # 3.12+
+ nm_tpl.__class_getitem__ = classmethod(typing._generic_class_getitem)
+ else:
+ class_getitem = typing.Generic.__class_getitem__.__func__
+ nm_tpl.__class_getitem__ = classmethod(class_getitem)
+ # update from user namespace without overriding special namedtuple attributes
+ for key, val in ns.items():
+ if key in _prohibited_namedtuple_fields:
+ raise AttributeError("Cannot overwrite NamedTuple attribute " + key)
+ elif key not in _special_namedtuple_fields:
+ if key not in nm_tpl._fields:
+ setattr(nm_tpl, key, ns[key])
+ try:
+ set_name = type(val).__set_name__
+ except AttributeError:
+ pass
+ else:
+ try:
+ set_name(val, nm_tpl, key)
+ except BaseException as e:
+ msg = (
+ f"Error calling __set_name__ on {type(val).__name__!r} "
+ f"instance {key!r} in {typename!r}"
+ )
+ # BaseException.add_note() existed on py311,
+ # but the __set_name__ machinery didn't start
+ # using add_note() until py312.
+ # Making sure exceptions are raised in the same way
+ # as in "normal" classes seems most important here.
+ if sys.version_info >= (3, 12):
+ e.add_note(msg)
+ raise
+ else:
+ raise RuntimeError(msg) from e
+
+ if typing.Generic in bases:
+ nm_tpl.__init_subclass__()
+ return nm_tpl
+
+ _NamedTuple = type.__new__(_NamedTupleMeta, 'NamedTuple', (), {})
+
+ def _namedtuple_mro_entries(bases):
+ assert NamedTuple in bases
+ return (_NamedTuple,)
+
+ @_ensure_subclassable(_namedtuple_mro_entries)
+ def NamedTuple(typename, fields=_marker, /, **kwargs):
+ """Typed version of namedtuple.
+
+ Usage::
+
+ class Employee(NamedTuple):
+ name: str
+ id: int
+
+ This is equivalent to::
+
+ Employee = collections.namedtuple('Employee', ['name', 'id'])
+
+ The resulting class has an extra __annotations__ attribute, giving a
+ dict that maps field names to types. (The field names are also in
+ the _fields attribute, which is part of the namedtuple API.)
+ An alternative equivalent functional syntax is also accepted::
+
+ Employee = NamedTuple('Employee', [('name', str), ('id', int)])
+ """
+ if fields is _marker:
+ if kwargs:
+ deprecated_thing = "Creating NamedTuple classes using keyword arguments"
+ deprecation_msg = (
+ "{name} is deprecated and will be disallowed in Python {remove}. "
+ "Use the class-based or functional syntax instead."
+ )
+ else:
+ deprecated_thing = "Failing to pass a value for the 'fields' parameter"
+ example = f"`{typename} = NamedTuple({typename!r}, [])`"
+ deprecation_msg = (
+ "{name} is deprecated and will be disallowed in Python {remove}. "
+ "To create a NamedTuple class with 0 fields "
+ "using the functional syntax, "
+ "pass an empty list, e.g. "
+ ) + example + "."
+ elif fields is None:
+ if kwargs:
+ raise TypeError(
+ "Cannot pass `None` as the 'fields' parameter "
+ "and also specify fields using keyword arguments"
+ )
+ else:
+ deprecated_thing = "Passing `None` as the 'fields' parameter"
+ example = f"`{typename} = NamedTuple({typename!r}, [])`"
+ deprecation_msg = (
+ "{name} is deprecated and will be disallowed in Python {remove}. "
+ "To create a NamedTuple class with 0 fields "
+ "using the functional syntax, "
+ "pass an empty list, e.g. "
+ ) + example + "."
+ elif kwargs:
+ raise TypeError("Either list of fields or keywords"
+ " can be provided to NamedTuple, not both")
+ if fields is _marker or fields is None:
+ warnings.warn(
+ deprecation_msg.format(name=deprecated_thing, remove="3.15"),
+ DeprecationWarning,
+ stacklevel=2,
+ )
+ fields = kwargs.items()
+ nt = _make_nmtuple(typename, fields, module=_caller())
+ nt.__orig_bases__ = (NamedTuple,)
+ return nt
+
+
+if hasattr(collections.abc, "Buffer"):
+ Buffer = collections.abc.Buffer
+else:
+ class Buffer(abc.ABC): # noqa: B024
+ """Base class for classes that implement the buffer protocol.
+
+ The buffer protocol allows Python objects to expose a low-level
+ memory buffer interface. Before Python 3.12, it is not possible
+ to implement the buffer protocol in pure Python code, or even
+ to check whether a class implements the buffer protocol. In
+ Python 3.12 and higher, the ``__buffer__`` method allows access
+ to the buffer protocol from Python code, and the
+ ``collections.abc.Buffer`` ABC allows checking whether a class
+ implements the buffer protocol.
+
+ To indicate support for the buffer protocol in earlier versions,
+ inherit from this ABC, either in a stub file or at runtime,
+ or use ABC registration. This ABC provides no methods, because
+ there is no Python-accessible methods shared by pre-3.12 buffer
+ classes. It is useful primarily for static checks.
+
+ """
+
+ # As a courtesy, register the most common stdlib buffer classes.
+ Buffer.register(memoryview)
+ Buffer.register(bytearray)
+ Buffer.register(bytes)
+
+
+# Backport of types.get_original_bases, available on 3.12+ in CPython
+if hasattr(_types, "get_original_bases"):
+ get_original_bases = _types.get_original_bases
+else:
+ def get_original_bases(cls, /):
+ """Return the class's "original" bases prior to modification by `__mro_entries__`.
+
+ Examples::
+
+ from typing import TypeVar, Generic
+ from typing_extensions import NamedTuple, TypedDict
+
+ T = TypeVar("T")
+ class Foo(Generic[T]): ...
+ class Bar(Foo[int], float): ...
+ class Baz(list[str]): ...
+ Eggs = NamedTuple("Eggs", [("a", int), ("b", str)])
+ Spam = TypedDict("Spam", {"a": int, "b": str})
+
+ assert get_original_bases(Bar) == (Foo[int], float)
+ assert get_original_bases(Baz) == (list[str],)
+ assert get_original_bases(Eggs) == (NamedTuple,)
+ assert get_original_bases(Spam) == (TypedDict,)
+ assert get_original_bases(int) == (object,)
+ """
+ try:
+ return cls.__dict__.get("__orig_bases__", cls.__bases__)
+ except AttributeError:
+ raise TypeError(
+ f'Expected an instance of type, not {type(cls).__name__!r}'
+ ) from None
+
+
+# NewType is a class on Python 3.10+, making it pickleable
+# The error message for subclassing instances of NewType was improved on 3.11+
+if sys.version_info >= (3, 11):
+ NewType = typing.NewType
+else:
+ class NewType:
+ """NewType creates simple unique types with almost zero
+ runtime overhead. NewType(name, tp) is considered a subtype of tp
+ by static type checkers. At runtime, NewType(name, tp) returns
+ a dummy callable that simply returns its argument. Usage::
+ UserId = NewType('UserId', int)
+ def name_by_id(user_id: UserId) -> str:
+ ...
+ UserId('user') # Fails type check
+ name_by_id(42) # Fails type check
+ name_by_id(UserId(42)) # OK
+ num = UserId(5) + 1 # type: int
+ """
+
+ def __call__(self, obj, /):
+ return obj
+
+ def __init__(self, name, tp):
+ self.__qualname__ = name
+ if '.' in name:
+ name = name.rpartition('.')[-1]
+ self.__name__ = name
+ self.__supertype__ = tp
+ def_mod = _caller()
+ if def_mod != 'typing_extensions':
+ self.__module__ = def_mod
+
+ def __mro_entries__(self, bases):
+ # We defined __mro_entries__ to get a better error message
+ # if a user attempts to subclass a NewType instance. bpo-46170
+ supercls_name = self.__name__
+
+ class Dummy:
+ def __init_subclass__(cls):
+ subcls_name = cls.__name__
+ raise TypeError(
+ f"Cannot subclass an instance of NewType. "
+ f"Perhaps you were looking for: "
+ f"`{subcls_name} = NewType({subcls_name!r}, {supercls_name})`"
+ )
+
+ return (Dummy,)
+
+ def __repr__(self):
+ return f'{self.__module__}.{self.__qualname__}'
+
+ def __reduce__(self):
+ return self.__qualname__
+
+ if sys.version_info >= (3, 10):
+ # PEP 604 methods
+ # It doesn't make sense to have these methods on Python <3.10
+
+ def __or__(self, other):
+ return typing.Union[self, other]
+
+ def __ror__(self, other):
+ return typing.Union[other, self]
+
+
+if hasattr(typing, "TypeAliasType"):
+ TypeAliasType = typing.TypeAliasType
+else:
+ def _is_unionable(obj):
+ """Corresponds to is_unionable() in unionobject.c in CPython."""
+ return obj is None or isinstance(obj, (
+ type,
+ _types.GenericAlias,
+ _types.UnionType,
+ TypeAliasType,
+ ))
+
+ class TypeAliasType:
+ """Create named, parameterized type aliases.
+
+ This provides a backport of the new `type` statement in Python 3.12:
+
+ type ListOrSet[T] = list[T] | set[T]
+
+ is equivalent to:
+
+ T = TypeVar("T")
+ ListOrSet = TypeAliasType("ListOrSet", list[T] | set[T], type_params=(T,))
+
+ The name ListOrSet can then be used as an alias for the type it refers to.
+
+ The type_params argument should contain all the type parameters used
+ in the value of the type alias. If the alias is not generic, this
+ argument is omitted.
+
+ Static type checkers should only support type aliases declared using
+ TypeAliasType that follow these rules:
+
+ - The first argument (the name) must be a string literal.
+ - The TypeAliasType instance must be immediately assigned to a variable
+ of the same name. (For example, 'X = TypeAliasType("Y", int)' is invalid,
+ as is 'X, Y = TypeAliasType("X", int), TypeAliasType("Y", int)').
+
+ """
+
+ def __init__(self, name: str, value, *, type_params=()):
+ if not isinstance(name, str):
+ raise TypeError("TypeAliasType name must be a string")
+ self.__value__ = value
+ self.__type_params__ = type_params
+
+ parameters = []
+ for type_param in type_params:
+ if isinstance(type_param, TypeVarTuple):
+ parameters.extend(type_param)
+ else:
+ parameters.append(type_param)
+ self.__parameters__ = tuple(parameters)
+ def_mod = _caller()
+ if def_mod != 'typing_extensions':
+ self.__module__ = def_mod
+ # Setting this attribute closes the TypeAliasType from further modification
+ self.__name__ = name
+
+ def __setattr__(self, name: str, value: object, /) -> None:
+ if hasattr(self, "__name__"):
+ self._raise_attribute_error(name)
+ super().__setattr__(name, value)
+
+ def __delattr__(self, name: str, /) -> Never:
+ self._raise_attribute_error(name)
+
+ def _raise_attribute_error(self, name: str) -> Never:
+ # Match the Python 3.12 error messages exactly
+ if name == "__name__":
+ raise AttributeError("readonly attribute")
+ elif name in {"__value__", "__type_params__", "__parameters__", "__module__"}:
+ raise AttributeError(
+ f"attribute '{name}' of 'typing.TypeAliasType' objects "
+ "is not writable"
+ )
+ else:
+ raise AttributeError(
+ f"'typing.TypeAliasType' object has no attribute '{name}'"
+ )
+
+ def __repr__(self) -> str:
+ return self.__name__
+
+ def __getitem__(self, parameters):
+ if not isinstance(parameters, tuple):
+ parameters = (parameters,)
+ parameters = [
+ typing._type_check(
+ item, f'Subscripting {self.__name__} requires a type.'
+ )
+ for item in parameters
+ ]
+ return typing._GenericAlias(self, tuple(parameters))
+
+ def __reduce__(self):
+ return self.__name__
+
+ def __init_subclass__(cls, *args, **kwargs):
+ raise TypeError(
+ "type 'typing_extensions.TypeAliasType' is not an acceptable base type"
+ )
+
+ # The presence of this method convinces typing._type_check
+ # that TypeAliasTypes are types.
+ def __call__(self):
+ raise TypeError("Type alias is not callable")
+
+ if sys.version_info >= (3, 10):
+ def __or__(self, right):
+ # For forward compatibility with 3.12, reject Unions
+ # that are not accepted by the built-in Union.
+ if not _is_unionable(right):
+ return NotImplemented
+ return typing.Union[self, right]
+
+ def __ror__(self, left):
+ if not _is_unionable(left):
+ return NotImplemented
+ return typing.Union[left, self]
+
+
+if hasattr(typing, "is_protocol"):
+ is_protocol = typing.is_protocol
+ get_protocol_members = typing.get_protocol_members
+else:
+ def is_protocol(tp: type, /) -> bool:
+ """Return True if the given type is a Protocol.
+
+ Example::
+
+ >>> from typing_extensions import Protocol, is_protocol
+ >>> class P(Protocol):
+ ... def a(self) -> str: ...
+ ... b: int
+ >>> is_protocol(P)
+ True
+ >>> is_protocol(int)
+ False
+ """
+ return (
+ isinstance(tp, type)
+ and getattr(tp, '_is_protocol', False)
+ and tp is not Protocol
+ and tp is not typing.Protocol
+ )
+
+ def get_protocol_members(tp: type, /) -> typing.FrozenSet[str]:
+ """Return the set of members defined in a Protocol.
+
+ Example::
+
+ >>> from typing_extensions import Protocol, get_protocol_members
+ >>> class P(Protocol):
+ ... def a(self) -> str: ...
+ ... b: int
+ >>> get_protocol_members(P)
+ frozenset({'a', 'b'})
+
+ Raise a TypeError for arguments that are not Protocols.
+ """
+ if not is_protocol(tp):
+ raise TypeError(f'{tp!r} is not a Protocol')
+ if hasattr(tp, '__protocol_attrs__'):
+ return frozenset(tp.__protocol_attrs__)
+ return frozenset(_get_protocol_attrs(tp))
+
+
+if hasattr(typing, "Doc"):
+ Doc = typing.Doc
+else:
+ class Doc:
+ """Define the documentation of a type annotation using ``Annotated``, to be
+ used in class attributes, function and method parameters, return values,
+ and variables.
+
+ The value should be a positional-only string literal to allow static tools
+ like editors and documentation generators to use it.
+
+ This complements docstrings.
+
+ The string value passed is available in the attribute ``documentation``.
+
+ Example::
+
+ >>> from typing_extensions import Annotated, Doc
+ >>> def hi(to: Annotated[str, Doc("Who to say hi to")]) -> None: ...
+ """
+ def __init__(self, documentation: str, /) -> None:
+ self.documentation = documentation
+
+ def __repr__(self) -> str:
+ return f"Doc({self.documentation!r})"
+
+ def __hash__(self) -> int:
+ return hash(self.documentation)
+
+ def __eq__(self, other: object) -> bool:
+ if not isinstance(other, Doc):
+ return NotImplemented
+ return self.documentation == other.documentation
+
+
+_CapsuleType = getattr(_types, "CapsuleType", None)
+
+if _CapsuleType is None:
+ try:
+ import _socket
+ except ImportError:
+ pass
+ else:
+ _CAPI = getattr(_socket, "CAPI", None)
+ if _CAPI is not None:
+ _CapsuleType = type(_CAPI)
+
+if _CapsuleType is not None:
+ CapsuleType = _CapsuleType
+ __all__.append("CapsuleType")
+
+
+# Aliases for items that have always been in typing.
+# Explicitly assign these (rather than using `from typing import *` at the top),
+# so that we get a CI error if one of these is deleted from typing.py
+# in a future version of Python
+AbstractSet = typing.AbstractSet
+AnyStr = typing.AnyStr
+BinaryIO = typing.BinaryIO
+Callable = typing.Callable
+Collection = typing.Collection
+Container = typing.Container
+Dict = typing.Dict
+ForwardRef = typing.ForwardRef
+FrozenSet = typing.FrozenSet
+Generic = typing.Generic
+Hashable = typing.Hashable
+IO = typing.IO
+ItemsView = typing.ItemsView
+Iterable = typing.Iterable
+Iterator = typing.Iterator
+KeysView = typing.KeysView
+List = typing.List
+Mapping = typing.Mapping
+MappingView = typing.MappingView
+Match = typing.Match
+MutableMapping = typing.MutableMapping
+MutableSequence = typing.MutableSequence
+MutableSet = typing.MutableSet
+Optional = typing.Optional
+Pattern = typing.Pattern
+Reversible = typing.Reversible
+Sequence = typing.Sequence
+Set = typing.Set
+Sized = typing.Sized
+TextIO = typing.TextIO
+Tuple = typing.Tuple
+Union = typing.Union
+ValuesView = typing.ValuesView
+cast = typing.cast
+no_type_check = typing.no_type_check
+no_type_check_decorator = typing.no_type_check_decorator
diff --git a/parrot/lib/python3.10/xml/etree/ElementInclude.py b/parrot/lib/python3.10/xml/etree/ElementInclude.py
new file mode 100644
index 0000000000000000000000000000000000000000..40a9b22292479fc43e8895a27e22b6846bc9abfe
--- /dev/null
+++ b/parrot/lib/python3.10/xml/etree/ElementInclude.py
@@ -0,0 +1,185 @@
+#
+# ElementTree
+# $Id: ElementInclude.py 3375 2008-02-13 08:05:08Z fredrik $
+#
+# limited xinclude support for element trees
+#
+# history:
+# 2003-08-15 fl created
+# 2003-11-14 fl fixed default loader
+#
+# Copyright (c) 2003-2004 by Fredrik Lundh. All rights reserved.
+#
+# fredrik@pythonware.com
+# http://www.pythonware.com
+#
+# --------------------------------------------------------------------
+# The ElementTree toolkit is
+#
+# Copyright (c) 1999-2008 by Fredrik Lundh
+#
+# By obtaining, using, and/or copying this software and/or its
+# associated documentation, you agree that you have read, understood,
+# and will comply with the following terms and conditions:
+#
+# Permission to use, copy, modify, and distribute this software and
+# its associated documentation for any purpose and without fee is
+# hereby granted, provided that the above copyright notice appears in
+# all copies, and that both that copyright notice and this permission
+# notice appear in supporting documentation, and that the name of
+# Secret Labs AB or the author not be used in advertising or publicity
+# pertaining to distribution of the software without specific, written
+# prior permission.
+#
+# SECRET LABS AB AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD
+# TO THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF MERCHANT-
+# ABILITY AND FITNESS. IN NO EVENT SHALL SECRET LABS AB OR THE AUTHOR
+# BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY
+# DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS,
+# WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS
+# ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE
+# OF THIS SOFTWARE.
+# --------------------------------------------------------------------
+
+# Licensed to PSF under a Contributor Agreement.
+# See https://www.python.org/psf/license for licensing details.
+
+##
+# Limited XInclude support for the ElementTree package.
+##
+
+import copy
+from . import ElementTree
+from urllib.parse import urljoin
+
+XINCLUDE = "{http://www.w3.org/2001/XInclude}"
+
+XINCLUDE_INCLUDE = XINCLUDE + "include"
+XINCLUDE_FALLBACK = XINCLUDE + "fallback"
+
+# For security reasons, the inclusion depth is limited to this read-only value by default.
+DEFAULT_MAX_INCLUSION_DEPTH = 6
+
+
+##
+# Fatal include error.
+
+class FatalIncludeError(SyntaxError):
+ pass
+
+
+class LimitedRecursiveIncludeError(FatalIncludeError):
+ pass
+
+
+##
+# Default loader. This loader reads an included resource from disk.
+#
+# @param href Resource reference.
+# @param parse Parse mode. Either "xml" or "text".
+# @param encoding Optional text encoding (UTF-8 by default for "text").
+# @return The expanded resource. If the parse mode is "xml", this
+# is an ElementTree instance. If the parse mode is "text", this
+# is a Unicode string. If the loader fails, it can return None
+# or raise an OSError exception.
+# @throws OSError If the loader fails to load the resource.
+
+def default_loader(href, parse, encoding=None):
+ if parse == "xml":
+ with open(href, 'rb') as file:
+ data = ElementTree.parse(file).getroot()
+ else:
+ if not encoding:
+ encoding = 'UTF-8'
+ with open(href, 'r', encoding=encoding) as file:
+ data = file.read()
+ return data
+
+##
+# Expand XInclude directives.
+#
+# @param elem Root element.
+# @param loader Optional resource loader. If omitted, it defaults
+# to {@link default_loader}. If given, it should be a callable
+# that implements the same interface as default_loader.
+# @param base_url The base URL of the original file, to resolve
+# relative include file references.
+# @param max_depth The maximum number of recursive inclusions.
+# Limited to reduce the risk of malicious content explosion.
+# Pass a negative value to disable the limitation.
+# @throws LimitedRecursiveIncludeError If the {@link max_depth} was exceeded.
+# @throws FatalIncludeError If the function fails to include a given
+# resource, or if the tree contains malformed XInclude elements.
+# @throws IOError If the function fails to load a given resource.
+# @returns the node or its replacement if it was an XInclude node
+
+def include(elem, loader=None, base_url=None,
+ max_depth=DEFAULT_MAX_INCLUSION_DEPTH):
+ if max_depth is None:
+ max_depth = -1
+ elif max_depth < 0:
+ raise ValueError("expected non-negative depth or None for 'max_depth', got %r" % max_depth)
+
+ if hasattr(elem, 'getroot'):
+ elem = elem.getroot()
+ if loader is None:
+ loader = default_loader
+
+ _include(elem, loader, base_url, max_depth, set())
+
+
+def _include(elem, loader, base_url, max_depth, _parent_hrefs):
+ # look for xinclude elements
+ i = 0
+ while i < len(elem):
+ e = elem[i]
+ if e.tag == XINCLUDE_INCLUDE:
+ # process xinclude directive
+ href = e.get("href")
+ if base_url:
+ href = urljoin(base_url, href)
+ parse = e.get("parse", "xml")
+ if parse == "xml":
+ if href in _parent_hrefs:
+ raise FatalIncludeError("recursive include of %s" % href)
+ if max_depth == 0:
+ raise LimitedRecursiveIncludeError(
+ "maximum xinclude depth reached when including file %s" % href)
+ _parent_hrefs.add(href)
+ node = loader(href, parse)
+ if node is None:
+ raise FatalIncludeError(
+ "cannot load %r as %r" % (href, parse)
+ )
+ node = copy.copy(node) # FIXME: this makes little sense with recursive includes
+ _include(node, loader, href, max_depth - 1, _parent_hrefs)
+ _parent_hrefs.remove(href)
+ if e.tail:
+ node.tail = (node.tail or "") + e.tail
+ elem[i] = node
+ elif parse == "text":
+ text = loader(href, parse, e.get("encoding"))
+ if text is None:
+ raise FatalIncludeError(
+ "cannot load %r as %r" % (href, parse)
+ )
+ if e.tail:
+ text += e.tail
+ if i:
+ node = elem[i-1]
+ node.tail = (node.tail or "") + text
+ else:
+ elem.text = (elem.text or "") + text
+ del elem[i]
+ continue
+ else:
+ raise FatalIncludeError(
+ "unknown parse type in xi:include tag (%r)" % parse
+ )
+ elif e.tag == XINCLUDE_FALLBACK:
+ raise FatalIncludeError(
+ "xi:fallback tag must be child of xi:include (%r)" % e.tag
+ )
+ else:
+ _include(e, loader, base_url, max_depth, _parent_hrefs)
+ i += 1
diff --git a/parrot/lib/python3.10/xml/etree/cElementTree.py b/parrot/lib/python3.10/xml/etree/cElementTree.py
new file mode 100644
index 0000000000000000000000000000000000000000..368e679189582990ab92cd73b8b820e74df253a7
--- /dev/null
+++ b/parrot/lib/python3.10/xml/etree/cElementTree.py
@@ -0,0 +1,3 @@
+# Deprecated alias for xml.etree.ElementTree
+
+from xml.etree.ElementTree import *
diff --git a/parrot/lib/python3.10/zoneinfo/_tzpath.py b/parrot/lib/python3.10/zoneinfo/_tzpath.py
new file mode 100644
index 0000000000000000000000000000000000000000..672560b9514429e18598cdada8e1a086c6b29cef
--- /dev/null
+++ b/parrot/lib/python3.10/zoneinfo/_tzpath.py
@@ -0,0 +1,175 @@
+import os
+import sysconfig
+
+
+def reset_tzpath(to=None):
+ global TZPATH
+
+ tzpaths = to
+ if tzpaths is not None:
+ if isinstance(tzpaths, (str, bytes)):
+ raise TypeError(
+ f"tzpaths must be a list or tuple, "
+ + f"not {type(tzpaths)}: {tzpaths!r}"
+ )
+
+ if not all(map(os.path.isabs, tzpaths)):
+ raise ValueError(_get_invalid_paths_message(tzpaths))
+ base_tzpath = tzpaths
+ else:
+ env_var = os.environ.get("PYTHONTZPATH", None)
+ if env_var is not None:
+ base_tzpath = _parse_python_tzpath(env_var)
+ else:
+ base_tzpath = _parse_python_tzpath(
+ sysconfig.get_config_var("TZPATH")
+ )
+
+ TZPATH = tuple(base_tzpath)
+
+
+def _parse_python_tzpath(env_var):
+ if not env_var:
+ return ()
+
+ raw_tzpath = env_var.split(os.pathsep)
+ new_tzpath = tuple(filter(os.path.isabs, raw_tzpath))
+
+ # If anything has been filtered out, we will warn about it
+ if len(new_tzpath) != len(raw_tzpath):
+ import warnings
+
+ msg = _get_invalid_paths_message(raw_tzpath)
+
+ warnings.warn(
+ "Invalid paths specified in PYTHONTZPATH environment variable. "
+ + msg,
+ InvalidTZPathWarning,
+ )
+
+ return new_tzpath
+
+
+def _get_invalid_paths_message(tzpaths):
+ invalid_paths = (path for path in tzpaths if not os.path.isabs(path))
+
+ prefix = "\n "
+ indented_str = prefix + prefix.join(invalid_paths)
+
+ return (
+ "Paths should be absolute but found the following relative paths:"
+ + indented_str
+ )
+
+
+def find_tzfile(key):
+ """Retrieve the path to a TZif file from a key."""
+ _validate_tzfile_path(key)
+ for search_path in TZPATH:
+ filepath = os.path.join(search_path, key)
+ if os.path.isfile(filepath):
+ return filepath
+
+ return None
+
+
+_TEST_PATH = os.path.normpath(os.path.join("_", "_"))[:-1]
+
+
+def _validate_tzfile_path(path, _base=_TEST_PATH):
+ if os.path.isabs(path):
+ raise ValueError(
+ f"ZoneInfo keys may not be absolute paths, got: {path}"
+ )
+
+ # We only care about the kinds of path normalizations that would change the
+ # length of the key - e.g. a/../b -> a/b, or a/b/ -> a/b. On Windows,
+ # normpath will also change from a/b to a\b, but that would still preserve
+ # the length.
+ new_path = os.path.normpath(path)
+ if len(new_path) != len(path):
+ raise ValueError(
+ f"ZoneInfo keys must be normalized relative paths, got: {path}"
+ )
+
+ resolved = os.path.normpath(os.path.join(_base, new_path))
+ if not resolved.startswith(_base):
+ raise ValueError(
+ f"ZoneInfo keys must refer to subdirectories of TZPATH, got: {path}"
+ )
+
+
+del _TEST_PATH
+
+
+def available_timezones():
+ """Returns a set containing all available time zones.
+
+ .. caution::
+
+ This may attempt to open a large number of files, since the best way to
+ determine if a given file on the time zone search path is to open it
+ and check for the "magic string" at the beginning.
+ """
+ from importlib import resources
+
+ valid_zones = set()
+
+ # Start with loading from the tzdata package if it exists: this has a
+ # pre-assembled list of zones that only requires opening one file.
+ try:
+ with resources.open_text("tzdata", "zones") as f:
+ for zone in f:
+ zone = zone.strip()
+ if zone:
+ valid_zones.add(zone)
+ except (ImportError, FileNotFoundError):
+ pass
+
+ def valid_key(fpath):
+ try:
+ with open(fpath, "rb") as f:
+ return f.read(4) == b"TZif"
+ except Exception: # pragma: nocover
+ return False
+
+ for tz_root in TZPATH:
+ if not os.path.exists(tz_root):
+ continue
+
+ for root, dirnames, files in os.walk(tz_root):
+ if root == tz_root:
+ # right/ and posix/ are special directories and shouldn't be
+ # included in the output of available zones
+ if "right" in dirnames:
+ dirnames.remove("right")
+ if "posix" in dirnames:
+ dirnames.remove("posix")
+
+ for file in files:
+ fpath = os.path.join(root, file)
+
+ key = os.path.relpath(fpath, start=tz_root)
+ if os.sep != "/": # pragma: nocover
+ key = key.replace(os.sep, "/")
+
+ if not key or key in valid_zones:
+ continue
+
+ if valid_key(fpath):
+ valid_zones.add(key)
+
+ if "posixrules" in valid_zones:
+ # posixrules is a special symlink-only time zone where it exists, it
+ # should not be included in the output
+ valid_zones.remove("posixrules")
+
+ return valid_zones
+
+
+class InvalidTZPathWarning(RuntimeWarning):
+ """Warning raised if an invalid path is specified in PYTHONTZPATH."""
+
+
+TZPATH = ()
+reset_tzpath()