💰 Course 13: Royalties System PREMIUM

📚12 Lessons
~2 hours
🎯Advanced Level
🏆250 KENO upon completion

🎯Learning Objectives

By the end of this course, you will be able to:

  • Define royalties in both traditional and blockchain contexts and explain how they differ
  • Explain how blockchain technology enables perpetual, transparent, on-chain royalty payments
  • Describe the EIP-2981 royalty standard and its role in the NFT ecosystem
  • Analyze the creator economy and how NFT royalties have transformed artist compensation
  • Understand Kenostod’s RVT perpetual royalty model and its distribution mechanics
  • Read and understand smart contract code that implements royalty logic
  • Identify royalty enforcement challenges including marketplace bypassing and propose solutions
  • Calculate compound royalty growth and design a earning strategy using royalties
🕑 Estimated Completion Time

This course is designed for thorough learning. Plan for ~2 hours of reading, exercises, and practice. Take breaks between sections. True understanding takes time, and the 250 KENO reward reflects that commitment.

💰What Are Royalties?

A royalty is a payment made to a creator, inventor, or rights holder each time their work is used, sold, or generates revenue. Royalties are the cornerstone of the creative economy — they ensure that creators continue to earn from their work long after the initial creation.

Think of it this way: when a songwriter writes a hit song, they don’t just get paid once. Every time that song plays on the radio, streams on Spotify, or is used in a commercial, a small royalty payment is triggered. This creates an ongoing income stream tied directly to the value of their creation.

Traditional Royalty Categories

Music Royalties Payments to songwriters, performers, and producers each time a song is played, streamed, or licensed. Typically managed by collecting societies like ASCAP, BMI, and PRS.
Book Royalties Authors typically earn 5-15% of each book sale. Publishers handle distribution, accounting, and payment — often with 6-12 month delays.
Patent Royalties Inventors license their patents to manufacturers, earning a percentage of each product sold. Common in pharmaceuticals, technology, and manufacturing.
Franchise Royalties Franchise owners pay ongoing royalties (4-12% of revenue) to the franchisor for using their brand, systems, and business model.
Mineral Royalties Landowners receive royalties when oil, gas, or minerals are extracted from their property. Typically 12.5-25% of production value.

The Problems with Traditional Royalties

While the concept of royalties is straightforward, the traditional system is plagued by inefficiencies:

Problem Traditional System Impact on Creators
Opaque Accounting Labels, publishers, and intermediaries control the books Creators often don’t know how much they’re owed
Delayed Payments Royalty statements arrive quarterly or annually Cash flow problems; creators wait months to get paid
High Intermediary Fees Labels, agents, and collecting societies take 50-85% Creators receive only a fraction of the total royalties
No Secondary Sales When a painting is resold at auction, the artist gets nothing Creators miss out on value appreciation of their work
Geographic Limitations Cross-border royalty collection is extremely complex International creators lose significant royalty income
⚠️ The Streaming Economy Problem

On major streaming platforms, artists earn approximately $0.003 to $0.005 per stream. A song needs roughly 250,000 streams just to earn $1,000. Meanwhile, the platform takes 30% and the label takes another 50-80% of what remains. This broken model is exactly what blockchain royalties aim to fix.

⛓️How Blockchain Enables Perpetual Royalties

Blockchain technology fundamentally transforms the royalty landscape by making payments automatic, transparent, instant, and permanent. Instead of relying on intermediaries to track usage and distribute payments, smart contracts handle everything programmatically.

The Blockchain Royalty Advantage

When a digital asset with royalty logic is sold on a blockchain, the royalty payment happens in the same transaction as the sale. There is no delay, no intermediary, and no way to “forget” to pay the creator. The rules are encoded in immutable smart contract code.

How On-Chain Royalties Flow
🎨
Creator Mints
Sets 10% royalty
⛓️
Smart Contract
Enforces rules
👤
Buyer Pays
Full sale price
💰
Auto-Split
10% to creator

