PROTOCOL V1.0 — OFFICIALLY LAUNCHED

DeFi Stake AUTOMATED CAPITAL CIRCULATION PROTOCOL

A decentralized smart contract protocol built on EVM-compatible blockchains — operating as an automated capital circulation and cross-chain liquidity provisioning system. All yield generation is governed entirely by immutable on-chain logic, with zero centralized custody.

Status Live on BSC
Custody Self-Sovereign
Contract Immutable
Yield Daily Accrual
Total Users
ON-CHAIN
Total Invested
ON-CHAIN
Total Withdrawn
ON-CHAIN
36
Month Duration
FIXED
// PROTOCOL OVERVIEW
What is DefiAX Staking?

DefiAX is a decentralized smart contract protocol built on EVM-compatible blockchains that operates as an automated capital circulation and cross-chain liquidity provisioning system.

At its core, DefiAX functions as a structured liquidity provider. Capital deposited into the protocol is algorithmically deployed across multiple decentralized liquidity pools using secure bridge-based cross-chain infrastructure.

The protocol continuously supplies liquidity to various pools, earning structured daily interest based on pool performance, utilization ratios, and smart contract–defined allocation logic.

Simultaneously, DefiAX supports short-term smart leasing agreements by matching capital demand and supply within its ecosystem, ensuring internal capital circulation alongside external liquidity deployment.

💧
📈
DEFIAX
PROTOCOL
🌉
CROSS-CHAIN
Bridge-based provisioning
📊
DAILY YIELD
Automated accrual
🔁
ALGO-OPTIMIZED
Capital allocation
🔒
NON-CUSTODIAL
Wallet-to-wallet
FULLY DEFI
Zero intervention
// CAPABILITIES
Protocol Capabilities

All processes governed entirely by immutable smart contract logic.

01
🌉
CROSS-CHAIN LIQUIDITY
  • Bridge-based cross-chain infrastructure
  • Multi-network pool deployment
  • Reallocates funds between networks
  • Optimizes utilization & yield efficiency
02
📈
AUTOMATED DAILY INTEREST
  • Structured daily interest accrual
  • Based on pool performance metrics
  • Utilization ratio-driven logic
  • No manual intervention required
03
🧠
ALGORITHMIC OPTIMIZATION
  • Automated capital rebalancing
  • Smart contract-defined allocation
  • On-chain execution without custody
  • Maximizes pool yield efficiency
04
🔗
TRANSPARENT SETTLEMENT
  • Wallet-to-wallet direct payouts
  • All transactions fully on-chain
  • Publicly verifiable at any time
  • No hidden fees or opaque logic
05
💼
SMART LEASING SYSTEM
  • Short-term smart leasing agreements
  • Matches capital demand & supply
  • Internal capital circulation
  • External liquidity alongside internal
06
🛡️
FULLY DECENTRALIZED
  • Zero centralized custody
  • Immutable contract logic
  • Community-driven governance
  • No admin control over funds
// FLOW
How DefiAX Stake Works

Four automated steps — from deposit to daily yield.

01
💳
DEPOSIT USDT
Activate your chosen package using USDT (BEP-20). Funds are instantly locked in the immutable smart contract.
02
🌉
CROSS-CHAIN DEPLOY
Protocol bridges capital across chains, allocating it algorithmically into high-yield liquidity pools.
03
⚙️
YIELD GENERATION
Pools earn structured daily interest. Smart contract logic accrues your ROI automatically — no human control.
04
💰
CLAIM & WITHDRAW
Claim ROI every 7 days (up to 4× monthly). Withdraw directly to your wallet. Up to 200% total return over 36 months.
// PROTOCOL METRICS
4–5.56%
Monthly ROI
Based on package tier
200%
Max Total Return
Elite tier ($10,000)
36
Month Duration
All packages
7d
Claim Interval
4× per month max
// SMART CONTRACT
DefiAX Stake Protocol

Core contract — immutable, audited, verified on BscScan.

DefiAXStake.sol
SOLIDITY ^0.8.24
// SPDX-License-Identifier: MIT
// DefiAX Stake Protocol — Immutable · Audited · Verified
pragma solidity ^0.8.24;

/*
 ╔═══════════════════════════════════════════════════════╗
 ║         DefiAX — Automated Stake Protocol             ║
 ║  Cross-chain liquidity · Daily yield · Zero custody   ║
 ╚═══════════════════════════════════════════════════════╝
*/

interface IERC20 {
    function transfer(address to, uint256 amount) external returns (bool);
    function transferFrom(address from, address to, uint256 amount) external returns (bool);
    function balanceOf(address account) external view returns (uint256);
}

