use super::{InteriorLocation, Location, Reanchorable};
use crate::v4::{
Asset as OldAsset, AssetFilter as OldAssetFilter, AssetId as OldAssetId,
AssetInstance as OldAssetInstance, Assets as OldAssets, Fungibility as OldFungibility,
WildAsset as OldWildAsset, WildFungibility as OldWildFungibility,
};
use alloc::{vec, vec::Vec};
use bounded_collections::{BoundedVec, ConstU32};
use codec::{self as codec, Decode, Encode, MaxEncodedLen};
use core::cmp::Ordering;
use scale_info::TypeInfo;
#[derive(
Copy,
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Encode,
Decode,
Debug,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum AssetInstance {
Undefined,
Index(#[codec(compact)] u128),
Array4([u8; 4]),
Array8([u8; 8]),
Array16([u8; 16]),
Array32([u8; 32]),
}
impl TryFrom<OldAssetInstance> for AssetInstance {
type Error = ();
fn try_from(value: OldAssetInstance) -> Result<Self, Self::Error> {
use OldAssetInstance::*;
Ok(match value {
Undefined => Self::Undefined,
Index(n) => Self::Index(n),
Array4(n) => Self::Array4(n),
Array8(n) => Self::Array8(n),
Array16(n) => Self::Array16(n),
Array32(n) => Self::Array32(n),
})
}
}
impl From<()> for AssetInstance {
fn from(_: ()) -> Self {
Self::Undefined
}
}
impl From<[u8; 4]> for AssetInstance {
fn from(x: [u8; 4]) -> Self {
Self::Array4(x)
}
}
impl From<[u8; 8]> for AssetInstance {
fn from(x: [u8; 8]) -> Self {
Self::Array8(x)
}
}
impl From<[u8; 16]> for AssetInstance {
fn from(x: [u8; 16]) -> Self {
Self::Array16(x)
}
}
impl From<[u8; 32]> for AssetInstance {
fn from(x: [u8; 32]) -> Self {
Self::Array32(x)
}
}
impl From<u8> for AssetInstance {
fn from(x: u8) -> Self {
Self::Index(x as u128)
}
}
impl From<u16> for AssetInstance {
fn from(x: u16) -> Self {
Self::Index(x as u128)
}
}
impl From<u32> for AssetInstance {
fn from(x: u32) -> Self {
Self::Index(x as u128)
}
}
impl From<u64> for AssetInstance {
fn from(x: u64) -> Self {
Self::Index(x as u128)
}
}
impl TryFrom<AssetInstance> for () {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Undefined => Ok(()),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for [u8; 4] {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Array4(x) => Ok(x),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for [u8; 8] {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Array8(x) => Ok(x),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for [u8; 16] {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Array16(x) => Ok(x),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for [u8; 32] {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Array32(x) => Ok(x),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for u8 {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Index(x) => x.try_into().map_err(|_| ()),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for u16 {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Index(x) => x.try_into().map_err(|_| ()),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for u32 {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Index(x) => x.try_into().map_err(|_| ()),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for u64 {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Index(x) => x.try_into().map_err(|_| ()),
_ => Err(()),
}
}
}
impl TryFrom<AssetInstance> for u128 {
type Error = ();
fn try_from(x: AssetInstance) -> Result<Self, ()> {
match x {
AssetInstance::Index(x) => Ok(x),
_ => Err(()),
}
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum Fungibility {
Fungible(#[codec(compact)] u128),
NonFungible(AssetInstance),
}
#[derive(Decode)]
enum UncheckedFungibility {
Fungible(#[codec(compact)] u128),
NonFungible(AssetInstance),
}
impl Decode for Fungibility {
fn decode<I: codec::Input>(input: &mut I) -> Result<Self, codec::Error> {
match UncheckedFungibility::decode(input)? {
UncheckedFungibility::Fungible(a) if a != 0 => Ok(Self::Fungible(a)),
UncheckedFungibility::NonFungible(i) => Ok(Self::NonFungible(i)),
UncheckedFungibility::Fungible(_) =>
Err("Fungible asset of zero amount is not allowed".into()),
}
}
}
impl Fungibility {
pub fn is_kind(&self, w: WildFungibility) -> bool {
use Fungibility::*;
use WildFungibility::{Fungible as WildFungible, NonFungible as WildNonFungible};
matches!((self, w), (Fungible(_), WildFungible) | (NonFungible(_), WildNonFungible))
}
}
impl From<i32> for Fungibility {
fn from(amount: i32) -> Fungibility {
debug_assert_ne!(amount, 0);
Fungibility::Fungible(amount as u128)
}
}
impl From<u128> for Fungibility {
fn from(amount: u128) -> Fungibility {
debug_assert_ne!(amount, 0);
Fungibility::Fungible(amount)
}
}
impl<T: Into<AssetInstance>> From<T> for Fungibility {
fn from(instance: T) -> Fungibility {
Fungibility::NonFungible(instance.into())
}
}
impl TryFrom<OldFungibility> for Fungibility {
type Error = ();
fn try_from(value: OldFungibility) -> Result<Self, Self::Error> {
use OldFungibility::*;
Ok(match value {
Fungible(n) => Self::Fungible(n),
NonFungible(i) => Self::NonFungible(i.try_into()?),
})
}
}
#[derive(
Copy,
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum WildFungibility {
Fungible,
NonFungible,
}
impl TryFrom<OldWildFungibility> for WildFungibility {
type Error = ();
fn try_from(value: OldWildFungibility) -> Result<Self, Self::Error> {
use OldWildFungibility::*;
Ok(match value {
Fungible => Self::Fungible,
NonFungible => Self::NonFungible,
})
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub struct AssetId(pub Location);
impl<T: Into<Location>> From<T> for AssetId {
fn from(x: T) -> Self {
Self(x.into())
}
}
impl TryFrom<OldAssetId> for AssetId {
type Error = ();
fn try_from(old: OldAssetId) -> Result<Self, ()> {
Ok(Self(old.0.try_into()?))
}
}
impl AssetId {
pub fn prepend_with(&mut self, prepend: &Location) -> Result<(), ()> {
self.0.prepend_with(prepend.clone()).map_err(|_| ())?;
Ok(())
}
pub fn into_asset(self, fun: Fungibility) -> Asset {
Asset { fun, id: self }
}
pub fn into_wild(self, fun: WildFungibility) -> WildAsset {
WildAsset::AllOf { fun, id: self }
}
}
impl Reanchorable for AssetId {
type Error = ();
fn reanchor(&mut self, target: &Location, context: &InteriorLocation) -> Result<(), ()> {
self.0.reanchor(target, context)?;
Ok(())
}
fn reanchored(mut self, target: &Location, context: &InteriorLocation) -> Result<Self, ()> {
match self.reanchor(target, context) {
Ok(()) => Ok(self),
Err(()) => Err(()),
}
}
}
#[derive(
Clone,
Eq,
PartialEq,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub struct Asset {
pub id: AssetId,
pub fun: Fungibility,
}
impl PartialOrd for Asset {
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
Some(self.cmp(other))
}
}
impl Ord for Asset {
fn cmp(&self, other: &Self) -> Ordering {
match (&self.fun, &other.fun) {
(Fungibility::Fungible(..), Fungibility::NonFungible(..)) => Ordering::Less,
(Fungibility::NonFungible(..), Fungibility::Fungible(..)) => Ordering::Greater,
_ => (&self.id, &self.fun).cmp(&(&other.id, &other.fun)),
}
}
}
impl<A: Into<AssetId>, B: Into<Fungibility>> From<(A, B)> for Asset {
fn from((id, fun): (A, B)) -> Asset {
Asset { fun: fun.into(), id: id.into() }
}
}
impl Asset {
pub fn is_fungible(&self, maybe_id: Option<AssetId>) -> bool {
use Fungibility::*;
matches!(self.fun, Fungible(..)) && maybe_id.map_or(true, |i| i == self.id)
}
pub fn is_non_fungible(&self, maybe_id: Option<AssetId>) -> bool {
use Fungibility::*;
matches!(self.fun, NonFungible(..)) && maybe_id.map_or(true, |i| i == self.id)
}
pub fn prepend_with(&mut self, prepend: &Location) -> Result<(), ()> {
self.id.prepend_with(prepend)
}
pub fn contains(&self, inner: &Asset) -> bool {
use Fungibility::*;
if self.id == inner.id {
match (&self.fun, &inner.fun) {
(Fungible(a), Fungible(i)) if a >= i => return true,
(NonFungible(a), NonFungible(i)) if a == i => return true,
_ => (),
}
}
false
}
}
impl Reanchorable for Asset {
type Error = ();
fn reanchor(&mut self, target: &Location, context: &InteriorLocation) -> Result<(), ()> {
self.id.reanchor(target, context)
}
fn reanchored(mut self, target: &Location, context: &InteriorLocation) -> Result<Self, ()> {
self.id.reanchor(target, context)?;
Ok(self)
}
}
impl TryFrom<OldAsset> for Asset {
type Error = ();
fn try_from(old: OldAsset) -> Result<Self, ()> {
Ok(Self { id: old.id.try_into()?, fun: old.fun.try_into()? })
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
TypeInfo,
Default,
serde::Serialize,
serde::Deserialize,
)]
pub struct Assets(Vec<Asset>);
pub const MAX_ITEMS_IN_ASSETS: usize = 20;
impl MaxEncodedLen for Assets {
fn max_encoded_len() -> usize {
Asset::max_encoded_len() * MAX_ITEMS_IN_ASSETS
}
}
impl Decode for Assets {
fn decode<I: codec::Input>(input: &mut I) -> Result<Self, codec::Error> {
let bounded_instructions =
BoundedVec::<Asset, ConstU32<{ MAX_ITEMS_IN_ASSETS as u32 }>>::decode(input)?;
Self::from_sorted_and_deduplicated(bounded_instructions.into_inner())
.map_err(|()| "Out of order".into())
}
}
impl TryFrom<OldAssets> for Assets {
type Error = ();
fn try_from(old: OldAssets) -> Result<Self, ()> {
let v = old
.into_inner()
.into_iter()
.map(Asset::try_from)
.collect::<Result<Vec<_>, ()>>()?;
Ok(Assets(v))
}
}
impl From<Vec<Asset>> for Assets {
fn from(mut assets: Vec<Asset>) -> Self {
let mut res = Vec::with_capacity(assets.len());
if !assets.is_empty() {
assets.sort();
let mut iter = assets.into_iter();
if let Some(first) = iter.next() {
let last = iter.fold(first, |a, b| -> Asset {
match (a, b) {
(
Asset { fun: Fungibility::Fungible(a_amount), id: a_id },
Asset { fun: Fungibility::Fungible(b_amount), id: b_id },
) if a_id == b_id => Asset {
id: a_id,
fun: Fungibility::Fungible(a_amount.saturating_add(b_amount)),
},
(
Asset { fun: Fungibility::NonFungible(a_instance), id: a_id },
Asset { fun: Fungibility::NonFungible(b_instance), id: b_id },
) if a_id == b_id && a_instance == b_instance =>
Asset { fun: Fungibility::NonFungible(a_instance), id: a_id },
(to_push, to_remember) => {
res.push(to_push);
to_remember
},
}
});
res.push(last);
}
}
Self(res)
}
}
impl<T: Into<Asset>> From<T> for Assets {
fn from(x: T) -> Self {
Self(vec![x.into()])
}
}
impl Assets {
pub fn new() -> Self {
Self(Vec::new())
}
pub fn from_sorted_and_deduplicated(r: Vec<Asset>) -> Result<Self, ()> {
if r.is_empty() {
return Ok(Self(Vec::new()))
}
r.iter().skip(1).try_fold(&r[0], |a, b| -> Result<&Asset, ()> {
if a.id < b.id || a < b && (a.is_non_fungible(None) || b.is_non_fungible(None)) {
Ok(b)
} else {
Err(())
}
})?;
Ok(Self(r))
}
#[cfg(test)]
pub fn from_sorted_and_deduplicated_skip_checks(r: Vec<Asset>) -> Self {
Self::from_sorted_and_deduplicated(r).expect("Invalid input r is not sorted/deduped")
}
#[cfg(not(test))]
pub fn from_sorted_and_deduplicated_skip_checks(r: Vec<Asset>) -> Self {
Self(r)
}
pub fn push(&mut self, a: Asset) {
for asset in self.0.iter_mut().filter(|x| x.id == a.id) {
match (&a.fun, &mut asset.fun) {
(Fungibility::Fungible(amount), Fungibility::Fungible(balance)) => {
*balance = balance.saturating_add(*amount);
return
},
(Fungibility::NonFungible(inst1), Fungibility::NonFungible(inst2))
if inst1 == inst2 =>
return,
_ => (),
}
}
self.0.push(a);
self.0.sort();
}
pub fn is_none(&self) -> bool {
self.0.is_empty()
}
pub fn contains(&self, inner: &Asset) -> bool {
self.0.iter().any(|i| i.contains(inner))
}
#[deprecated = "Use `into_inner()` instead"]
pub fn drain(self) -> Vec<Asset> {
self.0
}
pub fn into_inner(self) -> Vec<Asset> {
self.0
}
pub fn inner(&self) -> &Vec<Asset> {
&self.0
}
pub fn len(&self) -> usize {
self.0.len()
}
pub fn prepend_with(&mut self, prefix: &Location) -> Result<(), ()> {
self.0.iter_mut().try_for_each(|i| i.prepend_with(prefix))?;
self.0.sort();
Ok(())
}
pub fn get(&self, index: usize) -> Option<&Asset> {
self.0.get(index)
}
}
impl Reanchorable for Assets {
type Error = ();
fn reanchor(&mut self, target: &Location, context: &InteriorLocation) -> Result<(), ()> {
self.0.iter_mut().try_for_each(|i| i.reanchor(target, context))?;
self.0.sort();
Ok(())
}
fn reanchored(mut self, target: &Location, context: &InteriorLocation) -> Result<Self, ()> {
match self.reanchor(target, context) {
Ok(()) => Ok(self),
Err(()) => Err(()),
}
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum WildAsset {
All,
AllOf { id: AssetId, fun: WildFungibility },
AllCounted(#[codec(compact)] u32),
AllOfCounted {
id: AssetId,
fun: WildFungibility,
#[codec(compact)]
count: u32,
},
}
impl TryFrom<OldWildAsset> for WildAsset {
type Error = ();
fn try_from(old: OldWildAsset) -> Result<WildAsset, ()> {
use OldWildAsset::*;
Ok(match old {
AllOf { id, fun } => Self::AllOf { id: id.try_into()?, fun: fun.try_into()? },
All => Self::All,
AllOfCounted { id, fun, count } =>
Self::AllOfCounted { id: id.try_into()?, fun: fun.try_into()?, count },
AllCounted(count) => Self::AllCounted(count),
})
}
}
impl WildAsset {
pub fn contains(&self, inner: &Asset) -> bool {
use WildAsset::*;
match self {
AllOfCounted { count: 0, .. } | AllCounted(0) => false,
AllOf { fun, id } | AllOfCounted { id, fun, .. } =>
inner.fun.is_kind(*fun) && &inner.id == id,
All | AllCounted(_) => true,
}
}
#[deprecated = "Use `contains` instead"]
pub fn matches(&self, inner: &Asset) -> bool {
self.contains(inner)
}
pub fn reanchor(&mut self, target: &Location, context: &InteriorLocation) -> Result<(), ()> {
use WildAsset::*;
match self {
AllOf { ref mut id, .. } | AllOfCounted { ref mut id, .. } =>
id.reanchor(target, context),
All | AllCounted(_) => Ok(()),
}
}
pub fn count(&self) -> Option<u32> {
use WildAsset::*;
match self {
AllOfCounted { count, .. } | AllCounted(count) => Some(*count),
All | AllOf { .. } => None,
}
}
pub fn limit(&self) -> Option<u32> {
self.count()
}
pub fn counted(self, count: u32) -> Self {
use WildAsset::*;
match self {
AllOfCounted { fun, id, .. } | AllOf { fun, id } => AllOfCounted { fun, id, count },
All | AllCounted(_) => AllCounted(count),
}
}
}
impl<A: Into<AssetId>, B: Into<WildFungibility>> From<(A, B)> for WildAsset {
fn from((id, fun): (A, B)) -> WildAsset {
WildAsset::AllOf { fun: fun.into(), id: id.into() }
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum AssetFilter {
Definite(Assets),
Wild(WildAsset),
}
impl<T: Into<WildAsset>> From<T> for AssetFilter {
fn from(x: T) -> Self {
Self::Wild(x.into())
}
}
impl From<Asset> for AssetFilter {
fn from(x: Asset) -> Self {
Self::Definite(vec![x].into())
}
}
impl From<Vec<Asset>> for AssetFilter {
fn from(x: Vec<Asset>) -> Self {
Self::Definite(x.into())
}
}
impl From<Assets> for AssetFilter {
fn from(x: Assets) -> Self {
Self::Definite(x)
}
}
impl AssetFilter {
pub fn matches(&self, inner: &Asset) -> bool {
match self {
AssetFilter::Definite(ref assets) => assets.contains(inner),
AssetFilter::Wild(ref wild) => wild.contains(inner),
}
}
pub fn reanchor(&mut self, target: &Location, context: &InteriorLocation) -> Result<(), ()> {
match self {
AssetFilter::Definite(ref mut assets) => assets.reanchor(target, context),
AssetFilter::Wild(ref mut wild) => wild.reanchor(target, context),
}
}
pub fn count(&self) -> Option<u32> {
use AssetFilter::*;
match self {
Definite(x) => Some(x.len() as u32),
Wild(x) => x.count(),
}
}
pub fn limit(&self) -> Option<u32> {
use AssetFilter::*;
match self {
Definite(_) => None,
Wild(x) => x.limit(),
}
}
}
impl TryFrom<OldAssetFilter> for AssetFilter {
type Error = ();
fn try_from(old: OldAssetFilter) -> Result<AssetFilter, ()> {
Ok(match old {
OldAssetFilter::Definite(x) => Self::Definite(x.try_into()?),
OldAssetFilter::Wild(x) => Self::Wild(x.try_into()?),
})
}
}
#[derive(
Clone,
Eq,
PartialEq,
Ord,
PartialOrd,
Debug,
Encode,
Decode,
TypeInfo,
MaxEncodedLen,
serde::Serialize,
serde::Deserialize,
)]
pub enum AssetTransferFilter {
Teleport(AssetFilter),
ReserveDeposit(AssetFilter),
ReserveWithdraw(AssetFilter),
}
impl AssetTransferFilter {
pub fn inner(&self) -> &AssetFilter {
match self {
AssetTransferFilter::Teleport(inner) => inner,
AssetTransferFilter::ReserveDeposit(inner) => inner,
AssetTransferFilter::ReserveWithdraw(inner) => inner,
}
}
}
#[cfg(test)]
mod tests {
use super::super::prelude::*;
#[test]
fn conversion_works() {
let _: Assets = (Here, 1u128).into();
}
#[test]
fn from_sorted_and_deduplicated_works() {
use super::*;
use alloc::vec;
let empty = vec![];
let r = Assets::from_sorted_and_deduplicated(empty);
assert_eq!(r, Ok(Assets(vec![])));
let dup_fun = vec![(Here, 100).into(), (Here, 10).into()];
let r = Assets::from_sorted_and_deduplicated(dup_fun);
assert!(r.is_err());
let dup_nft = vec![(Here, *b"notgood!").into(), (Here, *b"notgood!").into()];
let r = Assets::from_sorted_and_deduplicated(dup_nft);
assert!(r.is_err());
let good_fun = vec![(Here, 10).into(), (Parent, 10).into()];
let r = Assets::from_sorted_and_deduplicated(good_fun.clone());
assert_eq!(r, Ok(Assets(good_fun)));
let bad_fun = vec![(Parent, 10).into(), (Here, 10).into()];
let r = Assets::from_sorted_and_deduplicated(bad_fun);
assert!(r.is_err());
let good_nft = vec![(Here, ()).into(), (Here, *b"good").into()];
let r = Assets::from_sorted_and_deduplicated(good_nft.clone());
assert_eq!(r, Ok(Assets(good_nft)));
let bad_nft = vec![(Here, *b"bad!").into(), (Here, ()).into()];
let r = Assets::from_sorted_and_deduplicated(bad_nft);
assert!(r.is_err());
let mixed_good = vec![(Here, 10).into(), (Here, *b"good").into()];
let r = Assets::from_sorted_and_deduplicated(mixed_good.clone());
assert_eq!(r, Ok(Assets(mixed_good)));
let mixed_bad = vec![(Here, *b"bad!").into(), (Here, 10).into()];
let r = Assets::from_sorted_and_deduplicated(mixed_bad);
assert!(r.is_err());
}
#[test]
fn reanchor_preserves_sorting() {
use super::*;
use alloc::vec;
let reanchor_context: Junctions = Parachain(2000).into();
let dest = Location::new(1, []);
let asset_1: Asset = (Location::new(0, [PalletInstance(50), GeneralIndex(1)]), 10).into();
let mut asset_1_reanchored = asset_1.clone();
assert!(asset_1_reanchored.reanchor(&dest, &reanchor_context).is_ok());
assert_eq!(
asset_1_reanchored,
(Location::new(0, [Parachain(2000), PalletInstance(50), GeneralIndex(1)]), 10).into()
);
let asset_2: Asset = (Location::new(1, []), 10).into();
let mut asset_2_reanchored = asset_2.clone();
assert!(asset_2_reanchored.reanchor(&dest, &reanchor_context).is_ok());
assert_eq!(asset_2_reanchored, (Location::new(0, []), 10).into());
let asset_3: Asset = (Location::new(1, [Parachain(1000)]), 10).into();
let mut asset_3_reanchored = asset_3.clone();
assert!(asset_3_reanchored.reanchor(&dest, &reanchor_context).is_ok());
assert_eq!(asset_3_reanchored, (Location::new(0, [Parachain(1000)]), 10).into());
let mut assets: Assets = vec![asset_1.clone(), asset_2.clone(), asset_3.clone()].into();
assert_eq!(assets.clone(), vec![asset_1.clone(), asset_2.clone(), asset_3.clone()].into());
assert!(assets.using_encoded(|mut enc| Assets::decode(&mut enc).map(|_| ())).is_ok());
assert!(assets.reanchor(&dest, &reanchor_context).is_ok());
assert_eq!(assets.0, vec![asset_2_reanchored, asset_3_reanchored, asset_1_reanchored]);
assert!(assets.using_encoded(|mut enc| Assets::decode(&mut enc).map(|_| ())).is_ok());
}
#[test]
fn prepend_preserves_sorting() {
use super::*;
use alloc::vec;
let prefix = Location::new(0, [Parachain(1000)]);
let asset_1: Asset = (Location::new(0, [PalletInstance(50), GeneralIndex(1)]), 10).into();
let mut asset_1_prepended = asset_1.clone();
assert!(asset_1_prepended.prepend_with(&prefix).is_ok());
assert_eq!(
asset_1_prepended,
(Location::new(0, [Parachain(1000), PalletInstance(50), GeneralIndex(1)]), 10).into()
);
let asset_2: Asset = (Location::new(1, [PalletInstance(50), GeneralIndex(1)]), 10).into();
let mut asset_2_prepended = asset_2.clone();
assert!(asset_2_prepended.prepend_with(&prefix).is_ok());
assert_eq!(
asset_2_prepended,
(Location::new(0, [PalletInstance(50), GeneralIndex(1)]), 10).into()
);
let asset_3: Asset = (Location::new(2, [PalletInstance(50), GeneralIndex(1)]), 10).into();
let mut asset_3_prepended = asset_3.clone();
assert!(asset_3_prepended.prepend_with(&prefix).is_ok());
assert_eq!(
asset_3_prepended,
(Location::new(1, [PalletInstance(50), GeneralIndex(1)]), 10).into()
);
let mut assets: Assets = vec![asset_1, asset_2, asset_3].into();
assert!(assets.using_encoded(|mut enc| Assets::decode(&mut enc).map(|_| ())).is_ok());
assert!(assets.prepend_with(&prefix).is_ok());
assert_eq!(assets.0, vec![asset_2_prepended, asset_1_prepended, asset_3_prepended]);
assert!(assets.using_encoded(|mut enc| Assets::decode(&mut enc).map(|_| ())).is_ok());
}
#[test]
fn decoding_respects_limit() {
use super::*;
let lots_of_one_asset: Assets =
vec![(GeneralIndex(1), 1u128).into(); MAX_ITEMS_IN_ASSETS + 1].into();
let encoded = lots_of_one_asset.encode();
assert!(Assets::decode(&mut &encoded[..]).is_ok());
let mut few_assets: Assets = Vec::new().into();
for i in 0..MAX_ITEMS_IN_ASSETS {
few_assets.push((GeneralIndex(i as u128), 1u128).into());
}
let encoded = few_assets.encode();
assert!(Assets::decode(&mut &encoded[..]).is_ok());
let mut too_many_different_assets: Assets = Vec::new().into();
for i in 0..MAX_ITEMS_IN_ASSETS + 1 {
too_many_different_assets.push((GeneralIndex(i as u128), 1u128).into());
}
let encoded = too_many_different_assets.encode();
assert!(Assets::decode(&mut &encoded[..]).is_err());
}
}