Loading Animation

0%

Logo

0G Zero Gravity

0G Panda Mascot

Meet 0G Panda, a beloved emblem of the 0G brand. More than just a mascot, it embodies our unwavering dedication to innovation, unity, and perseverance. With its warm presence, the 0G Panda serves as a reminder that together, we can overcome challenges and embrace new possibilities with courage and optimism.

Installation and Setup

Step 1: Install Dependencies

Before running the scripts, you need to install the required dependencies. These dependencies include:
  • @0glabs/0g-ts-sdk: The official TypeScript SDK for interacting with the 0G network. This SDK provides utilities for sending transactions, querying data, and managing smart contracts.
  • ethers: A popular library for interacting with Ethereum-compatible blockchains. It is used for signing transactions, managing wallets, and interacting with smart contracts.
  • crypto: A built-in Node.js module for cryptographic functions such as hashing, encryption, and decryption.
  • fs: A built-in Node.js module for file system operations. It is used for reading and writing files, such as configuration files or data files.
  • @0glabs/0g-serving-broker: A library for interacting with the 0G serving broker, which facilitates communication between clients and the 0G network.
  • dotenv: A lightweight module for loading environment variables from a `.env` file. This is useful for managing sensitive data like private keys and API keys.
Install them using Bun or npm:
bun install @0glabs/0g-ts-sdk ethers crypto fs @0glabs/0g-serving-broker dotenv
If you don't have Bun installed, you can use npm instead:
npm install @0glabs/0g-ts-sdk ethers crypto fs @0glabs/0g-serving-broker dotenv

Step 2: Prepare Your Private Key

To interact with the blockchain, you need a private key. This key is used to sign transactions and authenticate your requests. Here’s how you can generate and manage your private key:
  • Generate a Private Key: You can generate a private key using tools like MetaMask, Ethers.js, or any Ethereum-compatible wallet. For example, using Ethers.js:
    const wallet = ethers.Wallet.createRandom(); console.log('Private Key:', wallet.privateKey);
  • Store Your Private Key Securely: Never hardcode your private key directly in your scripts. Instead, use environment variables or a secure vault. For example, create a `.env` file:
    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;

Step 3: Run the Scripts

Once the dependencies are installed and your private key is ready, you can run the scripts. Use the following commands to execute the scripts:
bun upload0g.mts YOUR_PRIVATE_KEY
bun inference.mts YOUR_PRIVATE_KEY
Replace YOUR_PRIVATE_KEY with your actual private key. The scripts will perform their respective tasks and exit after completion.
Note: Ensure your private key is securely stored and not exposed in your codebase or version control system (e.g., Git). Use environment variables or a secrets management tool.

Client Initialization and File Upload

Step 1: Import Required Modules

The script starts by importing the necessary modules. These include:
  • ZgFile and Indexer from @0glabs/0g-ts-sdk: For file handling and indexing.
  • ethers: For interacting with the blockchain.
  • crypto: For generating cryptographic hashes.
  • fs: For file system operations.
  • promisify: For converting callback-based functions to promises.
Here's the code:
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';

Step 2: Define RPC List and Indexer RPC

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.

Step 3: Generate a File with Hashes

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.

Step 4: Upload File with Private Key

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.

Step 5: Run the Script

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.

AI Inference

Step 1: Import Required Modules

The script starts by importing the necessary modules. These include:
  • JsonRpcProvider and Wallet from ethers: For interacting with the blockchain.
  • createZGComputeNetworkBroker from @0glabs/0g-serving-broker: For initializing the broker.
  • dotenv: For loading environment variables from a `.env` file.
Here&APOS;s the code:
import { JsonRpcProvider, Wallet } from "ethers";
import { createZGComputeNetworkBroker } from "@0glabs/0g-serving-broker";
import dotenv from "dotenv";
dotenv.config();

Step 2: Initialize Broker

The broker is initialized using your private key. This broker is responsible for managing interactions with the 0g network. Here&APOS;s the code:
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;
}
The 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.

Step 3: Make AI Inference Request

The script sends a single prompt to the selected AI service. The response is validated and logged. Here&APOS;s the code:
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;
}
The requestInference function sends a prompt to the AI service and logs the response. If the response is valid, it is processed and validated.

Step 4: Run the Script

The script is executed with the provided private key. It initializes the broker, lists available AI services, and sends a single prompt. Here&APOS;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];
  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...");
})();
The script processing the prompt request.

Deploy Secure ERC20 and ERC721 Contracts

Step 1: Install Hardhat and Dependencies

Install Hardhat and the required dependencies for deploying secure ERC20 and ERC721 contracts:
npm install --save-dev hardhat @nomicfoundation/hardhat-toolbox @openzeppelin/contracts
This installs Hardhat, the Hardhat toolbox, and OpenZeppelin contracts for secure ERC20 and ERC721 standards.

Step 2: Initialize a Hardhat Project

Initialize a new Hardhat project in your working directory:
npx hardhat
Select Create a JavaScript project and follow the prompts to set up your project.

Step 3: Configure Hardhat for 0g Chain Testnet

Open the 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],
    },
  },
};
The optimizer is enabled to reduce gas costs, and the private key is securely loaded from an environment variable.

Step 4: Create Secure ERC20 Contract

Create a new file 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);
    }
}
Security Enhancements:
  • Ownable: Restricts minting and burning to the contract owner.
  • Access Control: Ensures only authorized users can perform sensitive operations.
  • No Reentrancy: No external calls are made, reducing the risk of reentrancy attacks.

Step 5: Create Secure ERC721 Contract

Create a new file 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);
    }
}
Security Enhancements:
  • Ownable: Restricts minting to the contract owner.
  • Safe Transfers: Uses _safeMint to prevent accidental transfers to non-ERC721Receiver contracts.
  • Transfer Restrictions: Disables transfers between users to prevent unauthorized trading.

Step 6: Deploy Contracts

Create a deployment script in the 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;
});
Run the deployment script using Hardhat:
npx hardhat run scripts/deploy.js --network 0g-testnet
This will deploy both contracts to the 0g Chain Testnet with enhanced security features.

Docs and References

Official Documentation

Here are some useful links to official documentation and resources:
Go Back Home