0%
bun install @0glabs/0g-ts-sdk ethers crypto fs @0glabs/0g-serving-broker dotenv
npm install @0glabs/0g-ts-sdk ethers crypto fs @0glabs/0g-serving-broker dotenv
const wallet = ethers.Wallet.createRandom(); console.log('Private Key:', wallet.privateKey);
PRIVATE_KEY=your_private_key_here
Then, load it in your script using `dotenv`:import dotenv from 'dotenv'; dotenv.config(); const privateKey = process.env.PRIVATE_KEY;
bun upload0g.mts YOUR_PRIVATE_KEY
bun inference.mts YOUR_PRIVATE_KEY
YOUR_PRIVATE_KEY
with your actual private key. The scripts will perform their respective tasks and exit after completion.@0glabs/0g-ts-sdk
: For file handling and indexing.import { ZgFile, Indexer } from '@0glabs/0g-ts-sdk';
import { ethers } from 'ethers';
import { createHash, randomBytes } from 'crypto';
import { writeFileSync, unlinkSync } from 'fs';
import { promisify } from 'util';
The script defines a list of RPCs and the indexer RPC URL. These are used to connect to the 0g network. Here's the code:
const RPC_LIST = [
"https://16600.rpc.thirdweb.com",
"https://rpc.ankr.com/0g_newton",
"https://evmrpc-testnet.0g.ai",
"https://0g-json-rpc-public.originstake.com",
"https://0g-rpc-evm01.validatorvn.com",
"https://0g-evmrpc.zstake.xyz/",
"https://0g-evm-rpc.murphynode.net"
];
const INDEXER_RPC = 'https://indexer-storage-testnet-turbo.0g.ai';
The script randomly selects an RPC from the list to ensure redundancy and reliability.
The script generates a file containing random hashes. This file is used for testing the upload functionality. Here's the code:
async function generateHashFile(): Promise<string> {
const randomNumber = Math.floor(Math.random() * 100000);
const fileName = `encrypted-hash-${randomNumber}.txt`;
let data = '=== HASH DATA WITH MERKLE ROOT ===\n';
let hashes: string[] = [];
for (let i = 0; i < 1024 * 1024 / 128; i++) {
const hash = createHash('sha512').update(randomBytes(128)).digest('hex');
hashes.push(hash);
data += `Hash: ${hash}\n`;
}
writeFileSync(fileName, data);
return fileName;
}
The file is created with a unique name and contains a large number of random hashes.
The script uploads the generated file to the 0g network using your private key. Here's the code:
async function uploadFileWithPrivateKey(privateKey: string) {
let filePath = "";
try {
console.log(`\nπ Using Private Key: ${privateKey.slice(0, 10)}...`);
const rpcUrl = getRandomRpc();
console.log(`π Using RPC: ${rpcUrl}`);
const provider = new ethers.JsonRpcProvider(rpcUrl);
const signer = new ethers.Wallet(privateKey, provider);
const indexer = new Indexer(INDEXER_RPC);
filePath = await generateHashFile();
console.log(`π Generated file: ${filePath}`);
const file = await ZgFile.fromFilePath(filePath);
const [tree, treeErr] = await file.merkleTree();
if (treeErr !== null) throw new Error(`β Merkle tree error: ${treeErr}`);
const rootHash = tree?.rootHash() ?? '';
console.log("π³ File Root Hash:", rootHash);
writeFileSync(filePath, `\nMerkle Root: ${rootHash}\n`, { flag: 'a' });
console.log("π‘ Uploading file to indexer...");
const [tx, uploadErr] = await indexer.upload(file, rpcUrl, signer);
if (uploadErr) throw new Error(`β Upload error: ${uploadErr}`);
console.log("β
Upload successful! Transaction Hash:", tx);
await file.close();
} catch (error) {
console.error("β Error:", error instanceof Error ? error.message : error);
} finally {
if (filePath) {
try {
unlinkSync(filePath);
console.log(`ποΈ File ${filePath} has been deleted.`);
} catch (err) {
console.error(`β οΈ Failed to delete file ${filePath}:`, err);
}
}
}
}
The file is uploaded to the 0g network, and the transaction hash is logged. The file is deleted after the upload to clean up resources.
The script is executed with the provided private key. It uploads the file and exits after completion. Here's the code:
(async () => {
const args = process.argv.slice(2);
if (args.length === 0) {
console.error("β No private keys provided. Usage: node script.js <privateKey>");
process.exit(1);
}
const privateKey = args[0];
await uploadFileWithPrivateKey(privateKey);
console.log("π File upload completed. Exiting...");
})();
The script that performs upload.
ethers
: For interacting with the blockchain.@0glabs/0g-serving-broker
: For initializing the broker.import { JsonRpcProvider, Wallet } from "ethers";
import { createZGComputeNetworkBroker } from "@0glabs/0g-serving-broker";
import dotenv from "dotenv";
dotenv.config();
async function initializeBrokerWithPrivateKey(privateKey: string) {
const provider = new JsonRpcProvider(RPC_URL);
const wallet = new Wallet(privateKey, provider);
const broker = await createZGComputeNetworkBroker(wallet);
console.log("β
Broker successfully initialized!");
return broker;
}
RPC_URL
is the endpoint for the 0g network. The wallet
is created using your private key, and the broker is initialized with this wallet.async function requestInference(broker: ReturnType<typeof createZGComputeNetworkBroker>, providerAddress: string, content: string) {
const { endpoint, model } = await broker.inference.getServiceMetadata(providerAddress);
const headers = await broker.inference.getRequestHeaders(providerAddress, content);
const response = await fetch(`${endpoint}/chat/completions`, {
method: "POST",
headers: {
"Content-Type": "application/json",
...headers,
},
body: JSON.stringify({
messages: [{ role: "system", content }],
model: model,
}),
});
const data = await response.json();
console.log("π© AI Response:", data);
if (data.choices && data.choices.length > 0) {
const valid = await broker.inference.processResponse(providerAddress, data.choices[0].message.content);
console.log("β
Response Validation:", valid);
} else {
console.error("β Invalid AI response:", data);
}
return data;
}
requestInference
function sends a prompt to the AI service and logs the response. If the response is valid, it is processed and validated.(async () => {
const args = process.argv.slice(2);
if (args.length === 0) {
console.error("β No private keys provided. Usage: node script.js <privateKey>");
process.exit(1);
}
const privateKey = args[0];
const broker = await initializeBrokerWithPrivateKey(privateKey);
const services = await broker.inference.listService();
if (services.length === 0) {
console.log("β No available AI services!");
return;
}
const selectedService = services[0];
console.log("π Using service:", selectedService.model);
const prompt = "Hello, how are you?";
console.log(`π¨ Sending prompt: "${prompt}"`);
const response = await requestInference(broker, selectedService.provider, prompt);
console.log("π AI request completed. Exiting...");
})();
npm install --save-dev hardhat @nomicfoundation/hardhat-toolbox @openzeppelin/contracts
npx hardhat
hardhat.config.js
file and configure it for the 0g Chain Testnet:require("@nomicfoundation/hardhat-toolbox");
module.exports = {
solidity: {
version: "0.8.20",
settings: {
optimizer: {
enabled: true,
runs: 200,
},
},
},
networks: {
"0g-testnet": {
url: "https://evmrpc-testnet.0g.ai",
accounts: [process.env.PRIVATE_KEY],
},
},
};
ERC20Token.sol
in the contracts
folder with enhanced security features:// SPDX-License-Identifier: MIT
pragma solidity ^0.8.20;
import "@openzeppelin/contracts/token/ERC20/ERC20.sol";
import "@openzeppelin/contracts/access/Ownable.sol";
contract MyToken is ERC20, Ownable {
constructor() ERC20("MyToken", "MTK") {
_mint(msg.sender, 1000000 * 10 ** decimals());
}
// Add a function to allow the owner to mint tokens
function mint(address to, uint256 amount) public onlyOwner {
_mint(to, amount);
}
// Add a function to allow the owner to burn tokens
function burn(uint256 amount) public onlyOwner {
_burn(msg.sender, amount);
}
}
ERC721Token.sol
in the contracts
folder with enhanced security features:// SPDX-License-Identifier: MIT
pragma solidity ^0.8.20;
import "@openzeppelin/contracts/token/ERC721/ERC721.sol";
import "@openzeppelin/contracts/access/Ownable.sol";
contract MyNFT is ERC721, Ownable {
uint256 private _nextTokenId;
constructor() ERC721("MyNFT", "MNFT") {}
// Mint NFTs securely
function safeMint(address to) public onlyOwner {
uint256 tokenId = _nextTokenId++;
_safeMint(to, tokenId);
}
// Prevent unauthorized transfers
function _beforeTokenTransfer(
address from,
address to,
uint256 tokenId,
uint256 batchSize
) internal override {
require(from == address(0) || to == address(0), "Transfers are disabled");
super._beforeTokenTransfer(from, to, tokenId, batchSize);
}
}
_safeMint
to prevent accidental transfers to non-ERC721Receiver contracts.scripts
folder:const hre = require("hardhat");
async function main() {
const [deployer] = await hre.ethers.getSigners();
console.log("Deploying contracts with the account:", deployer.address);
// Deploy ERC20 Token
const ERC20Token = await hre.ethers.getContractFactory("MyToken");
const erc20Token = await ERC20Token.deploy();
await erc20Token.waitForDeployment();
console.log("ERC20 Token deployed to:", erc20Token.target);
// Deploy ERC721 Token
const ERC721Token = await hre.ethers.getContractFactory("MyNFT");
const erc721Token = await ERC721Token.deploy();
await erc721Token.waitForDeployment();
console.log("ERC721 Token deployed to:", erc721Token.target);
}
main().catch((error) => {
console.error(error);
process.exitCode = 1;
});
npx hardhat run scripts/deploy.js --network 0g-testnet