1use spirv_tools_sys::{diagnostics, shared};
2
3pub use diagnostics::MessageLevel;
4pub use shared::SpirvResult;
5
6#[derive(Debug, PartialEq)]
7pub struct Error {
8 pub inner: shared::SpirvResult,
9 pub diagnostic: Option<Diagnostic>,
10}
11
12use std::fmt;
13
14impl fmt::Display for Error {
15 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
16 match &self.diagnostic {
17 Some(diag) => {
18 f.write_fmt(format_args!(
19 "error:{}:{} - {}",
20 diag.line, diag.column, diag.message
21 ))?;
22
23 if !diag.notes.is_empty() {
24 f.write_fmt(format_args!("\n{}", diag.notes))?;
25 }
26
27 Ok(())
28 }
29 None => f.write_str("an unknown error occurred"),
30 }
31 }
32}
33
34impl std::error::Error for Error {
35 fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
36 Some(&self.inner)
37 }
38}
39
40#[derive(Debug, Clone, PartialEq, Eq)]
41pub struct Diagnostic {
42 pub line: usize,
43 pub column: usize,
44 pub index: usize,
45 pub message: String,
46 pub notes: String,
47 pub is_text: bool,
48}
49
50#[cfg(feature = "use-compiled-tools")]
51impl Diagnostic {
52 pub(crate) unsafe fn from_diag(
53 diag: *mut diagnostics::Diagnostic,
54 ) -> Result<Self, shared::SpirvResult> {
55 if diag.is_null() {
56 return Err(shared::SpirvResult::Success);
57 }
58
59 let (message, notes) = Message::message_and_notes_from_cstr((*diag).error);
60
61 let res = Self {
62 line: (*diag).position.line,
63 column: (*diag).position.column,
64 index: (*diag).position.index,
65 message,
66 notes,
67 is_text: (*diag).is_text_source,
68 };
69
70 diagnostics::diagnostic_destroy(diag);
71 Ok(res)
72 }
73}
74
75impl From<String> for Diagnostic {
76 fn from(message: String) -> Self {
77 Self {
78 line: 0,
79 column: 0,
80 index: 0,
81 is_text: false,
82 message,
83 notes: String::new(),
84 }
85 }
86}
87
88impl From<Message> for Diagnostic {
89 fn from(msg: Message) -> Self {
90 Self {
91 line: msg.line,
92 column: msg.column,
93 index: msg.index,
94 message: msg.message,
95 notes: msg.notes,
96 is_text: false,
97 }
98 }
99}
100
101#[derive(Debug)]
102pub struct Message {
103 pub level: MessageLevel,
104 pub source: Option<String>,
105 pub line: usize,
106 pub column: usize,
107 pub index: usize,
108 pub message: String,
109 pub notes: String,
111}
112
113impl Message {
114 #[cfg(feature = "use-installed-tools")]
115 pub(crate) fn fatal(message: String) -> Self {
116 Self {
117 level: MessageLevel::Fatal,
118 source: None,
119 line: 0,
120 column: 0,
121 index: 0,
122 message,
123 notes: String::new(),
124 }
125 }
126
127 #[cfg(feature = "use-compiled-tools")]
128 unsafe fn message_and_notes_from_cstr(msg: *const std::os::raw::c_char) -> (String, String) {
129 let full_message = std::ffi::CStr::from_ptr(msg).to_string_lossy();
130
131 if let Some(ind) = full_message.find('\n') {
132 (
133 full_message[..ind].to_owned(),
134 full_message[ind + 1..].to_owned(),
135 )
136 } else {
137 (full_message.into_owned(), String::new())
138 }
139 }
140
141 #[cfg(feature = "use-compiled-tools")]
142 pub(crate) fn from_parts(
143 level: MessageLevel,
144 source: *const std::os::raw::c_char,
145 source_pos: *const diagnostics::Position,
146 msg: *const std::os::raw::c_char,
147 ) -> Self {
148 unsafe {
149 let source = if source.is_null() {
150 None
151 } else {
152 Some(std::ffi::CStr::from_ptr(source).to_string_lossy())
153 };
154
155 let (message, notes) = Self::message_and_notes_from_cstr(msg);
156
157 let (line, column, index) = if source_pos.is_null() {
158 (0, 0, 0)
159 } else {
160 (
161 (*source_pos).line,
162 (*source_pos).column,
163 (*source_pos).index,
164 )
165 };
166
167 Self {
168 level,
169 source: source.and_then(|source| {
170 if source.is_empty() {
171 None
172 } else {
173 Some(source.into_owned())
174 }
175 }),
176 line,
177 column,
178 index,
179 message,
180 notes,
181 }
182 }
183 }
184
185 #[cfg(feature = "use-installed-tools")]
186 pub(crate) fn parse(s: &str) -> Option<Self> {
187 s.find(": ")
188 .and_then(|i| {
189 let level = match &s[..i] {
190 "error" => MessageLevel::Error,
191 "warning" => MessageLevel::Warning,
192 "info" => MessageLevel::Info,
193 _ => return None,
194 };
195
196 Some((level, i))
197 })
198 .and_then(|(level, i)| {
199 s[i + 7..]
200 .find(": ")
201 .and_then(|i2| {
202 s[i + 7..i + 7 + i2]
203 .parse::<usize>()
204 .ok()
205 .map(|index| (index, i2))
206 })
207 .map(|(index, i2)| (level, index, i + 7 + i2 + 2))
208 })
209 .map(|(level, index, last)| Self {
210 level,
211 index,
212 message: s[last..].to_owned(),
213 source: None,
214 line: 0,
215 column: 0,
216 notes: String::new(),
217 })
218 }
219}
220
221pub trait MessageCallback {
222 fn on_message(&mut self, msg: Message);
223}
224
225impl<F> MessageCallback for F
226where
227 F: FnMut(Message),
228{
229 fn on_message(&mut self, msg: Message) {
230 self(msg);
231 }
232}