@polkadot/util#isWasm TypeScript Examples
The following examples show how to use
@polkadot/util#isWasm.
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: InputWasm.tsx From crust-apps with Apache License 2.0 | 6 votes |
function InputWasm ({ onChange, ...props }: Props): React.ReactElement<Props> {
const _onChange = useCallback(
(wasm: Uint8Array, name: string): void => {
const isValid = isWasm(wasm);
onChange(compactAddLength(wasm), isValid, name);
},
[onChange]
);
return (
<InputFile
{...props}
accept='application/wasm'
onChange={_onChange}
/>
);
}
Example #2
Source File: Code.tsx From crust-apps with Apache License 2.0 | 6 votes |
function Code ({ className = '', defaultValue, isDisabled, isError, label, onChange, onEnter, onEscape, type, withLabel }: Props): React.ReactElement<Props> {
const [isValid, setIsValid] = useState(false);
const _onChange = useCallback(
(value: Uint8Array): void => {
const isValid = isWasm(value);
onChange && onChange({ isValid, value });
setIsValid(isValid);
},
[onChange]
);
if (isDisabled) {
return (
<Bytes
className={className}
defaultValue={defaultValue}
isError={isError || !isValid}
label={label}
onEnter={onEnter}
onEscape={onEscape}
type={type}
withLabel={withLabel}
/>
);
}
return (
<BytesFile
className={className}
defaultValue={defaultValue}
isError={isError || !isValid}
label={label}
onChange={_onChange}
withLabel={withLabel}
/>
);
}
Example #3
Source File: useMetadata.ts From contracts-ui with GNU General Public License v3.0 | 6 votes |
function validate(metadata: Abi | undefined, { isWasmRequired }: Options): Validation {
if (!metadata) {
return {
isValid: false,
isError: true,
message:
'Invalid contract file format. Please upload the generated .contract bundle for your smart contract.',
};
}
const wasm = metadata.info.source.wasm;
const isWasmEmpty = wasm.isEmpty;
const isWasmInvalid = !isWasm(wasm.toU8a());
if (isWasmRequired && (isWasmEmpty || isWasmInvalid)) {
return {
isValid: false,
isError: true,
message: 'This contract bundle has an empty or invalid WASM field.',
};
}
return {
isValid: true,
isError: false,
isSuccess: true,
message: isWasmRequired ? 'Valid contract bundle!' : 'Valid metadata file!',
};
}
Example #4
Source File: InputWasm.tsx From subscan-multisig-react with Apache License 2.0 | 6 votes |
function InputWasm({ onChange, ...props }: Props): React.ReactElement<Props> {
const _onChange = useCallback(
(wasm: Uint8Array, name: string): void => {
const isValid = isWasm(wasm);
onChange(compactAddLength(wasm), isValid, name);
},
[onChange]
);
return <InputFile {...props} accept="application/wasm" onChange={_onChange} />;
}
Example #5
Source File: Code.tsx From subscan-multisig-react with Apache License 2.0 | 5 votes |
function Code({
className = '',
defaultValue,
isDisabled,
isError,
label,
onChange,
onEnter,
onEscape,
type,
withLabel,
}: Props): React.ReactElement<Props> {
const [isValid, setIsValid] = useState(false);
const _onChange = useCallback(
(value: Uint8Array): void => {
const beValid = isWasm(value);
// eslint-disable-next-line
onChange && onChange({ isValid: beValid, value });
setIsValid(beValid);
},
[onChange]
);
if (isDisabled) {
return (
<Bytes
className={className}
defaultValue={defaultValue}
isError={isError || !isValid}
label={label}
onEnter={onEnter}
onEscape={onEscape}
type={type}
withLabel={withLabel}
/>
);
}
return (
<BytesFile
className={className}
defaultValue={defaultValue}
isError={isError || !isValid}
label={label}
onChange={_onChange}
withLabel={withLabel}
/>
);
}
Example #6
Source File: Upload.tsx From crust-apps with Apache License 2.0 | 4 votes |
function Upload ({ onClose }: Props): React.ReactElement {
const { t } = useTranslation();
const { api } = useApi();
const [accountId, setAccountId] = useAccountId();
const [step, nextStep, prevStep] = useStepper();
const [[uploadTx, error], setUploadTx] = useState<[SubmittableExtrinsic<'promise'> | null, string | null]>([null, null]);
const [constructorIndex, setConstructorIndex] = useState(0);
const [endowment, isEndowmentValid, setEndowment] = useNonZeroBn(ENDOWMENT);
const [params, setParams] = useState<any[]>([]);
const [[wasm, isWasmValid], setWasm] = useState<[Uint8Array | null, boolean]>([null, false]);
const [name, isNameValid, setName] = useNonEmptyString();
const { abiName, contractAbi, errorText, isAbiError, isAbiSupplied, isAbiValid, onChangeAbi, onRemoveAbi } = useAbi();
const weight = useWeight();
const code = useMemo(
() => isAbiValid && isWasmValid && wasm && contractAbi
? new CodePromise(api, contractAbi, wasm)
: null,
[api, contractAbi, isAbiValid, isWasmValid, wasm]
);
const constructOptions = useMemo(
() => contractAbi
? contractAbi.constructors.map((message, index) => ({
info: message.identifier,
key: `${index}`,
text: (
<MessageSignature
asConstructor
message={message}
/>
),
value: index
}))
: [],
[contractAbi]
);
useEffect((): void => {
setConstructorIndex(() =>
constructOptions.find(({ info }) => info === 'default')?.value || 0
);
}, [constructOptions]);
useEffect((): void => {
setParams([]);
}, [constructorIndex]);
useEffect((): void => {
setWasm(
contractAbi && isWasm(contractAbi.project.source.wasm)
? [contractAbi.project.source.wasm, true]
: [null, false]
);
}, [contractAbi]);
useEffect((): void => {
abiName && setName(abiName);
}, [abiName, setName]);
useEffect((): void => {
let contract: SubmittableExtrinsic<'promise'> | null = null;
let error: string | null = null;
try {
contract = code && contractAbi && endowment
? code.createContract(constructorIndex, { gasLimit: weight.weight, value: endowment }, params)
: null;
} catch (e) {
error = (e as Error).message;
}
setUploadTx(() => [contract, error]);
}, [code, contractAbi, constructorIndex, endowment, params, weight]);
const _onAddWasm = useCallback(
(wasm: Uint8Array, name: string): void => {
setWasm([wasm, isWasm(wasm)]);
setName(name.replace('.wasm', '').replace('_', ' '));
},
[setName]
);
const _onSuccess = useCallback(
(result: CodeSubmittableResult): void => {
result.blueprint && store
.saveCode(result.blueprint.codeHash, {
abi: JSON.stringify(result.blueprint.abi.json),
name: name || '<>',
tags: []
})
.catch(console.error);
result.contract && keyring.saveContract(result.contract.address.toString(), {
contract: {
abi: JSON.stringify(result.contract.abi.json),
genesisHash: api.genesisHash.toHex()
},
name: name || '<>',
tags: []
});
},
[api, name]
);
const isSubmittable = !!accountId && (!isNull(name) && isNameValid) && isWasmValid && isAbiSupplied && isAbiValid && !!uploadTx && step === 2;
const invalidAbi = isAbiError || !isAbiSupplied;
const hasBatchDeploy = isFunction(api.tx.contracts.instantiateWithCode) || isFunction(api.tx.utility?.batch);
return (
<Modal header={t('Upload & deploy code {{info}}', { replace: { info: `${step}/2` } })}>
<Modal.Content>
{step === 1 && (
<>
<InputAddress
help={t('Specify the user account to use for this deployment. Any fees will be deducted from this account.')}
isInput={false}
label={t('deployment account')}
labelExtra={
<Available
label={t<string>('transferrable')}
params={accountId}
/>
}
onChange={setAccountId}
type='account'
value={accountId}
/>
<ABI
contractAbi={contractAbi}
errorText={errorText}
isError={invalidAbi}
isSupplied={isAbiSupplied}
isValid={isAbiValid}
label={t<string>('json for either ABI or .contract bundle')}
onChange={onChangeAbi}
onRemove={onRemoveAbi}
withWasm
/>
{!hasBatchDeploy && (
<MarkError content={t<string>('Your environment does not support the latest instantiateWithCode contracts call, nor does it have utility.batch functionality available. This operation is not available.')} />
)}
{!invalidAbi && contractAbi && (
<>
{!contractAbi.project.source.wasm.length && (
<InputFile
help={t<string>('The compiled WASM for the contract that you wish to deploy. Each unique code blob will be attached with a code hash that can be used to create new instances.')}
isError={!isWasmValid}
label={t<string>('compiled contract WASM')}
onChange={_onAddWasm}
placeholder={wasm && !isWasmValid && t<string>('The code is not recognized as being in valid WASM format')}
/>
)}
<InputName
isError={!isNameValid}
onChange={setName}
value={name || undefined}
/>
</>
)}
</>
)}
{step === 2 && contractAbi && (
<>
<Dropdown
help={t<string>('The deployment constructor information for this contract, as provided by the ABI.')}
isDisabled={contractAbi.constructors.length <= 1}
label={t('deployment constructor')}
onChange={setConstructorIndex}
options={constructOptions}
value={constructorIndex}
/>
<Params
onChange={setParams}
params={contractAbi.constructors[constructorIndex].args}
registry={contractAbi.registry}
/>
<InputBalance
help={t<string>('The allotted endowment for the deployed contract, i.e. the amount transferred to the contract upon instantiation.')}
isError={!isEndowmentValid}
label={t<string>('endowment')}
onChange={setEndowment}
value={endowment}
/>
<InputMegaGas
help={t<string>('The maximum amount of gas that can be used by this deployment, if the code requires more, the deployment will fail.')}
weight={weight}
/>
{error && (
<MarkError content={error} />
)}
</>
)}
</Modal.Content>
<Modal.Actions onCancel={onClose}>
{step === 1
? (
<Button
icon='step-forward'
isDisabled={!code || !contractAbi || !hasBatchDeploy}
label={t<string>('Next')}
onClick={nextStep}
/>
)
: (
<Button
icon='step-backward'
label={t<string>('Prev')}
onClick={prevStep}
/>
)
}
<TxButton
accountId={accountId}
extrinsic={uploadTx}
icon='upload'
isDisabled={!isSubmittable}
label={t('Deploy')}
onClick={onClose}
onSuccess={_onSuccess}
/>
</Modal.Actions>
</Modal>
);
}