1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269
|
import dataclasses
import logging
import os
import uuid
from pathlib import Path
from typing import List, Optional, Tuple
from torch._dynamo.utils import counters, dynamo_timed, set_feature_use
from torch._utils_internal import justknobs_check
from .runtime.runtime_utils import triton_cache_dir
from .utils import GPU_KERNEL_BIN_EXTS
log = logging.getLogger(__name__)
@dataclasses.dataclass(frozen=True)
class TritonBundleEntry:
"""
When we have compiled a triton kernel, we take note of that kernel by
its triton generated hash, its device, and where this kernel is located.
This is the minimum information we can use to later retrieve this kernel
from file system.
"""
kernel_hash: str
device: int
directory: str
@dataclasses.dataclass(frozen=True)
class TritonKernelArtifact:
"""
Artifact for an individual kernel converted to bytes.
Bytes could be a cubin, json, ttir, or ttgir.
"""
filename: str
payload: bytes = dataclasses.field(repr=False) # Do not display binary
@dataclasses.dataclass(frozen=True)
class TritonKernelArtifacts:
"""
Collection of artifacts for a particular kernel.
"""
kernel_hash: str
device: int
artifacts: List[TritonKernelArtifact]
@dataclasses.dataclass(frozen=True)
class TritonBundlerMetadata:
"""
Metadata used for instrumentation
"""
cached_kernel_names: List[str]
class TritonBundler:
"""
Lightweight Triton Kernel bundler that notes each time we compile a triton
kernel. When collect is called, converts all the previously noted kernels and
their artifacts into a structured bytes blob, and later when write is called
it writes this structured blob back to file system.
Intended Life cycle:
- TritonBundler.begin_compile is called when we start compiling in Inductor
- TritonBundler.put is called each time a Triton Kernel is compiled
- TritonBundler.collect is called when a cache entry is being generated
- TritonBundler.end_compile is called to indicate bundling is completed,
collect will execute this function as well.
- TritonBundler.read_and_emit is called when a cache entry is read
"""
_entries: Optional[List[TritonBundleEntry]] = None
# __grp__kernel_name.json contains metadata with source code paths
# we use this as sentinal value for search and replace
_REPLACE_BYTES: bytes = b"[REPLACE]"
@staticmethod
def is_enabled() -> bool:
from torch._inductor import config
if config.force_disable_caches:
return False
if (b := config.bundle_triton_into_fx_graph_cache) is not None:
return b
if not config.is_fbcode():
return False
return justknobs_check(
"pytorch/remote_cache:bundle_triton_into_fx_graph_cache_v2"
)
@classmethod
def begin_compile(cls) -> None:
"""
Initializes the TritonBundler.
The current TritonBundler bundle is finalized by TritonBundler.collect.
"""
if not TritonBundler.is_enabled():
return
log.debug("TritonBundler.begin_compile is called")
assert cls._entries is None
cls._entries = []
@classmethod
def end_compile(cls) -> None:
"""
Finalizes the TritonBundler. If collect is not yet called, it
discards the current bundle.
"""
log.debug("TritonBundler.end_compile is called")
cls._entries = None
@classmethod
def put(cls, kernel_hash: str, device: int) -> None:
"""
Lazily observes that we have seen a Triton kernel compilation. Remembers
it for when collect is later called.
"""
if (entries := cls._entries) is not None:
entries.append(
TritonBundleEntry(kernel_hash, device, triton_cache_dir(device))
)
@classmethod
def collect(
cls,
) -> Tuple[List[TritonKernelArtifacts], Optional[TritonBundlerMetadata]]:
"""
This is the main function called when a cache write happens. This function
converts all the previously remembered kernels into bundled format so that
it can be written into a cache entry.
This function also finalizes the current bundle.
"""
if not TritonBundler.is_enabled():
cls.end_compile()
set_feature_use(
"pytorch/remote_cache:bundle_triton_into_fx_graph_cache_v2", False
)
return [], None
set_feature_use(
"pytorch/remote_cache:bundle_triton_into_fx_graph_cache_v2", True
)
with dynamo_timed(key="TritonBundler.collect", log_pt2_compile_event=True):
entries = cls._entries
if entries is not None:
result: List[TritonKernelArtifacts] = []
kernel_names: List[str] = []
for entry in entries:
artifacts: List[TritonKernelArtifact] = []
path = os.path.join(entry.directory, entry.kernel_hash)
if not os.path.exists(path):
continue
for filename in os.listdir(path):
filepath = os.path.join(path, filename)
try:
assert os.path.isfile(filepath)
with open(filepath, "rb") as file:
payload = file.read()
if filepath.endswith(".json"):
# Make sure there's no sentinel value
if TritonBundler._REPLACE_BYTES in payload:
log.warning(
"Bundle contains illegal %s, payload: %s",
TritonBundler._REPLACE_BYTES,
payload,
)
raise AssertionError(
"Bundle contains illegal bytes"
)
# Remove the path from payload
payload = payload.replace(
str.encode(path), TritonBundler._REPLACE_BYTES
)
artifacts.append(
TritonKernelArtifact(filename, payload)
)
counters["inductor"]["triton_bundler_save_kernel"] += 1
except Exception:
log.debug("failed to collect triton kernel", exc_info=True)
extension = os.path.splitext(filename)[1]
if extension in GPU_KERNEL_BIN_EXTS.values():
# Each kernel has bunch of files like .cubin(for cuda), .spv(for xpu), .json, .ttir
# Just append one of them without the extension
kernel_names.append(Path(filename).stem)
if artifacts:
result.append(
TritonKernelArtifacts(
entry.kernel_hash,
entry.device,
artifacts,
)
)
cls.end_compile()
return result, TritonBundlerMetadata(kernel_names)
return [], None
@staticmethod
def read_and_emit(
bundle: List[TritonKernelArtifacts],
) -> Optional[TritonBundlerMetadata]:
"""
This is the main function called when a cache read happens. This function
converts the bundled format back into individual files and writes them
to the filesystem.
NOTE: When we are writing to the filesystem, we assume exclusive access
to the target directory.
This means that if the target folder already exists and is non-empty,
we bail out.
Exclusive access means that no other process should be writing to
or reading from the target directory.
"""
if not TritonBundler.is_enabled():
return None
with dynamo_timed(
key="TritonBundler.read_and_emit", log_pt2_compile_event=True
):
kernel_names: List[str] = []
for artifacts in bundle:
basedir = triton_cache_dir(artifacts.device)
directory = os.path.join(basedir, artifacts.kernel_hash)
if os.path.exists(directory) and len(os.listdir(directory)) != 0:
# If directory already exists, we bail out and leave
# local disk to take care of caching
log.debug(
"Bailing out TritonBundler.read_and_emit, %s is non empty",
directory,
)
continue
Path(directory).mkdir(parents=True, exist_ok=True)
# Random ID to avoid any collisions
rnd_id = str(uuid.uuid4())
tmp_dir = os.path.join(basedir, f"tmp.{rnd_id}")
os.makedirs(tmp_dir)
for artifact in artifacts.artifacts:
filepath = os.path.join(tmp_dir, artifact.filename)
with open(filepath, "wb") as file:
payload = artifact.payload
if artifact.filename.endswith(".json"):
payload = payload.replace(
TritonBundler._REPLACE_BYTES, str.encode(directory)
)
file.write(payload)
counters["inductor"]["triton_bundler_read_and_emit_kernel"] += 1
extension = os.path.splitext(artifact.filename)[1]
if extension in GPU_KERNEL_BIN_EXTS.values():
# Each kernel has bunch of files like .cubin(for cuda), spv(for xpu), .json, .ttir
# Just append one of them without the extension
kernel_names.append(Path(artifact.filename).stem)
# Atomic on POSIX systems
os.replace(tmp_dir, directory)
return TritonBundlerMetadata(kernel_names)
|