#![cfg_attr(not(feature = "std"), no_std)]
use codec::{Decode, Encode};
use frame_support::{
decl_error, decl_event, decl_module, decl_storage,
dispatch::{DispatchResultWithPostInfo, Dispatchable, Parameter, PostDispatchInfo},
ensure,
traits::Get,
weights::{GetDispatchInfo, Weight},
};
use frame_system::ensure_signed;
use governance_os_support::traits::{ProposalResult, RoleManager, VotingRouter};
use sp_runtime::{
traits::{AccountIdConversion, Hash, StaticLookup},
DispatchError, DispatchResult, ModuleId,
};
use sp_std::{boxed::Box, prelude::Vec};
mod default_weights;
mod details;
#[cfg(test)]
mod tests;
pub use details::{OrganizationDetails, Proposal};
pub trait RoleBuilder {
type OrganizationId;
type Role;
fn create_organizations() -> Self::Role;
fn apply_as_organization(org_id: &Self::OrganizationId) -> Self::Role;
}
pub trait WeightInfo {
fn create(b: u32) -> Weight;
fn mutate(b: u32, c: u32) -> Weight;
fn create_proposal() -> Weight;
fn veto_proposal(b: u32, c: u32) -> Weight;
fn decide_on_proposal(b: u32) -> Weight;
fn close_proposal(b: u32, c: u32) -> Weight;
}
pub trait Config: frame_system::Config {
type Event: From<Event<Self>> + Into<<Self as frame_system::Config>::Event>;
type Call: Parameter
+ GetDispatchInfo
+ From<frame_system::Call<Self>>
+ Dispatchable<Origin = Self::Origin, PostInfo = PostDispatchInfo>;
type RoleManager: RoleManager<AccountId = Self::AccountId>;
type RoleBuilder: RoleBuilder<
OrganizationId = Self::AccountId,
Role = <RoleManagerOf<Self> as RoleManager>::Role,
>;
type VotingRouter: VotingRouter<AccountId = Self::AccountId, ProposalId = ProposalIdOf<Self>>;
type MaxVotes: Get<u32>;
type MaxExecutors: Get<u32>;
type WeightInfo: WeightInfo;
}
type OrganizationDetailsOf<T> = OrganizationDetails<
<T as frame_system::Config>::AccountId,
(VotingSystemIdOf<T>, VotingParametersOf<T>),
>;
pub type OrganizationsCounter = u32;
type ProposalIdOf<T> = <T as frame_system::Config>::Hash;
type ProposalOf<T> = Proposal<Vec<u8>, <T as frame_system::Config>::AccountId, VotingSystemIdOf<T>>;
type RoleBuilderOf<T> = <T as Config>::RoleBuilder;
type RoleManagerOf<T> = <T as Config>::RoleManager;
type VoteDataOf<T> = <<T as Config>::VotingRouter as VotingRouter>::VoteData;
type VotingParametersOf<T> = <<T as Config>::VotingRouter as VotingRouter>::Parameters;
type VotingSystemIdOf<T> = <<T as Config>::VotingRouter as VotingRouter>::VotingSystemId;
const ORGS_MODULE_ID: ModuleId = ModuleId(*b"gos/orgs");
decl_storage! {
trait Store for Module<T: Config> as Organizations {
pub Counter get(fn counter): OrganizationsCounter = 0;
pub Parameters get(fn parameters): map hasher(blake2_128_concat) T::AccountId => Option<OrganizationDetailsOf<T>>;
pub Proposals get(fn proposals): map hasher(blake2_128_concat) ProposalIdOf<T> => Option<ProposalOf<T>>;
}
add_extra_genesis {
config(organizations): Vec<OrganizationDetailsOf<T>>;
build(|config: &GenesisConfig<T>| {
config.organizations.iter().cloned().for_each(|params| {
Module::<T>::do_create(params)
.expect("org creation in genesis block shall not fail")
})
})
}
}
decl_event!(
pub enum Event<T>
where
AccountId = <T as frame_system::Config>::AccountId,
OrganizationDetails = OrganizationDetailsOf<T>,
ProposalId = ProposalIdOf<T>,
VoteData = VoteDataOf<T>,
{
OrganizationCreated(AccountId, OrganizationDetails),
OrganizationExecuted(AccountId, DispatchResult),
OrganizationMutated(AccountId, OrganizationDetails, OrganizationDetails),
ProposalSubmitted(AccountId, ProposalId),
ProposalVetoed(ProposalId),
ProposalVoteCasted(ProposalId, AccountId, VoteData),
ProposalExecuted(ProposalId, DispatchResult),
ProposalClosed(ProposalId, ProposalResult),
}
);
decl_error! {
pub enum Error for Module<T: Config> {
CounterOverflow,
NotAnOrganization,
ProposalDuplicate,
ProposalNotForOrganization,
ProposalNotFound,
ProposalCanNotBeClosed,
ProposalDecodingFailure,
TooSmallWeightBound,
}
}
decl_module! {
pub struct Module<T: Config> for enum Call where origin: T::Origin {
fn deposit_event() = default;
#[weight = T::WeightInfo::create(details.executors.len() as u32)]
fn create(origin, details: OrganizationDetailsOf<T>) {
RoleManagerOf::<T>::ensure_has_role(origin, RoleBuilderOf::<T>::create_organizations())?;
Self::do_create(details)?;
}
#[weight =
call.get_dispatch_info().weight
.saturating_add(10_000)
.saturating_add(T::DbWeight::get().reads_writes(1, 1))
.saturating_add(T::DbWeight::get().reads(2))
]
fn apply_as(origin, org_id: <T::Lookup as StaticLookup>::Source, call: Box<<T as Config>::Call>) {
let target_org_id = T::Lookup::lookup(org_id)?;
RoleManagerOf::<T>::ensure_has_role(origin, RoleBuilderOf::<T>::apply_as_organization(&target_org_id))?;
let res = call.dispatch(frame_system::RawOrigin::Signed(target_org_id.clone()).into());
Self::deposit_event(RawEvent::OrganizationExecuted(target_org_id, res.map(|_| ()).map_err(|e| e.error)));
}
#[weight = T::WeightInfo::mutate(new_details.executors.len() as u32, T::MaxExecutors::get())]
fn mutate(origin, new_details: OrganizationDetailsOf<T>) -> DispatchResultWithPostInfo {
let (org_id, old_details) = Self::ensure_org(origin)?;
let mut new_details = new_details;
new_details.sort();
let mut roles_granted: u32 = 0;
let mut roles_revoked: u32 = 0;
Self::try_run_on_changes(old_details.executors.as_slice(), new_details.executors.as_slice(), |old_account| {
roles_revoked = roles_revoked.saturating_add(1);
RoleManagerOf::<T>::revoke_role(Some(old_account), RoleBuilderOf::<T>::apply_as_organization(&org_id))
}, |new_account| {
roles_granted = roles_granted.saturating_add(1);
RoleManagerOf::<T>::grant_role(Some(new_account), RoleBuilderOf::<T>::apply_as_organization(&org_id))
})?;
Parameters::<T>::insert(&org_id, new_details.clone());
Self::deposit_event(RawEvent::OrganizationMutated(org_id, old_details, new_details));
Ok(Some(T::WeightInfo::mutate(roles_granted, roles_revoked)).into())
}
#[weight = T::WeightInfo::create_proposal()]
fn create_proposal(origin, org_id: <T::Lookup as StaticLookup>::Source, call: Box<<T as Config>::Call>) {
let _who = ensure_signed(origin)?;
let target_org_id = T::Lookup::lookup(org_id)?;
let details = Self::try_get_parameters(&target_org_id)?;
let proposal_id = Self::proposal_id(&target_org_id, call.clone());
if Proposals::<T>::contains_key(proposal_id) {
return Err(Error::<T>::ProposalDuplicate.into());
}
T::VotingRouter::initiate(details.voting.0.clone(), proposal_id, details.voting.1)?;
Proposals::<T>::insert(&proposal_id, Proposal{
org: target_org_id.clone(),
call: call.encode(),
voting: details.voting.0,
});
Self::deposit_event(RawEvent::ProposalSubmitted(target_org_id, proposal_id));
}
#[weight = T::WeightInfo::veto_proposal(T::MaxVotes::get(), T::MaxVotes::get())]
fn veto_proposal(origin, proposal_id: ProposalIdOf<T>) {
let (org_id, _details) = Self::ensure_org(origin)?;
let proposal = Self::try_get_proposal(proposal_id)?;
ensure!(proposal.org == org_id, Error::<T>::ProposalNotForOrganization);
T::VotingRouter::veto(proposal.voting, proposal_id)?;
Proposals::<T>::remove(proposal_id);
Self::deposit_event(RawEvent::ProposalVetoed(proposal_id));
}
#[weight = T::WeightInfo::decide_on_proposal(T::MaxVotes::get())]
fn decide_on_proposal(origin, proposal_id: ProposalIdOf<T>, vote_data: VoteDataOf<T>) {
let voter = ensure_signed(origin)?;
let proposal = Self::try_get_proposal(proposal_id)?;
T::VotingRouter::vote(proposal.voting, proposal_id, &voter, vote_data.clone())?;
Self::deposit_event(RawEvent::ProposalVoteCasted(proposal_id, voter, vote_data));
}
#[weight = T::WeightInfo::close_proposal(T::MaxVotes::get(), T::MaxVotes::get()).saturating_add(*proposal_weight_bound)]
fn close_proposal(origin, proposal_id: ProposalIdOf<T>, proposal_weight_bound: Weight) -> DispatchResultWithPostInfo {
let _ = ensure_signed(origin)?;
let proposal = Self::try_get_proposal(proposal_id)?;
let decoded_call = <T as Config>::Call::decode(&mut &proposal.clone().call[..]).map_err(|_| Error::<T>::ProposalDecodingFailure)?;
let decoded_call_weight = decoded_call.get_dispatch_info().weight;
ensure!(proposal_weight_bound >= decoded_call_weight, Error::<T>::TooSmallWeightBound);
let proposal_result = T::VotingRouter::close(proposal.voting.clone(), proposal_id)?;
let mut external_weight: Weight = 0;
if proposal_result == ProposalResult::Passing {
let res = decoded_call.dispatch(frame_system::RawOrigin::Signed(proposal.clone().org).into());
Self::deposit_event(RawEvent::ProposalExecuted(proposal_id, res.map(|_| ()).map_err(|e| e.error)));
external_weight = external_weight.saturating_add(Self::get_result_weight(res).unwrap_or(decoded_call_weight));
}
Proposals::<T>::remove(proposal_id);
Self::deposit_event(RawEvent::ProposalClosed(proposal_id, proposal_result));
Ok(Some(T::WeightInfo::close_proposal(T::MaxVotes::get(), T::MaxVotes::get()).saturating_add(external_weight)).into())
}
}
}
impl<T: Config> Module<T> {
fn try_run_on_changes<Elem: Ord>(
old_vec: &[Elem],
new_vec: &[Elem],
on_old: impl FnMut(&Elem) -> DispatchResult,
on_new: impl FnMut(&Elem) -> DispatchResult,
) -> DispatchResult {
Self::try_run_if_not_in_right(old_vec, new_vec, on_old)
.and_then(|_| Self::try_run_if_not_in_right(new_vec, old_vec, on_new))
}
fn try_run_if_not_in_right<Elem: Ord>(
left: &[Elem],
right: &[Elem],
mut to_run: impl FnMut(&Elem) -> DispatchResult,
) -> DispatchResult {
left.into_iter().try_for_each(|elem| {
if right.binary_search(&elem).is_err() {
return to_run(elem);
}
Ok(())
})
}
pub fn org_id_for(counter: u32) -> T::AccountId {
ORGS_MODULE_ID.into_sub_account(counter)
}
fn ensure_org(
origin: T::Origin,
) -> Result<(T::AccountId, OrganizationDetailsOf<T>), DispatchError> {
match ensure_signed(origin) {
Err(e) => Err(e.into()),
Ok(maybe_org_id) => Ok((
maybe_org_id.clone(),
Self::try_get_parameters(&maybe_org_id)?,
)),
}
}
fn try_get_parameters(
org_id: &T::AccountId,
) -> Result<OrganizationDetailsOf<T>, DispatchError> {
match Parameters::<T>::get(org_id) {
Some(details) => Ok(details),
None => Err(Error::<T>::NotAnOrganization.into()),
}
}
fn try_get_proposal(proposal_id: ProposalIdOf<T>) -> Result<ProposalOf<T>, DispatchError> {
match Proposals::<T>::get(proposal_id) {
Some(proposal) => Ok(proposal),
None => Err(Error::<T>::ProposalNotFound.into()),
}
}
fn proposal_id(org_id: &T::AccountId, proposal: Box<<T as Config>::Call>) -> ProposalIdOf<T> {
T::Hashing::hash_of(&[org_id.encode(), proposal.encode()])
}
fn get_result_weight(result: DispatchResultWithPostInfo) -> Option<Weight> {
match result {
Ok(post_info) => post_info.actual_weight,
Err(err) => err.post_info.actual_weight,
}
}
fn do_create(details: OrganizationDetailsOf<T>) -> DispatchResult {
let counter = Self::counter();
let new_counter = counter.checked_add(1).ok_or(Error::<T>::CounterOverflow)?;
let org_id = Self::org_id_for(counter);
Self::do_create_with_id(details, org_id)?;
Counter::put(new_counter);
Ok(())
}
fn do_create_with_id(
details: OrganizationDetailsOf<T>,
org_id: T::AccountId,
) -> DispatchResult {
let mut details = details;
details.sort();
details.executors.iter().try_for_each(|account| {
RoleManagerOf::<T>::grant_role(
Some(&account),
RoleBuilderOf::<T>::apply_as_organization(&org_id),
)
})?;
Parameters::<T>::insert(&org_id, details.clone());
Self::deposit_event(RawEvent::OrganizationCreated(org_id, details));
Ok(())
}
}