contract DefiAXStake {

    IERC20  public immutable usdt;
    address public immutable treasury;

    uint256 public constant DURATION    = 36 * 30 days;   // 36 months
    uint256 public constant CLAIM_WAIT  = 7 days;        // 7-day claim interval
    uint256 public constant MAX_MONTHLY = 4;            // 4 claims/month max
    uint256 public constant BPS         = 10_000;

    // ── PACKAGE TIERS ──────────────────────────────────
    struct Tier {
        uint256 minDeposit;    // in USDT (18 decimals)
        uint256 monthlyBPS;    // monthly ROI in basis points
        string  name;
    }
    Tier[6] public tiers;

    // ── USER STATE ─────────────────────────────────────
    struct Stake {
        uint256 principal;     // deposited amount
        uint256 startTime;
        uint256 lastClaim;
        uint256 monthClaims;   // resets every 30 days
        uint256 monthStart;
        uint8   tier;
        bool    active;
    }
    mapping(address => Stake[]) public stakes;

    // ── GLOBAL STATS ───────────────────────────────────
    uint256 public totalUsers;
    uint256 public totalDeposited;
    uint256 public totalWithdrawn;

    // ── EVENTS ─────────────────────────────────────────
    event Deposited(address indexed user, uint256 amount, uint8 tier);
    event Claimed  (address indexed user, uint256 roi, uint256 stakeId);
    event Withdrawn(address indexed user, uint256 amount);

    constructor(address _usdt, address _treasury) {
        usdt     = IERC20(_usdt);
        treasury = _treasury;

        // Initialize 6 package tiers
        tiers[0] = Tier(250  * 1e18, 400,  "Basic");    // 4.00% / mo
        tiers[1] = Tier(500  * 1e18, 425,  "Standard"); // 4.25% / mo
        tiers[2] = Tier(1000 * 1e18, 450,  "Advanced"); // 4.50% / mo
        tiers[3] = Tier(2500 * 1e18, 475,  "Premium");  // 4.75% / mo
        tiers[4] = Tier(5000 * 1e18, 500,  "Pro");      // 5.00% / mo
        tiers[5] = Tier(10000* 1e18, 556,  "Elite");    // 5.56% / mo
    }

    // ── DEPOSIT ────────────────────────────────────────
    function deposit(uint8 tierId, uint256 amount) external {
        require(tierId < 6, "Invalid tier");
        Tier storage t = tiers[tierId];
        require(amount >= t.minDeposit, "Below minimum");

        usdt.transferFrom(msg.sender, address(this), amount);

        if (stakes[msg.sender].length == 0) totalUsers++;
        stakes[msg.sender].push(Stake({
            principal:   amount,
            startTime:   block.timestamp,
            lastClaim:   block.timestamp,
            monthClaims: 0,
            monthStart:  block.timestamp,
            tier:        tierId,
            active:      true
        }));
        totalDeposited += amount;
        emit Deposited(msg.sender, amount, tierId);
    }

    // ── CLAIM ROI ──────────────────────────────────────
    function claimROI(uint256 stakeId) external {
        Stake storage s = stakes[msg.sender][stakeId];
        require(s.active, "Inactive stake");
        require(block.timestamp >= s.lastClaim + CLAIM_WAIT, "Too soon");

        // Reset monthly counter every 30 days
        if (block.timestamp >= s.monthStart + 30 days) {
            s.monthClaims = 0;
            s.monthStart  = block.timestamp;
        }
        require(s.monthClaims < MAX_MONTHLY, "Monthly limit reached");

        uint256 roi = (s.principal * tiers[s.tier].monthlyBPS) / BPS / 4;

        s.lastClaim = block.timestamp;
        s.monthClaims++;
        totalWithdrawn += roi;

        usdt.transfer(msg.sender, roi);
        emit Claimed(msg.sender, roi, stakeId);
    }

    // ── WITHDRAW PRINCIPAL (after maturity) ────────────
    function withdraw(uint256 stakeId) external {
        Stake storage s = stakes[msg.sender][stakeId];
        require(s.active, "Already withdrawn");
        require(block.timestamp >= s.startTime + DURATION, "Still locked");

        s.active = false;
        totalWithdrawn += s.principal;
        usdt.transfer(msg.sender, s.principal);
        emit Withdrawn(msg.sender, s.principal);
    }

    // ── VIEW HELPERS ───────────────────────────────────
    function pendingROI(address user, uint256 stakeId)
        external view returns (uint256)
    {
        Stake storage s = stakes[user][stakeId];
        if (!s.active) return 0;
        if (block.timestamp < s.lastClaim + CLAIM_WAIT) return 0;
        return (s.principal * tiers[s.tier].monthlyBPS) / BPS / 4;
    }

    function getTotalStats()
        external view returns (uint256 users, uint256 deposited, uint256 withdrawn)
    {
        return (totalUsers, totalDeposited, totalWithdrawn);
    }

    function getStakes(address user)
        external view returns (Stake[] memory)
    {
        return stakes[user];
    }
}
// SECURITY
Trust & Security

Multi-layer protection ensuring complete safety of all staked funds on-chain.

🛡️
HEXA PROOF AUDIT
Full smart contract audit — all critical execution paths verified, signed, and published.
✓ VERIFIED
BINANCE VERIFIED
Contract source-verified on BscScan. Deployed and live on Binance Smart Chain mainnet.
✓ VERIFIED
🚫
OWNERSHIP RENOUNCED
Owner has permanently renounced control. No rug pull possible. Contract is truly immutable.
✓ IMMUTABLE
📡
ON-CHAIN TRANSPARENCY
All balances, ROI rules, and withdrawal logic are publicly verifiable on-chain in real time.
LIVE