kecc/irgen/mod.rs
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 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787
//! # Homework: IR Generation
//!
//! The goal of this homework is to translate the components of a C file into KECC IR. While doing
//! so, you will familarize yourself with the structure of KECC IR, and understand the semantics of
//! C in terms of KECC.
//!
//! We highly recommend checking out the [slides][slides] and [github repo][github-qna-irgen] for
//! useful information.
//!
//! ## Guide
//!
//! ### High Level Guide
//!
//! Please watch the following video from 2020 along the lecture slides.
//! - [Intermediate Representation][ir]
//! - [IRgen (Overview)][irgen-overview]
//!
//! ### Coding Guide
//!
//! We highly recommend you copy-and-paste the code given in the following lecture videos from 2020:
//! - [IRgen (Code, Variable Declaration)][irgen-var-decl]
//! - [IRgen (Code, Function Definition)][irgen-func-def]
//! - [IRgen (Code, Statement 1)][irgen-stmt-1]
//! - [IRgen (Code, Statement 2)][irgen-stmt-2]
//!
//! The skeleton code roughly consists of the code for the first two videos, but you should still
//! watch them to have an idea of what the code is like.
//!
//! [slides]: https://docs.google.com/presentation/d/1SqtU-Cn60Sd1jkbO0OSsRYKPMIkul0eZoYG9KpMugFE/edit?usp=sharing
//! [ir]: https://youtu.be/7CY_lX5ZroI
//! [irgen-overview]: https://youtu.be/YPtnXlKDSYo
//! [irgen-var-decl]: https://youtu.be/HjARCUoK08s
//! [irgen-func-def]: https://youtu.be/Rszt9x0Xu_0
//! [irgen-stmt-1]: https://youtu.be/jFahkyxm994
//! [irgen-stmt-2]: https://youtu.be/UkaXaNw462U
//! [github-qna-irgen]: https://github.com/kaist-cp/cs420/labels/homework%20-%20irgen
use core::cmp::Ordering;
use core::convert::TryFrom;
use core::{fmt, mem};
use std::collections::{BTreeMap, HashMap};
use std::ops::Deref;
use itertools::izip;
use lang_c::ast::*;
use lang_c::driver::Parse;
use lang_c::span::Node;
use thiserror::Error;
use crate::ir::{DtypeError, HasDtype, Named};
use crate::write_base::WriteString;
use crate::*;
#[derive(Debug)]
pub struct IrgenError {
pub code: String,
pub message: IrgenErrorMessage,
}
impl IrgenError {
pub fn new(code: String, message: IrgenErrorMessage) -> Self {
Self { code, message }
}
}
impl fmt::Display for IrgenError {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "error: {}\r\n\r\ncode: {}", self.message, self.code)
}
}
/// Error format when a compiler error happens.
///
/// Feel free to add more kinds of errors.
#[derive(Debug, PartialEq, Eq, Error)]
pub enum IrgenErrorMessage {
/// For uncommon error
#[error("{message}")]
Misc { message: String },
#[error("called object `{callee:?}` is not a function or function pointer")]
NeedFunctionOrFunctionPointer { callee: ir::Operand },
#[error("redefinition, `{name}`")]
Redefinition { name: String },
#[error("`{dtype}` conflicts prototype's dtype, `{protorype_dtype}`")]
ConflictingDtype {
dtype: ir::Dtype,
protorype_dtype: ir::Dtype,
},
#[error("{dtype_error}")]
InvalidDtype { dtype_error: DtypeError },
#[error("l-value required as {message}")]
RequireLvalue { message: String },
}
/// A C file going through IR generation.
#[derive(Default, Debug)]
pub struct Irgen {
/// Declarations made in the C file (e.g, global variables and functions)
decls: BTreeMap<String, ir::Declaration>,
/// Type definitions made in the C file (e.g, typedef my_type = int;)
typedefs: HashMap<String, ir::Dtype>,
/// Structs defined in the C file,
// TODO: explain how to use this.
structs: HashMap<String, Option<ir::Dtype>>,
/// Temporary counter for anonymous structs. One should not need to use this any more.
struct_tempid_counter: usize,
}
impl Translate<Parse> for Irgen {
type Target = ir::TranslationUnit;
type Error = IrgenError;
fn translate(&mut self, source: &Parse) -> Result<Self::Target, Self::Error> {
self.translate(&source.unit)
}
}
impl Translate<TranslationUnit> for Irgen {
type Target = ir::TranslationUnit;
type Error = IrgenError;
fn translate(&mut self, source: &TranslationUnit) -> Result<Self::Target, Self::Error> {
for ext_decl in &source.0 {
match &ext_decl.node {
ExternalDeclaration::Declaration(var) => {
self.add_declaration(&var.node)?;
}
ExternalDeclaration::StaticAssert(_) => {
panic!("ExternalDeclaration::StaticAssert is unsupported")
}
ExternalDeclaration::FunctionDefinition(func) => {
self.add_function_definition(&func.node)?;
}
}
}
let decls = mem::take(&mut self.decls);
let structs = mem::take(&mut self.structs);
Ok(Self::Target { decls, structs })
}
}
impl Irgen {
const BID_INIT: ir::BlockId = ir::BlockId(0);
// `0` is used to create `BID_INIT`
const BID_COUNTER_INIT: usize = 1;
const TEMPID_COUNTER_INIT: usize = 0;
/// Add a declaration. It can be either a struct, typedef, or a variable.
fn add_declaration(&mut self, source: &Declaration) -> Result<(), IrgenError> {
let (base_dtype, is_typedef) =
ir::Dtype::try_from_ast_declaration_specifiers(&source.specifiers).map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
let base_dtype = base_dtype.resolve_typedefs(&self.typedefs).map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
let base_dtype = if let ir::Dtype::Struct { name, fields, .. } = &base_dtype {
if let Some(name) = name {
let _ = self.structs.entry(name.to_string()).or_insert(None);
}
if fields.is_some() {
base_dtype
.resolve_structs(&mut self.structs, &mut self.struct_tempid_counter)
.map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?
} else {
base_dtype
}
} else {
base_dtype
};
for init_decl in &source.declarators {
let declarator = &init_decl.node.declarator.node;
let name = name_of_declarator(declarator);
let dtype = base_dtype
.clone()
.with_ast_declarator(declarator)
.map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?
.deref()
.clone();
let dtype = dtype.resolve_typedefs(&self.typedefs).map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
if !is_typedef && is_invalid_structure(&dtype, &self.structs) {
return Err(IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::Misc {
message: "incomplete struct type".to_string(),
},
));
}
if is_typedef {
// Add new typedef if nothing has been declared before
let prev_dtype = self
.typedefs
.entry(name.clone())
.or_insert_with(|| dtype.clone());
if prev_dtype != &dtype {
return Err(IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::ConflictingDtype {
dtype,
protorype_dtype: prev_dtype.clone(),
},
));
}
continue;
}
// Creates a new declaration based on the dtype.
let mut decl = ir::Declaration::try_from(dtype.clone()).map_err(|e| {
IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
// If `initializer` exists, convert initializer to a constant value
if let Some(initializer) = init_decl.node.initializer.as_ref() {
if !is_valid_initializer(&initializer.node, &dtype, &self.structs) {
return Err(IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::Misc {
message: "initializer is not valid".to_string(),
},
));
}
match &mut decl {
ir::Declaration::Variable {
initializer: var_initializer,
..
} => {
if var_initializer.is_some() {
return Err(IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::Redefinition { name },
));
}
*var_initializer = Some(initializer.node.clone());
}
ir::Declaration::Function { .. } => {
return Err(IrgenError::new(
format!("{source:#?}"),
IrgenErrorMessage::Misc {
message: "illegal initializer (only variables can be initialized)"
.to_string(),
},
));
}
}
}
self.add_decl(&name, decl)?;
}
Ok(())
}
/// Add a function definition.
fn add_function_definition(&mut self, source: &FunctionDefinition) -> Result<(), IrgenError> {
// Creates name and signature.
let specifiers = &source.specifiers;
let declarator = &source.declarator.node;
let name = name_of_declarator(declarator);
let name_of_params = name_of_params_from_function_declarator(declarator)
.expect("declarator is not from function definition");
let (base_dtype, is_typedef) = ir::Dtype::try_from_ast_declaration_specifiers(specifiers)
.map_err(|e| {
IrgenError::new(
format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
if is_typedef {
return Err(IrgenError::new(
format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"),
IrgenErrorMessage::Misc {
message: "function definition declared typedef".into(),
},
));
}
let dtype = base_dtype
.with_ast_declarator(declarator)
.map_err(|e| {
IrgenError::new(
format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?
.deref()
.clone();
let dtype = dtype.resolve_typedefs(&self.typedefs).map_err(|e| {
IrgenError::new(
format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"),
IrgenErrorMessage::InvalidDtype { dtype_error: e },
)
})?;
let signature = ir::FunctionSignature::new(dtype.clone());
// Adds new declaration if nothing has been declared before
let decl = ir::Declaration::try_from(dtype).unwrap();
self.add_decl(&name, decl)?;
// Prepare scope for global variable
let global_scope: HashMap<_, _> = self
.decls
.iter()
.map(|(name, decl)| {
let dtype = decl.dtype();
let pointer = ir::Constant::global_variable(name.clone(), dtype);
let operand = ir::Operand::constant(pointer);
(name.clone(), operand)
})
.collect();
// Prepares for irgen pass.
let mut irgen = IrgenFunc {
return_type: signature.ret.clone(),
bid_init: Irgen::BID_INIT,
phinodes_init: Vec::new(),
allocations: Vec::new(),
blocks: BTreeMap::new(),
bid_counter: Irgen::BID_COUNTER_INIT,
tempid_counter: Irgen::TEMPID_COUNTER_INIT,
typedefs: &self.typedefs,
structs: &self.structs,
// Initial symbol table has scope for global variable already
symbol_table: vec![global_scope],
};
let mut context = Context::new(irgen.bid_init);
// Enter variable scope for alloc registers matched with function parameters
irgen.enter_scope();
// Creates the init block that stores arguments.
irgen
.translate_parameter_decl(&signature, irgen.bid_init, &name_of_params, &mut context)
.map_err(|e| {
IrgenError::new(format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"), e)
})?;
// Translates statement.
irgen.translate_stmt(&source.statement.node, &mut context, None, None)?;
// Creates the end block
let ret = signature.ret.set_const(false);
let value = if ret == ir::Dtype::unit() {
ir::Operand::constant(ir::Constant::unit())
} else if ret == ir::Dtype::INT {
// If "main" function, default return value is `0` when return type is `int`
if name == "main" {
ir::Operand::constant(ir::Constant::int(0, ret))
} else {
ir::Operand::constant(ir::Constant::undef(ret))
}
} else {
ir::Operand::constant(ir::Constant::undef(ret))
};
// Last Block of the function
irgen.insert_block(context, ir::BlockExit::Return { value });
// Exit variable scope created above
irgen.exit_scope();
let func_def = ir::FunctionDefinition {
allocations: irgen.allocations,
blocks: irgen.blocks,
bid_init: irgen.bid_init,
};
let decl = self
.decls
.get_mut(&name)
.unwrap_or_else(|| panic!("The declaration of `{name}` must exist"));
if let ir::Declaration::Function { definition, .. } = decl {
if definition.is_some() {
return Err(IrgenError::new(
format!("specs: {specifiers:#?}\ndecl: {declarator:#?}"),
IrgenErrorMessage::Misc {
message: format!("the name `{name}` is defined multiple time"),
},
));
}
// Update function definition
*definition = Some(func_def);
} else {
panic!("`{name}` must be function declaration")
}
Ok(())
}
/// Adds a possibly existing declaration.
///
/// Returns error if the previous declearation is incompatible with `decl`.
fn add_decl(&mut self, name: &str, decl: ir::Declaration) -> Result<(), IrgenError> {
let Some(old_decl) = self.decls.insert(name.to_string(), decl.clone()) else {
return Ok(());
};
// Check if type is conflicting for pre-declared one
if !old_decl.is_compatible(&decl) {
return Err(IrgenError::new(
name.to_string(),
IrgenErrorMessage::ConflictingDtype {
dtype: old_decl.dtype(),
protorype_dtype: decl.dtype(),
},
));
}
Ok(())
}
}
/// Storage for instructions up to the insertion of a block
#[derive(Debug)]
struct Context {
/// The block id of the current context.
bid: ir::BlockId,
/// Current instructions of the block.
instrs: Vec<Named<ir::Instruction>>,
}
impl Context {
/// Create a new context with block number bid
fn new(bid: ir::BlockId) -> Self {
Self {
bid,
instrs: Vec::new(),
}
}
// Adds `instr` to the current context.
fn insert_instruction(
&mut self,
instr: ir::Instruction,
) -> Result<ir::Operand, IrgenErrorMessage> {
let dtype = instr.dtype();
self.instrs.push(Named::new(None, instr));
Ok(ir::Operand::register(
ir::RegisterId::temp(self.bid, self.instrs.len() - 1),
dtype,
))
}
}
/// A C function being translated.
struct IrgenFunc<'i> {
/// return type of the function.
return_type: ir::Dtype,
/// initial block id for the function, typically 0.
bid_init: ir::BlockId,
/// arguments represented as initial phinodes. Order must be the same of that given in the C
/// function.
phinodes_init: Vec<Named<ir::Dtype>>,
/// local allocations.
allocations: Vec<Named<ir::Dtype>>,
/// Map from block id to basic blocks
blocks: BTreeMap<ir::BlockId, ir::Block>,
/// current block id. `blocks` must have an entry for all ids less then this
bid_counter: usize,
/// current temporary id. Used to create temporary names in the IR for e.g,
tempid_counter: usize,
/// Usable definitions
typedefs: &'i HashMap<String, ir::Dtype>,
/// Usable structs
// TODO: Add examples on how to use properly use this field.
structs: &'i HashMap<String, Option<ir::Dtype>>,
/// Current symbol table. The initial symbol table has the global variables.
symbol_table: Vec<HashMap<String, ir::Operand>>,
}
impl IrgenFunc<'_> {
/// Allocate a new block id.
fn alloc_bid(&mut self) -> ir::BlockId {
let bid = self.bid_counter;
self.bid_counter += 1;
ir::BlockId(bid)
}
/// Allocate a new temporary id.
fn alloc_tempid(&mut self) -> String {
let tempid = self.tempid_counter;
self.tempid_counter += 1;
format!("t{tempid}")
}
/// Create a new allocation with type given by `alloc`.
fn insert_alloc(&mut self, alloc: Named<ir::Dtype>) -> ir::RegisterId {
self.allocations.push(alloc);
let id = self.allocations.len() - 1;
ir::RegisterId::local(id)
}
/// Insert a new block `context` with exit instruction `exit`.
///
/// # Panic
///
/// Panics if another block with the same bid as `context` already existed.
fn insert_block(&mut self, context: Context, exit: ir::BlockExit) {
let block = ir::Block {
phinodes: if context.bid == self.bid_init {
self.phinodes_init.clone()
} else {
Vec::new()
},
instructions: context.instrs,
exit,
};
if self.blocks.insert(context.bid, block).is_some() {
panic!("the bid `{}` is defined multiple time", context.bid)
}
}
/// Enter a scope and create a new symbol table entry, i.e, we are at a `{` in the function.
fn enter_scope(&mut self) {
self.symbol_table.push(HashMap::new());
}
/// Exit a scope and remove the a oldest symbol table entry. i.e, we are at a `}` in the
/// function.
///
/// # Panic
///
/// Panics if there are no scopes to exit, i.e, the function has a unmatched `}`.
fn exit_scope(&mut self) {
let _unused = self.symbol_table.pop().unwrap();
debug_assert!(!self.symbol_table.is_empty())
}
/// Inserts `var` with `value` to the current symbol table.
///
/// Returns Ok() if the current scope has no previously-stored entry for a given variable.
fn insert_symbol_table_entry(
&mut self,
var: String,
value: ir::Operand,
) -> Result<(), IrgenErrorMessage> {
let cur_scope = self
.symbol_table
.last_mut()
.expect("symbol table has no valid scope");
if cur_scope.insert(var.clone(), value).is_some() {
return Err(IrgenErrorMessage::Redefinition { name: var });
}
Ok(())
}
/// Transalte a C statement `stmt` under the current block `context`, with `continue` block
/// `bid_continue` and break block `bid_break`.
fn translate_stmt(
&mut self,
stmt: &Statement,
context: &mut Context,
bid_continue: Option<ir::BlockId>,
bid_break: Option<ir::BlockId>,
) -> Result<(), IrgenError> {
todo!()
}
/// Translate initial parameter declarations of the functions to IR.
///
/// For example, given the following C function from [`foo.c`][foo]:
///
/// ```C
/// int foo(int x, int y, int z) {
/// if (x == y) {
/// return y;
/// } else {
/// return z;
/// }
/// }
/// ```
///
/// The IR before this function looks roughly as follows:
///
/// ```text
/// fun i32 @foo (i32, i32, i32) {
/// init:
/// bid: b0
/// allocations:
///
/// block b0:
/// %b0:p0:i32:x
/// %b0:p1:i32:y
/// %b0:p2:i32:z
/// ...
/// ```
///
/// With the following arguments :
///
/// ```ignore
/// signature = FunctionSignature { ret: ir::INT, params: vec![ir::INT, ir::INT, ir::INT] }
/// bid_init = 0
/// name_of_params = ["x", "y", "z"]
/// context = // omitted
/// ```
///
/// The resulting IR after this function should be roughly follows :
///
/// ```text
/// fun i32 @foo (i32, i32, i32) {
/// init:
/// bid: b0
/// allocations:
/// %l0:i32:x
/// %l1:i32:y
/// %l2:i32:z
///
/// block b0:
/// %b0:p0:i32:x
/// %b0:p1:i32:y
/// %b0:p2:i32:z
/// %b0:i0:unit = store %b0:p0:i32 %l0:i32*
/// %b0:i1:unit = store %b0:p1:i32 %l1:i32*
/// %b0:i2:unit = store %b0:p2:i32 %l2:i32*
/// ...
/// ```
///
/// In particular, note that it is added to the local allocation list and store them to the
/// initial phinodes.
///
/// Note that the resulting IR is **a** solution. If you can think of a better way to
/// translate parameters, feel free to do so.
///
/// [foo]: https://github.com/kaist-cp/kecc-public/blob/main/examples/c/foo.c
fn translate_parameter_decl(
&mut self,
signature: &ir::FunctionSignature,
bid_init: ir::BlockId,
name_of_params: &[String],
context: &mut Context,
) -> Result<(), IrgenErrorMessage> {
todo!()
}
}
#[inline]
fn name_of_declarator(declarator: &Declarator) -> String {
let declarator_kind = &declarator.kind;
match &declarator_kind.node {
DeclaratorKind::Abstract => panic!("DeclaratorKind::Abstract is unsupported"),
DeclaratorKind::Identifier(identifier) => identifier.node.name.clone(),
DeclaratorKind::Declarator(declarator) => name_of_declarator(&declarator.node),
}
}
#[inline]
fn name_of_params_from_function_declarator(declarator: &Declarator) -> Option<Vec<String>> {
let declarator_kind = &declarator.kind;
match &declarator_kind.node {
DeclaratorKind::Abstract => panic!("DeclaratorKind::Abstract is unsupported"),
DeclaratorKind::Identifier(_) => {
name_of_params_from_derived_declarators(&declarator.derived)
}
DeclaratorKind::Declarator(next_declarator) => {
name_of_params_from_function_declarator(&next_declarator.node)
.or_else(|| name_of_params_from_derived_declarators(&declarator.derived))
}
}
}
#[inline]
fn name_of_params_from_derived_declarators(
derived_decls: &[Node<DerivedDeclarator>],
) -> Option<Vec<String>> {
for derived_decl in derived_decls {
match &derived_decl.node {
DerivedDeclarator::Function(func_decl) => {
let name_of_params = func_decl
.node
.parameters
.iter()
.map(|p| name_of_parameter_declaration(&p.node))
.collect::<Option<Vec<_>>>()
.unwrap_or_default();
return Some(name_of_params);
}
DerivedDeclarator::KRFunction(_kr_func_decl) => {
// K&R function is allowed only when it has no parameter
return Some(Vec::new());
}
_ => (),
};
}
None
}
#[inline]
fn name_of_parameter_declaration(parameter_declaration: &ParameterDeclaration) -> Option<String> {
let declarator = parameter_declaration.declarator.as_ref()?;
Some(name_of_declarator(&declarator.node))
}
#[inline]
fn is_valid_initializer(
initializer: &Initializer,
dtype: &ir::Dtype,
structs: &HashMap<String, Option<ir::Dtype>>,
) -> bool {
match initializer {
Initializer::Expression(expr) => match dtype {
ir::Dtype::Int { .. } | ir::Dtype::Float { .. } | ir::Dtype::Pointer { .. } => {
match &expr.node {
Expression::Constant(_) => true,
Expression::UnaryOperator(unary) => matches!(
&unary.node.operator.node,
UnaryOperator::Minus | UnaryOperator::Plus
),
_ => false,
}
}
_ => false,
},
Initializer::List(items) => match dtype {
ir::Dtype::Array { inner, .. } => items
.iter()
.all(|i| is_valid_initializer(&i.node.initializer.node, inner, structs)),
ir::Dtype::Struct { name, .. } => {
let name = name.as_ref().expect("struct should have its name");
let struct_type = structs
.get(name)
.expect("struct type matched with `name` must exist")
.as_ref()
.expect("`struct_type` must have its definition");
let fields = struct_type
.get_struct_fields()
.expect("`struct_type` must be struct type")
.as_ref()
.expect("`fields` must be `Some`");
izip!(fields, items).all(|(f, i)| {
is_valid_initializer(&i.node.initializer.node, f.deref(), structs)
})
}
_ => false,
},
}
}
#[inline]
fn is_invalid_structure(dtype: &ir::Dtype, structs: &HashMap<String, Option<ir::Dtype>>) -> bool {
// When `dtype` is `Dtype::Struct`, `structs` has real definition of `dtype`
if let ir::Dtype::Struct { name, fields, .. } = dtype {
assert!(name.is_some() && fields.is_none());
let name = name.as_ref().unwrap();
structs.get(name).is_none_or(Option::is_none)
} else {
false
}
}