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
// This file is part of Gear.
// Copyright (C) 2021-2024 Gear Technologies Inc.
// SPDX-License-Identifier: GPL-3.0-or-later WITH Classpath-exception-2.0
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <https://www.gnu.org/licenses/>.
//! Manager which handles results of message processing.
//!
//! Should be mentioned, that if message contains value we have a guarantee that it will be sent further in case of successful execution,
//! or sent back in case execution ends up with an error. This guarantee is reached by the following conditions:
//! 1. **Reserve/unreserve model for transferring values**.
//! Ownership over message value is moved not by simple transfer operation, which decreases **free** balance of sender. That is done by
//! reserving value before message is executed and repatriating reserved in favor of beneficiary in case of successful execution, or unreserving
//! in case of execution resulting in a trap. So, it gives us a guarantee that regardless of the result of message execution, there is **always some
//! value** to perform asset management, i.e move tokens further to the recipient or give back to sender. The guarantee is implemented by using
//! corresponding `pallet_balances` functions (`reserve`, `repatriate_reserved`, `unreserve` along with `transfer`) in `pallet_gear` extrinsics,
//! [`JournalHandler::send_dispatch`](core_processor::common::JournalHandler::send_dispatch) and
//! [`JournalHandler::send_value`](core_processor::common::JournalHandler::send_value) procedures.
//!
//! 2. **Balance sufficiency before adding message with value to the queue**.
//! Before message is added to the queue, sender's balance is checked for having adequate amount of assets to send desired value. For actors, who
//! can sign transactions, these checks are done in extrinsic calls. For programs these checks are done on core backend level during execution. In details,
//! when a message is executed, it has some context, which is set from the pallet level, and a part of the context data is program's actual balance (current balance +
//! value sent within the executing message). So if during execution of the original message some other messages were sent, message send call is followed
//! by program's balance checks. The check gives guarantee that value reservation call in
//!
//! [`JournalHandler::send_dispatch`](core_processor::common::JournalHandler::send_dispatch) for program's messages won't fail, because there is always a
//! sufficient balance for the call.
//!
//! 3. **Messages's value management considers existential deposit rule**.
//! It means that before message with value is added to the queue, value is checked to be in the valid range - `{0} ∪ [existential_deposit; +inf)`. This is
//! crucial for programs. The check gives guarantee that if funds were moved to the program, the program will definitely have an account in `pallet_balances`
//! registry and will be able then to manage these funds. Without this check, program could receive funds, but won't be able to use them.
//!
//! Due to these 3 conditions implemented in `pallet_gear`, we have a guarantee that value management calls, performed by user or program, won't fail.
mod journal;
mod task;
use gear_core_errors::{ReplyCode, SignalCode};
pub use task::*;
use crate::{
fungible, BuiltinDispatcherFactory, Config, CurrencyOf, Event, Fortitude, GasHandlerOf, Pallet,
Preservation, ProgramStorageOf, QueueOf, TaskPoolOf, WaitlistOf, EXISTENTIAL_DEPOSIT_LOCK_ID,
};
use alloc::format;
use common::{
event::*,
scheduler::{StorageType, TaskPool},
storage::{Interval, IterableByKeyMap, Queue},
CodeStorage, Origin, ProgramStorage, ReservableTree,
};
use core::{fmt, mem};
use frame_support::traits::{Currency, ExistenceRequirement, LockableCurrency};
use frame_system::pallet_prelude::BlockNumberFor;
use gear_core::{
code::{CodeAndId, InstrumentedCode},
ids::{CodeId, MessageId, ProgramId, ReservationId},
message::{DispatchKind, SignalMessage},
pages::WasmPagesAmount,
program::{ActiveProgram, Program, ProgramState},
reservation::GasReservationSlot,
tasks::ScheduledTask,
};
use primitive_types::H256;
use scale_info::TypeInfo;
use sp_runtime::{
codec::{Decode, Encode},
traits::Zero,
};
use sp_std::{
collections::{btree_map::BTreeMap, btree_set::BTreeSet},
marker::PhantomData,
prelude::*,
};
#[derive(Clone, Decode, Encode, TypeInfo)]
pub enum HandleKind {
Init(Vec<u8>),
InitByHash(CodeId),
Handle(ProgramId),
Reply(MessageId, ReplyCode),
Signal(MessageId, SignalCode),
}
impl fmt::Debug for HandleKind {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
HandleKind::Init(_) => f.debug_tuple("Init").field(&format_args!("[...]")).finish(),
HandleKind::InitByHash(id) => f.debug_tuple("InitByHash").field(id).finish(),
HandleKind::Handle(id) => f.debug_tuple("Handle").field(id).finish(),
HandleKind::Reply(id, code) => f.debug_tuple("Reply").field(id).field(code).finish(),
HandleKind::Signal(id, code) => f.debug_tuple("Signal").field(id).field(code).finish(),
}
}
}
#[derive(Debug)]
pub struct CodeInfo {
id: H256,
exports: BTreeSet<DispatchKind>,
static_pages: WasmPagesAmount,
}
impl CodeInfo {
pub fn from_code_and_id(code: &CodeAndId) -> Self {
Self {
id: code.code_id().into_origin(),
exports: code.code().exports().clone(),
static_pages: code.code().static_pages(),
}
}
pub fn from_code(id: &CodeId, code: &InstrumentedCode) -> Self {
Self {
id: id.into_origin(),
exports: code.exports().clone(),
static_pages: code.static_pages(),
}
}
}
/// Journal handler implementation for `pallet_gear`.
pub struct ExtManager<T: Config> {
/// Ids checked that they are users.
users: BTreeSet<ProgramId>,
/// Ids checked that they are programs.
programs: BTreeSet<ProgramId>,
/// Messages dispatches.
dispatch_statuses: BTreeMap<MessageId, DispatchStatus>,
/// Programs, which state changed.
state_changes: BTreeSet<ProgramId>,
/// Builtin programs.
builtins: <T::BuiltinDispatcherFactory as BuiltinDispatcherFactory>::Output,
/// Phantom data for generic usage.
_phantom: PhantomData<T>,
}
/// Data need for depositing event about queue processing result.
pub struct QueuePostProcessingData {
/// Message dispatches results.
pub dispatch_statuses: BTreeMap<MessageId, DispatchStatus>,
/// Programs, which state changed.
pub state_changes: BTreeSet<ProgramId>,
}
impl<T: Config> From<ExtManager<T>> for QueuePostProcessingData {
fn from(ext_manager: ExtManager<T>) -> Self {
Self {
dispatch_statuses: ext_manager.dispatch_statuses,
state_changes: ext_manager.state_changes,
}
}
}
impl<T: Config> ExtManager<T>
where
T::AccountId: Origin,
{
pub fn new(
builtins: <T::BuiltinDispatcherFactory as BuiltinDispatcherFactory>::Output,
) -> Self {
Self {
_phantom: PhantomData,
users: Default::default(),
programs: Default::default(),
dispatch_statuses: Default::default(),
state_changes: Default::default(),
builtins,
}
}
pub fn builtins(&self) -> &<T::BuiltinDispatcherFactory as BuiltinDispatcherFactory>::Output {
&self.builtins
}
/// Check if id is program and save result.
pub fn check_program_id(&mut self, id: &ProgramId) -> bool {
// TODO: research how much need to charge for `program_exists` query.
if self.programs.contains(id) {
true
} else if self.users.contains(id) {
false
} else if Pallet::<T>::program_exists(&self.builtins, *id) {
self.programs.insert(*id);
true
} else {
self.users.insert(*id);
false
}
}
/// Check if id is user and save result.
pub fn check_user_id(&mut self, id: &ProgramId) -> bool {
!self.check_program_id(id)
}
pub fn set_program(
&self,
program_id: ProgramId,
code_info: &CodeInfo,
message_id: MessageId,
expiration_block: BlockNumberFor<T>,
) {
// Program can be added to the storage only with code, which is done in
// `submit_program` or `upload_code` extrinsic.
//
// Code can exist without program, but the latter can't exist without code.
debug_assert!(
T::CodeStorage::exists(code_info.id.cast()),
"Program set must be called only when code exists",
);
// An empty program has been just constructed: it contains no mem allocations.
let program = ActiveProgram {
allocations_tree_len: 0,
code_hash: code_info.id,
code_exports: code_info.exports.clone(),
static_pages: code_info.static_pages,
state: ProgramState::Uninitialized { message_id },
gas_reservation_map: Default::default(),
expiration_block,
memory_infix: Default::default(),
};
ProgramStorageOf::<T>::add_program(program_id, program)
.expect("set_program shouldn't be called for the existing id");
}
fn remove_gas_reservation_slot(
reservation_id: ReservationId,
slot: GasReservationSlot,
) -> GasReservationSlot {
let interval = Interval {
start: BlockNumberFor::<T>::from(slot.start),
finish: BlockNumberFor::<T>::from(slot.finish),
};
Pallet::<T>::charge_for_hold(reservation_id, interval, StorageType::Reservation);
Pallet::<T>::consume_and_retrieve(reservation_id);
slot
}
pub fn remove_gas_reservation_impl(
program_id: ProgramId,
reservation_id: ReservationId,
) -> GasReservationSlot {
let slot = ProgramStorageOf::<T>::update_active_program(program_id, |p| {
p.gas_reservation_map
.remove(&reservation_id)
.unwrap_or_else(|| {
let err_msg = format!("ExtManager::remove_gas_reservation_impl: failed removing gas reservation. \
Reservation {reservation_id} doesn't exist.");
log::error!("{err_msg}");
unreachable!("{err_msg}");
})
})
.unwrap_or_else(|e| {
// Guaranteed to be called on existing program
let err_msg = format!("ExtManager::remove_gas_reservation_impl: failed to update program. \
Program - {program_id}. Got error: {e:?}");
log::error!("{err_msg}");
unreachable!("{err_msg}")
});
Self::remove_gas_reservation_slot(reservation_id, slot)
}
fn remove_gas_reservation_map(
program_id: ProgramId,
gas_reservation_map: BTreeMap<ReservationId, GasReservationSlot>,
) {
for (reservation_id, slot) in gas_reservation_map {
let slot = Self::remove_gas_reservation_slot(reservation_id, slot);
let result = TaskPoolOf::<T>::delete(
BlockNumberFor::<T>::from(slot.finish),
ScheduledTask::RemoveGasReservation(program_id, reservation_id),
);
log::debug!(
"remove_gas_reservation_map; program_id = {program_id:?}, result = {result:?}"
);
}
}
fn send_signal(&mut self, message_id: MessageId, destination: ProgramId, code: SignalCode) {
let reserved = GasHandlerOf::<T>::system_unreserve(message_id).unwrap_or_else(|e| {
let err_msg = format!(
"ExtManager::send_signal: failed system unreserve. \
Message id - {message_id}. Got error: {e:?}"
);
log::error!("{err_msg}");
unreachable!("{err_msg}")
});
if reserved != 0 {
log::debug!(
"Send signal issued by {} to {} with {} supply",
message_id,
destination,
reserved
);
// Creating signal message.
let trap_signal = SignalMessage::new(message_id, code)
.into_dispatch(message_id, destination)
.into_stored();
// Splitting gas for newly created signal message.
Pallet::<T>::split_with_value(
message_id,
trap_signal.id(),
reserved,
trap_signal.is_reply(),
);
// Enqueueing dispatch into message queue.
QueueOf::<T>::queue(trap_signal).unwrap_or_else(|e| {
let err_msg =
format!("ExtManager::send_signal: failed queuing message. Got error - {e:?}");
log::error!("{err_msg}");
unreachable!("{err_msg}");
});
} else {
log::trace!("Signal wasn't sent due to inappropriate supply");
}
}
/// Removes reservation map and memory pages of the program
fn clean_inactive_program(
program_id: ProgramId,
program: &mut ActiveProgram<BlockNumberFor<T>>,
value_destination: ProgramId,
) {
Self::remove_gas_reservation_map(program_id, mem::take(&mut program.gas_reservation_map));
let program_account = program_id.cast();
let value_destination = value_destination.cast();
// Remove the ED lock to allow the account to be reaped.
CurrencyOf::<T>::remove_lock(EXISTENTIAL_DEPOSIT_LOCK_ID, &program_account);
// The `reducible_balance` should now include the ED since no consumer is left.
// If some part of the program account's `free` balance is still `frozen` for some reason
// it will be offset against the `reducible_balance`.
let balance = <CurrencyOf<T> as fungible::Inspect<_>>::reducible_balance(
&program_account,
Preservation::Expendable,
Fortitude::Polite,
);
if !balance.is_zero() {
// The transfer is guaranteed to succeed since the amount contains at least the ED
// from the deactivated program.
CurrencyOf::<T>::transfer(
&program_account,
&value_destination,
balance,
ExistenceRequirement::AllowDeath,
)
.unwrap_or_else(|e| {
let err_msg = format!("ExtManager::clean_inactive_program: failed transferring the rest balance. \
Sender - {program_account:?}, sender balance - {balance:?}, dest - {value_destination:?}. \
Got error: {e:?}");
log::error!("{err_msg}");
unreachable!("{err_msg}");
});
}
}
/// Removes all messages to `program_id` from the waitlist.
fn clean_waitlist(program_id: ProgramId) {
let reason = MessageWokenSystemReason::ProgramGotInitialized.into_reason();
WaitlistOf::<T>::drain_key(program_id).for_each(|entry| {
let message = Pallet::<T>::wake_dispatch_requirements(entry, reason.clone());
QueueOf::<T>::queue(message)
.unwrap_or_else(|e| unreachable!("Message queue corrupted! {e:?}"));
});
}
fn process_failed_init(program_id: ProgramId, origin: ProgramId) {
// Some messages addressed to the program could be processed
// in the queue before init message. For example, that could
// happen when init message had more gas limit then rest block
// gas allowance, but a dispatch message to the program was
// dequeued. The other case is async init.
Self::clean_waitlist(program_id);
let _ = ProgramStorageOf::<T>::update_program_if_active(program_id, |p, bn| {
let _ = TaskPoolOf::<T>::delete(bn, ScheduledTask::PauseProgram(program_id));
if let Program::Active(program) = p {
Self::clean_inactive_program(program_id, program, origin);
}
*p = Program::Terminated(origin);
});
Pallet::<T>::deposit_event(Event::ProgramChanged {
id: program_id,
change: ProgramChangeKind::Terminated,
});
}
}