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
use std::path::Path;
use std::sync::Arc;
use anyhow::{ensure, Context, Result};
use cairo_lang_compiler::db::RootDatabase;
use cairo_lang_compiler::project::setup_project;
use cairo_lang_compiler::CompilerConfig;
use cairo_lang_defs::ids::TopLevelLanguageElementId;
use cairo_lang_diagnostics::ToOption;
use cairo_lang_filesystem::ids::CrateId;
use cairo_lang_semantic::db::SemanticGroup;
use cairo_lang_semantic::{ConcreteFunctionWithBodyId, FunctionLongId};
use cairo_lang_sierra_generator::canonical_id_replacer::CanonicalReplacer;
use cairo_lang_sierra_generator::db::SierraGenGroup;
use cairo_lang_sierra_generator::replace_ids::{replace_sierra_ids_in_program, SierraIdReplacer};
use itertools::{chain, Itertools};
use num_bigint::BigUint;
use serde::{Deserialize, Serialize};
use thiserror::Error;
use crate::abi::Contract;
use crate::allowed_libfuncs::AllowedLibfuncsError;
use crate::casm_contract_class::{deserialize_big_uint, serialize_big_uint, BigIntAsHex};
use crate::contract::{
find_contracts, get_abi, get_module_functions, starknet_keccak, ContractDeclaration,
};
use crate::db::StarknetRootDatabaseBuilderEx;
use crate::felt_serde::sierra_to_felts;
use crate::plugin::consts::{CONSTRUCTOR_MODULE, EXTERNAL_MODULE};
use crate::sierra_version::{self};
#[cfg(test)]
#[path = "contract_class_test.rs"]
mod test;
#[derive(Error, Debug, Eq, PartialEq)]
pub enum StarknetCompilationError {
#[error("Invalid entry point.")]
EntryPointError,
#[error(transparent)]
AllowedLibfuncsError(#[from] AllowedLibfuncsError),
}
#[derive(Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct ContractClass {
pub sierra_program: Vec<BigIntAsHex>,
pub sierra_program_debug_info: Option<cairo_lang_sierra::debug_info::DebugInfo>,
pub contract_class_version: String,
pub entry_points_by_type: ContractEntryPoints,
pub abi: Option<Contract>,
}
const DEFAULT_CONTRACT_CLASS_VERSION: &str = "0.1.0";
#[derive(Default, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct ContractEntryPoints {
#[serde(rename = "EXTERNAL")]
pub external: Vec<ContractEntryPoint>,
#[serde(rename = "L1_HANDLER")]
pub l1_handler: Vec<ContractEntryPoint>,
#[serde(rename = "CONSTRUCTOR")]
pub constructor: Vec<ContractEntryPoint>,
}
#[derive(Default, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct ContractEntryPoint {
#[serde(serialize_with = "serialize_big_uint", deserialize_with = "deserialize_big_uint")]
pub selector: BigUint,
pub function_idx: usize,
}
pub fn compile_path(path: &Path, compiler_config: CompilerConfig<'_>) -> Result<ContractClass> {
let mut db = RootDatabase::builder().detect_corelib().with_starknet().build()?;
let main_crate_ids = setup_project(&mut db, Path::new(&path))?;
compile_only_contract_in_prepared_db(&mut db, main_crate_ids, compiler_config)
}
fn compile_only_contract_in_prepared_db(
db: &mut RootDatabase,
main_crate_ids: Vec<CrateId>,
compiler_config: CompilerConfig<'_>,
) -> Result<ContractClass> {
let contracts = find_contracts(db, &main_crate_ids);
ensure!(!contracts.is_empty(), "Contract not found.");
ensure!(contracts.len() == 1, "Compilation unit must include only one contract.");
let contracts = contracts.iter().collect::<Vec<_>>();
let mut classes = compile_prepared_db(db, &contracts, compiler_config)?;
assert_eq!(classes.len(), 1);
Ok(classes.remove(0))
}
pub fn compile_prepared_db(
db: &mut RootDatabase,
contracts: &[&ContractDeclaration],
mut compiler_config: CompilerConfig<'_>,
) -> Result<Vec<ContractClass>> {
compiler_config.diagnostics_reporter.ensure(db)?;
contracts
.iter()
.map(|contract| {
compile_contract_with_prepared_and_checked_db(db, contract, &compiler_config)
})
.try_collect()
}
fn compile_contract_with_prepared_and_checked_db(
db: &mut RootDatabase,
contract: &ContractDeclaration,
compiler_config: &CompilerConfig<'_>,
) -> Result<ContractClass> {
let external_functions: Vec<_> = get_module_functions(db, contract, EXTERNAL_MODULE)?
.into_iter()
.flat_map(|f| ConcreteFunctionWithBodyId::from_no_generics_free(db, f))
.collect();
let constructor_functions: Vec<_> = get_module_functions(db, contract, CONSTRUCTOR_MODULE)?
.into_iter()
.flat_map(|f| ConcreteFunctionWithBodyId::from_no_generics_free(db, f))
.collect();
let mut sierra_program = db
.get_sierra_program_for_functions(
chain!(&external_functions, &constructor_functions).cloned().collect(),
)
.to_option()
.with_context(|| "Compilation failed without any diagnostics.")?;
if compiler_config.replace_ids {
sierra_program = Arc::new(replace_sierra_ids_in_program(db, &sierra_program));
}
let replacer = CanonicalReplacer::from_program(&sierra_program);
let sierra_program = replacer.apply(&sierra_program);
let entry_points_by_type = ContractEntryPoints {
external: get_entry_points(db, &external_functions, &replacer)?,
l1_handler: vec![],
constructor: get_entry_points(db, &constructor_functions, &replacer)?,
};
let contract_class = ContractClass {
sierra_program: sierra_to_felts(
sierra_version::VersionId::current_version_id(),
&sierra_program,
)?,
sierra_program_debug_info: Some(cairo_lang_sierra::debug_info::DebugInfo::extract(
&sierra_program,
)),
contract_class_version: DEFAULT_CONTRACT_CLASS_VERSION.to_string(),
entry_points_by_type,
abi: Some(Contract::from_trait(db, get_abi(db, contract)?).with_context(|| "ABI error")?),
};
Ok(contract_class)
}
fn get_entry_points(
db: &mut RootDatabase,
entry_point_functions: &[ConcreteFunctionWithBodyId],
replacer: &CanonicalReplacer,
) -> Result<Vec<ContractEntryPoint>> {
let mut entry_points = vec![];
for function_with_body_id in entry_point_functions {
let function_id =
db.intern_function(FunctionLongId { function: function_with_body_id.concrete(db) });
let sierra_id = db.intern_sierra_function(function_id);
entry_points.push(ContractEntryPoint {
selector: starknet_keccak(
function_with_body_id.function_with_body_id(db).name(db).as_bytes(),
),
function_idx: replacer.replace_function_id(&sierra_id).id as usize,
});
}
Ok(entry_points)
}