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 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559
//! SPIR-V decorations specific to `rustc_codegen_spirv`, produced during
//! the original codegen of a crate, and consumed by the `linker`.
use crate::builder_spirv::BuilderSpirv;
use crate::custom_insts::{self, CustomInst};
use either::Either;
use itertools::Itertools;
use rspirv::dr::{Instruction, Module, Operand};
use rspirv::spirv::{Decoration, Op, Word};
use rustc_data_structures::fx::FxIndexMap;
use rustc_data_structures::sync::Lrc;
use rustc_span::{source_map::SourceMap, Span};
use rustc_span::{FileName, SourceFile};
use smallvec::SmallVec;
use std::borrow::Cow;
use std::marker::PhantomData;
use std::ops::Range;
use std::path::PathBuf;
use std::{fmt, iter, slice, str};
/// Decorations not native to SPIR-V require some form of encoding into existing
/// SPIR-V constructs, for which we use `OpDecorateString` with decoration type
/// `UserTypeGOOGLE` and some encoded Rust value as the decoration string.
///
/// Each decoration type has to implement this trait, and use a different
/// `ENCODING_PREFIX` from any other decoration type, to disambiguate them.
///
/// Also, all decorations have to be stripped by the linker at some point,
/// ideally as soon as they're no longer needed, because no other tools
/// processing the SPIR-V would understand them correctly.
///
/// TODO: uses `non_semantic` instead of piggybacking off of `UserTypeGOOGLE`
/// <https://htmlpreview.github.io/?https://github.com/KhronosGroup/SPIRV-Registry/blob/master/extensions/KHR/SPV_KHR_non_semantic_info.html>
pub trait CustomDecoration<'a>: Sized {
const ENCODING_PREFIX: &'static str;
fn encode(self, w: &mut impl fmt::Write) -> fmt::Result;
fn decode(s: &'a str) -> Self;
fn encode_to_inst(self, id: Word) -> Instruction {
let mut encoded = Self::ENCODING_PREFIX.to_string();
self.encode(&mut encoded).unwrap();
Instruction::new(
Op::DecorateString,
None,
None,
vec![
Operand::IdRef(id),
Operand::Decoration(Decoration::UserTypeGOOGLE),
Operand::LiteralString(encoded),
],
)
}
fn try_decode_from_inst(inst: &Instruction) -> Option<(Word, LazilyDecoded<'_, Self>)> {
if inst.class.opcode == Op::DecorateString
&& inst.operands[1].unwrap_decoration() == Decoration::UserTypeGOOGLE
{
let id = inst.operands[0].unwrap_id_ref();
let prefixed_encoded = inst.operands[2].unwrap_literal_string();
let encoded = prefixed_encoded.strip_prefix(Self::ENCODING_PREFIX)?;
Some((
id,
LazilyDecoded {
encoded,
_marker: PhantomData,
},
))
} else {
None
}
}
fn decode_all(module: &Module) -> DecodeAllIter<'_, Self> {
module
.annotations
.iter()
.filter_map(Self::try_decode_from_inst as fn(_) -> _)
}
fn remove_all(module: &mut Module) {
module
.annotations
.retain(|inst| Self::try_decode_from_inst(inst).is_none());
}
}
// HACK(eddyb) return type of `CustomDecoration::decode_all`, in lieu of
// `-> impl Iterator<Item = (Word, LazilyDecoded<'_, Self>)` in the trait.
type DecodeAllIter<'a, D> = iter::FilterMap<
slice::Iter<'a, Instruction>,
fn(&'a Instruction) -> Option<(Word, LazilyDecoded<'a, D>)>,
>;
/// Helper allowing full decoding to be avoided where possible.
//
// FIXME(eddyb) is this even needed? (decoding impls are now much cheaper)
pub struct LazilyDecoded<'a, D> {
encoded: &'a str,
_marker: PhantomData<D>,
}
impl<'a, D: CustomDecoration<'a>> LazilyDecoded<'a, D> {
pub fn decode(&self) -> D {
D::decode(self.encoded)
}
}
pub struct ZombieDecoration<'a> {
pub reason: Cow<'a, str>,
}
impl<'a> CustomDecoration<'a> for ZombieDecoration<'a> {
const ENCODING_PREFIX: &'static str = "Z";
fn encode(self, w: &mut impl fmt::Write) -> fmt::Result {
let Self { reason } = self;
w.write_str(&reason)
}
fn decode(s: &'a str) -> Self {
Self { reason: s.into() }
}
}
/// Equivalent of `CustomInst::SetDebugSrcLoc` (see `crate::custom_insts`),
/// for global definitions (i.e. outside functions), where limitations of
/// `rspirv`/`spirt` prevent us from using anything other than decorations.
//
// NOTE(eddyb) `CustomInst::SetDebugSrcLoc` is modelled after `DebugLine` from
// `NonSemantic.Shader.DebugInfo`, might be good to invest in SPIR-T being able
// to use `NonSemantic.Shader.DebugInfo` directly, in all situations.
#[derive(Copy, Clone)]
pub struct SrcLocDecoration<'a> {
pub file_name: &'a str,
pub line_start: u32,
pub line_end: u32,
pub col_start: u32,
pub col_end: u32,
}
impl<'a> CustomDecoration<'a> for SrcLocDecoration<'a> {
const ENCODING_PREFIX: &'static str = "L";
fn encode(self, w: &mut impl fmt::Write) -> fmt::Result {
let Self {
file_name,
line_start,
line_end,
col_start,
col_end,
} = self;
write!(
w,
"{file_name}:{line_start}:{col_start}-{line_end}:{col_end}"
)
}
fn decode(s: &'a str) -> Self {
#[derive(Copy, Clone, Debug)]
struct InvalidSrcLoc<'a>(&'a str);
let err = InvalidSrcLoc(s);
let (s, col_end) = s.rsplit_once(':').ok_or(err).unwrap();
let (s, line_end) = s.rsplit_once('-').ok_or(err).unwrap();
let (s, col_start) = s.rsplit_once(':').ok_or(err).unwrap();
let (s, line_start) = s.rsplit_once(':').ok_or(err).unwrap();
let file_name = s;
Self {
file_name,
line_start: line_start.parse().unwrap(),
line_end: line_end.parse().unwrap(),
col_start: col_start.parse().unwrap(),
col_end: col_end.parse().unwrap(),
}
}
}
impl<'tcx> SrcLocDecoration<'tcx> {
pub fn from_rustc_span(span: Span, builder: &BuilderSpirv<'tcx>) -> Option<Self> {
// We may not always have valid spans.
// FIXME(eddyb) reduce the sources of this as much as possible.
if span.is_dummy() {
return None;
}
let (file, line_col_range) = builder.file_line_col_range_for_debuginfo(span);
let ((line_start, col_start), (line_end, col_end)) =
(line_col_range.start, line_col_range.end);
Some(Self {
file_name: file.file_name,
line_start,
line_end,
col_start,
col_end,
})
}
}
/// Helper type to delay most of the work necessary to turn a `SrcLocDecoration`
/// back into an usable `Span`, until it's actually needed (i.e. for an error).
pub struct SpanRegenerator<'a> {
source_map: &'a SourceMap,
module: Either<&'a Module, &'a spirt::Module>,
src_loc_decorations: Option<FxIndexMap<Word, LazilyDecoded<'a, SrcLocDecoration<'a>>>>,
// HACK(eddyb) this has no really good reason to belong here, but it's easier
// to handle it together with `SrcLocDecoration`, than separately.
zombie_decorations: Option<FxIndexMap<Word, LazilyDecoded<'a, ZombieDecoration<'a>>>>,
// HACK(eddyb) this is mostly replicating SPIR-T's module-level debuginfo.
spv_debug_info: Option<SpvDebugInfo<'a>>,
}
#[derive(Default)]
struct SpvDebugInfo<'a> {
/// ID of `OpExtInstImport` for our custom "extended instruction set",
/// if present (see `crate::custom_insts` for more details).
custom_ext_inst_set_import: Option<Word>,
// HACK(eddyb) this is only needed because `OpExtInst`s can't have immediates,
// and must resort to referencing `OpConstant`s instead.
id_to_op_constant_operand: FxIndexMap<Word, &'a Operand>,
id_to_op_string: FxIndexMap<Word, &'a str>,
files: FxIndexMap<&'a str, SpvDebugFile<'a>>,
}
impl<'a> SpvDebugInfo<'a> {
fn collect(module: Either<&'a Module, &'a spirt::Module>) -> Self {
let mut this = Self::default();
let module = match module {
Either::Left(module) => module,
// HACK(eddyb) the SPIR-T codepath is simpler, and kind of silly,
// but we need the `SpvDebugFile`'s `regenerated_rustc_source_file`
// caching, so for now it reuses `SpvDebugInfo` overall.
Either::Right(module) => {
let cx = module.cx_ref();
match &module.debug_info {
spirt::ModuleDebugInfo::Spv(debug_info) => {
for sources in debug_info.source_languages.values() {
for (&file_name, src) in &sources.file_contents {
// FIXME(eddyb) what if the file is already present,
// should it be considered ambiguous overall?
this.files
.entry(&cx[file_name])
.or_default()
.op_source_parts = [&src[..]].into_iter().collect();
}
}
}
}
return this;
}
};
// FIXME(eddyb) avoid repeating this across different passes/helpers.
this.custom_ext_inst_set_import = module
.ext_inst_imports
.iter()
.find(|inst| {
assert_eq!(inst.class.opcode, Op::ExtInstImport);
inst.operands[0].unwrap_literal_string() == &custom_insts::CUSTOM_EXT_INST_SET[..]
})
.map(|inst| inst.result_id.unwrap());
this.id_to_op_constant_operand.extend(
module
.types_global_values
.iter()
.filter(|inst| inst.class.opcode == Op::Constant)
.map(|inst| (inst.result_id.unwrap(), &inst.operands[0])),
);
let mut insts = module.debug_string_source.iter().peekable();
while let Some(inst) = insts.next() {
match inst.class.opcode {
Op::String => {
this.id_to_op_string.insert(
inst.result_id.unwrap(),
inst.operands[0].unwrap_literal_string(),
);
}
Op::Source if inst.operands.len() == 4 => {
let file_name_id = inst.operands[2].unwrap_id_ref();
if let Some(&file_name) = this.id_to_op_string.get(&file_name_id) {
let mut file = SpvDebugFile::default();
file.op_source_parts
.push(inst.operands[3].unwrap_literal_string());
while let Some(&next_inst) = insts.peek() {
if next_inst.class.opcode != Op::SourceContinued {
break;
}
insts.next();
file.op_source_parts
.push(next_inst.operands[0].unwrap_literal_string());
}
// FIXME(eddyb) what if the file is already present,
// should it be considered ambiguous overall?
this.files.insert(file_name, file);
}
}
_ => {}
}
}
this
}
}
// HACK(eddyb) this is mostly replicating SPIR-T's module-level debuginfo.
#[derive(Default)]
struct SpvDebugFile<'a> {
/// Source strings from one `OpSource`, and any number of `OpSourceContinued`.
op_source_parts: SmallVec<[&'a str; 1]>,
regenerated_rustc_source_file: Option<Lrc<SourceFile>>,
}
impl<'a> SpanRegenerator<'a> {
pub fn new(source_map: &'a SourceMap, module: &'a Module) -> Self {
Self {
source_map,
module: Either::Left(module),
src_loc_decorations: None,
zombie_decorations: None,
spv_debug_info: None,
}
}
pub fn new_spirt(source_map: &'a SourceMap, module: &'a spirt::Module) -> Self {
Self {
source_map,
module: Either::Right(module),
src_loc_decorations: None,
zombie_decorations: None,
spv_debug_info: None,
}
}
pub fn src_loc_for_id(&mut self, id: Word) -> Option<SrcLocDecoration<'a>> {
self.src_loc_decorations
.get_or_insert_with(|| {
SrcLocDecoration::decode_all(self.module.left().unwrap()).collect()
})
.get(&id)
.map(|src_loc| src_loc.decode())
}
// HACK(eddyb) this has no really good reason to belong here, but it's easier
// to handle it together with `SrcLocDecoration`, than separately.
pub(crate) fn zombie_for_id(&mut self, id: Word) -> Option<ZombieDecoration<'a>> {
self.zombie_decorations
.get_or_insert_with(|| {
ZombieDecoration::decode_all(self.module.left().unwrap()).collect()
})
.get(&id)
.map(|zombie| zombie.decode())
}
/// Extract the equivalent `SrcLocDecoration` from a debug instruction that
/// specifies some source location (both the standard `OpLine`, and our own
/// custom instruction, i.e. `CustomInst::SetDebugSrcLoc`, are supported).
pub fn src_loc_from_debug_inst(&mut self, inst: &Instruction) -> Option<SrcLocDecoration<'a>> {
let spv_debug_info = self
.spv_debug_info
.get_or_insert_with(|| SpvDebugInfo::collect(self.module));
let (file_id, line_start, line_end, col_start, col_end) = match inst.class.opcode {
Op::Line => {
let file = inst.operands[0].unwrap_id_ref();
let line = inst.operands[1].unwrap_literal_int32();
let col = inst.operands[2].unwrap_literal_int32();
(file, line, line, col, col)
}
Op::ExtInst
if Some(inst.operands[0].unwrap_id_ref())
== spv_debug_info.custom_ext_inst_set_import =>
{
match CustomInst::decode(inst) {
CustomInst::SetDebugSrcLoc {
file,
line_start,
line_end,
col_start,
col_end,
} => {
let const_u32 = |operand: Operand| {
spv_debug_info.id_to_op_constant_operand[&operand.unwrap_id_ref()]
.unwrap_literal_int32()
};
(
file.unwrap_id_ref(),
const_u32(line_start),
const_u32(line_end),
const_u32(col_start),
const_u32(col_end),
)
}
custom_inst => {
unreachable!("src_loc_from_debug_inst({inst:?} => {custom_inst:?})")
}
}
}
_ => unreachable!("src_loc_from_debug_inst({inst:?})"),
};
spv_debug_info
.id_to_op_string
.get(&file_id)
.map(|&file_name| SrcLocDecoration {
file_name,
line_start,
line_end,
col_start,
col_end,
})
}
fn regenerate_rustc_source_file(&mut self, file_name: &str) -> Option<&SourceFile> {
let spv_debug_file = self
.spv_debug_info
.get_or_insert_with(|| SpvDebugInfo::collect(self.module))
.files
.get_mut(file_name)?;
let file = &mut spv_debug_file.regenerated_rustc_source_file;
if file.is_none() {
// FIXME(eddyb) reduce allocations here by checking if the file is
// already loaded, and not allocating just to compare the source,
// but at least it's cheap when `OpSourceContinued` isn't used.
let src = match &spv_debug_file.op_source_parts[..] {
&[part] => Cow::Borrowed(part),
parts => parts.concat().into(),
};
// HACK(eddyb) in case the file has changed, and because `SourceMap`
// is strictly monotonic, we need to come up with some other name.
let mut sm_file_name_candidates = [PathBuf::from(file_name).into()]
.into_iter()
.chain((0..).map(|i| FileName::Custom(format!("outdated({i}) {file_name}"))));
*file = sm_file_name_candidates.find_map(|sm_file_name_candidate| {
let sf = self
.source_map
.new_source_file(sm_file_name_candidate, src.clone().into_owned());
// Only use this `FileName` candidate if we either:
// 1. reused a `SourceFile` with the right `src`/`external_src`
// 2. allocated a new `SourceFile` with our choice of `src`
self.source_map.ensure_source_file_source_present(&sf);
let sf_src_matches = sf
.src
.as_ref()
.map(|sf_src| sf_src[..] == src[..])
.or_else(|| {
sf.external_src
.borrow()
.get_source()
.map(|sf_src| sf_src[..] == src[..])
})
.unwrap_or(false);
if sf_src_matches { Some(sf) } else { None }
});
}
file.as_deref()
}
pub fn src_loc_to_rustc(&mut self, src_loc: SrcLocDecoration<'_>) -> Option<Span> {
let SrcLocDecoration {
file_name,
line_start,
line_end,
col_start,
col_end,
} = src_loc;
let file = self.regenerate_rustc_source_file(file_name)?;
// FIXME(eddyb) avoid some of the duplicated work when this closure is
// called with `line`/`col` values that are near eachother - thankfully,
// this code should only be hit on the error reporting path anyway.
let line_col_to_bpos = |line: u32, col: u32| {
let line_bpos_range = file.line_bounds(line.checked_sub(1)? as usize);
// Find the special cases (`MultiByteChar`s/`NonNarrowChar`s) in the line.
let multibyte_chars = {
let find = |bpos| {
file.multibyte_chars
.binary_search_by_key(&file.relative_position(bpos), |mbc| mbc.pos)
.unwrap_or_else(|x| x)
};
let Range { start, end } = line_bpos_range;
file.multibyte_chars[find(start)..find(end)].iter()
};
let non_narrow_chars = {
let find = |bpos| {
file.non_narrow_chars
.binary_search_by_key(&file.relative_position(bpos), |nnc| nnc.pos())
.unwrap_or_else(|x| x)
};
let Range { start, end } = line_bpos_range;
file.non_narrow_chars[find(start)..find(end)].iter()
};
let mut special_chars = multibyte_chars
.merge_join_by(non_narrow_chars, |mbc, nnc| mbc.pos.cmp(&nnc.pos()))
.peekable();
// Increment the `BytePos` until we reach the right `col_display`, using
// `MultiByteChar`s/`NonNarrowChar`s to track non-trivial contributions
// (this may look inefficient, but lines tend to be short, and `rustc`
// itself is even worse than this, when it comes to `BytePos` lookups).
let (mut cur_bpos, mut cur_col_display) = (line_bpos_range.start, 0);
while cur_bpos < line_bpos_range.end && cur_col_display < col {
let next_special_bpos = special_chars
.peek()
.map(|special| {
special
.as_ref()
.map_any(|mbc| mbc.pos, |nnc| nnc.pos())
.reduce(|x, _| x)
})
.map(|rel_bpos| file.absolute_position(rel_bpos));
// Batch trivial chars (i.e. chars 1:1 wrt `BytePos` vs `col_display`).
let following_trivial_chars =
next_special_bpos.unwrap_or(line_bpos_range.end).0 - cur_bpos.0;
if following_trivial_chars > 0 {
let wanted_trivial_chars = following_trivial_chars.min(col - cur_col_display);
cur_bpos.0 += wanted_trivial_chars;
cur_col_display += wanted_trivial_chars;
continue;
}
// Add a special char's `BytePos` and `col_display` contributions.
let mbc_nnc = special_chars.next().unwrap();
cur_bpos.0 += mbc_nnc.as_ref().left().map_or(1, |mbc| mbc.bytes as u32);
cur_col_display += mbc_nnc.as_ref().right().map_or(1, |nnc| nnc.width() as u32);
}
Some(cur_bpos)
};
Some(Span::with_root_ctxt(
line_col_to_bpos(line_start, col_start)?,
line_col_to_bpos(line_end, col_end)?,
))
}
}