@polkadot/types#getTypeDef TypeScript Examples
The following examples show how to use
@polkadot/types#getTypeDef.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: Modules.tsx From crust-apps with Apache License 2.0 | 6 votes |
function expandParams (st: StorageEntryTypeLatest, isIterable: boolean): ParamsType {
let types: string[] = [];
if (st.isDoubleMap) {
types = [st.asDoubleMap.key1.toString(), st.asDoubleMap.key2.toString()];
} else if (st.isMap) {
types = [st.asMap.key.toString()];
}
return types.map((str, index) => {
let type: TypeDefExt;
if (isIterable && index === (types.length - 1)) {
type = getTypeDef(`Option<${str}>`);
type.withOptionActive = true;
} else {
type = getTypeDef(str);
}
return { type };
});
}
Example #2
Source File: Modules.tsx From crust-apps with Apache License 2.0 | 6 votes |
function checkIterable (type: StorageEntryTypeLatest): boolean {
const def = type.isMap
? getTypeDef(type.asMap.key.toString())
: type.isDoubleMap
? getTypeDef(type.asDoubleMap.key2.toString())
: null;
// in the case of Option<type> keys, we don't allow map iteration, in this case
// we would have option for the iterable and then option for the key value
return !!def && def.info !== TypeDefInfo.Option;
}
Example #3
Source File: Call.tsx From crust-apps with Apache License 2.0 | 6 votes |
function extractState (value: IExtrinsic | IMethod, withHash?: boolean, withSignature?: boolean): Extracted {
const params = GenericCall.filterOrigin(value.meta).map(({ name, type }): Param => ({
name: name.toString(),
type: getTypeDef(type.toString())
}));
const values = value.args.map((value): Value => ({
isValid: true,
value
}));
const hash = withHash
? value.hash.toHex()
: null;
let signature: string | null = null;
let signatureType: string | null = null;
if (withSignature && isExtrinsic(value) && value.isSigned) {
const raw = getRawSignature(value);
signature = value.signature.toHex();
signatureType = raw instanceof Enum
? raw.type
: null;
}
return { hash, params, signature, signatureType, values };
}
Example #4
Source File: findComponent.ts From crust-apps with Apache License 2.0 | 6 votes |
export default function findComponent (registry: Registry, def: TypeDef, overrides: ComponentMap = {}): React.ComponentType<Props> {
const findOne = (type: string): React.ComponentType<Props> | null =>
overrides[type] || components[type];
const type = fromDef(def);
let Component = findOne(type);
if (!Component) {
let error: string | null = null;
try {
const instance = registry.createType(type as 'u32');
const raw = getTypeDef(instance.toRawType());
Component = findOne(raw.type);
if (Component) {
return Component;
} else if (isBn(instance)) {
return Amount;
} else if ([TypeDefInfo.Enum, TypeDefInfo.Struct, TypeDefInfo.Tuple].includes(raw.info)) {
return findComponent(registry, raw, overrides);
} else if (raw.info === TypeDefInfo.VecFixed && (raw.sub as TypeDef).type !== 'u8') {
return findComponent(registry, raw, overrides);
}
} catch (e) {
error = (e as Error).message;
}
// we only want to want once, not spam
if (!warnList.includes(type)) {
warnList.push(type);
error && console.error(`params: findComponent: ${error}`);
console.info(`params: findComponent: No pre-defined component for type ${type} from ${JSON.stringify(def)}, using defaults`);
}
}
return Component || Unknown;
}
Example #5
Source File: gov.ts From sdk with Apache License 2.0 | 6 votes |
function _extractMetaData(value: any) {
const params = value.meta.args.map(({ name, type }) => ({
name: name.toString(),
type: getTypeDef(type.toString()),
}));
const values = value.args.map((value) => ({
isValid: true,
value,
}));
const hash = value.hash.toHex();
return { hash, params, values };
}
Example #6
Source File: Call.tsx From subscan-multisig-react with Apache License 2.0 | 6 votes |
function extractState(value: IExtrinsic | IMethod, withHash?: boolean, withSignature?: boolean): Extracted {
const params = value.meta.args.map(
// const params = GenericCall.filterOrigin(value.meta).map(
({ name, type }): Param => ({
name: name.toString(),
type: getTypeDef(type.toString()),
})
);
const values = value.args.map(
(val): Value => ({
isValid: true,
value: val,
})
);
const hash = withHash ? value.hash.toHex() : null;
let signature: string | null = null;
let signatureType: string | null = null;
if (withSignature && isExtrinsic(value) && value.isSigned) {
const raw = getRawSignature(value);
signature = value.signature.toHex();
signatureType = raw instanceof Enum ? raw.type : null;
}
return { hash, params, signature, signatureType, values };
}
Example #7
Source File: Event.tsx From crust-apps with Apache License 2.0 | 5 votes |
function EventDisplay ({ children, className = '', value }: Props): React.ReactElement<Props> {
const { t } = useTranslation();
const params = value.typeDef.map(({ type }) => ({ type: getTypeDef(type) }));
const values = value.data.map((value) => ({ isValid: true, value }));
const abiEvent = useMemo(
(): AbiEvent | null => {
// for contracts, we decode the actual event
if (value.section === 'contracts' && value.method === 'ContractExecution' && value.data.length === 2) {
// see if we have info for this contract
const [accountId, encoded] = value.data;
try {
const abi = getContractAbi(accountId.toString());
if (abi) {
const decoded = abi.decodeEvent(encoded as Bytes);
return {
...decoded,
values: decoded.args.map((value) => ({ isValid: true, value }))
};
}
} catch (error) {
// ABI mismatch?
console.error(error);
}
}
return null;
},
[value]
);
return (
<div className={`ui--Event ${className}`}>
{children}
<Params
isDisabled
params={params}
values={values}
>
{abiEvent && (
<>
<Input
isDisabled
label={t<string>('contract event')}
value={abiEvent.event.identifier}
/>
<Params
isDisabled
params={abiEvent.event.args}
values={abiEvent.values}
/>
</>
)}
</Params>
</div>
);
}
Example #8
Source File: Event.tsx From subscan-multisig-react with Apache License 2.0 | 5 votes |
function EventDisplay({ children, className = '', value }: Props): React.ReactElement<Props> {
const { t } = useTranslation();
const params = value.typeDef.map(({ type }) => ({ type: getTypeDef(type) }));
const values = value.data.map((value) => ({ isValid: true, value }));
// eslint-disable-next-line complexity
const abiEvent = useMemo((): AbiEvent | null => {
// for contracts, we decode the actual event
// eslint-disable-next-line no-magic-numbers
if (value.section === 'contracts' && value.method === 'ContractExecution' && value.data.length === 2) {
// see if we have info for this contract
const [accountId, encoded] = value.data;
try {
const abi = getContractAbi(accountId.toString());
if (abi) {
const decoded = abi.decodeEvent(encoded as Bytes);
return {
...decoded,
// eslint-disable-next-line @typescript-eslint/no-explicit-any
values: decoded.args.map((value: any) => ({ isValid: true, value })),
};
}
} catch (error) {
// ABI mismatch?
console.error(error);
}
}
return null;
}, [value]);
return (
<div className={`ui--Event ${className}`}>
{children}
<Params isDisabled params={params} values={values}>
{abiEvent && (
<>
<Input isDisabled label={t<string>('contract event')} value={abiEvent.event.identifier} />
<Params isDisabled params={abiEvent.event.args} values={abiEvent.values} />
</>
)}
</Params>
</div>
);
}
Example #9
Source File: findComponent.ts From subscan-multisig-react with Apache License 2.0 | 5 votes |
// eslint-disable-next-line complexity
export default function findComponent(
registry: Registry,
def: TypeDef,
overrides: ComponentMap = {}
): React.ComponentType<Props> {
const findOne = (type: string): React.ComponentType<Props> | null => overrides[type] || components[type];
const type = fromDef(def);
let Component = findOne(type);
if (!Component) {
let error: string | null = null;
try {
const instance = registry.createType(type as 'u32');
const raw = getTypeDef(instance.toRawType());
Component = findOne(raw.type);
if (Component) {
return Component;
} else if (isBn(instance)) {
return Amount;
} else if ([TypeDefInfo.Enum, TypeDefInfo.Struct, TypeDefInfo.Tuple].includes(raw.info)) {
return findComponent(registry, raw, overrides);
} else if (raw.info === TypeDefInfo.VecFixed && (raw.sub as TypeDef).type !== 'u8') {
return findComponent(registry, raw, overrides);
}
} catch (e) {
error = (e as Error).message;
}
// we only want to want once, not spam
if (!warnList.includes(type)) {
warnList.push(type);
// eslint-disable-next-line
error && console.error(`params: findComponent: ${error}`);
console.info(
`params: findComponent: No pre-defined component for type ${type} from ${JSON.stringify(def)}, using defaults`
);
}
}
return Component || Unknown;
}
Example #10
Source File: Enum.tsx From crust-apps with Apache License 2.0 | 4 votes |
function EnumParam (props: Props): React.ReactElement<Props> {
const { className = '', defaultValue, isDisabled, isError, label, onChange, overrides, registry, type, withLabel } = props;
const [current, setCurrent] = useState<ParamDef[] | null>(null);
const [initialValue, setInitialValue] = useState<string | null>(null);
const [{ options, subTypes }, setOptions] = useState<Options>({ options: [], subTypes: [] });
useEffect((): void => {
const rawType = registry.createType(type.type as 'u32').toRawType();
const typeDef = getTypeDef(rawType);
const subTypes = typeDef.sub as TypeDef[];
setOptions({
options: subTypes.map(({ name }): Option => ({
text: name,
value: name
})),
subTypes
});
setCurrent([{ name: subTypes[0].name, type: subTypes[0] }]);
}, [registry, type]);
useEffect((): void => {
setInitialValue(
defaultValue && defaultValue.value
? defaultValue.value instanceof Enum
? defaultValue.value.type
: Object.keys(defaultValue.value as Record<string, unknown>)[0]
: null
);
}, [defaultValue]);
const _onChange = useCallback(
(value: string): void => {
const newType = subTypes.find(({ name }): boolean => name === value) || null;
setCurrent(
newType
? [{ name: newType.name, type: newType }]
: null
);
},
[subTypes]
);
const _onChangeParam = useCallback(
([{ isValid, value }]: RawParam[]): void => {
current && onChange && onChange({
isValid,
value: { [current[0].name as string]: value }
});
},
[current, onChange]
);
if (isDisabled) {
return <Static {...props} />;
}
return (
<Bare className={className}>
<Dropdown
className='full'
defaultValue={initialValue}
isDisabled={isDisabled}
isError={isError}
label={label}
onChange={_onChange}
options={options}
withEllipsis
withLabel={withLabel}
/>
{current && (
<Params
onChange={_onChangeParam}
overrides={overrides}
params={current}
registry={registry}
/>
)}
</Bare>
);
}
Example #11
Source File: initValue.ts From crust-apps with Apache License 2.0 | 4 votes |
export default function getInitValue (registry: Registry, def: TypeDef): unknown {
if (def.info === TypeDefInfo.Vec) {
return [getInitValue(registry, def.sub as TypeDef)];
} else if (def.info === TypeDefInfo.Tuple) {
return Array.isArray(def.sub)
? def.sub.map((def) => getInitValue(registry, def))
: [];
} else if (def.info === TypeDefInfo.Struct) {
return Array.isArray(def.sub)
? def.sub.reduce((result: Record<string, unknown>, def): Record<string, unknown> => {
result[def.name as string] = getInitValue(registry, def);
return result;
}, {})
: {};
} else if (def.info === TypeDefInfo.Enum) {
return Array.isArray(def.sub)
? { [def.sub[0].name as string]: getInitValue(registry, def.sub[0]) }
: {};
}
const type = [TypeDefInfo.Compact, TypeDefInfo.Option].includes(def.info)
? (def.sub as TypeDef).type
: def.type;
switch (type) {
case 'AccountIndex':
case 'Balance':
case 'BalanceOf':
case 'BlockNumber':
case 'Compact':
case 'Gas':
case 'Index':
case 'Nonce':
case 'ParaId':
case 'PropIndex':
case 'ProposalIndex':
case 'ReferendumIndex':
case 'i8':
case 'i16':
case 'i32':
case 'i64':
case 'i128':
case 'u8':
case 'u16':
case 'u32':
case 'u64':
case 'u128':
case 'VoteIndex':
return BN_ZERO;
case 'bool':
return false;
case 'Bytes':
return undefined;
case 'String':
case 'Text':
return '';
case 'Moment':
return BN_ZERO;
case 'Vote':
return -1;
case 'VoteThreshold':
return 0;
case 'BlockHash':
case 'CodeHash':
case 'Hash':
case 'H256':
return registry.createType('H256');
case 'H512':
return registry.createType('H512');
case 'H160':
return registry.createType('H160');
case 'Raw':
case 'Keys':
return '';
case 'AccountId':
case 'AccountIdOf':
case 'Address':
case 'Call':
case 'CandidateReceipt':
case 'Digest':
case 'Header':
case 'KeyValue':
case 'LookupSource':
case 'MisbehaviorReport':
case 'Proposal':
case 'Signature':
case 'SessionKey':
case 'StorageKey':
case 'ValidatorId':
return undefined;
case 'Extrinsic':
return registry.createType('Raw');
case 'Null':
return null;
default: {
let error: string | null = null;
try {
const instance = registry.createType(type as 'u32');
const raw = getTypeDef(instance.toRawType());
if (isBn(instance)) {
return BN_ZERO;
} else if ([TypeDefInfo.Struct].includes(raw.info)) {
return undefined;
} else if ([TypeDefInfo.Enum, TypeDefInfo.Tuple].includes(raw.info)) {
return getInitValue(registry, raw);
}
} catch (e) {
error = (e as Error).message;
}
// we only want to want once, not spam
if (!warnList.includes(type)) {
warnList.push(type);
error && console.error(`params: initValue: ${error}`);
console.info(`params: initValue: No default value for type ${type} from ${JSON.stringify(def)}, using defaults`);
}
return '0x';
}
}
}
Example #12
Source File: initValue.ts From contracts-ui with GNU General Public License v3.0 | 4 votes |
export function getInitValue(registry: Registry, keyring: Keyring, def: TypeDef): unknown {
if (def.info === TypeDefInfo.Si) {
const lookupTypeDef = registry.lookup.getTypeDef(def.lookupIndex as number);
return getInitValue(registry, keyring, lookupTypeDef);
} else if (def.info === TypeDefInfo.Option) {
return null;
} else if (def.info === TypeDefInfo.Vec) {
return [getInitValue(registry, keyring, def.sub as TypeDef)];
} else if (def.info === TypeDefInfo.Tuple) {
return Array.isArray(def.sub) ? def.sub.map(def => getInitValue(registry, keyring, def)) : [];
} else if (def.info === TypeDefInfo.Struct) {
return Array.isArray(def.sub)
? def.sub.reduce((result: Record<string, unknown>, def): Record<string, unknown> => {
result[def.name as string] = getInitValue(registry, keyring, def);
return result;
}, {})
: {};
} else if (def.info === TypeDefInfo.Enum) {
return Array.isArray(def.sub)
? { [def.sub[0].name as string]: getInitValue(registry, keyring, def.sub[0]) }
: {};
}
const type = [TypeDefInfo.Compact, TypeDefInfo.Option].includes(def.info)
? (def.sub as TypeDef).type
: def.type;
switch (type) {
case 'AccountIndex':
case 'Balance':
case 'BalanceOf':
case 'BlockNumber':
case 'Compact':
case 'Gas':
case 'Index':
case 'Nonce':
case 'ParaId':
case 'PropIndex':
case 'ProposalIndex':
case 'ReferendumIndex':
case 'i8':
case 'i16':
case 'i32':
case 'i64':
case 'i128':
case 'u8':
case 'u16':
case 'u32':
case 'u64':
case 'u128':
case 'VoteIndex':
return BN_ZERO;
case 'bool':
return false;
case 'Bytes':
return undefined;
case 'String':
case 'Text':
return '';
case 'Moment':
return BN_ZERO;
case 'Vote':
return -1;
case 'VoteThreshold':
return 0;
case 'BlockHash':
case 'CodeHash':
case 'Hash':
case 'H256':
return registry.createType('H256');
case 'H512':
return registry.createType('H512');
case 'H160':
return registry.createType('H160');
case 'Raw':
case 'Keys':
return '';
case 'AccountId':
return keyring.getAccounts()[0].address;
case 'AccountIdOf':
case 'Address':
case 'Call':
case 'CandidateReceipt':
case 'Digest':
case 'Header':
case 'KeyValue':
case 'LookupSource':
case 'MisbehaviorReport':
case 'Proposal':
case 'Signature':
case 'SessionKey':
case 'StorageKey':
case 'ValidatorId':
return undefined;
case 'Extrinsic':
return registry.createType('Raw');
case 'Null':
return null;
default: {
let error: string | null = null;
try {
const instance = registry.createType(type as 'u32');
const raw = getTypeDef(instance.toRawType());
if (isBn(instance)) {
return BN_ZERO;
} else if ([TypeDefInfo.Struct].includes(raw.info)) {
return undefined;
} else if ([TypeDefInfo.Enum, TypeDefInfo.Tuple].includes(raw.info)) {
return getInitValue(registry, keyring, raw);
}
} catch (e) {
error = (e as Error).message;
}
// we only want to warn once, not spam
if (!warnList.includes(type)) {
warnList.push(type);
error && console.error(`params: initValue: ${error}`);
console.info(
`params: initValue: No default value for type ${type} from ${JSON.stringify(
def
)}, using defaults`
);
}
return '0x';
}
}
}
Example #13
Source File: Enum.tsx From subscan-multisig-react with Apache License 2.0 | 4 votes |
function EnumParam(props: Props): React.ReactElement<Props> {
const {
className = '',
defaultValue,
isDisabled,
isError,
label,
onChange,
overrides,
registry,
type,
withLabel,
} = props;
const [current, setCurrent] = useState<ParamDef[] | null>(null);
const [initialValue, setInitialValue] = useState<string | null>(null);
const [{ options, subTypes }, setOptions] = useState<Options>({ options: [], subTypes: [] });
useEffect((): void => {
const rawType = registry.createType(type.type as 'u32').toRawType();
const typeDef = getTypeDef(rawType);
const subType = typeDef.sub as TypeDef[];
setOptions({
options: subType.map(
({ name }): Option => ({
text: name,
value: name,
})
),
subTypes: subType,
});
setCurrent([{ name: subType[0].name, type: subType[0] }]);
}, [registry, type]);
useEffect((): void => {
setInitialValue(
defaultValue && defaultValue.value
? defaultValue.value instanceof Enum
? defaultValue.value.type
: Object.keys(defaultValue.value as Record<string, unknown>)[0]
: null
);
}, [defaultValue]);
const _onChange = useCallback(
(value: string): void => {
const newType = subTypes.find(({ name }): boolean => name === value) || null;
setCurrent(newType ? [{ name: newType.name, type: newType }] : null);
},
[subTypes]
);
const _onChangeParam = useCallback(
([{ isValid, value }]: RawParam[]): void => {
// eslint-disable-next-line
current &&
onChange &&
onChange({
isValid,
value: { [current[0].name as string]: value },
});
},
[current, onChange]
);
if (isDisabled) {
return <Static {...props} />;
}
return (
<Bare className={className}>
<Dropdown
className="full"
defaultValue={initialValue}
isDisabled={isDisabled}
isError={isError}
label={label}
onChange={_onChange}
options={options}
withEllipsis
withLabel={withLabel}
/>
{current && <Params onChange={_onChangeParam} overrides={overrides} params={current} registry={registry} />}
</Bare>
);
}
Example #14
Source File: initValue.ts From subscan-multisig-react with Apache License 2.0 | 4 votes |
// eslint-disable-next-line complexity
export default function getInitValue(registry: Registry, def: TypeDef): unknown {
if (def.info === TypeDefInfo.Vec) {
return [getInitValue(registry, def.sub as TypeDef)];
} else if (def.info === TypeDefInfo.Tuple) {
return Array.isArray(def.sub) ? def.sub.map((item) => getInitValue(registry, item)) : [];
} else if (def.info === TypeDefInfo.Struct) {
return Array.isArray(def.sub)
? def.sub.reduce((result: Record<string, unknown>, cur): Record<string, unknown> => {
result[cur.name as string] = getInitValue(registry, cur);
return result;
}, {})
: {};
} else if (def.info === TypeDefInfo.Enum) {
return Array.isArray(def.sub) ? { [def.sub[0].name as string]: getInitValue(registry, def.sub[0]) } : {};
}
const type = [TypeDefInfo.Compact, TypeDefInfo.Option].includes(def.info) ? (def.sub as TypeDef).type : def.type;
switch (type) {
case 'AccountIndex':
case 'Balance':
case 'BalanceOf':
case 'BlockNumber':
case 'Compact':
case 'Gas':
case 'Index':
case 'Nonce':
case 'ParaId':
case 'PropIndex':
case 'ProposalIndex':
case 'ReferendumIndex':
case 'i8':
case 'i16':
case 'i32':
case 'i64':
case 'i128':
case 'u8':
case 'u16':
case 'u32':
case 'u64':
case 'u128':
case 'VoteIndex':
return BN_ZERO;
case 'bool':
return false;
case 'Bytes':
return undefined;
case 'String':
case 'Text':
return '';
case 'Moment':
return BN_ZERO;
case 'Vote':
return -1;
case 'VoteThreshold':
return 0;
case 'BlockHash':
case 'CodeHash':
case 'Hash':
case 'H256':
return registry.createType('H256');
case 'H512':
return registry.createType('H512');
case 'H160':
return registry.createType('H160');
case 'Raw':
case 'Keys':
return '';
case 'AccountId':
case 'AccountIdOf':
case 'Address':
case 'Call':
case 'CandidateReceipt':
case 'Digest':
case 'Header':
case 'KeyValue':
case 'LookupSource':
case 'MisbehaviorReport':
case 'Proposal':
case 'Signature':
case 'SessionKey':
case 'StorageKey':
case 'ValidatorId':
return undefined;
case 'Extrinsic':
return registry.createType('Raw');
case 'Null':
return null;
default: {
let error: string | null = null;
try {
const instance = registry.createType(type as 'u32');
const raw = getTypeDef(instance.toRawType());
if (isBn(instance)) {
return BN_ZERO;
} else if ([TypeDefInfo.Struct].includes(raw.info)) {
return undefined;
} else if ([TypeDefInfo.Enum, TypeDefInfo.Tuple].includes(raw.info)) {
return getInitValue(registry, raw);
}
} catch (e) {
error = (e as Error).message;
}
// we only want to want once, not spam
if (!warnList.includes(type)) {
warnList.push(type);
// eslint-disable-next-line
error && console.error(`params: initValue: ${error}`);
console.info(
`params: initValue: No default value for type ${type} from ${JSON.stringify(def)}, using defaults`
);
}
return '0x';
}
}
}