Skip to main content

· 4 min read
Dora Noda

As the CEO of a startup in the web3 domain, I'm often intrigued by emerging tech trends. The rapid ascent of bot platforms, particularly in the context of blockchain and decentralized finance, has caught my attention.

The New Wave: Telegram Bots in Web3

With the growth of Unibot, robot concepts are becoming a new area of competition. The landscape now features hundreds of bot-centric and micro-innovative projects. Telegram, a must-have social application in the crypto circle, boasts a staggering 800 million monthly active users. These numbers become even more fascinating when you consider how Telegram Bots are simplifying crypto interactions. Within the platform, bots can handle a variety of tasks, from decentralized finance (DeFi) and miner extractable value (MEV) protection to data analytics, whale tracking, and even community gaming governance. The appeal lies in their accessibility, convenience, and wide-ranging applications.

However, rapid growth often brings skepticism and worries. Concerns about the security vulnerabilities of Telegram Bots and the maturity of the technology have begun to surface.

The Rise of Web3 Bots: Analyzing Unibot and Its Contenders

Unibot: The Phenomenon

Launched in June, Unibot took just two months to achieve a phenomenal status, spawning hundreds of imitative projects. It hit a peak market cap of over $200 million, although it later faced stiff competition from "Banana Gun", leading to a considerable market share decline. Despite this drop, its current market value stands around $60 million, keeping Unibot as the leading figure in the bot arena.

Unibot Features:

  • New project tracking
  • Copy-trading capabilities
  • Limit orders
  • Token tracking and precision sniping within Telegram
  • Speedier than conventional decentralized exchanges, outpacing platforms like Uniswap.

Revenue Model:

  1. Service Fee: Unibot charges a 1% service fee. 40% of this is allocated to $UNIBOT Token holders, with the remaining going toward team operations.
  2. $UNIBOT Token Tax: The token imposes a 5% tax. 1% of the transaction volume is shared with $UNIBOT holders.

In its prime, daily revenue reached beyond 300 ETH. Despite challenging market conditions, Unibot has performed impressively, garnering approximately 15,000 users and generating around 8,200 ETH (approx. $13 million) in total revenue within three months.

Banana Gun: The Challenger

Banana Gun, a recent entrant, has managed to challenge Unibot's dominance. With features similar to Unibot, it has garnered a user base comparable in size, but with slightly more active members. Notably, it's proving to be more effective in its "sniping" capabilities. Banana Gun's recent pre-sale raised 800 ETH, and they faced some liquidity withdrawal issues due to contract tax complications.

The Broader Bot Ecosystem

Other bots in the market focus on various niche aspects, such as:

  • Analyzing contract details for potential red flags, like liquidity pool locks, contract access renunciations, and "rug pull" possibilities.
  • Tracking the actions of high-performing wallet addresses.
  • Monitoring newly launched project tokens for potential early investment opportunities.

Why Are Bots Gaining Traction?

  1. Their integration with Telegram, one of the most widely-used applications in the industry, provides a natural congregation of traffic.
  2. The essence of buying and selling remains a fundamental need in finance. The functionalities of these bots revolve around trading, and ultimately, profitability is their selling point.

In conclusion, the world of web3 bots is evolving rapidly. As decentralized technologies mature, bots will undoubtedly play a significant role in the way we interact with and leverage the capabilities of the blockchain. As a stakeholder in this space, I'm excited to be a part of this journey and look forward to the innovations that lie ahead.


· 4 min read
SamLis

We are excited to announce some great news to the community: After a period of development, we have launched a GraphQL playground based on the Aptos API. This is designed to assist you in building Aptos applications faster and better.

It is widely known that in today's world of software development, building efficient, flexible, and scalable APIs is of paramount importance. APIs (Application Programming Interfaces) serve as the bridge for communication and data exchange between different software systems, making well-designed APIs crucial for the success of applications. GraphQL has already become the preferred tool for many developers in building flexible and powerful APIs.

Today, we are thrilled to announce Aptos Indexer GraphQL, a high-performance GraphQL framework designed specifically for Aptos developers. It is aimed at simplifying the development and management of Aptos APIs while delivering outstanding performance and scalability.

What is GraphQL?

First, let's take a look at what GraphQL is all about. GraphQL is a query language and runtime environment for APIs that allows clients to precisely specify the data they need, instead of receiving data in fixed formats like traditional REST APIs. This flexibility makes GraphQL particularly well-suited for building client-driven applications, such as single-page applications (SPAs) and mobile apps.

The core idea of GraphQL is "only get the data you need." Clients can retrieve multiple resources through a single request and specify the fields they need for each resource. This reduces the issues of over-fetching or under-fetching data, thereby improving network efficiency.

Why choose Aptos Indexer GraphQL?

Aptos Indexer GraphQL is a high-performance GraphQL API tailor-made for Aptos developers. It aims to provide the following advantages to Aptos developers:

  1. Simplified development process

    Aptos Indexer GraphQL simplifies the API development process by offering a clear and intuitive API definition language and tools. Developers can easily define data types, queries, mutations, and resolvers, making API construction highly intuitive.

  2. Outstanding performance

    Aptos Indexer GraphQL is designed as a high-performance framework. It utilizes modern data-loading techniques to ensure that only necessary database queries are executed, thereby reducing response times and enhancing performance.

  3. Scalability

    Aptos Indexer GraphQL can meet your needs regardless of the scale of your application. It supports a modular architecture, allowing for easy addition of new features and data types.

  4. Powerful utilities

    Aptos Indexer GraphQL provides a set of GraphQL-based testing tools, including GraphiQL, which allows you to interactively validate the required data in real-time, making it easier for you to develop, test, and maintain the API.

How to get started with Aptos Indexer GraphQL?

First, select the Aptos Indexer service in our API marketplace:

blockeden.xyz api marketplace

blockeden.xyz api marketplace

Then, copy your BLOCKEDEN_API_KEY at https://blockeden.xyz/dash:

BLOCKEDEN_API_KEY

BLOCKEDEN_API_KEY

After receiving a success message, you can start using the Aptos Indexer GraphQL service.

If you haven't created a BLOCKEDEN_API_KEY yet, you can still use the public API key: 8UuXzatAZYDBJC6YZTKD.

Here is a simple example of using React to connect to the Aptos Indexer GraphQL service:

import React, { useState, useEffect } from 'react';

function App() {
const [data, setData] = useState(null);

useEffect(() => {
const apiEndpoint = 'https://api.blockeden.xyz/aptos/indexer/8UuXzatAZYDBJC6YZTKD/v1/graphql';

const fetchData = async () => {
try {
const response = await fetch(apiEndpoint, {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
query: `
query {
block_metadata_transactions(limit: 2) {
block_height
}
}
`,
}),
});

if (!response.ok) {
throw new Error('Network response was not ok');
}

const result = await response.json();
setData(result.data);

} catch (error) {
console.error('GraphQL Request Error:', error);
}
};

fetchData();
}, []);

return (
<div className="App">
<h1>Aptos Indexer GraphQL Example</h1>
{data ? (
<pre>{JSON.stringify(data, null, 2)}</pre>
) : (
<p>Loading...</p>
)}
</div>
);
}

export default App;

You can also directly access our built-in GraphiQL service, located at the bottom of the https://blockeden.xyz/api-marketplace/aptos-indexer page.

Aptos Indexer GraphQL service for blockeden.xyz

Aptos Indexer GraphQL service for blockeden.xyz

Alternatively, you can directly access Aptos Indexer GraphQL using curl:

curl https://api.blockeden.xyz/aptos/indexer/8UuXzatAZYDBJC6YZTKD/v1/graphql \
-H 'Content-Type: application/json' \
-X POST \
-d '{"query":"query {block_metadata_transactions(limit: 2) {block_height}}"}'

Conclusion

Aptos Indexer GraphQL is a powerful development service within the Aptos ecosystem, designed to streamline the development and management of Aptos APIs while delivering exceptional performance and scalability. We hope that developers can enhance their Aptos applications and enjoy a faster and more efficient development process through the use of Aptos Indexer GraphQL.

Thank you for your interest in our latest product release. If you have any questions or feedback, please feel free to contact our support team. We look forward to hearing from you and continually improving and enhancing Aptos Indexer GraphQL.


· 5 min read
Dora Noda

💵 TL;DR

  1. We plan to increase the rate limit by 5x.
  2. For improved granularity, 1 CU has been updated to 100 CU.
  3. Announcing our new "Basic" plan priced at $19.99.
  4. CUs are now denominated in CUC and are refreshed daily. Monitor your balance at BlockEden.xyz/dash/account.
  5. With our updated plans, extra CUCs beyond those plans allow you to access extra API calls using a pay-as-you-go system every day.

BlockEden.xyz is committed to providing cost-effective and efficient solutions to DeFi, wallet, and analytics developers. Our customer feedback revealed a few key insights:

  1. A requirement for an intermediate tier between the Free and Pro plans.
  2. A desire for a more flexible 'pay-as-you-go' option.
  3. An opportunity for us to accommodate more requests through a more efficient infrastructure.

Based on these insights, we're excited to announce the introduction of a pay-as-you-go feature using Compute Unit Credit (CUC), and to share details about modifications to our pricing plans.

Understanding Compute Units and Compute Unit Credit