Key Properties of On-Chain Royalties

  • Perpetual

    Unlike traditional contracts that expire, on-chain royalties last forever. As long as the blockchain exists, the royalty logic executes. A creator who mints an asset today could receive royalties from resales occurring decades in the future.

  • Transparent

    Every royalty payment is recorded on a public blockchain. Creators can independently verify every transaction, see exactly how much was paid, when, and by whom. No more “trust us” accounting from labels and publishers.

  • Instant Settlement

    Royalties are paid in the same transaction as the sale. No 30-day net terms, no quarterly statements, no waiting. The creator’s wallet balance increases the moment the sale completes.

  • Programmable

    Royalty splits can be as complex as needed: 5% to the original artist, 2% to the producer, 1% to the charity, 2% burned. All executed automatically without human intervention.

  • Global by Default

    A creator in Nigeria receives royalties from a buyer in Japan just as easily as from a buyer next door. No cross-border complications, no currency conversion fees, no correspondent banking delays.

Traditional vs. Blockchain Royalties

Feature Traditional Royalties Blockchain Royalties
Payment Speed Quarterly or annually Instant (same transaction)
Transparency Opaque; controlled by intermediaries Fully transparent on public ledger
Intermediary Fees 50-85% taken by middlemen Only gas fees (usually < 1%)
Secondary Sales Creator gets nothing Creator earns on every resale
Duration Contract-dependent (often expires) Perpetual (forever on-chain)
Geographic Reach Complex cross-border challenges Global by default; borderless
Enforcement Requires legal action Automated by smart contract code
🎓 Music Industry Revolution

In the traditional music industry, a songwriter might receive $0.003 per stream after label cuts. With blockchain royalties, that same songwriter could tokenize their music as NFTs and receive 5-10% of every secondary sale directly to their wallet — no label, no collecting society, no delays. Artists like RAC, 3LAU, and Imogen Heap have pioneered this model.

📜EIP-2981: The NFT Royalty Standard

EIP-2981 (Ethereum Improvement Proposal 2981) is the standardized way to communicate royalty payment information for NFTs on Ethereum and EVM-compatible blockchains. It was finalized in September 2022 and has become the industry standard.

How EIP-2981 Works

EIP-2981 defines a single function that any NFT contract can implement: royaltyInfo(). When a marketplace wants to know how much royalty to pay and to whom, it calls this function with the token ID and sale price. The contract returns the royalty recipient address and the royalty amount.

// EIP-2981 Interface interface IERC2981 { /// @notice Called by marketplaces to determine royalty info /// @param tokenId - the NFT asset queried for royalty /// @param salePrice - the sale price of the NFT /// @return receiver - address to receive the royalty /// @return royaltyAmount - how much royalty to pay function royaltyInfo( uint256 tokenId, uint256 salePrice ) external view returns ( address receiver, uint256 royaltyAmount ); }

Implementation Example

Here is a simplified implementation showing how a creator sets a 7.5% royalty on all their NFTs:

