iced_x86/formatter/
intel.rs

1// SPDX-License-Identifier: MIT
2// Copyright (C) 2018-present iced project and contributors
3
4pub(super) mod enums;
5mod fmt_data;
6mod fmt_tbl;
7mod info;
8mod mem_size_tbl;
9#[cfg(test)]
10mod tests;
11
12use crate::formatter::fmt_consts::*;
13use crate::formatter::fmt_utils::*;
14use crate::formatter::fmt_utils_all::*;
15use crate::formatter::instruction_internal::get_address_size_in_bytes;
16use crate::formatter::intel::enums::*;
17use crate::formatter::intel::fmt_tbl::ALL_INFOS;
18use crate::formatter::intel::info::*;
19use crate::formatter::intel::mem_size_tbl::Info;
20use crate::formatter::intel::mem_size_tbl::MEM_SIZE_TBL;
21use crate::formatter::num_fmt::*;
22use crate::formatter::regs_tbl_ls::REGS_TBL;
23use crate::formatter::*;
24use crate::iced_constants::IcedConstants;
25use crate::iced_error::IcedError;
26use crate::instruction_internal;
27use crate::*;
28use alloc::boxed::Box;
29use alloc::vec::Vec;
30
31/// Intel formatter (same as Intel XED)
32///
33/// # Examples
34///
35/// ```
36/// use iced_x86::*;
37///
38/// let bytes = b"\x62\xF2\x4F\xDD\x72\x50\x01";
39/// let mut decoder = Decoder::new(64, bytes, DecoderOptions::NONE);
40/// let instr = decoder.decode();
41///
42/// let mut output = String::new();
43/// let mut formatter = IntelFormatter::new();
44/// formatter.options_mut().set_uppercase_mnemonics(true);
45/// formatter.format(&instr, &mut output);
46/// assert_eq!("VCVTNE2PS2BF16 zmm2{k5}{z},zmm6,[rax+4]{1to16}", output);
47/// ```
48///
49/// # Using a symbol resolver
50///
51/// ```
52/// use iced_x86::*;
53/// use std::collections::HashMap;
54///
55/// let bytes = b"\x48\x8B\x8A\xA5\x5A\xA5\x5A";
56/// let mut decoder = Decoder::new(64, bytes, DecoderOptions::NONE);
57/// let instr = decoder.decode();
58///
59/// struct MySymbolResolver { map: HashMap<u64, String> }
60/// impl SymbolResolver for MySymbolResolver {
61///     fn symbol(&mut self, _instruction: &Instruction, _operand: u32, _instruction_operand: Option<u32>,
62///          address: u64, _address_size: u32) -> Option<SymbolResult> {
63///         if let Some(symbol_string) = self.map.get(&address) {
64///             // The 'address' arg is the address of the symbol and doesn't have to be identical
65///             // to the 'address' arg passed to symbol(). If it's different from the input
66///             // address, the formatter will add +N or -N, eg. '[rax+symbol+123]'
67///             Some(SymbolResult::with_str(address, symbol_string.as_str()))
68///         } else {
69///             None
70///         }
71///     }
72/// }
73///
74/// // Hard code the symbols, it's just an example!😄
75/// let mut sym_map: HashMap<u64, String> = HashMap::new();
76/// sym_map.insert(0x5AA55AA5, String::from("my_data"));
77///
78/// let mut output = String::new();
79/// let resolver = Box::new(MySymbolResolver { map: sym_map });
80/// let mut formatter = IntelFormatter::with_options(Some(resolver), None);
81/// formatter.format(&instr, &mut output);
82/// assert_eq!("mov rcx,[rdx+my_data]", output);
83/// ```
84#[allow(missing_debug_implementations)]
85pub struct IntelFormatter {
86	d: SelfData,
87	number_formatter: NumberFormatter,
88	symbol_resolver: Option<Box<dyn SymbolResolver>>,
89	options_provider: Option<Box<dyn FormatterOptionsProvider>>,
90}
91
92impl Default for IntelFormatter {
93	#[must_use]
94	#[inline]
95	fn default() -> Self {
96		IntelFormatter::new()
97	}
98}
99
100// Read-only data which is needed a couple of times due to borrow checker
101struct SelfData {
102	options: FormatterOptions,
103	all_registers: &'static [FormatterString; IcedConstants::REGISTER_ENUM_COUNT],
104	instr_infos: &'static [Box<dyn InstrInfo + Send + Sync>; IcedConstants::CODE_ENUM_COUNT],
105	all_memory_sizes: &'static [Info; IcedConstants::MEMORY_SIZE_ENUM_COUNT],
106	str_: &'static FormatterConstants,
107	vec_: &'static FormatterArrayConstants,
108}
109
110impl IntelFormatter {
111	/// Creates an Intel (XED) formatter
112	#[must_use]
113	#[inline]
114	pub fn new() -> Self {
115		IntelFormatter::with_options(None, None)
116	}
117
118	/// Creates an Intel (XED) formatter
119	///
120	/// # Arguments
121	///
122	/// - `symbol_resolver`: Symbol resolver or `None`
123	/// - `options_provider`: Operand options provider or `None`
124	#[must_use]
125	#[allow(clippy::missing_inline_in_public_items)]
126	pub fn with_options(symbol_resolver: Option<Box<dyn SymbolResolver>>, options_provider: Option<Box<dyn FormatterOptionsProvider>>) -> Self {
127		Self {
128			d: SelfData {
129				options: FormatterOptions::with_intel(),
130				all_registers: &REGS_TBL,
131				instr_infos: &ALL_INFOS,
132				all_memory_sizes: &MEM_SIZE_TBL,
133				str_: &FORMATTER_CONSTANTS,
134				vec_: &ARRAY_CONSTS,
135			},
136			number_formatter: NumberFormatter::new(),
137			symbol_resolver,
138			options_provider,
139		}
140	}
141
142	fn format_mnemonic(
143		&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput, op_info: &InstrOpInfo<'_>, column: &mut u32, mnemonic_options: u32,
144	) {
145		let mut need_space = false;
146		if (mnemonic_options & FormatMnemonicOptions::NO_PREFIXES) == 0 && (op_info.flags & InstrOpInfoFlags::MNEMONIC_IS_DIRECTIVE as u16) == 0 {
147			let prefix_seg = instruction.segment_prefix();
148
149			const PREFIX_FLAGS: u32 = (InstrOpInfoFlags::SIZE_OVERRIDE_MASK << InstrOpInfoFlags::OP_SIZE_SHIFT)
150				| (InstrOpInfoFlags::SIZE_OVERRIDE_MASK << InstrOpInfoFlags::ADDR_SIZE_SHIFT)
151				| InstrOpInfoFlags::BND_PREFIX
152				| InstrOpInfoFlags::JCC_NOT_TAKEN
153				| InstrOpInfoFlags::JCC_TAKEN;
154			if ((prefix_seg as u32)
155				| instruction_internal::internal_has_any_of_lock_rep_repne_prefix(instruction)
156				| ((op_info.flags as u32) & PREFIX_FLAGS))
157				!= 0
158			{
159				let mut prefix;
160
161				prefix = &self.d.vec_.intel_op_size_strings
162					[((op_info.flags as usize) >> InstrOpInfoFlags::OP_SIZE_SHIFT) & InstrOpInfoFlags::SIZE_OVERRIDE_MASK as usize];
163				if !prefix.is_default() {
164					IntelFormatter::format_prefix(&self.d.options, output, instruction, column, prefix, PrefixKind::OperandSize, &mut need_space);
165				}
166
167				prefix = &self.d.vec_.intel_addr_size_strings
168					[((op_info.flags as usize) >> InstrOpInfoFlags::ADDR_SIZE_SHIFT) & InstrOpInfoFlags::SIZE_OVERRIDE_MASK as usize];
169				if !prefix.is_default() {
170					IntelFormatter::format_prefix(&self.d.options, output, instruction, column, prefix, PrefixKind::AddressSize, &mut need_space);
171				}
172
173				let has_notrack_prefix = prefix_seg == Register::DS && is_notrack_prefix_branch(instruction.code());
174				if !has_notrack_prefix && prefix_seg != Register::None && self.show_segment_prefix(instruction, op_info) {
175					IntelFormatter::format_prefix(
176						&self.d.options,
177						output,
178						instruction,
179						column,
180						&self.d.all_registers[prefix_seg as usize],
181						get_segment_register_prefix_kind(prefix_seg),
182						&mut need_space,
183					);
184				}
185
186				if instruction.has_xacquire_prefix() {
187					IntelFormatter::format_prefix(
188						&self.d.options,
189						output,
190						instruction,
191						column,
192						&self.d.str_.xacquire,
193						PrefixKind::Xacquire,
194						&mut need_space,
195					);
196				}
197				if instruction.has_xrelease_prefix() {
198					IntelFormatter::format_prefix(
199						&self.d.options,
200						output,
201						instruction,
202						column,
203						&self.d.str_.xrelease,
204						PrefixKind::Xrelease,
205						&mut need_space,
206					);
207				}
208				if instruction.has_lock_prefix() {
209					IntelFormatter::format_prefix(&self.d.options, output, instruction, column, &self.d.str_.lock, PrefixKind::Lock, &mut need_space);
210				}
211
212				if (op_info.flags & InstrOpInfoFlags::JCC_NOT_TAKEN as u16) != 0 {
213					IntelFormatter::format_prefix(
214						&self.d.options,
215						output,
216						instruction,
217						column,
218						&self.d.str_.hint_not_taken,
219						PrefixKind::HintNotTaken,
220						&mut need_space,
221					);
222				} else if (op_info.flags & InstrOpInfoFlags::JCC_TAKEN as u16) != 0 {
223					IntelFormatter::format_prefix(
224						&self.d.options,
225						output,
226						instruction,
227						column,
228						&self.d.str_.hint_taken,
229						PrefixKind::HintTaken,
230						&mut need_space,
231					);
232				}
233
234				if has_notrack_prefix {
235					IntelFormatter::format_prefix(
236						&self.d.options,
237						output,
238						instruction,
239						column,
240						&self.d.str_.notrack,
241						PrefixKind::Notrack,
242						&mut need_space,
243					);
244				}
245				let has_bnd = (op_info.flags & InstrOpInfoFlags::BND_PREFIX as u16) != 0;
246				if has_bnd {
247					IntelFormatter::format_prefix(&self.d.options, output, instruction, column, &self.d.str_.bnd, PrefixKind::Bnd, &mut need_space);
248				}
249
250				if instruction.has_repe_prefix() && show_rep_or_repe_prefix(instruction.code(), &self.d.options) {
251					if is_repe_or_repne_instruction(instruction.code()) {
252						IntelFormatter::format_prefix(
253							&self.d.options,
254							output,
255							instruction,
256							column,
257							get_mnemonic_cc(&self.d.options, 4, &self.d.str_.repe),
258							PrefixKind::Repe,
259							&mut need_space,
260						);
261					} else {
262						IntelFormatter::format_prefix(
263							&self.d.options,
264							output,
265							instruction,
266							column,
267							&self.d.str_.rep,
268							PrefixKind::Rep,
269							&mut need_space,
270						);
271					}
272				}
273				if !has_bnd && instruction.has_repne_prefix() && show_repne_prefix(instruction.code(), &self.d.options) {
274					IntelFormatter::format_prefix(
275						&self.d.options,
276						output,
277						instruction,
278						column,
279						get_mnemonic_cc(&self.d.options, 5, &self.d.str_.repne),
280						PrefixKind::Repne,
281						&mut need_space,
282					);
283				}
284			}
285		}
286
287		if (mnemonic_options & FormatMnemonicOptions::NO_MNEMONIC) == 0 {
288			if need_space {
289				output.write(" ", FormatterTextKind::Text);
290				*column += 1;
291			}
292			let mnemonic = op_info.mnemonic;
293			if (op_info.flags & InstrOpInfoFlags::MNEMONIC_IS_DIRECTIVE as u16) != 0 {
294				output.write(mnemonic.get(self.d.options.uppercase_keywords() || self.d.options.uppercase_all()), FormatterTextKind::Directive);
295			} else {
296				output.write_mnemonic(instruction, mnemonic.get(self.d.options.uppercase_mnemonics() || self.d.options.uppercase_all()));
297			}
298			*column += mnemonic.len() as u32;
299
300			if (op_info.flags & InstrOpInfoFlags::FAR_MNEMONIC as u16) != 0 {
301				output.write(" ", FormatterTextKind::Text);
302				// This should be treated as part of the mnemonic
303				output.write_mnemonic(instruction, self.d.str_.far.get(self.d.options.uppercase_mnemonics() || self.d.options.uppercase_all()));
304				*column += (self.d.str_.far.len() + 1) as u32;
305			}
306		}
307	}
308
309	fn show_segment_prefix(&self, instruction: &Instruction, op_info: &InstrOpInfo<'_>) -> bool {
310		if (op_info.flags & InstrOpInfoFlags::IGNORE_SEGMENT_PREFIX as u16) != 0 {
311			return false;
312		}
313
314		match instruction.code() {
315			Code::Monitorw
316			| Code::Monitord
317			| Code::Monitorq
318			| Code::Monitorxw
319			| Code::Monitorxd
320			| Code::Monitorxq
321			| Code::Clzerow
322			| Code::Clzerod
323			| Code::Clzeroq
324			| Code::Umonitor_r16
325			| Code::Umonitor_r32
326			| Code::Umonitor_r64 => return show_segment_prefix(Register::DS, instruction, &self.d.options),
327
328			_ => {}
329		}
330
331		for i in 0..op_info.op_count as u32 {
332			match op_info.op_kind(i) {
333				InstrOpKind::Register
334				| InstrOpKind::NearBranch16
335				| InstrOpKind::NearBranch32
336				| InstrOpKind::NearBranch64
337				| InstrOpKind::FarBranch16
338				| InstrOpKind::FarBranch32
339				| InstrOpKind::Immediate8
340				| InstrOpKind::Immediate8_2nd
341				| InstrOpKind::Immediate16
342				| InstrOpKind::Immediate32
343				| InstrOpKind::Immediate64
344				| InstrOpKind::Immediate8to16
345				| InstrOpKind::Immediate8to32
346				| InstrOpKind::Immediate8to64
347				| InstrOpKind::Immediate32to64
348				| InstrOpKind::MemoryESDI
349				| InstrOpKind::MemoryESEDI
350				| InstrOpKind::MemoryESRDI
351				| InstrOpKind::DeclareByte
352				| InstrOpKind::DeclareWord
353				| InstrOpKind::DeclareDword
354				| InstrOpKind::DeclareQword => {}
355
356				InstrOpKind::MemorySegSI
357				| InstrOpKind::MemorySegESI
358				| InstrOpKind::MemorySegRSI
359				| InstrOpKind::MemorySegDI
360				| InstrOpKind::MemorySegEDI
361				| InstrOpKind::MemorySegRDI
362				| InstrOpKind::Memory => return false,
363			}
364		}
365		self.d.options.show_useless_prefixes()
366	}
367
368	fn format_prefix(
369		options: &FormatterOptions, output: &mut dyn FormatterOutput, instruction: &Instruction, column: &mut u32, prefix: &FormatterString,
370		prefix_kind: PrefixKind, need_space: &mut bool,
371	) {
372		if *need_space {
373			*column += 1;
374			output.write(" ", FormatterTextKind::Text);
375		}
376		output.write_prefix(instruction, prefix.get(options.uppercase_prefixes() || options.uppercase_all()), prefix_kind);
377		*column += prefix.len() as u32;
378		*need_space = true;
379	}
380
381	fn format_operands(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput, op_info: &InstrOpInfo<'_>) {
382		for i in 0..op_info.op_count as u32 {
383			if i > 0 {
384				output.write(",", FormatterTextKind::Punctuation);
385				if self.d.options.space_after_operand_separator() {
386					output.write(" ", FormatterTextKind::Text);
387				}
388			}
389			self.format_operand(instruction, output, op_info, i);
390		}
391	}
392
393	fn format_operand(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput, op_info: &InstrOpInfo<'_>, operand: u32) {
394		debug_assert!(operand < op_info.op_count as u32);
395
396		#[cfg(feature = "mvex")]
397		let mvex_rm_operand = {
398			if IcedConstants::is_mvex(instruction.code()) {
399				let op_count = instruction.op_count();
400				debug_assert_ne!(op_count, 0);
401				if instruction.op_kind(op_count.wrapping_sub(1)) == OpKind::Immediate8 {
402					op_count.wrapping_sub(2)
403				} else {
404					op_count.wrapping_sub(1)
405				}
406			} else {
407				u32::MAX
408			}
409		};
410
411		let instruction_operand = op_info.instruction_index(operand);
412
413		let flow_control;
414		let mut imm8;
415		let mut imm16;
416		let mut imm32;
417		let mut imm64;
418		let value64;
419		let imm_size;
420		let mut operand_options;
421		let number_kind;
422		let op_kind = op_info.op_kind(operand);
423		match op_kind {
424			InstrOpKind::Register => {
425				IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, op_info.op_register(operand))
426			}
427
428			InstrOpKind::NearBranch16 | InstrOpKind::NearBranch32 | InstrOpKind::NearBranch64 => {
429				if op_kind == InstrOpKind::NearBranch64 {
430					imm_size = 8;
431					imm64 = instruction.near_branch64();
432					number_kind = NumberKind::UInt64;
433				} else if op_kind == InstrOpKind::NearBranch32 {
434					imm_size = 4;
435					imm64 = instruction.near_branch32() as u64;
436					number_kind = NumberKind::UInt32;
437				} else {
438					imm_size = 2;
439					imm64 = instruction.near_branch16() as u64;
440					number_kind = NumberKind::UInt16;
441				}
442				operand_options = FormatterOperandOptions::new(if self.d.options.show_branch_size() {
443					FormatterOperandOptionsFlags::NONE
444				} else {
445					FormatterOperandOptionsFlags::NO_BRANCH_SIZE
446				});
447				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
448					symbol_resolver.symbol(instruction, operand, instruction_operand, imm64, imm_size)
449				} else {
450					None
451				} {
452					IntelFormatter::format_flow_control(&self.d, output, op_info.flags as u32, operand_options);
453					let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
454					if let Some(ref mut options_provider) = self.options_provider {
455						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
456					}
457					FormatterOutputMethods::write1(
458						output,
459						instruction,
460						operand,
461						instruction_operand,
462						&self.d.options,
463						&mut self.number_formatter,
464						&number_options,
465						imm64,
466						symbol,
467						self.d.options.show_symbol_address(),
468					);
469				} else {
470					flow_control = get_flow_control(instruction);
471					IntelFormatter::format_flow_control(&self.d, output, op_info.flags as u32, operand_options);
472					let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
473					if let Some(ref mut options_provider) = self.options_provider {
474						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
475					}
476					let s = if op_kind == InstrOpKind::NearBranch32 {
477						self.number_formatter.format_u32_zeros(
478							&self.d.options,
479							&number_options,
480							instruction.near_branch32(),
481							number_options.leading_zeros,
482						)
483					} else if op_kind == InstrOpKind::NearBranch64 {
484						self.number_formatter.format_u64_zeros(
485							&self.d.options,
486							&number_options,
487							instruction.near_branch64(),
488							number_options.leading_zeros,
489						)
490					} else {
491						self.number_formatter.format_u16_zeros(
492							&self.d.options,
493							&number_options,
494							instruction.near_branch16(),
495							number_options.leading_zeros,
496						)
497					};
498					output.write_number(
499						instruction,
500						operand,
501						instruction_operand,
502						s,
503						imm64,
504						number_kind,
505						if is_call(flow_control) { FormatterTextKind::FunctionAddress } else { FormatterTextKind::LabelAddress },
506					);
507				}
508			}
509
510			InstrOpKind::FarBranch16 | InstrOpKind::FarBranch32 => {
511				if op_kind == InstrOpKind::FarBranch32 {
512					imm_size = 4;
513					imm64 = instruction.far_branch32() as u64;
514					number_kind = NumberKind::UInt32;
515				} else {
516					imm_size = 2;
517					imm64 = instruction.far_branch16() as u64;
518					number_kind = NumberKind::UInt16;
519				}
520				operand_options = FormatterOperandOptions::new(if self.d.options.show_branch_size() {
521					FormatterOperandOptionsFlags::NONE
522				} else {
523					FormatterOperandOptionsFlags::NO_BRANCH_SIZE
524				});
525				let mut vec: Vec<SymResTextPart<'_>> = Vec::new();
526				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
527					to_owned(symbol_resolver.symbol(instruction, operand, instruction_operand, imm64 as u32 as u64, imm_size), &mut vec)
528				} else {
529					None
530				} {
531					IntelFormatter::format_flow_control(&self.d, output, op_info.flags as u32, operand_options);
532					let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
533					if let Some(ref mut options_provider) = self.options_provider {
534						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
535					}
536					FormatterOutputMethods::write1(
537						output,
538						instruction,
539						operand,
540						instruction_operand,
541						&self.d.options,
542						&mut self.number_formatter,
543						&number_options,
544						imm64,
545						symbol,
546						self.d.options.show_symbol_address(),
547					);
548					output.write(",", FormatterTextKind::Punctuation);
549					if self.d.options.space_after_operand_separator() {
550						output.write(" ", FormatterTextKind::Text);
551					}
552					debug_assert!(operand + 1 == 1);
553					let selector_symbol = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
554						symbol_resolver.symbol(instruction, operand + 1, instruction_operand, instruction.far_branch_selector() as u64, 2)
555					} else {
556						None
557					};
558					if let Some(ref selector_symbol) = selector_symbol {
559						let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
560						if let Some(ref mut options_provider) = self.options_provider {
561							options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
562						}
563						FormatterOutputMethods::write1(
564							output,
565							instruction,
566							operand,
567							instruction_operand,
568							&self.d.options,
569							&mut self.number_formatter,
570							&number_options,
571							instruction.far_branch_selector() as u64,
572							selector_symbol,
573							self.d.options.show_symbol_address(),
574						);
575					} else {
576						let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
577						if let Some(ref mut options_provider) = self.options_provider {
578							options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
579						}
580						let s = self.number_formatter.format_u16_zeros(
581							&self.d.options,
582							&number_options,
583							instruction.far_branch_selector(),
584							number_options.leading_zeros,
585						);
586						output.write_number(
587							instruction,
588							operand,
589							instruction_operand,
590							s,
591							instruction.far_branch_selector() as u64,
592							NumberKind::UInt16,
593							FormatterTextKind::SelectorValue,
594						);
595					}
596				} else {
597					flow_control = get_flow_control(instruction);
598					IntelFormatter::format_flow_control(&self.d, output, op_info.flags as u32, operand_options);
599					let s = if op_kind == InstrOpKind::FarBranch32 {
600						let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
601						if let Some(ref mut options_provider) = self.options_provider {
602							options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
603						}
604						self.number_formatter.format_u32_zeros(
605							&self.d.options,
606							&number_options,
607							instruction.far_branch32(),
608							number_options.leading_zeros,
609						)
610					} else {
611						let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
612						if let Some(ref mut options_provider) = self.options_provider {
613							options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
614						}
615						self.number_formatter.format_u16_zeros(
616							&self.d.options,
617							&number_options,
618							instruction.far_branch16(),
619							number_options.leading_zeros,
620						)
621					};
622					output.write_number(
623						instruction,
624						operand,
625						instruction_operand,
626						s,
627						imm64,
628						number_kind,
629						if is_call(flow_control) { FormatterTextKind::FunctionAddress } else { FormatterTextKind::LabelAddress },
630					);
631					output.write(",", FormatterTextKind::Punctuation);
632					if self.d.options.space_after_operand_separator() {
633						output.write(" ", FormatterTextKind::Text);
634					}
635					let mut number_options = NumberFormattingOptions::with_branch(&self.d.options);
636					if let Some(ref mut options_provider) = self.options_provider {
637						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
638					}
639					let s = self.number_formatter.format_u16_zeros(
640						&self.d.options,
641						&number_options,
642						instruction.far_branch_selector(),
643						number_options.leading_zeros,
644					);
645					output.write_number(
646						instruction,
647						operand,
648						instruction_operand,
649						s,
650						instruction.far_branch_selector() as u64,
651						NumberKind::UInt16,
652						FormatterTextKind::SelectorValue,
653					);
654				}
655			}
656
657			InstrOpKind::Immediate8 | InstrOpKind::Immediate8_2nd | InstrOpKind::DeclareByte => {
658				if op_kind == InstrOpKind::Immediate8 {
659					imm8 = instruction.immediate8();
660				} else if op_kind == InstrOpKind::Immediate8_2nd {
661					imm8 = instruction.immediate8_2nd();
662				} else {
663					imm8 = instruction.get_declare_byte_value(operand as usize);
664				}
665				operand_options = FormatterOperandOptions::default();
666				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
667					symbol_resolver.symbol(instruction, operand, instruction_operand, imm8 as u64, 1)
668				} else {
669					None
670				} {
671					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
672					if let Some(ref mut options_provider) = self.options_provider {
673						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
674					}
675					FormatterOutputMethods::write1(
676						output,
677						instruction,
678						operand,
679						instruction_operand,
680						&self.d.options,
681						&mut self.number_formatter,
682						&number_options,
683						imm8 as u64,
684						symbol,
685						self.d.options.show_symbol_address(),
686					);
687				} else {
688					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
689					if let Some(ref mut options_provider) = self.options_provider {
690						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
691					}
692					if number_options.signed_number {
693						imm64 = imm8 as i8 as u64;
694						number_kind = NumberKind::Int8;
695						if (imm8 as i8) < 0 {
696							output.write("-", FormatterTextKind::Operator);
697							imm8 = (imm8 as i8).wrapping_neg() as u8;
698						}
699					} else {
700						imm64 = imm8 as u64;
701						number_kind = NumberKind::UInt8;
702					}
703					let s = self.number_formatter.format_u8(&self.d.options, &number_options, imm8);
704					output.write_number(instruction, operand, instruction_operand, s, imm64, number_kind, FormatterTextKind::Number);
705				}
706			}
707
708			InstrOpKind::Immediate16 | InstrOpKind::Immediate8to16 | InstrOpKind::DeclareWord => {
709				if op_kind == InstrOpKind::Immediate16 {
710					imm16 = instruction.immediate16();
711				} else if op_kind == InstrOpKind::Immediate8to16 {
712					imm16 = instruction.immediate8to16() as u16;
713				} else {
714					imm16 = instruction.get_declare_word_value(operand as usize);
715				}
716				operand_options = FormatterOperandOptions::default();
717				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
718					symbol_resolver.symbol(instruction, operand, instruction_operand, imm16 as u64, 2)
719				} else {
720					None
721				} {
722					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
723					if let Some(ref mut options_provider) = self.options_provider {
724						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
725					}
726					FormatterOutputMethods::write1(
727						output,
728						instruction,
729						operand,
730						instruction_operand,
731						&self.d.options,
732						&mut self.number_formatter,
733						&number_options,
734						imm16 as u64,
735						symbol,
736						self.d.options.show_symbol_address(),
737					);
738				} else {
739					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
740					if let Some(ref mut options_provider) = self.options_provider {
741						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
742					}
743					if number_options.signed_number {
744						imm64 = imm16 as i16 as u64;
745						number_kind = NumberKind::Int16;
746						if (imm16 as i16) < 0 {
747							output.write("-", FormatterTextKind::Operator);
748							imm16 = (imm16 as i16).wrapping_neg() as u16;
749						}
750					} else {
751						imm64 = imm16 as u64;
752						number_kind = NumberKind::UInt16;
753					}
754					let s = self.number_formatter.format_u16(&self.d.options, &number_options, imm16);
755					output.write_number(instruction, operand, instruction_operand, s, imm64, number_kind, FormatterTextKind::Number);
756				}
757			}
758
759			InstrOpKind::Immediate32 | InstrOpKind::Immediate8to32 | InstrOpKind::DeclareDword => {
760				if op_kind == InstrOpKind::Immediate32 {
761					imm32 = instruction.immediate32();
762				} else if op_kind == InstrOpKind::Immediate8to32 {
763					imm32 = instruction.immediate8to32() as u32;
764				} else {
765					imm32 = instruction.get_declare_dword_value(operand as usize);
766				}
767				operand_options = FormatterOperandOptions::default();
768				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
769					symbol_resolver.symbol(instruction, operand, instruction_operand, imm32 as u64, 4)
770				} else {
771					None
772				} {
773					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
774					if let Some(ref mut options_provider) = self.options_provider {
775						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
776					}
777					FormatterOutputMethods::write1(
778						output,
779						instruction,
780						operand,
781						instruction_operand,
782						&self.d.options,
783						&mut self.number_formatter,
784						&number_options,
785						imm32 as u64,
786						symbol,
787						self.d.options.show_symbol_address(),
788					);
789				} else {
790					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
791					if let Some(ref mut options_provider) = self.options_provider {
792						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
793					}
794					if number_options.signed_number {
795						imm64 = imm32 as i32 as u64;
796						number_kind = NumberKind::Int32;
797						if (imm32 as i32) < 0 {
798							output.write("-", FormatterTextKind::Operator);
799							imm32 = (imm32 as i32).wrapping_neg() as u32;
800						}
801					} else {
802						imm64 = imm32 as u64;
803						number_kind = NumberKind::UInt32;
804					}
805					let s = self.number_formatter.format_u32(&self.d.options, &number_options, imm32);
806					output.write_number(instruction, operand, instruction_operand, s, imm64, number_kind, FormatterTextKind::Number);
807				}
808			}
809
810			InstrOpKind::Immediate64 | InstrOpKind::Immediate8to64 | InstrOpKind::Immediate32to64 | InstrOpKind::DeclareQword => {
811				if op_kind == InstrOpKind::Immediate32to64 {
812					imm64 = instruction.immediate32to64() as u64;
813				} else if op_kind == InstrOpKind::Immediate8to64 {
814					imm64 = instruction.immediate8to64() as u64;
815				} else if op_kind == InstrOpKind::Immediate64 {
816					imm64 = instruction.immediate64();
817				} else {
818					imm64 = instruction.get_declare_qword_value(operand as usize);
819				}
820				operand_options = FormatterOperandOptions::default();
821				if let Some(ref symbol) = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
822					symbol_resolver.symbol(instruction, operand, instruction_operand, imm64, 8)
823				} else {
824					None
825				} {
826					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
827					if let Some(ref mut options_provider) = self.options_provider {
828						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
829					}
830					FormatterOutputMethods::write1(
831						output,
832						instruction,
833						operand,
834						instruction_operand,
835						&self.d.options,
836						&mut self.number_formatter,
837						&number_options,
838						imm64,
839						symbol,
840						self.d.options.show_symbol_address(),
841					);
842				} else {
843					value64 = imm64;
844					let mut number_options = NumberFormattingOptions::with_immediate(&self.d.options);
845					if let Some(ref mut options_provider) = self.options_provider {
846						options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
847					}
848					if number_options.signed_number {
849						number_kind = NumberKind::Int64;
850						if (imm64 as i64) < 0 {
851							output.write("-", FormatterTextKind::Operator);
852							imm64 = (imm64 as i64).wrapping_neg() as u64;
853						}
854					} else {
855						number_kind = NumberKind::UInt64;
856					}
857					let s = self.number_formatter.format_u64(&self.d.options, &number_options, imm64);
858					output.write_number(instruction, operand, instruction_operand, s, value64, number_kind, FormatterTextKind::Number);
859				}
860			}
861
862			InstrOpKind::MemorySegSI => self.format_memory(
863				output,
864				instruction,
865				operand,
866				instruction_operand,
867				instruction.memory_segment(),
868				Register::SI,
869				Register::None,
870				0,
871				0,
872				0,
873				2,
874				op_info.flags as u32,
875			),
876			InstrOpKind::MemorySegESI => self.format_memory(
877				output,
878				instruction,
879				operand,
880				instruction_operand,
881				instruction.memory_segment(),
882				Register::ESI,
883				Register::None,
884				0,
885				0,
886				0,
887				4,
888				op_info.flags as u32,
889			),
890			InstrOpKind::MemorySegRSI => self.format_memory(
891				output,
892				instruction,
893				operand,
894				instruction_operand,
895				instruction.memory_segment(),
896				Register::RSI,
897				Register::None,
898				0,
899				0,
900				0,
901				8,
902				op_info.flags as u32,
903			),
904			InstrOpKind::MemorySegDI => self.format_memory(
905				output,
906				instruction,
907				operand,
908				instruction_operand,
909				instruction.memory_segment(),
910				Register::DI,
911				Register::None,
912				0,
913				0,
914				0,
915				2,
916				op_info.flags as u32,
917			),
918			InstrOpKind::MemorySegEDI => self.format_memory(
919				output,
920				instruction,
921				operand,
922				instruction_operand,
923				instruction.memory_segment(),
924				Register::EDI,
925				Register::None,
926				0,
927				0,
928				0,
929				4,
930				op_info.flags as u32,
931			),
932			InstrOpKind::MemorySegRDI => self.format_memory(
933				output,
934				instruction,
935				operand,
936				instruction_operand,
937				instruction.memory_segment(),
938				Register::RDI,
939				Register::None,
940				0,
941				0,
942				0,
943				8,
944				op_info.flags as u32,
945			),
946			InstrOpKind::MemoryESDI => self.format_memory(
947				output,
948				instruction,
949				operand,
950				instruction_operand,
951				Register::ES,
952				Register::DI,
953				Register::None,
954				0,
955				0,
956				0,
957				2,
958				op_info.flags as u32,
959			),
960			InstrOpKind::MemoryESEDI => self.format_memory(
961				output,
962				instruction,
963				operand,
964				instruction_operand,
965				Register::ES,
966				Register::EDI,
967				Register::None,
968				0,
969				0,
970				0,
971				4,
972				op_info.flags as u32,
973			),
974			InstrOpKind::MemoryESRDI => self.format_memory(
975				output,
976				instruction,
977				operand,
978				instruction_operand,
979				Register::ES,
980				Register::RDI,
981				Register::None,
982				0,
983				0,
984				0,
985				8,
986				op_info.flags as u32,
987			),
988
989			InstrOpKind::Memory => {
990				let displ_size = instruction.memory_displ_size();
991				let base_reg = instruction.memory_base();
992				let mut index_reg = instruction.memory_index();
993				let addr_size = get_address_size_in_bytes(base_reg, index_reg, displ_size, instruction.code_size());
994				let displ = if addr_size == 8 { instruction.memory_displacement64() as i64 } else { instruction.memory_displacement32() as i64 };
995				if (op_info.flags & InstrOpInfoFlags::IGNORE_INDEX_REG as u16) != 0 {
996					index_reg = Register::None;
997				}
998				self.format_memory(
999					output,
1000					instruction,
1001					operand,
1002					instruction_operand,
1003					instruction.memory_segment(),
1004					base_reg,
1005					index_reg,
1006					instruction_internal::internal_get_memory_index_scale(instruction),
1007					displ_size,
1008					displ,
1009					addr_size,
1010					op_info.flags as u32,
1011				);
1012			}
1013		}
1014
1015		if operand == 0 && instruction_internal::internal_has_op_mask_or_zeroing_masking(instruction) {
1016			if instruction.has_op_mask() && (op_info.flags & InstrOpInfoFlags::IGNORE_OP_MASK as u16) == 0 {
1017				output.write("{", FormatterTextKind::Punctuation);
1018				IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, instruction.op_mask());
1019				output.write("}", FormatterTextKind::Punctuation);
1020			}
1021			if instruction.zeroing_masking() {
1022				IntelFormatter::format_decorator(
1023					&self.d.options,
1024					output,
1025					instruction,
1026					operand,
1027					instruction_operand,
1028					&self.d.str_.z,
1029					DecoratorKind::ZeroingMasking,
1030				);
1031			}
1032		}
1033		if operand == 0 && instruction_internal::internal_has_rounding_control_or_sae(instruction) {
1034			let rc = instruction.rounding_control();
1035			if rc != RoundingControl::None && can_show_rounding_control(instruction, &self.d.options) {
1036				let dec_str = if IcedConstants::is_mvex(instruction.code()) {
1037					if instruction.suppress_all_exceptions() {
1038						self.d.vec_.intel_rc_sae_strings[rc as usize]
1039					} else {
1040						self.d.vec_.intel_rc_strings[rc as usize]
1041					}
1042				} else {
1043					self.d.vec_.intel_rc_sae_strings[rc as usize]
1044				};
1045				IntelFormatter::format_decorator(
1046					&self.d.options,
1047					output,
1048					instruction,
1049					operand,
1050					instruction_operand,
1051					dec_str,
1052					DecoratorKind::RoundingControl,
1053				);
1054			} else if instruction.suppress_all_exceptions() {
1055				IntelFormatter::format_decorator(
1056					&self.d.options,
1057					output,
1058					instruction,
1059					operand,
1060					instruction_operand,
1061					&self.d.str_.sae,
1062					DecoratorKind::SuppressAllExceptions,
1063				);
1064			}
1065		}
1066		#[cfg(feature = "mvex")]
1067		if mvex_rm_operand == operand {
1068			let conv = instruction.mvex_reg_mem_conv();
1069			if conv != MvexRegMemConv::None {
1070				let mvex = crate::mvex::get_mvex_info(instruction.code());
1071				if mvex.conv_fn != MvexConvFn::None {
1072					let tbl = if mvex.is_conv_fn_32() { &self.d.vec_.mvex_reg_mem_consts_32 } else { &self.d.vec_.mvex_reg_mem_consts_64 };
1073					let s = tbl[conv as usize];
1074					if s.len() != 0 {
1075						Self::format_decorator(&self.d.options, output, instruction, operand, instruction_operand, s, DecoratorKind::SwizzleMemConv);
1076					}
1077				}
1078			}
1079		}
1080	}
1081
1082	fn format_flow_control(d: &SelfData, output: &mut dyn FormatterOutput, flags: u32, operand_options: FormatterOperandOptions) {
1083		if !operand_options.branch_size() {
1084			return;
1085		}
1086		let keywords = &d.vec_.intel_branch_infos
1087			[((flags as usize) >> InstrOpInfoFlags::BRANCH_SIZE_INFO_SHIFT) & InstrOpInfoFlags::BRANCH_SIZE_INFO_MASK as usize];
1088		for &keyword in keywords {
1089			IntelFormatter::format_keyword(&d.options, output, keyword);
1090			output.write(" ", FormatterTextKind::Text);
1091		}
1092	}
1093
1094	fn format_decorator(
1095		options: &FormatterOptions, output: &mut dyn FormatterOutput, instruction: &Instruction, operand: u32, instruction_operand: Option<u32>,
1096		text: &FormatterString, decorator: DecoratorKind,
1097	) {
1098		output.write("{", FormatterTextKind::Punctuation);
1099		output.write_decorator(
1100			instruction,
1101			operand,
1102			instruction_operand,
1103			text.get(options.uppercase_decorators() || options.uppercase_all()),
1104			decorator,
1105		);
1106		output.write("}", FormatterTextKind::Punctuation);
1107	}
1108
1109	#[inline]
1110	fn get_reg_str(d: &SelfData, mut reg: Register) -> &'static str {
1111		if d.options.prefer_st0() && reg == REGISTER_ST {
1112			reg = Register::ST0;
1113		}
1114		let reg_str = &d.all_registers[reg as usize];
1115		reg_str.get(d.options.uppercase_registers() || d.options.uppercase_all())
1116	}
1117
1118	#[inline]
1119	fn format_register_internal(
1120		d: &SelfData, output: &mut dyn FormatterOutput, instruction: &Instruction, operand: u32, instruction_operand: Option<u32>, reg: Register,
1121	) {
1122		output.write_register(instruction, operand, instruction_operand, IntelFormatter::get_reg_str(d, reg), reg);
1123	}
1124
1125	#[allow(clippy::too_many_arguments)]
1126	fn format_memory(
1127		&mut self, output: &mut dyn FormatterOutput, instruction: &Instruction, operand: u32, instruction_operand: Option<u32>, seg_reg: Register,
1128		mut base_reg: Register, index_reg: Register, scale: u32, mut displ_size: u32, mut displ: i64, addr_size: u32, flags: u32,
1129	) {
1130		debug_assert!((scale as usize) < SCALE_NUMBERS.len());
1131		debug_assert!(get_address_size_in_bytes(base_reg, index_reg, displ_size, instruction.code_size()) == addr_size);
1132
1133		let mut operand_options = FormatterOperandOptions::with_memory_size_options(self.d.options.memory_size_options());
1134		operand_options.set_rip_relative_addresses(self.d.options.rip_relative_addresses());
1135		let mut number_options = NumberFormattingOptions::with_displacement(&self.d.options);
1136		if let Some(ref mut options_provider) = self.options_provider {
1137			options_provider.operand_options(instruction, operand, instruction_operand, &mut operand_options, &mut number_options);
1138		}
1139
1140		let abs_addr;
1141		if base_reg == Register::RIP {
1142			abs_addr = displ as u64;
1143			if self.d.options.rip_relative_addresses() {
1144				displ = displ.wrapping_sub(instruction.next_ip() as i64);
1145			} else {
1146				debug_assert_eq!(index_reg, Register::None);
1147				base_reg = Register::None;
1148			}
1149			displ_size = 8;
1150		} else if base_reg == Register::EIP {
1151			abs_addr = displ as u32 as u64;
1152			if self.d.options.rip_relative_addresses() {
1153				displ = (displ as u32).wrapping_sub(instruction.next_ip32()) as i32 as i64;
1154			} else {
1155				debug_assert_eq!(index_reg, Register::None);
1156				base_reg = Register::None;
1157			}
1158			displ_size = 4;
1159		} else {
1160			abs_addr = displ as u64;
1161		}
1162
1163		let symbol = if let Some(ref mut symbol_resolver) = self.symbol_resolver {
1164			symbol_resolver.symbol(instruction, operand, instruction_operand, abs_addr, addr_size)
1165		} else {
1166			None
1167		};
1168
1169		let mut use_scale = scale != 0 || self.d.options.always_show_scale();
1170		if !use_scale {
1171			// [rsi] = base reg, [rsi*1] = index reg
1172			if base_reg == Register::None {
1173				use_scale = true;
1174			}
1175		}
1176		if addr_size == 2 || !show_index_scale(instruction, &self.d.options) {
1177			use_scale = false;
1178		}
1179
1180		IntelFormatter::format_memory_size(&self.d, output, &symbol, instruction.memory_size(), flags, operand_options);
1181
1182		let code_size = instruction.code_size();
1183		let seg_override = instruction.segment_prefix();
1184		let notrack_prefix = seg_override == Register::DS
1185			&& is_notrack_prefix_branch(instruction.code())
1186			&& !((code_size == CodeSize::Code16 || code_size == CodeSize::Code32)
1187				&& (base_reg == Register::BP || base_reg == Register::EBP || base_reg == Register::ESP));
1188		if self.d.options.always_show_segment_register()
1189			|| (seg_override != Register::None && !notrack_prefix && show_segment_prefix(Register::None, instruction, &self.d.options))
1190		{
1191			IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, seg_reg);
1192			output.write(":", FormatterTextKind::Punctuation);
1193		}
1194		output.write("[", FormatterTextKind::Punctuation);
1195		if self.d.options.space_after_memory_bracket() {
1196			output.write(" ", FormatterTextKind::Text);
1197		}
1198
1199		let mut need_plus = if base_reg != Register::None {
1200			IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, base_reg);
1201			true
1202		} else {
1203			false
1204		};
1205
1206		if index_reg != Register::None {
1207			if need_plus {
1208				if self.d.options.space_between_memory_add_operators() {
1209					output.write(" ", FormatterTextKind::Text);
1210				}
1211				output.write("+", FormatterTextKind::Operator);
1212				if self.d.options.space_between_memory_add_operators() {
1213					output.write(" ", FormatterTextKind::Text);
1214				}
1215			}
1216			need_plus = true;
1217
1218			if !use_scale {
1219				IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, index_reg);
1220			} else if self.d.options.scale_before_index() {
1221				output.write_number(
1222					instruction,
1223					operand,
1224					instruction_operand,
1225					SCALE_NUMBERS[scale as usize],
1226					1u64 << scale,
1227					NumberKind::Int32,
1228					FormatterTextKind::Number,
1229				);
1230				if self.d.options.space_between_memory_mul_operators() {
1231					output.write(" ", FormatterTextKind::Text);
1232				}
1233				output.write("*", FormatterTextKind::Operator);
1234				if self.d.options.space_between_memory_mul_operators() {
1235					output.write(" ", FormatterTextKind::Text);
1236				}
1237				IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, index_reg);
1238			} else {
1239				IntelFormatter::format_register_internal(&self.d, output, instruction, operand, instruction_operand, index_reg);
1240				if self.d.options.space_between_memory_mul_operators() {
1241					output.write(" ", FormatterTextKind::Text);
1242				}
1243				output.write("*", FormatterTextKind::Operator);
1244				if self.d.options.space_between_memory_mul_operators() {
1245					output.write(" ", FormatterTextKind::Text);
1246				}
1247				output.write_number(
1248					instruction,
1249					operand,
1250					instruction_operand,
1251					SCALE_NUMBERS[scale as usize],
1252					1u64 << scale,
1253					NumberKind::Int32,
1254					FormatterTextKind::Number,
1255				);
1256			}
1257		}
1258
1259		if let Some(ref symbol) = symbol {
1260			if need_plus {
1261				if self.d.options.space_between_memory_add_operators() {
1262					output.write(" ", FormatterTextKind::Text);
1263				}
1264				if (symbol.flags & SymbolFlags::SIGNED) != 0 {
1265					output.write("-", FormatterTextKind::Operator);
1266				} else {
1267					output.write("+", FormatterTextKind::Operator);
1268				}
1269				if self.d.options.space_between_memory_add_operators() {
1270					output.write(" ", FormatterTextKind::Text);
1271				}
1272			} else if (symbol.flags & SymbolFlags::SIGNED) != 0 {
1273				output.write("-", FormatterTextKind::Operator);
1274			}
1275
1276			FormatterOutputMethods::write2(
1277				output,
1278				instruction,
1279				operand,
1280				instruction_operand,
1281				&self.d.options,
1282				&mut self.number_formatter,
1283				&number_options,
1284				abs_addr,
1285				symbol,
1286				self.d.options.show_symbol_address(),
1287				false,
1288				self.d.options.space_between_memory_add_operators(),
1289			);
1290		} else if !need_plus || (displ_size != 0 && (self.d.options.show_zero_displacements() || displ != 0)) {
1291			let orig_displ = displ as u64;
1292			let is_signed;
1293			if need_plus {
1294				is_signed = number_options.signed_number;
1295				if self.d.options.space_between_memory_add_operators() {
1296					output.write(" ", FormatterTextKind::Text);
1297				}
1298
1299				if addr_size == 8 {
1300					if !number_options.signed_number {
1301						output.write("+", FormatterTextKind::Operator);
1302					} else if displ < 0 {
1303						displ = displ.wrapping_neg();
1304						output.write("-", FormatterTextKind::Operator);
1305					} else {
1306						output.write("+", FormatterTextKind::Operator);
1307					}
1308					if number_options.displacement_leading_zeros {
1309						displ_size = 4;
1310					}
1311				} else if addr_size == 4 {
1312					if !number_options.signed_number {
1313						output.write("+", FormatterTextKind::Operator);
1314					} else if (displ as i32) < 0 {
1315						displ = (displ as i32).wrapping_neg() as u32 as i64;
1316						output.write("-", FormatterTextKind::Operator);
1317					} else {
1318						output.write("+", FormatterTextKind::Operator);
1319					}
1320					if number_options.displacement_leading_zeros {
1321						displ_size = 4;
1322					}
1323				} else {
1324					debug_assert_eq!(addr_size, 2);
1325					if !number_options.signed_number {
1326						output.write("+", FormatterTextKind::Operator);
1327					} else if (displ as i16) < 0 {
1328						displ = (displ as i16).wrapping_neg() as u16 as i64;
1329						output.write("-", FormatterTextKind::Operator);
1330					} else {
1331						output.write("+", FormatterTextKind::Operator);
1332					}
1333					if number_options.displacement_leading_zeros {
1334						displ_size = 2;
1335					}
1336				}
1337				if self.d.options.space_between_memory_add_operators() {
1338					output.write(" ", FormatterTextKind::Text);
1339				}
1340			} else {
1341				is_signed = false;
1342			}
1343
1344			let (s, displ_kind) = if displ_size <= 1 && displ as u64 <= u8::MAX as u64 {
1345				(
1346					self.number_formatter.format_displ_u8(&self.d.options, &number_options, displ as u8),
1347					if is_signed { NumberKind::Int8 } else { NumberKind::UInt8 },
1348				)
1349			} else if displ_size <= 2 && displ as u64 <= u16::MAX as u64 {
1350				(
1351					self.number_formatter.format_displ_u16(&self.d.options, &number_options, displ as u16),
1352					if is_signed { NumberKind::Int16 } else { NumberKind::UInt16 },
1353				)
1354			} else if displ_size <= 4 && displ as u64 <= u32::MAX as u64 {
1355				(
1356					self.number_formatter.format_displ_u32(&self.d.options, &number_options, displ as u32),
1357					if is_signed { NumberKind::Int32 } else { NumberKind::UInt32 },
1358				)
1359			} else if displ_size <= 8 {
1360				(
1361					self.number_formatter.format_displ_u64(&self.d.options, &number_options, displ as u64),
1362					if is_signed { NumberKind::Int64 } else { NumberKind::UInt64 },
1363				)
1364			} else {
1365				unreachable!();
1366			};
1367			output.write_number(instruction, operand, instruction_operand, s, orig_displ, displ_kind, FormatterTextKind::Number);
1368		}
1369
1370		if self.d.options.space_after_memory_bracket() {
1371			output.write(" ", FormatterTextKind::Text);
1372		}
1373		output.write("]", FormatterTextKind::Punctuation);
1374
1375		let mem_size = instruction.memory_size();
1376		debug_assert!((mem_size as usize) < self.d.all_memory_sizes.len());
1377		let bcst_to = &self.d.all_memory_sizes[mem_size as usize].bcst_to;
1378		if !bcst_to.is_default() {
1379			IntelFormatter::format_decorator(&self.d.options, output, instruction, operand, instruction_operand, bcst_to, DecoratorKind::Broadcast);
1380		}
1381		#[cfg(feature = "mvex")]
1382		if instruction.is_mvex_eviction_hint() {
1383			Self::format_decorator(
1384				&self.d.options,
1385				output,
1386				instruction,
1387				operand,
1388				instruction_operand,
1389				&self.d.str_.mvex.eh,
1390				DecoratorKind::EvictionHint,
1391			);
1392		}
1393	}
1394
1395	#[allow(clippy::unwrap_used)]
1396	fn format_memory_size(
1397		d: &SelfData, output: &mut dyn FormatterOutput, symbol: &Option<SymbolResult<'_>>, mem_size: MemorySize, flags: u32,
1398		operand_options: FormatterOperandOptions,
1399	) {
1400		let mem_size_options = operand_options.memory_size_options();
1401		if mem_size_options == MemorySizeOptions::Never {
1402			return;
1403		}
1404
1405		if (flags & InstrOpInfoFlags::MEM_SIZE_NOTHING) != 0 {
1406			return;
1407		}
1408
1409		debug_assert!((mem_size as usize) < d.all_memory_sizes.len());
1410		let mem_info = &d.all_memory_sizes[mem_size as usize];
1411
1412		if mem_size_options == MemorySizeOptions::Default {
1413			if symbol.is_some() && symbol.as_ref().unwrap().symbol_size.is_some() {
1414				if IntelFormatter::is_same_mem_size(d, mem_info.keywords, symbol.as_ref().unwrap()) {
1415					return;
1416				}
1417			} else if (flags & InstrOpInfoFlags::SHOW_NO_MEM_SIZE_FORCE_SIZE) == 0 {
1418				return;
1419			}
1420		} else if mem_size_options == MemorySizeOptions::Minimal {
1421			if symbol.is_some() && symbol.as_ref().unwrap().symbol_size.is_some() {
1422				if IntelFormatter::is_same_mem_size(d, mem_info.keywords, symbol.as_ref().unwrap()) {
1423					return;
1424				}
1425			}
1426			if (flags & InstrOpInfoFlags::SHOW_MIN_MEM_SIZE_FORCE_SIZE) == 0 {
1427				return;
1428			}
1429		} else {
1430			debug_assert_eq!(mem_size_options, MemorySizeOptions::Always);
1431		}
1432
1433		for &keyword in mem_info.keywords {
1434			IntelFormatter::format_keyword(&d.options, output, keyword);
1435			output.write(" ", FormatterTextKind::Text);
1436		}
1437	}
1438
1439	fn is_same_mem_size(d: &SelfData, mem_size_strings: &[&FormatterString], symbol: &SymbolResult<'_>) -> bool {
1440		let symbol_size = symbol.symbol_size.unwrap_or(MemorySize::Unknown);
1441		debug_assert!((symbol_size as usize) < d.all_memory_sizes.len());
1442		let symbol_mem_info = &d.all_memory_sizes[symbol_size as usize];
1443		let symbol_mem_size_strings = symbol_mem_info.keywords;
1444		IntelFormatter::is_same_mem_size_slice(mem_size_strings, symbol_mem_size_strings)
1445	}
1446
1447	fn is_same_mem_size_slice(a: &[&FormatterString], b: &[&FormatterString]) -> bool {
1448		if a.len() != b.len() {
1449			return false;
1450		}
1451		for i in 0..a.len() {
1452			if a[i].get(false) != b[i].get(false) {
1453				return false;
1454			}
1455		}
1456		true
1457	}
1458
1459	fn format_keyword(options: &FormatterOptions, output: &mut dyn FormatterOutput, keyword: &FormatterString) {
1460		output.write(keyword.get(options.uppercase_keywords() || options.uppercase_all()), FormatterTextKind::Keyword);
1461	}
1462}
1463
1464impl Formatter for IntelFormatter {
1465	#[must_use]
1466	#[inline]
1467	fn options(&self) -> &FormatterOptions {
1468		&self.d.options
1469	}
1470
1471	#[must_use]
1472	#[inline]
1473	fn options_mut(&mut self) -> &mut FormatterOptions {
1474		&mut self.d.options
1475	}
1476
1477	#[allow(clippy::missing_inline_in_public_items)]
1478	fn format_mnemonic_options(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput, options: u32) {
1479		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1480		let op_info = instr_info.op_info(&self.d.options, instruction);
1481		let mut column = 0;
1482		self.format_mnemonic(instruction, output, &op_info, &mut column, options);
1483	}
1484
1485	#[must_use]
1486	#[allow(clippy::missing_inline_in_public_items)]
1487	fn operand_count(&mut self, instruction: &Instruction) -> u32 {
1488		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1489		let op_info = instr_info.op_info(&self.d.options, instruction);
1490		op_info.op_count as u32
1491	}
1492
1493	#[cfg(feature = "instr_info")]
1494	#[allow(clippy::missing_inline_in_public_items)]
1495	fn op_access(&mut self, instruction: &Instruction, operand: u32) -> Result<Option<OpAccess>, IcedError> {
1496		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1497		let op_info = instr_info.op_info(&self.d.options, instruction);
1498		if operand >= op_info.op_count as u32 {
1499			Err(IcedError::new("Invalid operand"))
1500		} else {
1501			Ok(op_info.op_access(operand))
1502		}
1503	}
1504
1505	#[allow(clippy::missing_inline_in_public_items)]
1506	fn get_instruction_operand(&mut self, instruction: &Instruction, operand: u32) -> Result<Option<u32>, IcedError> {
1507		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1508		let op_info = instr_info.op_info(&self.d.options, instruction);
1509		if operand >= op_info.op_count as u32 {
1510			Err(IcedError::new("Invalid operand"))
1511		} else {
1512			Ok(op_info.instruction_index(operand))
1513		}
1514	}
1515
1516	#[allow(clippy::missing_inline_in_public_items)]
1517	fn get_formatter_operand(&mut self, instruction: &Instruction, instruction_operand: u32) -> Result<Option<u32>, IcedError> {
1518		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1519		let op_info = instr_info.op_info(&self.d.options, instruction);
1520		if instruction_operand >= instruction.op_count() {
1521			Err(IcedError::new("Invalid instruction operand"))
1522		} else {
1523			Ok(op_info.operand_index(instruction_operand))
1524		}
1525	}
1526
1527	#[allow(clippy::missing_inline_in_public_items)]
1528	fn format_operand(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput, operand: u32) -> Result<(), IcedError> {
1529		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1530		let op_info = instr_info.op_info(&self.d.options, instruction);
1531
1532		if operand >= op_info.op_count as u32 {
1533			Err(IcedError::new("Invalid operand"))
1534		} else {
1535			self.format_operand(instruction, output, &op_info, operand);
1536			Ok(())
1537		}
1538	}
1539
1540	#[allow(clippy::missing_inline_in_public_items)]
1541	fn format_operand_separator(&mut self, _instruction: &Instruction, output: &mut dyn FormatterOutput) {
1542		output.write(",", FormatterTextKind::Punctuation);
1543		if self.d.options.space_after_operand_separator() {
1544			output.write(" ", FormatterTextKind::Text);
1545		}
1546	}
1547
1548	#[allow(clippy::missing_inline_in_public_items)]
1549	fn format_all_operands(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput) {
1550		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1551		let op_info = instr_info.op_info(&self.d.options, instruction);
1552		self.format_operands(instruction, output, &op_info);
1553	}
1554
1555	#[allow(clippy::missing_inline_in_public_items)]
1556	fn format(&mut self, instruction: &Instruction, output: &mut dyn FormatterOutput) {
1557		let instr_info = &self.d.instr_infos[instruction.code() as usize];
1558		let op_info = instr_info.op_info(&self.d.options, instruction);
1559
1560		let mut column = 0;
1561		self.format_mnemonic(instruction, output, &op_info, &mut column, FormatMnemonicOptions::NONE);
1562
1563		if op_info.op_count != 0 {
1564			add_tabs(output, column, self.d.options.first_operand_char_index(), self.d.options.tab_size());
1565			self.format_operands(instruction, output, &op_info);
1566		}
1567	}
1568
1569	#[must_use]
1570	#[inline]
1571	fn format_register(&mut self, register: Register) -> &str {
1572		IntelFormatter::get_reg_str(&self.d, register)
1573	}
1574
1575	#[must_use]
1576	#[inline]
1577	fn format_i8(&mut self, value: i8) -> &str {
1578		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1579		self.number_formatter.format_i8(&self.d.options, &number_options, value)
1580	}
1581
1582	#[must_use]
1583	#[inline]
1584	fn format_i16(&mut self, value: i16) -> &str {
1585		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1586		self.number_formatter.format_i16(&self.d.options, &number_options, value)
1587	}
1588
1589	#[must_use]
1590	#[inline]
1591	fn format_i32(&mut self, value: i32) -> &str {
1592		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1593		self.number_formatter.format_i32(&self.d.options, &number_options, value)
1594	}
1595
1596	#[must_use]
1597	#[inline]
1598	fn format_i64(&mut self, value: i64) -> &str {
1599		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1600		self.number_formatter.format_i64(&self.d.options, &number_options, value)
1601	}
1602
1603	#[must_use]
1604	#[inline]
1605	fn format_u8(&mut self, value: u8) -> &str {
1606		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1607		self.number_formatter.format_u8(&self.d.options, &number_options, value)
1608	}
1609
1610	#[must_use]
1611	#[inline]
1612	fn format_u16(&mut self, value: u16) -> &str {
1613		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1614		self.number_formatter.format_u16(&self.d.options, &number_options, value)
1615	}
1616
1617	#[must_use]
1618	#[inline]
1619	fn format_u32(&mut self, value: u32) -> &str {
1620		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1621		self.number_formatter.format_u32(&self.d.options, &number_options, value)
1622	}
1623
1624	#[must_use]
1625	#[inline]
1626	fn format_u64(&mut self, value: u64) -> &str {
1627		let number_options = NumberFormattingOptions::with_immediate(&self.d.options);
1628		self.number_formatter.format_u64(&self.d.options, &number_options, value)
1629	}
1630
1631	#[must_use]
1632	#[inline]
1633	fn format_i8_options(&mut self, value: i8, number_options: &NumberFormattingOptions<'_>) -> &str {
1634		self.number_formatter.format_i8(&self.d.options, number_options, value)
1635	}
1636
1637	#[must_use]
1638	#[inline]
1639	fn format_i16_options(&mut self, value: i16, number_options: &NumberFormattingOptions<'_>) -> &str {
1640		self.number_formatter.format_i16(&self.d.options, number_options, value)
1641	}
1642
1643	#[must_use]
1644	#[inline]
1645	fn format_i32_options(&mut self, value: i32, number_options: &NumberFormattingOptions<'_>) -> &str {
1646		self.number_formatter.format_i32(&self.d.options, number_options, value)
1647	}
1648
1649	#[must_use]
1650	#[inline]
1651	fn format_i64_options(&mut self, value: i64, number_options: &NumberFormattingOptions<'_>) -> &str {
1652		self.number_formatter.format_i64(&self.d.options, number_options, value)
1653	}
1654
1655	#[must_use]
1656	#[inline]
1657	fn format_u8_options(&mut self, value: u8, number_options: &NumberFormattingOptions<'_>) -> &str {
1658		self.number_formatter.format_u8(&self.d.options, number_options, value)
1659	}
1660
1661	#[must_use]
1662	#[inline]
1663	fn format_u16_options(&mut self, value: u16, number_options: &NumberFormattingOptions<'_>) -> &str {
1664		self.number_formatter.format_u16(&self.d.options, number_options, value)
1665	}
1666
1667	#[must_use]
1668	#[inline]
1669	fn format_u32_options(&mut self, value: u32, number_options: &NumberFormattingOptions<'_>) -> &str {
1670		self.number_formatter.format_u32(&self.d.options, number_options, value)
1671	}
1672
1673	#[must_use]
1674	#[inline]
1675	fn format_u64_options(&mut self, value: u64, number_options: &NumberFormattingOptions<'_>) -> &str {
1676		self.number_formatter.format_u64(&self.d.options, number_options, value)
1677	}
1678}