A Compute Unit (CU) serves as a standard measurement that quantifies the computational expense incurred during an API call. It's akin to how AWS charges for compute usage. The computational cost varies depending on the intensity of the queries – some are lightweight and fast (e.g., eth_blockNumber) while others can be more demanding (e.g., large eth_getLogs queries). The cost in CU for each request across different products can be found in our API marketplace.

Compute Unit Credits (CUC) are like credit card rewards on our platform to serve as royalty points. Those points are identical to compute units. Developers could spend CUC on our platform to get extra quotas for API calls.

Implementing Pay-As-You-Go with CUC

We'll set up a reward account for each customer. Customers can load this account with CUC, which will then be consumed as per their API usage.

  • For the Free tier, we ensure a minimum balance of 0.3 CUC at the start of each month.
  • For the paid tiers (Basic, Pro, Enterprise 50), we will credit the account on each subscription or renewal.

We do not allow customer to withdraw CUC for now.

The credits on BlockEden.xyz will be reconciled daily and also each time a withdrawal or deposit is made. BlockEden.xyz maintains the rights to the Compute Units (CU) on our platform, along with the authority to clarify the application of the API and the usage of credits.

Pricing Plan Modifications

Below are the changes to our pricing plans. The original pricing structure was as follows:

FreeProEnterprise 50Enterprise 500
Price049.992001999
CU / day0.1 Million1 Million4.32 Million50 Million
Price / Million CU01.661.541.33
Ratelimit req/s11050500
Project allowed1530100300

In response to customer feedback, we've made the following adjustments:

  1. The "Enterprise 500" tier has been discontinued, and a "Basic" tier has been introduced to offer indie developers more flexibility.
  2. Rate limits have been increased five-fold for almost all plans.

Here is our updated pricing structure:

PlanFreeBasicProEnterprise 50
Price019.9949.99199.99
CU / day10 Million40 Million100 Million513.33 Million
Price / Million CU00.01670.01670.0130
Ratelimit CU/s1,00010,00010,000500,000
Ratelimit req/s55050250
Project allowed1530100300

Why Choose BlockEden.xyz

BlockEden.xyz is a industry leading marketplace in Move, Rust, and EVM Blockchain Web3 APIs to developers. Founded in 2022, we have secured 45 million US dollar staking assets and serving 18 blockchains to 3000+ customers, making us a trusted choice in the web3 service middleware sector.

At BlockEden.xyz, we simplify blockchain data access and dev experience for web3 businesses, helping them save time and boost productivity with just a few clicks.

How is BlockEden.xyz different from other API vendors?

  • We are the infura for move (aptos, sui) developers.
  • Permissionless access to decentralized marketplace with 20 APIs via crypto tokens.
  • Exceptional 24/7 customer support.

In conclusion, BlockEden.xyz's revised pricing plans and the introduction of the pay-as-you-go option, underlined by our Compute Unit Credit (CUC) system, embodies our unwavering dedication to the evolving needs of our customers. We've always stood by the philosophy of "start with customers," believing that understanding and addressing their challenges is the foundation for our success.


· 3 min read
Dora Noda

In the evolving landscape of Web3, a new approach to user interactions is emerging – the intent-centric protocol. Here, users simply express what they want, leaving the intricate process of how it's achieved to the system. This approach heralds enhanced user experience, better composability, and greater privacy.

The Three Pillars of Intent-Centricity

  1. User-Centric Interaction: The essence of intent-centricity lies in streamlining user experience. By emphasizing the "what" over the "how," it spares users the need to grapple with complex underlying mechanisms. The result? A straightforward expression of their objectives.

  2. Robust Composability: In the realm of Web3, composability denotes the ease with which various protocols or apps integrate and build upon each other. When users solely voice their intent, it provides room for systems to be tailored for maximized compatibility, fostering richer and more cohesive digital ecosystems.

  3. Privacy by Design: Expressing just the intent can obviate the need for users to disclose detailed or sensitive data about themselves. This is a major stride towards ensuring user privacy in blockchain interactions.

Let's Paint a Picture

Consider Alice – a newcomer to the DeFi (Decentralized Finance) world with minimal technical expertise. She's just dipped her toes into the realm of cryptocurrency and is curious about staking to earn interest.

Traditional ProtocolIntent-Centric Protocol
1. Alice starts by selecting a staking platform.
2. She grapples with its intricacies.
3. She's faced with choices: locked staking or flexible?
4. Next, she must comprehend the risks linked to her choice.
5. Finally, after a labyrinthine process, she stakes her cryptocurrency.
1. Alice accesses a Web3 app.
2. She straightforwardly states: "I wish to stake X crypto and earn interest."
3. The protocol, cognizant of her intent, optimizes the staking method for her – considering market dynamics, her stake, and more.
4. Behind the scenes, it liaises with the required DeFi protocols, managing the technicalities.
5. Alice gets an affirmation: her cryptocurrency is staked and interest earnings are on the way.

For Alice, the intent-centric approach is a breath of fresh air. She’s spared the technical maze and instead, expresses her intent. The protocol does the heavy lifting, ensuring her privacy and sourcing the best available options.

What Fuels the Rise of Intent-Centricity?

The rising wave of intent-centricity is spurred by a blend of the AIGC revolution, developments like EIP4337 (smart contract accounts), and the push to make Web3 accessible to all.

A testament to this trend is the project showcased at ETHGlobal Paris 2023: Bob the Solver - Pioneering infrastructure for intent-based transactions to elevate the UX of wallets and dapps.

Bob the solver

Summary

As the digital realm advances, user-centric approaches like intent-centric protocols are shaping the future of Web3 interactions. By shifting the focus from intricate processes to straightforward intent expression, these protocols are democratizing access, enhancing user experience, and promoting privacy. With innovations such as Bob the Solver leading the charge, the Web3 space is poised to become more inclusive and user-friendly, bridging the gap between the technical and the everyday user. Embracing intent-centricity is not just the next step; it's the future of decentralized digital interactions.

· 3 min read
Dora Noda

Y Combinator, the renowned startup accelerator, has been at the forefront of spotting trends and supporting early-stage startups. One of the segments where YC has shown keen interest is the world of Web3 and cryptocurrencies. Let's dive into YC’s crypto portfolio and explore some of the game-changing companies leading the Web3 movement.

Key Players:

  1. Coinbase: Arguably the most famous company in the list, Coinbase has become synonymous with the world of digital currencies. As a robust digital currency wallet and platform, it’s paving the way for mainstream adoption.
  2. OpenSea: The NFT marketplace, which has seen significant growth, is a testament to the way OpenSea has captured the market.
  3. Protocol Labs: The brainchild behind decentralized file systems like IPFS and initiatives like Filecoin, showing the power of distributed systems.
  4. Rainbow: Simplifying Ethereum wallet management and making crypto transactions user-friendly.

Noteworthy Themes:

  1. Financial Infrastructure: Companies like TRM Labs, SFOX, QuickNode, and Excheqr are reinforcing the financial structures, ensuring fraud detection, liquidity provision, and overall financial health.

  2. Neobanks and Payment Solutions: Littio, Wallbit Pay, and Ping are examples of neobanks and platforms aiding in easy cross-border payments and international banking solutions, particularly tailored for specific demographics like Latin Americans.

  3. Security and Data Management: Quantstamp, Spruce Systems, and Blyss are working to ensure the security of transactions and data in a decentralized world.

  4. Developer Tools and Infrastructure: Hiro Systems, WalletKit, Cedalio, and Stackup provide the necessary tools for developers to build on the decentralized internet seamlessly.

  5. Decentralized Finance (DeFi): EthosX, Algofi, and Meson are just some of the platforms redefining the financial system using blockchain technology.

  6. Adoption and User Experience: Platforms like Proxy, Notebook Labs, and Lyra are dedicated to making blockchain and crypto interactions seamless for users, reducing the existing friction in using these technologies.

  7. NFT & Creative Monetization: Hypeshot and Winter showcase the evolution of how creators can monetize their content, especially with the rise of NFTs.

  8. Localized Solutions: Several startups like Botin, Valiu, and Tienda Crypto are focused on specific regional challenges, providing tailored solutions to Latin America, Africa, and other areas, signifying the global appeal of blockchain solutions.

Insights:

  1. Broadening Horizons: The variety in YC's crypto portfolio indicates that the applications of blockchain are no longer limited to just finance but are branching into diverse sectors, from content creation to governance.

  2. Local & Global: While some startups are addressing global challenges, there's a strong focus on localized solutions, recognizing the unique challenges and opportunities presented by different regions.

  3. User-Centricity: A majority of these startups aim to simplify crypto and Web3 for users, whether it's through user-friendly wallets, neobanks, or investment platforms. The emphasis is clear: to bring more users into the fold, the experience needs to be simplified.

  4. Safety First: As the ecosystem grows, so does the need for security and fraud prevention. There’s a clear emphasis on ensuring transactions are secure, data is protected, and the ecosystem remains safe for all users.

In conclusion, Y Combinator’s portfolio offers a comprehensive look into the evolving Web3 landscape. From fundamental infrastructure builders to consumer-facing applications, the accelerator's companies are collectively shaping a decentralized, user-centric, and secure future for the internet. The next wave of internet evolution is here, and it’s evident that YC-backed startups are at its helm.

🔥 Visit List of 106 Y Combinator projects to check those individual projects.

· 40 min read
Dora Noda

Author: Phoenix Capital Management

Translator: BlockEden.xyz Team and Payton Chat