contract MyNFT is ERC721, IERC2981 { address public royaltyRecipient; uint96 public royaltyBps = 750; // 7.5% in basis points function royaltyInfo( uint256 tokenId, uint256 salePrice ) external view override returns ( address, uint256 ) { uint256 amount = (salePrice * royaltyBps) / 10000; return (royaltyRecipient, amount); } } // Example: NFT sells for 1 ETH // royaltyInfo(tokenId, 1 ETH) // Returns: (creatorAddress, 0.075 ETH)
💡 Important: EIP-2981 is Advisory, Not Enforcing

A critical detail: EIP-2981 only communicates royalty information. It does not enforce payment. Marketplaces can query the royalty info and choose to honor it — or ignore it entirely. This advisory nature is both a strength (simplicity, compatibility) and a weakness (no guaranteed enforcement). We explore enforcement challenges in Section 8.

Basis Points Explained

Royalties are typically expressed in basis points (bps) rather than percentages to avoid floating-point arithmetic issues in smart contracts. One basis point equals 0.01%, so:

Basis Points Percentage Royalty on $10,000 Sale
250 bps2.5%$250
500 bps5.0%$500
750 bps7.5%$750
1000 bps10.0%$1,000
1500 bps15.0%$1,500

🎨Creator Economy & NFT Royalties

The emergence of NFT royalties has fundamentally changed the relationship between creators and their work. For the first time in history, artists can earn perpetual income from secondary sales — something never possible in the traditional art world.

The Traditional Art Problem

Consider this scenario: In 2004, an emerging artist sells a painting for $5,000. Over the next 20 years, as the artist becomes famous, that painting changes hands multiple times, eventually selling at auction for $2 million. The artist receives nothing from any of those secondary sales. Only the first $5,000.

With NFT royalties, that same artist could encode a 10% royalty into the token. They would receive $200,000 from that $2 million sale — and every future sale after that.

Music Industry: Traditional vs. Blockchain Royalties

Aspect Traditional Music Blockchain Music
Revenue Split Artist gets 12-20% after label, distributor, collecting society cuts Artist keeps 80-100% of primary; 5-10% on all secondary
Payment Timeline 6-18 months after streams occur Instant upon sale/stream
Accounting Black box; frequent lawsuits over unpaid royalties Every transaction verifiable on blockchain
Fan Ownership Fans buy music with no ownership stake Fans own tradeable NFTs that can appreciate
International Complex web of sub-publishers per territory One smart contract serves all countries

Secondary Market Royalty Mechanics

Understanding how secondary market royalties work is essential. Here is the step-by-step flow:

  • Creator Mints the NFT

    The creator deploys a smart contract with royalty logic built in (e.g., 10% royalty). They mint the NFT and list it for primary sale.

  • First Sale (Primary Market)

    Buyer A purchases the NFT for 1 ETH. The creator receives the full 1 ETH (minus any marketplace fee). No royalty on primary sale.

  • Buyer A Resells (Secondary Market)

    Buyer A lists the NFT and Buyer B purchases it for 5 ETH. The marketplace queries royaltyInfo(). The creator receives 0.5 ETH (10%), and Buyer A receives 4.5 ETH.

  • Ongoing Resales

    Every subsequent resale triggers the same 10% royalty. If Buyer B sells for 20 ETH, the creator receives 2 ETH. This continues perpetually.

💡 The Alignment Effect

NFT royalties create a powerful alignment of incentives. When a creator earns from secondary sales, they are motivated to continue building value for their community. The more valuable they make their brand and art, the more their existing works appreciate, generating more royalties. Collectors also benefit because the creator is invested in long-term value, not just the initial sale.

💎Kenostod’s RVT Perpetual Royalty Model

Kenostod’s Residual Value Token (RVT) system takes blockchain royalties to the next level. Unlike simple NFT royalties that trigger on resale, RVTs generate royalties based on ongoing usage of computational results. This means you earn every time an enterprise uses the work you contributed to — not just when someone buys or sells a token.

How the RVT Royalty System Works

RVT Royalty Distribution Flow
🏢
Enterprise Uses
Computational results
💰
Micro-Payment
Auto-triggered
📈
Distribution
Split by formula

Distribution Formula

Every time an enterprise uses a computational result tied to an RVT, a micro-payment is triggered and distributed as follows:

Allocation Percentage Purpose
RVT Holders 50% Distributed proportionally based on contribution level and RVT tier
KENO Burn 40% Permanently destroyed, reducing total supply and increasing scarcity
Treasury 10% Funds ecosystem development, grants, and infrastructure

RVT Tier Multipliers

Not all RVTs earn equally. Higher-tier RVTs represent more valuable contributions and receive proportionally larger royalty shares:

RVT Tier Royalty Multiplier Example Monthly Income Typical Contribution
Bronze 1x $5-25 Basic validation tasks
Silver 2.5x $25-75 Complex data processing
Gold 5x $75-250 AI model training contributions
Platinum 10x $250-1,000+ Critical enterprise-grade results

What Makes RVT Royalties Unique

The Kenostod RVT model differs from typical NFT royalties in several important ways:

Usage-Based Royalties trigger on usage, not just resale. Every time an enterprise queries or uses your computational result, you earn.
Deflationary 40% of every payment is burned, continuously reducing KENO supply. This means your remaining KENO becomes more valuable over time.
Real-Time Royalties are credited to your wallet instantly. No batching, no minimum thresholds, no waiting periods.
Stackable You can hold multiple RVTs across different tasks and industries. Each one generates independent royalty streams that stack together.
💡 Royalty Tracking Dashboard

Kenostod provides a comprehensive royalty tracking dashboard where you can monitor: total lifetime earnings, per-RVT breakdown, usage analytics showing how often your work is used, daily/weekly/monthly trend analysis, and complete payout history. Every micro-payment is logged transparently on-chain.

💻Smart Contract Royalty Implementations

Understanding how royalties are implemented in smart contract code gives you deeper insight into how these systems actually work. Let’s examine several implementation patterns used across the blockchain ecosystem.

Pattern 1: Simple Percentage Royalty

The most basic implementation — a fixed percentage applied to every sale:

contract SimpleRoyalty { address public creator; uint256 public royaltyPercent = 10; // 10% function executeSale(uint256 salePrice) external payable { uint256 royalty = (salePrice * royaltyPercent) / 100; uint256 sellerProceeds = salePrice - royalty; // Pay royalty to creator payable(creator).transfer(royalty); // Pay remaining to seller payable(seller).transfer(sellerProceeds); } }

Pattern 2: Multi-Recipient Split

More complex royalties that distribute to multiple recipients:

contract SplitRoyalty { struct Recipient { address wallet; uint256 sharesBps; // in basis points } Recipient[] public recipients; // Example: Artist 5%, Producer 2.5%, Charity 2.5% function distributeRoyalty(uint256 totalRoyalty) internal { for (uint256 i = 0; i < recipients.length; i++) { uint256 payment = (totalRoyalty * recipients[i].sharesBps) / 10000; payable(recipients[i].wallet).transfer(payment); } } }

Pattern 3: Kenostod RVT Royalty Logic

A simplified version of the Kenostod royalty distribution pattern, showing how usage-based royalties work:

contract KenostodRoyalty { mapping(uint256 => address[]) public rvtHolders; address public treasury; event RoyaltyDistributed( uint256 taskId, uint256 totalAmount, uint256 holdersShare, uint256 burned ); function onEnterpriseUsage(uint256 taskId) external payable { uint256 payment = msg.value; // 50% to RVT holders uint256 holdersShare = (payment * 50) / 100; // 40% burned (sent to zero address) uint256 burnAmount = (payment * 40) / 100; // 10% to treasury uint256 treasuryShare = payment - holdersShare - burnAmount; _distributeToHolders(taskId, holdersShare); payable(address(0)).transfer(burnAmount); payable(treasury).transfer(treasuryShare); emit RoyaltyDistributed(taskId, payment, holdersShare, burnAmount); } }
💡 Reading Smart Contracts

Even if you don’t write Solidity code, being able to read and understand royalty smart contracts is a valuable skill. It allows you to verify that a project’s royalty claims match what the code actually does. Always check: What percentage is set? Who receives the payment? Can the royalty be changed after deployment? Are there any admin override functions?

🛡️Royalty Enforcement Challenges

One of the most contentious issues in the NFT space is royalty enforcement. While the technology exists to define royalties, ensuring they are actually paid is a different challenge entirely.

The Marketplace Bypassing Problem

Because EIP-2981 is advisory (it tells marketplaces what royalties to pay, but doesn’t force them), some marketplaces have chosen to make royalty payments optional or eliminate them entirely to attract traders with lower fees.

How Bypassing Works

When a marketplace facilitates a sale, it can simply choose not to call royaltyInfo() or ignore the returned values. The NFT transfer still succeeds because the royalty logic is separate from the token transfer logic. Additionally, users can perform “wrapper” trades — wrapping an NFT in a new contract and trading the wrapper, completely bypassing the original royalty.

Timeline of the Royalty Wars

The debate over royalty enforcement has been one of the most heated in the NFT space:

  • 2021: The Golden Age

    OpenSea, the dominant marketplace, enforced creator royalties on all sales. Creators earned billions in royalties. The ecosystem appeared healthy.

  • 2022: Zero-Royalty Marketplaces Emerge

    Platforms like SudoSwap, X2Y2, and LooksRare began offering optional or zero-royalty trading, undercutting OpenSea on fees. Traders flocked to lower-cost alternatives.

  • 2023: OpenSea Responds

    OpenSea introduced the Operator Filter Registry, a blocklist that NFT creators could use to block sales on marketplaces that don’t honor royalties. This was controversial but partially effective.

  • 2024+: New Solutions

    The industry is moving toward enforceable royalties through token-level enforcement, where the transfer function itself checks if royalties were paid. ERC-721C and similar standards embed royalty enforcement directly into the token.

Enforcement Solutions

Solution How It Works Pros Cons
Marketplace Honor System Marketplaces voluntarily pay royalties Simple, no code changes needed Easily bypassed; race to the bottom
Operator Filter (Blocklist) Creators block non-royalty-paying marketplaces Gives creators control Reduces liquidity; whack-a-mole problem
Token-Level Enforcement Transfer function requires royalty payment Cannot be bypassed Limits composability; higher gas costs
Kenostod Model (Usage-Based) Royalties trigger on usage, not transfer Cannot be bypassed; aligned incentives Requires enterprise adoption
⚠️ Why Kenostod’s Model Avoids This Problem

Kenostod’s RVT royalties are fundamentally different because they are triggered by enterprise usage, not token transfers. An enterprise must call the smart contract to access computational results, and the royalty payment is embedded in that access function. There is no way to “bypass” the royalty because the data access itself triggers the payment. If you don’t pay, you don’t get the data.

Legal Framework for Digital Royalties

The legal landscape around digital and blockchain royalties is still evolving. Key considerations include:

Smart Contract as Agreement Some jurisdictions are beginning to recognize smart contracts as legally binding agreements. However, most still require traditional legal contracts as a backstop.
Tax Treatment Royalty income from NFTs and digital assets is typically treated as ordinary income for tax purposes. In the US, it must be reported on Schedule C or Schedule E depending on the nature of the activity.
Copyright vs. Token Ownership Owning an NFT does not automatically grant copyright. The creator retains copyright unless explicitly transferred. Royalties are tied to the token’s smart contract, not copyright law.
Cross-Border Enforcement Blockchain royalties operate globally, but legal enforcement is jurisdictional. A creator in France may have difficulty enforcing royalty claims against a marketplace in a different jurisdiction.

📈Token Rewards, Stacking & Compound Growth

Royalties represent one of the most powerful forms of token rewards in the digital age. Once the initial work is done (creating an asset, contributing computation, building an audience), the income flows automatically with zero additional effort.

What Makes Royalties “Passive”

True token rewards means earning money without active, ongoing labor. Royalties qualify because:

  • The work is done once (creation, contribution, minting)
  • Payments are automatic (smart contract handles distribution)
  • Income is perpetual (continues as long as usage/trading occurs)
  • No management required (no invoicing, chasing payments, or accounting)

Royalty Stacking

Royalty stacking is the strategy of accumulating multiple royalty-generating assets to create diversified, compounding income streams. In Kenostod, this means earning RVTs across different industries, task types, and tier levels.

Example: Building a Royalty Stack

RVT Asset Industry Tier Monthly Royalty
RVT #1Healthcare AIGold$150
RVT #2Financial ModelingPlatinum$450
RVT #3Supply ChainSilver$45
RVT #4Climate DataGold$120
RVT #5Legal AnalyticsBronze$15
Total Monthly Token Rewards$780

Compound Growth Strategy

The most powerful aspect of royalty income is the ability to reinvest earnings to acquire more royalty-generating assets. This creates a compound growth effect:

  • Month 1: Initial Earnings

    You hold 3 RVTs generating $200/month total. You reinvest those earnings to acquire more computing power for tasks.

  • Month 3: Growing Stack

    Your reinvestment has earned you 2 more RVTs. You now earn $350/month from 5 assets. The additional income accelerates further acquisition.

  • Month 6: Momentum Builds

    Your stack has grown to 8 RVTs across multiple industries. Monthly income reaches $600. The compound effect becomes increasingly powerful.

  • Month 12: Significant Income

    With 15+ RVTs and a diversified portfolio, your monthly token rewards could exceed $1,500. And you’re still earning new RVTs.

💡 The Deflationary Bonus

Remember that 40% of every royalty payment is burned. This means the KENO you hold and earn becomes more scarce over time. Even if your royalty payments stay the same in KENO terms, the USD value may increase as supply decreases. This adds another layer of compound growth on top of your stacking strategy.

Optimization Strategies

Focus on High-Usage Industries Healthcare AI, financial modeling, and enterprise analytics see the heaviest repeated usage, generating the most consistent royalty income.
Quality Over Quantity One Platinum RVT (10x multiplier) generates more income than 10 Bronze RVTs (1x each). Invest time in higher-quality contributions.
Diversify Industries Don’t put all your eggs in one basket. If one industry’s usage declines, your other RVTs continue earning.
Monitor Trends Use the royalty dashboard to identify which industries are growing and shift your efforts toward emerging high-demand sectors.

🔎Real-World Case Studies

These real-world examples illustrate the transformative power of blockchain royalties and the challenges the industry has faced:

Case Study 1: Beeple’s $69 Million NFT and the Royalty Question

What happened: In March 2021, digital artist Beeple (Mike Winkelmann) sold “Everydays: The First 5000 Days” at Christie’s for $69.3 million. The NFT included a 10% creator royalty on secondary sales.

The significance: This was the first major NFT sale to incorporate blockchain royalties at such a scale. If the buyer ever resells the work, Beeple would automatically receive $6.93 million (10% of $69.3M) — with no intermediary needed.

The lesson: Blockchain royalties can generate life-changing income for creators on secondary sales. In the traditional art world, Beeple would receive nothing from any future resale of this artwork.

Case Study 2: Yuga Labs (Bored Ape Yacht Club) Royalty Revenue

What happened: Yuga Labs, creators of the Bored Ape Yacht Club (BAYC), earned an estimated $150+ million in royalties from secondary sales in 2021-2022 alone. Their 2.5% royalty on over $3 billion in trading volume generated massive recurring income.

The significance: This demonstrated that royalties could be a sustainable business model — not just for individual artists, but for entire companies. The royalty income funded new projects, games, and the Otherside metaverse.

The lesson: Even a modest royalty percentage (2.5%) can generate enormous revenue if the asset has significant trading volume. The key is creating lasting demand and community value.

Case Study 3: The SudoSwap Zero-Royalty Disruption

What happened: In 2022, SudoSwap launched an AMM-style NFT marketplace that charged no royalties and minimal fees. This undercut OpenSea and attracted volume-traders. Other marketplaces followed suit, creating a “race to the bottom” on royalty payments.

The impact: Creator royalty income dropped dramatically. Some collections saw royalty revenue decrease by 80% as trading moved to zero-royalty platforms. This sparked intense debate about the sustainability of the NFT creator economy.

The lesson: Advisory royalties (like EIP-2981) are only as reliable as the marketplaces that honor them. The industry needs enforceable royalty mechanisms — which is precisely what Kenostod’s usage-based model provides.

Case Study 4: Royal.io — Tokenized Music Royalties

What happened: Royal.io, co-founded by DJ 3LAU, enables musicians to sell fractional ownership of their streaming royalties as tokens. Fans who purchase these tokens receive a share of the song’s streaming revenue, paid directly to their wallets.

The significance: This model demonstrates how blockchain can democratize royalty ownership. Fans aren’t just consumers — they become stakeholders with real financial upside. Songs by artists like Nas, Diplo, and The Chainsmokers have been tokenized on the platform.

The lesson: Blockchain royalties aren’t limited to creator-to-creator flows. They can create entirely new asset classes where anyone can invest in and earn from creative works. This aligns with Kenostod’s vision of democratizing access to perpetual income streams.

✏️Written Exercises

Complete these exercises to reinforce your understanding. Take your time — thoughtful answers demonstrate true comprehension.

Exercise 1: Traditional vs. Blockchain Comparison

A musician earns $0.004 per stream on Spotify and has a song with 1 million streams. Their label takes 80%. Compare this to minting the same song as an NFT that sells for $10,000 with a 10% secondary royalty and is subsequently resold 5 times (each at 2x the previous price). Calculate total earnings for each model.

Exercise 2: Royalty Enforcement Strategy

You are a digital artist who minted a popular NFT collection with 5% creator royalties. A new zero-royalty marketplace launches and 60% of your collection’s trading volume migrates there. What strategies would you consider to protect your royalty income? Discuss at least three approaches, weighing pros and cons.

Exercise 3: RVT Portfolio Design

Design a diversified RVT portfolio strategy for someone who wants to reach $1,000/month in passive royalty income within 12 months. Specify which industries you would target, what RVT tiers you would aim for, and how you would reinvest early earnings. Show your reasoning with estimated numbers.

Exercise 4: Smart Contract Analysis

Review the Kenostod RVT Royalty Logic code example from Section 7. Explain in your own words: (a) What happens when an enterprise calls onEnterpriseUsage()? (b) Why is 40% sent to address(0)? (c) What is the purpose of the event emission at the end? (d) How would you modify this contract to support dynamic royalty percentages?

Exercise 5: Future of Royalties

Imagine it’s 2030 and blockchain royalties are widely adopted. How might this technology transform industries beyond art and music? Describe at least two non-obvious industries that could benefit from on-chain royalties, and explain the specific mechanism that would work for each.

📝Final Exam (12 Questions)

You must score at least 10 out of 12 correct (80%) to complete this course and earn your 250 KENO reward. Take your time and review the material if needed.

1. What percentage of enterprise payments goes to RVT holders in Kenostod’s royalty model?
40%
50%
60%
100%
2. What is the primary function defined by EIP-2981?
transferFrom() — transfers tokens between addresses
approve() — approves spending allowance
royaltyInfo() — returns royalty recipient and amount
mint() — creates new tokens
3. What happens to 40% of enterprise payments in the Kenostod royalty system?
Paid to miners as transaction fees
Stored in the treasury for ecosystem development
Returned to the enterprise as a rebate
Burned (permanently destroyed), reducing KENO supply
4. Which of the following is a key problem with traditional royalty systems?
Opaque accounting, delayed payments, and high intermediary fees
Payments are too fast for creators to manage
Royalty percentages are too high for consumers
Too many intermediaries makes payments more transparent
5. What is “royalty stacking” in the context of Kenostod?
Increasing the royalty percentage on a single asset
Accumulating multiple RVTs across industries for diversified income streams
Stacking royalty payments to be paid in a lump sum
Combining multiple NFT collections into one
6. Why is EIP-2981 considered “advisory” rather than “enforcing”?
It only works on the Ethereum mainnet, not other chains
It requires a government license to enforce royalties
Marketplaces can query the royalty info but choose to ignore it
The royalty amounts are too small to enforce
7. How does Kenostod’s RVT model avoid the marketplace bypassing problem?
Royalties are triggered by enterprise usage of data, not by token transfers
Kenostod blocks all third-party marketplaces
RVTs cannot be transferred between wallets
Kenostod charges a 100% fee on all transfers
8. What is the royalty multiplier for a Platinum-tier RVT?
1x
2.5x
5x
10x
9. In the traditional music industry, what percentage of streaming revenue typically goes to the artist after label and distributor cuts?
50-70%
12-20%
80-100%
1-5%
10. What does “750 basis points” mean as a royalty percentage?
75%
0.75%
7.5%
750%
11. Which is the best compound growth strategy for maximizing royalty income?
Reinvest royalty earnings to acquire more computing power and earn more RVTs
Withdraw all earnings immediately and hold cash
Only collect Bronze-tier RVTs since they are easier to earn
Focus on a single industry for maximum specialization
12. When are royalties credited to your wallet in the Kenostod system?
Monthly, on the first business day
Weekly, every Friday
Quarterly, after an audit period
Real-time, instantly as enterprise usage occurs

Kenostod Blockchain Academy © 2024

← Course 12  |  Home  |  Course 14 →