📌 A deep dive into the regulatory disputes and legal issues the crypto industry faces in the past, now, and predictably in the future.

TL;DR

  • In the Ripple case, a partial victory was achieved in the programmatic sales, avoiding being recognized as securities sales. We have carefully analyzed the court's ruling logic and believe that there may be quite obvious errors in fact recognition, which has a high possibility of being overturned later.
  • We've examined the historical origins and basic connotations of securities law, and believe that tokens narrated as "the project team is doing their job" are close to the securities law definition. Thus, a reasonably high proportion of tokens may be recognized as securities in the future. However, the current SEC's regulatory demands further exceed the reasonable scope of securities law.
  • Staking/yield farming is more likely to be considered securities than token sales.
  • Compared to the regulation of CeFi, the regulation of DeFi is at an earlier stage. In addition to securities law, more uncontroversial regulatory issues like KYC/AML are yet to be resolved.
  • Even if a large number of altcoins are identified as securities, it would not signify the end of the industry. High market cap tokens are fully capable of seeking compliance in the form of securities; lower market cap tokens may exist in non-compliant markets for a long time but can still indirectly gain liquidity from compliant markets. As long as there is a clear regulatory framework, regardless of its nature, the industry can find new paths and models for long-term development.

Table of Contents

Long-Awaited (Temporary) Victory - An Interpretation of the Ripple Case

On July 13, 2023, Ripple Labs received a partial favorable ruling from the New York District Court, causing a significant surge in the crypto market. In addition to XRP itself, a series of tokens previously identified as securities by the SEC also experienced a substantial increase.

As we will discuss later, we are still far from the era when the crypto industry truly embraces clear regulation. However, without a doubt, this partial victory of Ripple Labs remains one of the most important events in the crypto industry in 2023.

Below are some of the major disputes between U.S. regulators and the crypto industry before the SEC vs. Ripple Labs case.

CaseDate SettledHow it's Settled
SEC vs Block.one (EOS)2019/09Block.one Settles with SEC, Pays $24mn Fine
SEC vs Telegram2020/06Court Rules Telegram's Actions as Selling Unregistered Securities, Telegram Returns $1.2bn to Investors and Pays $18.5mn Fine
CFTC vs BitMEX2021/08Court Determines BitMEX Engaged in Illegal Derivative Trading (specific projects are too numerous to elaborate), BitMEX Pays $100mn Fine and Ceases Illegal Activities
SEC vs BlockFi2022/02BlockFi Settles with SEC, Seeks Business Compliance, and Pays $100mn Fine
SEC vs Nexo2023/01Nexo Settles with SEC, Shuts Down Lending Business, and Pays $45mn Fine
SEC vs Kraken2023/02Kraken Settles with SEC, Shuts Down Staking Business, and Pays $30mn Fine
CFTC vs Ooki DAO2023/06Court Determines Ooki DAO as an Illegal Futures Trading Platform, Orders to Shut Down All Business, and Pays a $644k Fine

It's not hard to see that nearly all the major disputes so far have ended in failure or compromise by crypto companies.

We still want to say, this represents the first meaningful victory for the crypto industry in its battles against U.S. regulators, even if it is only a partial victory.

There have been many detailed interpretations of the court's judgment, so we won't elaborate here. Those who are interested can read the long Twitter thread by Justin Slaughter, Paradigm Policy Director:

Justin Slaughter on Twitter:

You can also read the original text of the court's ruling in your leisure time:

Plaintiff vs. Ripple Labs, Inc.

Before further interpreting this ruling, let's briefly introduce the core standard for the definition of securities in the U.S. legal system that you often hear about, the Howey Test.

Howey Test, Orange Groves, and Cryptocurrency

Untitled

To understand the disputes surrounding all cryptocurrency regulations today, we must go back to sunny Florida in 1946, to the cornerstone case for today's securities law judgment, SEC vs. Howey.

(The following story outline was mainly written with the help of GPT-4)

📌 After World War II, in 1946, the company W.J. Howey owned a fertile orange grove in picturesque Florida.

To raise more investment, the Howey company launched an innovative plan that allowed investors to purchase land in the orange grove and lease it to the Howey company for management, from which investors could earn a portion of the profits. In that era, this proposition was undoubtedly very attractive to investors. After all, owning your own land was such a tempting thing.

However, the SEC did not agree. The SEC believed that the plan offered by Howey Company was essentially a security, but Howey Company had not registered with the SEC, which clearly violated the Securities Act of 1933. Therefore, the SEC decided to sue the Howey Company.

This lawsuit eventually ended up in the Supreme Court. In 1946, the Supreme Court made a historic judgment in the lawsuit of SEC vs. Howey. The court supported the SEC's stance, ruling that Howey Company's investment plan met the definition of securities, and therefore needed to be registered with the SEC.

The U.S. Supreme Court's judgment on Howey Company's investment plan was based on the four basic elements of the so-called "Howey Test". These four elements are: investment of money, expectation of profits, common enterprise, and the profits come from the efforts of the promoter or a third party. Howey Company's investment plan met these four elements, so the Supreme Court determined it was a security.

  1. First, investors invested money to purchase land in the orange grove, which met the first element of the "Howey Test"—investment of money.

  2. Secondly, the purpose of investors buying land and leasing it to the Howey Company was obviously to expect profits, which met the second element of the "Howey Test"—expectation of profits.

  3. Third, the relationship between investors and the Howey Company constituted a common enterprise. Investors invested, and the Howey Company operated the orange grove, both working towards earning profits. This met the third element of the "Howey Test"—common enterprise.

  4. Lastly, the profits in this investment plan mainly came from the efforts of the Howey Company. Investors only needed to invest money and could reap the benefits, which met the fourth element of the "Howey Test"—the profits come from the efforts of the promoter or a third party.

Therefore, according to these four elements, the Supreme Court judged that Howey Company's investment plan constituted a security and needed to be registered with the SEC.

This judgment had profound implications and formed the widely cited "Howey Test", defining the four basic elements of so-called "investment contracts": investment of money, expectation of profits, common enterprise, and profits come from the efforts of the promoter or a third party. These four elements are still used by the SEC to determine whether a financial product constitutes a security.

For purposes of the Securities Act, an investment contract (undefined by the Act) means a contract, transaction, or scheme whereby a person invests his money in a common enterprise and is led to expect profits solely from the efforts of the promoter or a third party, it being immaterial whether the shares in the enterprise are evidenced by formal certificates or by nominal interests in the physical assets employed in the enterprise.

The above is an accurate interpretation of securities from the 1946 Supreme Court opinion, which can be broken down into the following commonly used criteria:

  1. An investment of money
  2. in a common enterprise
  3. to expect profits
  4. solely from the efforts of the promoter or a third party

The charm of law is truly remarkable. It often employs abstract yet straightforward principles to guide the ever-changing specificities in real-life scenarios, no matter it is a citrus grove or cryptocurrency.

Why Securities Law Exists

In fact, how securities are defined is not important. Labeling something as a security or not doesn't make any substantive difference. The key is to understand what legal responsibilities stem from the economic nature of securities, in other words, why something possessing the four attributes of the Howey Test needs a separate legal framework for supervision.

The Securities Act of 1933, which predates the Howey Test by over a decade, explicitly answers the question of why securities laws are needed.

Often referred to as the "truth in securities" law, the Securities Act of 1933 has two basic objectives:

1) require that investors receive financial and other significant information concerning securities being offered for public sale; and

2) prohibit deceit, misrepresentations, and other fraud in the sale of securities.

"The fundamental starting point of securities law is simple - it's all about ensuring that investors have enough information about the securities they are investing in and are protected from deception. Conversely, the responsibilities imposed on the issuers of securities are straightforward, the essence of which is disclosure - they must provide complete, timely, and accurate disclosure of important information related to the securities.

The reason for such a goal of securities law is because securities, by their nature, rely on the efforts of third parties (active participants) for returns, which gives these third parties an asymmetric advantage over investors in terms of access to information and influence on securities prices. Therefore, there's a requirement for them to fulfill the duty of disclosure, to ensure that this asymmetry does not harm the investors.

There's no similar regulatory requirement in commodities markets because there are no such third parties, or in the crypto context, 'project teams'. Gold, oil, and sugar, for example, have no 'project teams'. The crypto market generally has a preference for the Commodity Futures Trading Commission (CFTC) over the Securities and Exchange Commission (SEC), but this is not due to personal preferences of the regulators that lead to differing attitudes towards crypto. The distinction between regulating commodities and regulating securities is based on the intrinsic differences between the two types of financial products. Because there are no 'project teams' with an asymmetric advantage, the regulatory framework for commodity law naturally tends to be more relaxed.

💡 The existence of a third party or 'Project Team' with an information and influence advantage is the fundamental reason for the existence of securities law; to curb the infringement of investors' interests by the third party/'Project Team' is the fundamental purpose of securities law; and requiring the 'Project Team' to provide complete, timely, accurate information disclosure is the main means of implementing securities law."

Project team is doing their job = Securities?

During my study of the history of U.S. securities law, a phrase often heard in the crypto industry led me to a simple and effective standard to determine whether a token is a security - that is, whether the investor cares whether the Project Team is active or not.

If the "the project team is doing their job" matters to investors, it implies that the return on this investment is influenced by the actions of the Project Team, which clearly meets the four criteria of the Howey Test. From this perspective, it's easy to understand why BTC is not a security, as there is no Project Team involved with BTC. The same applies to meme coins, they are merely digits in the ledger under the ERC-20 protocol, with no active Project Team behind them, and therefore are not securities.

If a Project Team is active and whether they perform well or poorly, or act at all, - whether it's in terms of technical upgrades, product iterations, marketing, ecosystem partnerships - has an impact on the token price, then the definition of a security is met. Given the existence of a Project Team, they possess information unknown to other investors and have greater influence on the token price, hence the need for regulatory oversight to ensure that they do not commit acts that harm the interests of investors. The logic of "the actions of the Project Team matter" → "the Project Team can reap the benefits"→ "the Project Team needs to be regulated by securities law" is a simple legal inference.

If you accept this logic, you can judge for yourself which tokens in the crypto space are reasonably classified as securities.

top search result of "项目方在做事" on Twitter

💡 In our view, if there is an expectation or concern among investors about the "the project team is doing their job," this token highly aligns with the definition of a security. From this perspective, it seems quite logical that a high proportion of tokens are classified as securities.

The current SEC wants more than just the basic regulations. As seen from Gary's public statements, he only recognizes that Bitcoin is not a security. For most other tokens, he firmly believes they should be classified as securities. The stance on a few tokens, like ETH, is relatively ambiguous. The CEO of Coinbase also recently mentioned in an interview that before the SEC sued Coinbase, it had demanded that Coinbase cease trading all tokens except for Bitcoin, a request that Coinbase refused.

We think it's unreasonable to classify pure meme coins without an operational project team or decentralized payment tokens as securities. The SEC's demands have exceeded the reasonable scope of securities laws, which has made it harder for the conflict between the industry and the SEC to be resolved simply.

You can read more on the topic in this article: SEC asked Coinbase to halt trading in everything except bitcoin, CEO says."

Recap of SEC vs Ripple Labs

  • Let's briefly highlight a few key points:
    • XRP itself is not a security, but we need to analyze the specific circumstances of XRP sales (such as the process, method, and channels of sale, etc.) to determine whether it constitutes a securities sale. We will elaborate on this point later: A token is just a token. A token is NEVER a security.
    • The court analyzed three forms of XRP sales separately: institutional sales, programmatic sales, and others. In the end, the first type, institutional sales, was considered as securities, while the other two were not.
    • The reasons for judging institutional sales as securities sales are:
Howey Test's RulesAnalysis
1. An investment
of money
✅ It satisfies the criteria; institutional investors made payments to XRP, and Ripple Labs argued that not only is 'payment of money' required, but also 'an intent to invest'. This claim was rejected by the court.
2. in a common
enterprise
✅ It satisfies the criteria; the funds invested by the investors were collectively received and managed by Ripple Labs, and what the investors received were the same fungible XRP tokens.
3. to expect
profits
✅ It satisfies the criteria;
1) All the promotional materials from Ripple received by the investors clearly mention in various ways that the success of the Ripple protocol would drive up the price of XRP.
2) The existence of the lock-up clause directly proves that the investors' intent in purchasing XRP could only be investment and not consumption ('a rational economic actor would not agree to freeze millions of dollars').
4. solely from
the efforts of
the promoter
or a third party
✅ It satisfies the criteria; Ripple Labs explicitly linked the rise in XRP price to the technical advantages of Ripple Labs, the potential for widespread use of the product, the professional capabilities of the team, and successful market marketing in its promotions.
  • The reasons for judging programmatic sales as not constituting securities sales are:

    1. In this case, investors are not sure whether they are buying from Ripple Labs or other XRP sellers. Most XRP trading volume does not come from sales by Ripple Labs, so most XRP buyers have not directly invested their funds into Ripple Labs.

    2. XRP buyers did not expect to profit from Ripple Labs' efforts, because:

      • Ripple Labs did not make any direct promises to these investors, and there is no evidence that Ripple Labs' promotional materials were widely disseminated among these investors.

      • These investors are less sophisticated, and it cannot be proven that they have a full understanding of the impact of Ripple Labs' actions on the price of XRP.

  • It's not hard to see that the court's judgement on programmatic sales is primarily based on the fourth item of the Howey Test, which is that these investors did not expect to profit from Ripple Labs' efforts.

  • The judgement of this district court does not have final binding force; it can almost be certain that the SEC will appeal. However, due to the lengthy legal process, it might take several months or even years before we see the results of a new appeal judgement. During this time, the judgement of this court will essentially form important guidance for the development of the industry.

Putting aside our position as cryptocurrency investors, and solely from the standpoint of legal logic, we believe that the court's logic in determining programmatic sales as not being securities is not very convincing.

📕 Here are two articles by seasoned legal professionals with similar opposing views. I recommend reading them if you have time, as our analysis also draws on some of their viewpoints.

First, we need to note the original text of the Howey Test: '...expect profits solely from the efforts of the promoter or a third party...', which clearly points out that the source of profits can be the promoter or a third party, that is, it does not matter who the seller is. Or to say, it is not necessary for the source of the efforts to be the seller or promoter, as long as there is such a third party. Therefore, it does not matter who the investor buys from or whether the seller is the source of the returns. What matters is whether the investor realizes that the appreciation of the asset comes from the efforts of a third party. Therefore, the court's mention of blind buy/sell and the fact that buyers do not know whether they bought XRP from Ripple Labs or someone else is irrelevant to the Howey Test.

The real issue is whether investors in programmatic sales realize that the rise in the price of the XRP token they bought is related to the efforts of Ripple Labs. The court's main argument is that

  1. Ripple Labs has not directly promoted to retail, nor is there evidence that their materials (white papers, etc.) have been widely disseminated among retail,
  2. Retail does not have the cognitive abilities of institutional investors to recognize that the XRP token is related to the work Ripple Labs does in technology, product, and marketing.

First of all, this is a factual issue, not a logical one, which we can't demonstrate here. XRP is an old project, and we don't have a clear sense of what the retail investors were like at that time.

But from our limited experience, the vast majority of tokens with a project team are able to realize that the team's technical upgrades, early mainnet launch, better product, increase in TVL, ecosystem partnerships, KOL promotions, and other efforts have an impact on the price of the token they hold.

In the world of crypto, KOLs, Twitter, and Telegram groups large and small serve as the bridge between most project teams and users, the territory for outreach to retail investors. In projects big and small, we often hear discussions about how the 'community' is doing. Most project teams will have a token marketing/community team responsible for contacting exchanges around the world, hiring KOLs, and helping to disseminate project progress and important events.

💡We believe there is a bias in the court's fact-finding on programmatic sales in this ruling; we also agree with many legal professionals that there is a high likelihood that this part of the judgment will be overturned in the future.

(Just a week after writing this article, on the very day it was about to be published, we happened to see that the new judge in the SEC vs Terraform Labs case refused to adopt the judgment logic in the SEC vs Ripple Labs case - the logic being that no matter where the investor buys the token, it does not affect the investor's expectation that the efforts of the project team will influence the token's price.)

"Whatever expectation of profit they had could not, according to that court, be ascribed to defendants’ efforts," he wrote. "But Howey makes no such distinction between purchasers*. And it makes good sense that it did not. That a purchaser bought the coins directly from the defendants or, instead, in a secondary resale transaction* has no impact on whether a reasonable individual would objectively view the defendants’ actions and statements as evincing a promise of profits based on their efforts.**"

Judge Rejects Ripple Ruling Precedent in Denying Terraform Labs' Motion to Dismiss SEC Lawsuit

☕️ By the way - Airdrops that don't require payment can also be considered securities sales.

This comes from an article by John Reed Stark. In the Internet bubble of the late 90s, several companies distributed free stocks to users via the internet. In subsequent legislation and trials, these actions were deemed securities sales. The reason is that although users did not pay money in exchange for these stocks, they gave up other values - including their personal information (required to fill in when registering for stocks) and increased attention for the companies distributing the stocks, which constituted a substantial exchange of value.

SEC Enforcement Director Richard H. Walker said at the time, "Free stock is really a misnomer in these cases. While cash did not change hands, the companies that issued the stock received valuable benefits*. Under these circumstances, the securities laws entitle investors to full and fair disclosure, which they did not receive in these cases.”*

A token is just a token. A token is NEVER a security

As pointed out by Coinbase CLO Paul, this is the most important sentence in the entire judgement that people have not fully understood.

XRP, as a digital token, is not in and of itself a “contract, transaction[,] or scheme” that embodies the Howey requirements of an investment contract*. Rather, the Court examines the* totality of circumstances surrounding Defendants’ different transactions and schemes involving the sale and distribution of XRP.

Both of these judgments consistently express an important point of view:

A token is just a token - it's not like many people mistakenly believe that the court sometimes thinks XRP is a security and sometimes not - a token itself can never be a security.

What might constitute a security is the whole set of behaviors of selling and distributing tokens ('scheme'), there is no question of whether a token is a security or not, only whether a specific token sale behavior is a security or not. We can never come to the conclusion of whether it is a security or not just by analyzing a certain token, we must analyze the overall situation of this sales behavior ('entirety of …', 'totality of circumstances').

Both judges, whose opinions have significant conflicts, have insisted that it must be based on sales conditions rather than the attributes of the token itself to determine whether it is a security - this consistency also means that the possibility of this legal logic being adopted in the future is significantly higher than the judgment for programmatic sales, and we also believe that this judgment indeed has stronger logical reasonableness.

A token is just a token. A token is NEVER a security.

Digital tokens and stocks are fundamentally different. Stocks themselves are a contract signed by investors and companies. Their trading in the secondary market itself represents the trading and transfer of this contractual relationship. As the judge said in the Telegram case, digital tokens are nothing more than an 'alphanumeric cryptographic sequence', and they cannot possibly constitute a contract by themselves. They can only have the economic substance of a contract in specific sales situations.

If this legal point of view is accepted by all subsequent courts, then the future burden of proof on the SEC in the litigation process will be significantly increased. The SEC cannot obtain the regulatory power over all the issuance, trading, and other behaviors of a certain token by proving that it is a security. It needs to prove one by one that the overall situation of each token transaction constitutes a securities transaction.

The Court does not address whether secondary market sales of XRP constitute offers and sales of investment contracts because that question is not properly before the Court. Whether a secondary market sale constitutes an offer or sale of an investment contract would depend on the totality of circumstances and the economic reality of that specific contract, transaction, or scheme. See Marine Bank, 455 U.S. at 560 n.11; Telegram, 448 F. Supp. 3d at 379; see also ECF No. 105 at 34:14-16, LBRY, No. 21 Civ. 260 (D.N.H. Jan. 30, 2023)*

The Ripple case also explicitly pointed out that the court cannot determine whether the secondary sale of XRP constitutes a securities transaction. They need to assess the specific situation of each trading behavior to make a judgment. This greatly complicates the SEC's regulation of secondary transactions, and in some ways it may not be possible to complete; this essentially gives the green light to the secondary trading of tokens. Based on this, Coinbase and Binance.US quickly relisted XRP after the verdict was announced.

📕 There are some interesting discussions related to this in the Bankless podcast:

Bankless: How Ripple's Win Reshapes Crypto with Paul Grewal & Mike Selig

Again, it is still too early to consider this judgment as a definitive legal rule based solely on this case; but the legal logic of "A token is just a token" will indeed significantly increase the legal obstacles the SEC will face in regulating transactions of the secondary market in the future.

Looking forward - Where are the risks and opportunities?

The Sword of Damocles Over Staking

Sword of Damocles, 1812, Richard Westall

Sword of Damocles, 1812, Richard Westall

ETH staking has been one of the strongest tracks in the entire industry since 2023; however, the regulatory risks of staking services are still a Sword of Damocles over this super track.

In February 2023, Kraken agreed to a settlement with the SEC and shut down its staking service in the US. Coinbase, which was also sued for its staking service, chose to continue fighting.

Returning to the framework of the Howey Test, objectively speaking, there are indeed sufficient reasons for staking services to be considered securities.

y Test's RulesAnalysis
1. An investment
of money
✅ It satisfies the criteria; invest ETH
2. in a common
enterprise
✅ It satisfies the criteria; invested ETHs are pooled together
3. to expect
profits
✅ It satisfies the criteria; Investors expects staking yields
4. solely from
the efforts of
the promoter
or a third party
✅ It satisfies the criteria; staking yields come from the node operator's work and the node operator charges commission from the work.

Kraken chose to settle. So, what are Coinbase's reasons for insisting that staking services are not securities?

Coinbase: Why we stand by staking:

At its most basic level, staking is the process by which users can contribute to the network by staking their token to secure the blockchain, facilitate the creation of blocks, and help process transactions. Users are not investing. Rather, users are compensated for fulfilling this important role through transaction fees and consensus rewards paid by the blockchain itself.

Coinbase makes an interesting statement, suggesting that "users who stake are not investing, but rather being compensated for the contribution they make to the blockchain network."

This statement is valid for individual stakers. However, as delegated stakers, they do not directly undertake the task of validating transactions or ensuring network security. Instead, they delegate their tokens to other node operators who use their tokens to complete these tasks. Stakers are not the direct laborers. In fact, they resemble the buyers of orange farm in the Howey case, owning land/capital (ETH), delegating others to cultivate (node operation), and obtaining returns.

Paying out capital is not labor, because the return from capital investment is a capital gain, not compensation.

Decentralized staking services are a bit more complex, and different types of decentralized staking might eventually receive different legal judgments.

The four criteria of the Howey Test are mostly similar in centralized staking and decentralized staking. The difference might lie in whether a common enterprise can exist. So, the staking model where all users' ETH is put into the same pool, even if it's decentralized, clearly also meets the four criteria of the Howey Test.

The argument in SEC vs Ripple Labs that allowed Ripple to win the Programatic Sales point (the buyer and seller don't know each other and there is no direct selling introduction), doesn't seem to protect staking services here neither.

Because apart from directly buying cbETH/stETH on the secondary market, in the case where stakers pledge their ETH to Coinbase/Lido and receive cbETH/stETH in return, it's clear that 1) the buyer knows who the issuer is, and the issuer also knows who the buyer is, and 2) the issuer clearly communicates to the buyer about the potential returns and explains the source of these returns.

Stake to earn from Coinbase and Lido.fi

Similarly, in addition to staking on PoS chains, many DeFi products that allow staking/locking tokens to earn yield are likely to meet the definition of securities. If it is somewhat challenging to establish a connection between the price of pure governance tokens and the efforts of the project team, the logic in the context of staking to earn yield is very straightforward and simple. Additionally, the reasoning in the Ripple case that made programmatic sales not considered securities also hardly stands here:

1) Users hand over tokens to staking contracts developed by the project team. The staking contract gives returns to users, and these returns are derived from the revenues generated by the project contracts that the project team opened.

2) During the interaction process between users and the staking contract, the contract also promotes and explains the returns to users, which makes it difficult to get away with the reasoning from XRP's programmatic sales.

💡 In summary, projects that offer staking services (in PoS chains, in DeFi projects) have a higher likelihood of being classified as securities due to

  1. clear profit distribution, and
  2. direct promotion and interaction with users.

This makes them more likely to be considered securities than projects that are generally "doing their job" by the project team.

Securities law is not the only concern

Securities law is the main focus of this article, but it's important to remind everyone that securities law is only a small part of the overall regulatory framework for crypto — of course, it's worth special attention because it is one of the stricter aspects. Whether a token is ultimately regarded as a security, commodity, or something else, some more fundamental legal responsibilities are common, and many regulatory agencies outside of the SEC and CFTC will get involved. The content involved here is worthy of another long article, we will just briefly give an example here for reference.

This is the responsibility related to Know Your Customer (KYC) centered on anti-money laundering (AML) and counter-terrorist financing (CTF). Any financial transaction must not be used for financial crimes such as money laundering and terrorist financing, and any financial institution has the responsibility to ensure that the financial services it provides will not be used for these financial crimes. To achieve this goal, all financial institutions must take a series of measures, including but not limited to KYC, transaction monitoring, reporting suspicious activities to regulators, maintaining accurate records of historical transactions, etc.

This is one of the most fundamental, undisputed basic laws in financial regulation, and it is a field jointly supervised by multiple law enforcement departments, including the Department of Justice, Treasury/OFAC, FBI, SEC, etc. Currently, all centralized crypto institutions are also complying with this law to perform necessary KYC on all customers.

Regulations other than SEC

The main potential risk in the future lies in DeFi, whether it is necessary and possible to make DeFi comply with similar regulations as CeFi, requiring KYC/AML/CTF; and whether this regulatory model might harm the foundation of blockchain value, permissionlessness.

From a basic principle point of view, financial transactions are generated in DeFi, so these financial transactions need to ensure that they are not used for money laundering and other financial crimes, so the necessity of regulatory law is undoubted.

The challenge mainly lies in the difficulty in defining the regulatory object, essentially these financial transactions are based on the services provided by a string of code on Ethereum, so is it the Ethereum nodes running this code, or the project parties/developers who wrote this string of code, who should be the regulatory object? (That's why there are controversial cases caused by the arrest of Tornado Cash developers.) In addition, the decentralization of nodes and the anonymization of developers make this oversight thinking even more difficult to implement — this is a problem that legislators and law enforcers must solve, it is questionable how they will solve these problems; but what is unquestionable is that no regulator will allow money laundering, arms trading and other activities on an anonymous blockchain, even if these transactions account for less than one ten-thousandth of the blockchain transactions.

Actually, just on the 19th of this month, four senators from the U.S. Senate (two Republicans and two Democrats, so it's a bipartisan bill) have proposed a legislation for DeFi, the Crypto-Asset National Security Enhancement and Enforcement (CANSEE) Act. The core is to require DeFi to comply with the same legal responsibilities as CeFi:

In an effort to prevent money laundering and stop crypto-facilitated crime and sanctions violations, a leading group of U.S. Senators is introducing new, bipartisan legislation requiring decentralized finance (DeFi) services to meet the same anti-money laundering (AML) and economic sanctions compliance obligations as other financial companies*, including centralized crypto trading platforms, casinos, and even pawn shops. The legislation also modernizes key Treasury Department anti-money laundering authorities, and sets new requirements to* ensure that “crypto kiosks” don’t become a vector for laundering the proceeds of illicit activities.

Bipartisan U.S. Senators Unveil Crypto Anti-Money Laundering Bill to Stop Illicit Transfers

Ensuring Anti-Money Laundering (AML) and Counter-Terrorist Financing (CTF) in DeFi transactions is a key regulatory challenge beyond securities laws. Regardless of whether a token is classified as a security or commodity, there are strict rules against market manipulation. Resolving these issues in crypto is a future challenge for the industry.

Below are some typical forms of market manipulation. Anyone involved in crypto trading will likely recognize them.

Here are some common forms of market manipulation:

  1. Pump and Dump: This involves buying a security at a low price, artificially inflating its price through false and misleading positive statements, and then selling the security at the higher price. Once the manipulator sells their shares, the price typically falls, leaving other investors at a loss.
  2. Spoofing: This involves placing large buy or sell orders with no intention of executing them, to create a false appearance of market interest in a particular security or commodity. The orders are then canceled before execution.
  3. Wash Trading: This involves an investor simultaneously buying and selling the same financial instruments to create misleading, artificial activity in the marketplace.
  4. Churning: This occurs when a trader places both buy and sell orders at the same price. The orders are matched, leaving the impression of high trading volumes, but no net change in ownership.
  5. Cornering the Market: This involves acquiring enough of a particular asset to gain control and set the price on it.
  6. Front Running: This occurs when a broker or other entity enters into a trade because they have foreknowledge of a big non-publicized transaction that will influence the price of the asset, thereby benefiting from the price movement.

What if crypto loses? - Securities law won't kill altcoins

We lack sufficient legal and political knowledge to predict the outcomes of these legal disputes, but objective analysis leads us to acknowledge that the logic of U.S. securities law supports classifying most tokens as securities. So we must deduce or imagine what the crypto industry might look like if most tokens are considered securities.

Some tokens may choose to comply as securities

Firstly, purely from an economic perspective, the compliance cost of being publicly listed isn't as daunting as it might seem. For large-cap tokens with a FDV of over 1 billion, they are likely able to bear the cost.

A simple market value comparison reveals that many tokens have comparable market values to listed companies, especially those with a 1bn+ FDV. It's entirely reasonable to believe that they can handle the compliance costs of a listed company.

  • The U.S. stock market has about 2000 companies with a market value of 100mn-1bn and about 1000 companies with a market value of 1bn-5bn.
  • In the current bear market environment for altcoins, crypto has about 40-50 tokens with a FDV>1bn, and about 200 tokens with a FDV of 100mn-1bn. It's expected that more tokens will join the 100mn+/1bn+ value rank during a bull market.

We can also refer to some research on the compliance cost for listed companies. One relatively reliable source is the SEC's estimation of the listing compliance costs for small and medium-sized companies:

Their research shows that the average cost of achieving regulatory compliance to enter the marketplace as an IPO is about $2.5 million. Once they are established, small-cap companies can expect to pay about $1.5 million in ongoing compliance costs every year.

The conclusion is that there is a ~2.5mn listing cost, and a ~1.5mn ongoing annual cost. Considering inflation over the years, 3-4mn for an IPO and 2-3mn for annual recurring costs seem reasonable estimates. Additionally, these numbers positively correlate with the size of the company, and the costs for microcap companies worth hundreds of millions of dollars should be below these averages. Although it's not a small amount, for large project teams with hundreds of members, it's not an unacceptable cost."

"What's more uncertain is how to resolve these projects' historical compliance issues.

Listing a stock requires an audit of the company's financial history. Tokens, unlike equity, would need to disclose different content for listing, thus requiring a new regulatory framework for clear delineation. However, as long as there are clear rules, there are ways to adjust and deal with them. Companies with historical financial problems can also get the chance to go public by restating their historical statements.

While the cost of compliance is acceptable, it is also quite high; so, are project parties incentivized to do so? There's no simple answer to this question.

Firstly, compliance will indeed impose many burdens on many project parties and limit their operational flexibility. They cannot engage in "market value management," insider trading, false advertising, and coin selling announcements, etc. These restrictions affect the fundamentals of many business models.

However, for projects with particularly large market values, gaining greater market liquidity, accessing more deep-pocketed investors, and obtaining comprehensive regulatory approval are essential conditions for them to move to the next level, whether from the perspective of market value growth or project development.

"'Illegal harvesting' can be fierce, but the 'leek field' is small; 'legal harvesting' must be restrained, but the 'leek field' is large."

As the project scale increases, the balance between the potential benefits of non-compliance and the opportunities brought by the vast market and capital access post-compliance increasingly tips towards the latter. We believe that leading public chains/layer2s and blue-chip DeFis will take this step towards a completely compliant operational model.

Long-term coexistence and interdependence of compliant and non-compliant ecosystems

Of course, most project parties won't be able to embark on the road to securities compliance; the future crypto world will consist of both compliant and non-compliant parts, each with clear boundaries but also closely interconnected."

compliant ecosystemnon-compliant ecosystem
CapitalsOnshore institutional
capital, low-risk-preference
individuals
Offshore institutional capital, crypto-native, high-risk preference individuals
Underlying assetBTC, ETH, a few
compliant large-cap tokens
Most small and medium market cap tokens
ExchangesLicensed onshore
exchange, some
regulated DEXs
Unlicensed offshore exchange, some unregulated DEXs
Features of
the Market
Lower returns, lower
volatility, safer and more
transparent, more
mature and stable
Higher returns, higher volatility, more opaque and risky, more innovation and opportunities
ComplementarityThe price rise of
mainstream coins
and the asset
appreciation will
bring overflowing
liquidity, which
can still drive the
price of small
and medium-sized
coins in the
non-compliant
ecosystem.
A more flexible and open environment nurtures new opportunities, and as small and medium-sized coins gradually grow, some will enter the compliant ecosystem.

coexistence and interdependence of compliant and non-compliant ecosystems

Such a coexistence pattern already exists today, but the influence of the compliant ecosystem in the crypto world is still relatively small. As the regulatory framework becomes clearer, the influence and importance of the compliant ecosystem will become increasingly significant. The development of the compliant ecosystem will not only significantly increase the total scale of the entire crypto industry, but also "transfuse" a large amount of liquidity to the non-compliant ecosystem through the rise in prices of mainstream assets and resulting liquidity overflow.

💡 Large projects will become compliant, while smaller projects can remain in the non-compliant market and still enjoy the overflow of liquidity from the compliant market. The two markets will complement each other ecologically, proving that securities laws will not be the end of crypto.

Peace is More Important Than Victory

On the judicial side, the SEC vs Ripple case has yet to be settled, and the SEC vs Coinbase/Binance cases have just begun - the settling of these cases could take several years.

On the legislative side, since July, several crypto regulation bills have been submitted to both houses, including the Financial Innovation and Technology for the 21st Century Act, Responsible Financial Innovation Act, Crypto-Asset National Security Enhancement and Enforcement —— Historically, more than 50 crypto-related regulatory bills have been submitted to both houses, but we are still far from a clear legal framework.

Statistics on the passing rate of bills in the US House of Representatives throughout history. On average, Congress receives about 7,000 bill submissions each year, with about 400 being enacted. https://www.govtrack.us/congress/bills/statistics

Statistics on the passing rate of bills in the US House of Representatives throughout history. On average, Congress receives about 7,000 bill submissions each year, with about 400 being enacted. https://www.govtrack.us/congress/bills/statistics

The worst outcome for the crypto industry is not that most tokens will eventually be classified as securities, but the loss of time and space for the industry to grow, and the waste of resources and opportunities, due to the long-term lack of a clear regulatory framework.

The escalation and intensification of conflicts between regulators and the crypto industry is good news, as it means that resolution is nearing.

The verdict for Ripple Labs was announced on July 13, and the next day, July 14, is the anniversary of the French Revolution. This reminds me of the unrest in France after the revolution; but it was also during that chaotic time that the foundation of modern law - the French Civil Code - was born. I hope that we can see that, although the crypto industry is currently experiencing chaos and turmoil, it will eventually find its direction and way out, establishing a set of norms and codes that can coexist harmoniously with the outside world.

Code civil des Français


📎 Phoenix Capital Management is a fundamental-driven cryptocurrency hedge fund. The founding team has held key positions in several multi-billion dollar hedge funds. We strive to use a rigorous and scientific methodology, combining top-down macro research with bottom-up industry insights, to capture structural investment opportunities in the cryptocurrency industry and create long-term returns that transcend bull and bear cycles.

You can find all our writings here: Writings .

🤩 Hiring! We are actively searching for crypto researchers to join our team. If you are interested, please send your resume to info@phoenixfund.xyz. Details can be found here.


Disclaimer:

This content is for informational use only and is not intended as financial or legal advice.

Any mistakes or delays in this information, and any resulting damages, are not the responsibility of the author. Please be aware that this information may be updated without notice.

This content does not promote or recommend the purchase or sale of any financial instruments or securities discussed.

The author may hold positions in the securities or tokens discussed in this content.

· 4 min read
Dora Noda

Introduction

The rise of web3 has seen a proliferation of decentralized applications (DApps) platforms, all vying for supremacy. Amid this scene enters BlockEden.xyz, a new player with a unique proposition. This web3 native company has now adopted blockchain technology to better measure the computational expense associated with an API invocation, by introducing the Compute Unit Credit (CUC). But how exactly does this work, and what impact will it have on the API market? Let's break it down.

BlockEden.xyz: Stepping Into The API Market

BlockEden.xyz has made its entry into the API marketplace, providing services across different platforms such as Sui, Aptos, Solana, and 12 EVM blockchains. But there's something that sets this company apart - it's the way they leverage blockchain technology to quantify Compute Unit Credit, paving the way for a more standardized and comparable API cost structure.

Understanding Compute Unit Credit

The Compute Unit Credit (CUC) serves as a consistent metric that measures the computational costs tied to an API invocation. This strategy addresses the variations in machine costs for each service, offering a standard way to communicate the price of API invocation and ensuring comparability.

By applying blockchain technology, BlockEden.xyz has created a secure and transparent system where the cost of API services can be fairly compared, enabling developers to make more informed decisions.

BlockEden.xyz: Empowered by Blockchain

BlockEden.xyz, as a web3 native company, has fully integrated blockchain technology into its core operations. With the robust security features of blockchain and the principles of decentralization that web3 espouses, the company has established a platform that marries efficiency, security, and transparency.

A More Transparent API Market

By using the Compute Unit Credit, BlockEden.xyz aims to build a more transparent and fair API market. Developers can now compare prices easily, and services are priced fairly and transparently.

FAQs

1. What is BlockEden.xyz?

BlockEden.xyz is an API marketplace that provides a variety of services for DApp platforms like Sui, Aptos, Solana, and 12 EVM blockchains.

2. How does BlockEden.xyz use blockchain technology?

BlockEden.xyz uses blockchain technology to measure the Compute Unit Credit (CUC), a metric representing the computational expense associated with an API invocation.

3. What is a Compute Unit Credit (CUC)?

A Compute Unit Credit (CUC) is a standard measure developed by BlockEden.xyz to calculate the cost of API invocation, enabling fair pricing and easy comparison across different services.

4. How is BlockEden.xyz a web3 native company?

BlockEden.xyz is a web3 native company because it uses principles of web3, such as decentralization, while leveraging the security and immutability of blockchain technology.

5. What is BlockEden.xyz's vision?

BlockEden.xyz's vision is to create a fair and transparent API market where developers can easily compare API invocation prices, and services are priced using the standard measure - the Compute Unit Credit (CUC).

Conclusion

As a new entrant in the API market, BlockEden.xyz is taking a fresh approach by utilizing blockchain technology to measure the Compute Unit Credit (CUC). This innovative measure, coupled with the company's focus on transparency and fair pricing, sets BlockEden.xyz apart and positions it to make a significant impact in the API marketplace. While it's early days yet, it's worth keeping an eye on how this web3 native company will continue to evolve and shape the future of the API market.

The unveiling of BlockEden.xyz marks the beginning of an exciting journey in the API marketplace. This venture, armed with the Compute Unit Credit and the power of blockchain, is set to redefine how developers interact with API services. To keep yourself updated with their latest advancements and join the conversation with like-minded individuals, don't miss out on connecting with us on our Discord channel at https://discord.gg/4Yfvs2HWey. It's not just about being part of a community; it's about staying informed, sharing ideas, and influencing the future of the API market. So, hop on over to our Discord - we can't wait to hear from you!

· 4 min read
Dora Noda

We are glad to announce that BlockEden.xyz, web3 developers' go-to platform for API marketplace, has added a new, powerful capability – OpenAI API. Yes, you heard it right! Developers, tech enthusiasts, and AI pioneers can now leverage the cutting-edge machine learning models offered by OpenAI, directly through BlockEden's API Marketplace.

Before we dive into the how-to guide, let's understand what OpenAI API brings to the table. OpenAI API is a gateway to AI models developed by OpenAI, such as the industry-renowned GPT-3, the state-of-the-art transformer-based language model known for its remarkable ability to understand and generate human-like text. The API enables developers to use this advanced technology for a variety of applications, including drafting emails, writing code, answering questions, creating written content, tutoring, language translation, and much more.

Now, let's see how you can incorporate the power of OpenAI API into your applications using BlockEden.xyz. You can do it in three ways: using Python, using JavaScript (Node.js), or using curl directly from the command line. In this blog, we're going to provide the basic setup for each method, using a simple "Hello, World!" example.

The API key below is public and subject to change and rate limit. Get your own BLOCKEDEN_API_KEY from https://blockeden.xyz/dash instead.

Python:

Using Python, you can use the OpenAI API as shown in the following snippet:

import openai

BLOCKEDEN_API_KEY = "8UuXzatAZYDBJC6YZTKD"
openai.api_key = ""
openai.api_base = "https://api.blockeden.xyz/openai/" + BLOCKEDEN_API_KEY + "/v1"

response = openai.ChatCompletion.create(
model="gpt-3.5-turbo-16k",
messages=[{"role": "user", "content": "hello, world!"}],
temperature=0,
max_tokens=2048,
top_p=1,
frequency_penalty=0,
presence_penalty=0
)

print(response["choices"])

JavaScript (Node.js):

You can also utilize the OpenAI API with JavaScript. Here's how you can do it:

const { Configuration, OpenAIApi } = require("openai");

const BLOCKEDEN_API_KEY = "8UuXzatAZYDBJC6YZTKD";
const configuration = new Configuration({
basePath: "https://api.blockeden.xyz/openai/" + BLOCKEDEN_API_KEY + "/v1"
});
const openai = new OpenAIApi(configuration);

(async () => {
const response = await openai.createChatCompletion({
model: "gpt-3.5-turbo-16k",
messages: [{role: "user", content: "hello, world!"}],
temperature: 0,
max_tokens: 2048,
top_p: 1,
frequency_penalty: 0,
presence_penalty: 0,
});

console.log(JSON.stringify(response.data.choices, null, 2));
})()

cURL:

Last but not least, you can call the OpenAI API using curl directly from your terminal:

curl https://api.blockeden.xyz/openai/8UuXzatAZYDBJC6YZTKD/v1/chat/completions \
-H "Content-Type: application/json" \
-d '{
"model": "gpt-3.5-turbo-16k",
"messages": [{"role": "user", "content": "hello, world!"}],
"temperature": 0,
"max_tokens": 2048,
"top_p": 1,
"frequency_penalty": 0,
"presence_penalty": 0
}'

So, what's next? Dive in, experiment, and discover how you can leverage the power of OpenAI API for your projects, be it for chatbots, content generation, or any other NLP-based application. The possibilities are as vast as your imagination. With BlockEden.xyz's seamless integration with OpenAI, let's redefine the boundaries of what's possible.

For more information on OpenAI's capabilities, models, and usage, visit the official OpenAI documentation.

Happy Coding!

What is BlockEden.xyz

BlockEden.xyz is an API marketplace powering DApps of all sizes for Sui, Aptos, Solana, and 12 EVM blockchains. Why do our customers choose us?

  1. High availability. We maintain 99.9% uptime since our first API - Aptos main net launch.
  2. Inclusive API offerings and community. Our services have expanded to include Sui, Ethereum, IoTeX, Solana, Polygon, Polygon zkEVM, Filecoin, Harmony, BSC, Arbitrum, Optimism, Gnosis, Arbitrum Nova & EthStorage Galileo. Our community 10x.pub has 4000+ web3 innovators from Silicon Valley, Seattle, and NYC.
  3. Security. With over $45 million worth of tokens staked with us, our clients trust us to provide reliable and secure solutions for their web3 and blockchain needs.

We provide a comprehensive suite of services designed to empower every participant in the blockchain space, focusing on three key areas:

  • For blockchain protocol builders, we ensure robust security and decentralization by operating nodes and making long-term ecosystem contributions.
  • For DApp developers, we build user-friendly APIs to streamline development and unleash the full potential of decentralized applications.
  • For token holders, we offer a reliable staking service to maximize rewards and optimize asset management.

· 4 min read
Dora Noda

The surge in popularity of cryptocurrencies and blockchain technology have brought along significant scalability challenges. Blockchains like Bitcoin and Ethereum face heightened demand as the interest in decentralized applications (DApps) and non-fungible tokens (NFTs) increase. This has led to platforms like BlockEden.xyz, a software powerhouse based in San Francisco, to seek scalable solutions. Enter NEAR Protocol, an open-source platform launched in 2020 as a decentralized cloud infrastructure to host DApps.

A Brief Overview of NEAR Protocol

NEAR Protocol is a layer-1 blockchain that uses Nightshade, a unique sharding technology, to achieve scalability. It offers cross-chain interoperability through the Rainbow Bridge and a layer-2 solution called Aurora. Users can bridge ERC-20 tokens and assets from the Ethereum blockchain to the NEAR Protocol network, enabling access to higher throughput and lower transaction fees. The native token of the NEAR Protocol, NEAR, is used for paying transaction and data storage fees. NEAR token holders can also stake their tokens on the NEAR wallet to receive rewards or use them to vote for governance proposals.

The team behind NEAR Protocol is on a mission to address scalability limitations through sharding. Co-founded by Alex Skidanov and Illia Polosukhin in 2020, NEAR Protocol features a wide range of programming tools and languages, along with smart contracts with cross-chain functionality. These tools and features, coupled with a simplified onboarding process and human-readable account names, make NEAR Protocol a developer-friendly platform.

Integration of NEAR Protocol into BlockEden.xyz

The integration of NEAR Protocol into BlockEden.xyz's API marketplace offers developers a scalable, secure, and efficient platform for creating groundbreaking decentralized applications. BlockEden.xyz, already known for its robust security and impressive uptime record, has enhanced its offerings by introducing NEAR Protocol.

Understanding NEAR's Core Technology: Nightshade Sharding

Nightshade is the innovative sharding technology that forms the backbone of the NEAR Protocol. It enables the efficient processing of data by distributing the workload across multiple validator nodes. Each node handles only a fraction of the network’s transactions, allowing for a higher number of transactions per second. The dynamic adjustment of nodes based on network traffic ensures overall efficiency and low transaction fees.

Bridging Networks with Rainbow Bridge

Rainbow Bridge, an application on NEAR Protocol, enables the transfer of ERC-20 tokens, stablecoins, wrapped tokens, and even NFTs between Ethereum and NEAR blockchains. This allows users to benefit from the higher throughput and lower fees on the NEAR Protocol. The Rainbow Bridge operates in a fully permissionless and decentralized manner, locking tokens on Ethereum and creating corresponding tokens on NEAR to maintain a constant circulating supply.

Unleashing Efficiency with Aurora

Aurora, a layer-2 solution on the NEAR Protocol blockchain, is designed to host thousands of transactions per second with an approximate block confirmation time of 2 seconds. Comprising the Aurora Engine and the Aurora Bridge, it offers compatibility with Ethereum and supports all tools available in the Ethereum ecosystem, making it easy for developers to transition to NEAR.

Staking and Governance with NEAR Token

NEAR, the native token of the NEAR ecosystem, serves as the medium for transaction and storage fees. Token holders can stake their NEAR to run validating nodes, participate in governance by voting on platform decisions, and submit proposals.

Conclusion

The blockchain space continues to evolve, and platforms offering lower transaction costs and increased throughput are likely to drive mainstream adoption. The integration of NEAR Protocol into BlockEden.xyz's API marketplace is not just a mere upgrade; it's a significant step towards that future. With scalable solutions like sharding and cross-chain bridges, NEAR Protocol provides the ideal environment for developers to build efficient DApps and DeFi products. Together with BlockEden.xyz, NEAR Protocol is set to redefine the boundaries of blockchain technology.

· 8 min read
Dora Noda

In the bustling world of blockchain and decentralized applications, QuickNode has established itself as a formidable force. This doc will explore a comprehensive exploration of QuickNode's business model, competitive landscape, potential drawbacks, and key tactics to go head-to-head with this blockchain player.

QuickNode’s Business Model - The Success Recipe

QuickNode offers an exemplary performance, with its speed being 2.5 times faster than competitors. This speed isn't just a claim; it's backed by actual performance metrics, which you can check out on their comparative page.

With the flexibility to handle 15+ chains and a mind-boggling 99.99% availability - SLA guaranteed no less - QuickNode offers unparalleled reliability in the space. Furthermore, they've successfully onboarded some big guns like Google, Visa, Adidas, and Coinbase. They've also courted long-term internet investors, including 776 Ventures, Tiger Global, Softbank, and more.

The Four Pillars of Revenue

Node Management

QuickNode's Node Management Platform is the company's flagship product and primary source of revenue. With a dual-tiered model, it offers self-service options for developers and businesses who want hands-on access, as well as enterprise-grade solutions for larger corporations. This approach covers a wide range of customer needs, from small startups to industry juggernauts.

  • Self-service Options: This is ideal for developers or small-scale organizations that require on-demand access to blockchain networks. It offers flexibility and control, allowing them to deploy nodes and manage their applications as needed.

  • Enterprise-grade Solutions: For larger corporations with more complex needs, QuickNode offers a custom-tailored solution. This package includes advanced analytics, priority support, and guaranteed uptime. The personalized nature of this solution means businesses can focus on building their products rather than worrying about node management.

Icy Tools - NFT Development

Icy Tools, QuickNode's next pillar, offers unique utilities for NFT development. As the NFT market has exploded, the demand for tools to streamline the creation, management, and trading of NFTs has grown exponentially. QuickNode's Icy Tools provide developers with an efficient and intuitive way to tap into this burgeoning market, thereby driving significant revenue for the company.

App Marketplace

QuickNode's App Marketplace is another key revenue stream. It hosts a wide range of applications built on QuickNode's infrastructure, providing a platform for other businesses and developers to sell their products. QuickNode, in turn, earns revenue through commissions and listing fees. This marketplace not only adds a vibrant ecosystem to QuickNode's offering but also acts as a value-added service for their node management customers.

Network Integration Fees

Lastly, QuickNode also derives revenue from Network Integration fees. Given the ever-expanding landscape of blockchain protocols, integrating new networks is a continuous process. QuickNode charges businesses and developers a fee for this service, providing them with seamless access to emerging protocols.

Each of these pillars plays a crucial role in QuickNode's revenue model, leveraging different aspects of the blockchain landscape to ensure the company's sustained financial health. Their diversified income sources have helped them remain resilient and adaptable, ready to face the dynamic challenges of the industry.

High-speed growth of the business

QuickNode has shown robust growth metrics that underscore its escalating position in the market. In 2022 alone, the firm witnessed a more than 40% quarterly uptick in enterprise revenue, demonstrating a sustained demand for its offerings.

Platform usage, a key indicator of product adoption, scaled 550% times over the past year. Reflecting a strong bottom line, gross revenue also spiked, showcasing a 370% YoY growth.

Further indicating QuickNode's expanding user base, new account registrations jumped by 177% YoY. Additionally, there was a massive 264% YoY surge in endpoints deployment, proving the company's increasing operational scale and efficiency.

The Competitive Landscape - Where the Rubber Meets the Road

Now, let's delve into the crux of the matter. While QuickNode leads the pack in the node creation/connection market, it’s not without competition. Rivals like Amazon, Microsoft's Azure, and IBM are eyeing the space, posing potential threats to QuickNode's dominance. However, QuickNode has managed to hold its ground, primarily due to its industry-leading speed and flexibility, earning it rave reviews from customers. But is that enough to keep it ahead in this high-stakes game?

The Alchemy Conundrum

Alchemy, with its Silicon Valley roots and robust investor backing, is an intriguing contender. While it brings a lot to the table, it's not quite up to par with QuickNode when it comes to speed and offering. Yet, Alchemy's Silicon Valley connection and buzz could play a role in the ongoing battle of the nodes. It raised at 10.2B valuation on the market top reflected in their valuation and revenue multiple, which is rumored to be 120x - 200x.

Infura - The Fallen Star

Infura entered the arena as a trailblazer, focusing on Ethereum node RPC. However, post-acquisition by ConsenSys, it seems to have lost momentum. Although Infura supports six chains, its speed is trailing behind QuickNode's.

Coinbase Cloud - The Fake Dark Horse

Acquiring Bison Trails puts Coinbase Cloud on the map, but rumors suggest Coinbase is dissatisfied with the outcome and has cut off the business. Although the product relaunched with support for 25 chains, only Ethereum is in general availability. Moreover, its lack of public speed data keeps it shrouded in mystery.

BlockDaemon - A Specialized Contender

BlockDaemon distinguishes itself by specializing in an area - institutional-grade staking - that's rather different from QuickNode's primary focus, and hence it's not seen as developer friendly.

Is QuickNode falling short?

Not exactly. It's more about the vast ocean of opportunities that its competitors might venture into. It's like saying that no team can win every time, even if they have the best players. This field is big enough for many players to participate, and each player has their unique strategies. Let's not forget - blockchain is about dispersing power, not centralizing it. So, no player can dominate this field.

Furthermore, QuickNode's influence is concentrated on certain blockchains, with a maximum of 25 chains. In the real world, there are at least five to six hundred blockchains, and with the rise of AppChain, more players will enter the market. This will undoubtedly give new entrants new opportunities.

Lastly, QuickNode focuses on large enterprise users, and its pricing has risen accordingly, making it unsuitable for small and medium enterprises and independent developers.

The Team Behind QuickNode - The Brains of the Operation

The QuickNode team, with its previous experience in managing hosting and CDN scaling businesses, brings a wealth of relevant skill sets to the table. Yet, we can't dismiss the fact that their competitors also come with their unique strengths, networks, and experiences.

BlockEden.xyz vs. QuickNode

BlockEden.xyz follows the strategies below to effectively compete with QuickNode.

  1. Differentiate on Unique Services: First, BlockEden.xyz can offer unique APIs or blockchain services that QuickNode does not provide, like Aptos and its indexer, Sui and its indexer. By identifying gaps in QuickNode's offerings and stepping in to fill those gaps, BlockEden.xyz presents itself as a unique, comprehensive solution.
  2. Competitive Pricing: Another way to compete is through pricing. BlockEden.xyz offers more competitive pricing models that are more affordable for smaller businesses or developers. A flexible, scalable pricing model can attract a wider range of customers, from startups to enterprise-level organizations.
  3. Superior Customer Service: Providing superior customer service and technical support is another great way to compete. Quick response times, helpful resources, and knowledgeable support staff make all the difference when it comes to customer satisfaction and loyalty.
  4. Partnerships and Integrations: BlockEden.xyz seeks partnerships with other blockchain platforms or services, creating integrations that make it more appealing to customers. These partnerships can expand BlockEden's reach and functionality.
  5. Community Engagement and Developer Support: QuickNode has a strong developer community. BlockEden.xyz could compete by fostering a similar community and a developer DAO 10x.pub, providing strong support, and cultivating an ecosystem of developers and users who can contribute to and improve the platform.

Our key to successful competition is not necessarily to beat QuickNode at its own game, but to provide unique value that QuickNode does not. We are finding the niche where BlockEden.xyz can excel, and focus on serving that market exceptionally well.


Note: This is a comprehensive analysis of QuickNode and its competitive landscape. It doesn't represent an endorsement or criticism of the company but aims to offer an unbiased overview. Always conduct your research when considering investments or partnerships.