Linear regression’s closed-form solution looks simple, but computing inverse matrix is numerically dangerous. Ill-conditioned matrices, floating-point limits, andLinear regression’s closed-form solution looks simple, but computing inverse matrix is numerically dangerous. Ill-conditioned matrices, floating-point limits, and

Model.fit is More Complex Than it Looks

2025/12/12 14:00
11 min read
For feedback or concerns regarding this content, please contact us at crypto.news@mexc.com

One of the classic ML interview questions is: There is a closed-form solution for linear regression. Why don’t we just calculate it directly?

And the equally classic answer is: Well, it’s computationally unstable.

But why, actually? Here I’ll try to answer the question in as much detail as possible. We’ll dive into numerical linear algebra, how numbers are represented on a computer and the quirks that come with that, and finally find ways to avoid problems you’ll never see on paper.

Is it Really a Problem?

Being good researchers, we can run an experiment ourselves. Let’s take the classical iris dataset, and solve it in the classical way, and using the textbook formula (which is very satisfying to derive ourself!), and see how the results differ from model.fit.

import numpy as np from sklearn import datasets from sklearn.linear_model import LinearRegression # 1. Load the iris dataset X, y = datasets.load_iris(return_X_y=True) # 2. Naive normal-equation solution: beta = (X^T X)^(-1) X^T y XTX = X.T @ X XTX_inv = np.linalg.inv(XTX) XTy = X.T @ y beta_naive = XTX_inv @ XTy print("\\nNaive solution coefficients") print(beta_naive) # 3. Sklearn LinearRegression with fit_intercept=False linreg = LinearRegression(fit_intercept=False) linreg.fit(X, y) beta_sklearn = linreg.coef_ print("\\nsklearn LinearRegression coefficients") print(beta_sklearn) diff = beta_naive - beta_sklearn l2_distance = np.linalg.norm(diff) print(f"\\nL2 distance between coefficient vectors: {l2_distance:.12e}") ---Res--- Naive solution coefficients [-0.0844926 -0.02356211 0.22487123 0.59972247] sklearn LinearRegression coefficients [-0.0844926 -0.02356211 0.22487123 0.59972247] L2 distance between coefficient vectors: 2.097728993839e-14

Looking good right, our solution virtually matches model.fit.So…shipping to prod?

Now, let’s cover this example with the tiny 7x7 feature matrix.

import numpy as np from sklearn.linear_model import LinearRegression def hilbert(n: int) -> np.ndarray: """ Create an n x n Hilbert matrix H where H[i, j] = 1 / (i + j - 1) with 1-based indices. """ i = np.arange(1, n + 1) j = np.arange(1, n + 1) H = 1.0 / (i[:, None] + j[None, :] - 1.0) return H # Example for n = 7 n = 7 X = hilbert(n) # Design matrix y = np.arange(1, n + 1, dtype=float) # Mock target [1, 2, ..., n] # Common pieces XTX = X.T @ X XTy = X.T @ y # 1. Naive normal-equation solution: beta = (X^T X)^(-1) X^T y XTX_inv = np.linalg.inv(XTX) beta_naive = XTX_inv @ XTy print("\\nNaive solution coefficients") print(beta_naive) # 2. Solve-based normal-equation solution: solve (X^T X) beta = X^T y beta_solve = np.linalg.solve(XTX, XTy) print("\\nSolve-based solution coefficients") print(beta_solve) # 3. Sklearn LinearRegression with fit_intercept=False linreg = LinearRegression(fit_intercept=False) linreg.fit(X, y) beta_sklearn = linreg.coef_ print("\\nsklearn LinearRegression coefficients") print(beta_sklearn) # --- Distances between coefficient vectors --- diff_naive_solve = beta_naive - beta_solve diff_naive_sklearn = beta_naive - beta_sklearn diff_solve_sklearn = beta_solve - beta_sklearn l2_naive_solve = np.linalg.norm(diff_naive_solve) l2_naive_sklearn = np.linalg.norm(diff_naive_sklearn) l2_solve_sklearn = np.linalg.norm(diff_solve_sklearn) print(f"\\nL2 distance (naive vs solve): {l2_naive_solve:.12e}") print(f"L2 distance (naive vs sklearn): {l2_naive_sklearn:.12e}") print(f"L2 distance (solve vs sklearn): {l2_solve_sklearn:.12e}") # --- MAE of predictions vs true y for all three methods --- y_pred_naive = X @ beta_naive y_pred_solve = X @ beta_solve y_pred_sklearn = X @ beta_sklearn mae_naive = np.mean(np.abs(y - y_pred_naive)) mae_solve = np.mean(np.abs(y - y_pred_solve)) mae_sklearn = np.mean(np.abs(y - y_pred_sklearn)) print(f"\\nNaive solution MAE vs y: {mae_naive:.12e}") print(f"Solve-based solution MAE vs y: {mae_solve:.12e}") print(f"sklearn solution MAE vs y: {mae_sklearn:.12e}") ---Res--- Naive solution coefficients [ 3.8463125e+03 -1.5819000e+05 1.5530080e+06 -6.1370240e+06 1.1418752e+07 -1.0001408e+07 3.3247360e+06] Solve-based solution coefficients [ 3.88348009e+03 -1.58250309e+05 1.55279127e+06 -6.13663712e+06 1.14186093e+07 -1.00013054e+07 3.32477070e+06] sklearn LinearRegression coefficients [ 3.43000002e+02 -1.61280001e+04 1.77660001e+05 -7.72800003e+05 1.55925001e+06 -1.46361600e+06 5.16516001e+05] L2 distance (naive vs solve): 4.834953907475e+02 L2 distance (naive vs sklearn): 1.444563762549e+07 L2 distance (solve vs sklearn): 1.444532262528e+07 Naive solution MAE vs y: 1.491518080128e+01 Solve-based solution MAE vs y: 1.401901577732e-02 sklearn solution MAE vs y: 2.078845032624e-11

Something is very wrong now. The solutions are far from each other, and the MAE has skyrocketed. Moreover, I added another method. Instead of inverting and multiplying matrices, np.linalg.solve was used.

The naive inverse is terrible; np.linalg.solve is much better but still noticeably worse than the SVD-based solver used inside sklearn.

In the realm of numerical linear algebra, inverting matrices is a nightmare.

\

Aside. One more reason not to do it.

Someone might say that the reason is because the matrices are huge. Imagine you have a titanic dataset that is hard to fit in memory. True, but here is the thing:

You operate with feature-by-feature matrices. Computing X.T @ Xor X.T @ y can be done in batches … If this algorithm actually worked, it would be better than doing iterations. But it doesn’t.

What is Going on?

The matrix we used in the second example is a Hilbert matrix.

And its problem is that it’s ill-conditioned. For these types of matrices solving the equations like $Ax= b$ becomes numerically impossible.

SVD

There is a cool fact that any matrix (aka linear operator) can be written as the composition of a rotation, a scaling, and another rotation (rotations may include reflections). In math words:

where

  • U is an orthogonal matrix U.T == U.inverse,
  • V is an orthogonal matrix,

Sigma is a diagonal matrix with non-negative entries:

The scaled axes are called singular vectors and the scaling values — singular values.

By the way, LinearRegression.fit uses this under the hood (via an SVD-based least-squares solver).

It computes the SVD for X, does some variable substitution, in which the solution is just:

Understanding SVD and this decomposition help us get the matrix norm, which is the key to instability.

Matrix Norm

By definition, it is the maximum amplification of this operator applied to a sphere. With the SVD decomposition, you can see that for the 2-norm this is just the largest singular value.

Aside.

In what follows we use the L2 norm. The expressions and equalities below are written specifically for this norm; if you chose a different norm, some of the formulas would change.

Inverse Matrix

The backward operator. You may notice that the norm is equal to 1/min(singular(A)).

If you shrink something a lot, you must scale it a lot to get back to the original size.

Condition Number

Finally, the root of all evils in numerical linear algebra, the condition number.

It is important because it appears in a fundamental inequality that describes how the relative error in the solution behaves when the matrix, the right-hand side, or the solution are perturbed.

We start with a linear system

and a perturbed right-hand side

Then, for any consistent norm, the relative change in the solution is bounded by

Thus, the relative error in the solution is proportional to the condition number. If the condition number is large, the solution may change dramatically, regardless of how accurate the solution method itself is.

For example, if norm(b) == 1; norm(delta_b) == 1e-16 and cond(A) = 1e16, then the difference between the perturbed solution and the “true” solution can be on the same order as the solution itself.

In other words, we can end up with a completely different solution!

Bad in theory, impossible in practice

There are many different sources of error: measurement errors, conversion errors, rounding errors. They are fairly random and usually hidden from us, making them hard to analyse. But there is one important source on our side: floating-point arithmetic.

Floating points

A quick recap: computers represent real numbers in floating-point format. The bits are split between the mantissa (significand) and the exponent.

If you look more closely at the IEEE 754 standard, you’ll notice that the distance between two consecutive representable numbers roughly doubles as the absolute value increases. Each time the exponent increases by one, the spacing between neighbouring numbers doubles, so in terms of absolute spacing you effectively “lose” one bit of precision.

You might have heard the term machine epsilon. It’s about 1e-16, and it is exactly the distance between 1.0 and the next larger representable float.

We can think of the spacing like this: for a number x, the distance to the next representable number (often called one ulp(x)) is roughly

So the bigger abs(x) is, the bigger the gap between neighbouring floats.

You can try it yourself. Just compare 1e16 + 1 == 1e16 and see that this is true.

Can you see now what is happening with inverting matrix?

Why Our Solution Fails

So, solving Ax = b can be reduced, using the SVD, to computing

where y and c are the vectors x and b expressed in the orthogonal bases from the SVD.

If the condition number is, say, 1e17, then in this sum the contributions corresponding to the largest singular values are almost completely drowned out. Numerically, they get added to much larger terms and make no visible difference in floating-point arithmetic.

This is exactly what happens in the example with the Hilbert matrix.

You might reasonably ask: if this is such a fundamental problem, why do the library functions still work?

The reason is that our naive solution has another fundamental flaw.

Quadratic problem

As mentioned above, there is an inequality that is independent of the particular solver. It is a purely geometric property and depends only on the sizes of the numbers involved.

So why does the model.fit approach still work?

Because there is another important fact about matrices:

The proof is quite straightforward and actually pleasant to work through. We will prove an even more general statement:

This is already the SVD of A.T @ A. Moreover, since A^T @ A is symmetric, its left and right singular vectors coincide, so its orthogonal factor is the same on both sides.

And since Sigma is diagonal, squaring it is just squaring singular values.

What does this mean in practice? If a feature matrix X has cond(X) ~= 1e8, things are still relatively okay: we may have some sensitivity to errors, but we’re not yet completely destroying the information in floating-point arithmetic.

However, if we compute X.T @ X, its condition number becomes roughly cond(X)**2, so in this example about 1e16. At that point, the computer cannot meaningfully distinguish the contribution of terms involving the smallest singular values from the much larger ones — when they are added together, they just “disappear” into the high-order part of the number. So the calculations become numerically unreliable.

Indeed, let’s look at our Hilbert matrix:

H = hilbert(7) HtH = H.T @ H print(np.linalg.cond(H)) print(np.linalg.cond(HtH)) ---Res--- 475367356.57163125 1.3246802768955794e+17

You can see how the condition number of H.T @ H explodes to around 1e17. At this level, we should fully expect serious loss of accuracy in our results.

Aside. Built-in solvers are smart enough to avoid this.

While manually inverting a matrix, or even using linalg.solve in a naive way, can be numerically unstable, something like model.fit(…) usually goes a step further.

Under the hood it often uses an SVD. If it detects singular values on the order of machine epsilon, it simply sets them to zero, effectively removing those directions from the solution space. It then solves a well-conditioned problem in this reduced subspace and, among all possible solutions, returns the one with the smallest norm.

What can we do?

Well, use standard solver. But there are some other approaches that are worth mentioning.

Normalising. Sometimes a large condition number is simply due to very different scales of the features. Standardising them is a good way to reduce the condition number and make life easier for floating-point arithmetic.

However, this does not help with linearly dependent features.

Another approach is L2 regularisation. Besides encouraging smaller coefficients and introducing some bias, it also acts as a kind of “conditioner” for the problem.

If you write down the solution to the least-squares problem by computing the gradient and setting it to zero, you get

This is still a linear system, so everything we said above about conditioning applies. But the singular values of the matrix X.T @ X + alpha * I are sigma_i**2 + alpha, where sigma_i are the singular values of X. Its condition number is

Adding alpha shifts the smallest singular value away from zero, which makes this ratio smaller, so the matrix becomes better conditioned and the computations more stable. Tricks of this kind are closely related to what is called preconditioning.

And finally, we can use iterative methods — SGD, Adam, and all the other things deep learning folks love. These methods never explicitly invert a matrix; they only use matrix–vector products and the gradient, so there is no direct inversion step. They are typically more stable in that sense, but often too slow in practice and usually worse than a good built-in direct solver.

Want to Know More?

This has just been a showcase of numerical linear algebra and a bit of interval arithmetic.

Frankly, I haven’t found a really good YouTube course on this topic, so I can only recommend a couple of books:

  • Accuracy and Stability of Numerical Algorithms – Nicholas J. Higham (SIAM)
  • Introduction to Interval Analysis – Moore, Kearfott, and Cloud (SIAM)

\

Market Opportunity
FIT Logo
FIT Price(FIT)
$0.00004738
$0.00004738$0.00004738
0.00%
USD
FIT (FIT) Live Price Chart
Disclaimer: The articles reposted on this site are sourced from public platforms and are provided for informational purposes only. They do not necessarily reflect the views of MEXC. All rights remain with the original authors. If you believe any content infringes on third-party rights, please contact crypto.news@mexc.com for removal. MEXC makes no guarantees regarding the accuracy, completeness, or timeliness of the content and is not responsible for any actions taken based on the information provided. The content does not constitute financial, legal, or other professional advice, nor should it be considered a recommendation or endorsement by MEXC.

You May Also Like

Former BlackRock Executive Joseph Chalom: How will Ethereum reshape the global financial system?

Former BlackRock Executive Joseph Chalom: How will Ethereum reshape the global financial system?

Ex-BlackRock Exec: Why Ethereum Will Reshape Global Finance | Joseph Chalom Guest: Joseph Chalom, Co-CEO of SharpLink and former BlackRock executive Moderator: Chris Perkins, CEO of CoinFund Podcast Date: September 10 Compiled and edited by LenaXin Editor's Summary This article is compiled from the Wealthion podcast, where we invite SharpLink co-founder and former BlackRock executive Joseph Chalom and CoinFund President Chris Perkins to discuss how the tokenization of real-world assets, rigorous risk management, and large-scale intergenerational wealth transfer can put trillions of dollars on the Ethereum track. Why Ethereum could become one of the most strategic assets of the next decade? Why DATs offer a smarter, higher-yielding, and more transparent way to invest in Ethereum ChainCatcher did the collating and compilation. Summary of highlights My focus has always been on building a bridge between traditional finance and digital assets, and upholding my principles while raising industry standards. Holding ETH indirectly through holding public shares listed on Nasdaq has its unique advantages. It is necessary to avoid raising funds when there is actual dilution of shareholder equity. You should wait until the multiple recovers before raising funds, purchasing ETH and staking. The biggest risk today is no longer regulation, but how we behave and the kinds of risks we are willing to take in pursuit of returns. A small, focused team can achieve significant results by doing just a few key things. If you can earn ETH through business operations, it will form a powerful growth flywheel. I hope that in a year and a half, we can establish one or two companies that support the closed loop of transactions in the Ethereum ecosystem and generate revenue denominated in ETH, thus forming a virtuous circle. The current global financial system is highly fragmented: assets such as stocks and bonds are limited to trading in specific locations, lack interoperability, and each transaction usually requires transfer through fiat currency. (I) From BlackRock to Blockchain: Joseph’s Financial Journey Chris Perkins: Could you tell us about your background? Joseph Chalom: I've only been CEO of SharpLink for five weeks, but my story goes far beyond that. Before coming here, I spent a full twenty years at BlackRock. For the first decade or so, I was deeply involved in the expansion of BlackRock's Aladdin fintech platform. This experience taught me how to drive business growth and identify pain points within the business ecosystem. My last five years at BlackRock have been particularly memorable: I led a vibrant and elite team to explore the new field of digital assets. I was born into an immigrant family and grew up in Washington, D.C. I came to New York 31 years ago, and the energy of this city still drives me forward. Chris Perkins: You surprised everyone by coming back after retirement. Joseph Chalom: I didn't jump directly from BlackRock to Sharplink. I officially retired with a generous compensation package. I was planning to relax and unwind, but then I got a surprise call. My life seems to have always intersected with Joe Rubin's. We talk about mission legacy, and it sounds cliché, but who isn’t striving to leave a mark? My focus has always been on building a bridge between traditional finance and digital assets, upholding my principles while raising industry standards. When I learned that a digital asset vault project needed a leader, I was initially cautious. But the expertise of ConsenSys, Joe’s board involvement, and the project’s potential to help Sharplink stand out ultimately convinced me, and so my short retirement came to an end. Ideally, everyone would have had a few months to reflect on the situation. However, the market was undergoing a critical turning point at the time. It wasn't a battle between Bitcoin and Ethereum, but rather Ethereum was entering its own era and should not be assigned the same risk attributes as Bitcoin. Frankly, I oppose irrational market bias. All assets have value in a portfolio. My decision to re-enter the market stems from my unwavering belief in Ethereum's long-term opportunities. 2. Why Ethereum is a core bet Chris Perkins: Can you talk about how you understand DATS and the promise of Ethereum? Joseph Chalom: If we believe that the financial services industry is going to go through a structural reshaping that will last for a decade or even decades, and you are not looking for short-term trading or speculation but long-term investment opportunities, then the key question is where can you have the greatest impact? There are many ways to hold ETH. Many choose to hold it in spot form, or store it in a self-custodial wallet or custodian institution. Some institutions also prefer ETF products. Of course, each method has certain limitations and risks . Indirectly holding ETH through holding public shares listed on Nasdaq has its unique advantages. Furthermore, by wrapping your equity in a publicly traded company, you not only capture the growth of ETH itself—its price has risen significantly over the past few months—but also earn staking returns. Holding shares in publicly traded companies often carries the potential for multiple increases in value. If you believe in the company's growth potential, this approach can yield significantly higher returns over the long term than simply holding ETH. Therefore, the logical order is very clear. First, you must be convinced that Ethereum contains long-term opportunities; secondly, you can choose what tools to use to hold it. (3) Promoting the growth of net assets per share: What is the driving force of the model? Chris Perkins: In driving MNAV growth, how do you balance financial operations, timely share issuance to increase earnings per share, with truly improving fundamentals and potential returns? Joseph Chalom: I think there are two complementary elements. The first is how to raise funds in a value-added manner . Most fund management companies currently raise funds mainly through issuing stocks. Issuing equity when the share price is higher than the underlying asset's net asset value (NAV) is a method of raising capital using a NAV multiple. At this point, the enterprise's value exceeds the actual value of the ETH held. Financing methods include a market offering, a registered direct offering, or starting with a pipeline. The key is that the financing must achieve value-added , otherwise early investors and shareholders will think that you are diluting their interests simply by increasing your holdings of ETH. If financing is efficient, the cost of acquiring ETH is reasonable, and staking yields returns, the value of each ETH share will increase over time. As long as financing can increase the value of each ETH share, it is an added value for shareholders. Of course, the net asset value (NAV) or main net asset value (MNAV) multiple can be high or fall below 1, which is largely affected by market sentiment and will eventually revert to the mean in the long run. Therefore, it is necessary to avoid raising funds when there is actual dilution of shareholder equity. One should wait until the multiple recovers before conducting financing, purchasing ETH, and staking operations. Chris Perkins: So essentially you're monitoring the average net asset value (MNAV). If the MNAV is less than 1, in many cases, that's a buying opportunity. Joseph Chalom: ETH attracts the following types of investors: 1. Retail investors and long-term holders who believe in the long-term capital appreciation potential of Ethereum. Even without considering staking returns, they actively hold Ethereum through public financial companies like us to seek asset appreciation and passive income. 2. Some investors prefer Ethereum's current high volatility, especially given the increasing institutionalization of Bitcoin and the relatively increased volatility of Ethereum. 3. Investors who are willing to participate in Gamma trading through an equity-linked structure to earn returns on their lending capital. A key reason I joined Sharplink was not only to establish a shared understanding as a strategic partner, but also to attract top institutional talent and conduct business in a risk-adjusted manner. The biggest risk today is no longer regulation, but how we behave and the types of risks we are willing to take in pursuit of returns. (IV) Talent and Risk: The Core Secret to Building an Excellent Team Chris Perkins: How do you find and attract multi-talented individuals who are proficient in both DeFi and traditional finance (e.g., Wall Street)? How do you address security risks like hacker attacks and smart contract vulnerabilities? Joseph Chalom: Talent is actually relatively easy to find. I previously led the digital assets team at BlackRock. We started with a single core member and gradually built a lean team of five strategists and seven engineers. Leveraging BlackRock's brand and reputation, we raised over $100 billion in a year and a half. This demonstrates that a small, focused team, focused on a few key areas, can achieve significant results. We recruit only the brightest and most mission-driven individuals, adhering to a single principle: we reject arrogance and negativity. We seek individuals who truly share our vision for long-term change. These individuals aren't simply optimistic about ETH price increases or pursuing short-term capital management, but rather believe in the profound and lasting structural transformation of the industry and are committed to participating in it. Excellent talents often come from recommendations from trusted people, not headhunters. The risks are more complex. Excessive pursuit of extremely high returns, anxious pursuit of every possible basis point of gain, or measuring progress over an overly short timeframe can easily lead to mistakes. We view ourselves as a long-term opportunity, and therefore should accumulate assets steadily. Risk primarily stems from our operational approach : for every $1 raised, we purchase $1 worth of ETH, ultimately building a portfolio of billions of ETH. This portfolio requires systematic management, encompassing a variety of methods, from the most basic and secure custodial staking to liquidity staking, re-staking, revolving strategies, and even over-the-counter lending. Each approach introduces potential risk and leverage. Risk itself can bring rewards. However, if you don't understand the risks you are taking, you shouldn't enter this field. You must clearly identify smart contract risk, protocol risk, counterparty risk, term risk, and even the convexity characteristics of the transaction, and use this to establish an effective risk-reward boundary . Our goal is to build an ideal investment portfolio, not to pursue high daily returns , but to consistently win the game. This means creating genuine value for investors. Those who blindly pursue returns or lack a clear understanding of their own operations may actually create resistance for the entire industry. Chris Perkins: Is risk management key to long-term success? Do you plan to drive business success through a lean team and low operating cost model? Joseph Chalom: Looking back on my time at BlackRock, one thing stands out: the more successful a product is, the more humble it requires . Success is never the product of a few individuals. Our team is merely the tip of the spear in the overall system, backed by a strong brand reputation, distribution channels, and a large, trusted trustee. One of the great appeals of the digital asset business is its high scalability. While you'll need specialized teams like compliance and accounting to meet the requirements of a public company, the team actually responsible for fundraising can be very lean. Whether you're managing $3.5 billion or $35 billion in ETH, scale itself isn't crucial. If you build an efficient portfolio that can handle $1 billion in assets, it should be able to scale even further. The core issue is that when the scale becomes extremely large, on the one hand, caution must be exercised to avoid interfering with or questioning the security and stability of the protocol; on the other hand, it must be ensured that the pledged assets can still maintain sufficient liquidity under adverse circumstances. Chris Perkins: In asset management, how do you understand and implement the first principle that "treasures don't exist to lose money"? Joseph Chalom: At BlackRock, they used to say that if 65% to 70% of the assets you manage are pensions and retirement funds, you can't afford to lose anything. Because if we make a mistake, many people will not be able to retire with dignity. This is not only a responsibility, but also a heavy mission. (V) How SharpLink Gains an Advantage in Competition Chris Perkins: In the long term, how do you plan to position yourself to deal with competition from multiple fronts, including ETH and other tokens? Joseph Chalom: We can learn from Michael Saylor's strategy, but the fund management approach for ETH is completely different because it has higher yield potential . I view competitors as worthy of support. We have great respect for teams like BM&R. Many participants from traditional institutions recognize this as a long-term opportunity. There are two main ways to participate: directly holding ETH or generating income through ecosystem applications. We welcome this competition; the more participants, the more prosperous the industry. Ultimately, this space may be dominated by a small number of institutions actively accumulating ETH. We differentiate ourselves primarily through three key areas: First, we are the most trusted team among institutions . Despite our small size, we bring together top experts to manage assets with professionalism and rigor. Second, our partnership with ConsenSys . Their expertise provides us with a unique strategic advantage. Third, operating the business . In addition to accumulating and increasing the value of assets, we also operate a company focused on affiliate marketing in the gaming industry to ensure compliance with SEC and Nasdaq regulatory requirements. In the future, earning ETH through operational operations will create a powerful growth flywheel . Staking income, compounding debt interest, and ETH-denominated income will collectively accelerate the expansion of fund reserves. This approach may not be suitable for all ETH fund managers. (VI) Strategic Layout: Mergers and Acquisitions and Global Expansion Plans Chris Perkins: What is your overall view and direction on future M&A strategy? Joseph Chalom: If the amount of ETH debt grows significantly and some of this debt is illiquid, this could present opportunities. Currently, listed companies in this sector primarily raise capital through daily market programs. If the stock is liquid, this channel can be effectively utilized. However, some companies struggling to raise capital may trade at a discount to net assets or seek mergers, which could be an innovative way to acquire more ETH. As the industry matures, yields could gradually increase from 0.5%-1% of ETH supply to 1.5%-2.5%. It might be wise to issue sister bonds with similar structures in different regions, such as Asia or Europe, with identical issuance conditions and shared core operating costs and infrastructure, thereby reaching a wider range of investors. We expect to engage in such creative mergers and acquisitions in the future, but the specific timing is still uncertain. I believe that the industry will first undergo an initial phase of differentiation before entering a period of consolidation . Technological development and business evolution often follow this pattern. Similar consolidation and M&A trends are likely to occur in the stablecoin sector, which will be worth watching. Chris Perkins: Why is transparency so important ? What is the main motivation for disclosing operational details on a daily basis? Joseph Chalom: Most companies don't issue shares frequently, typically only once every few years. SEC regulations require companies to disclose the number of shares outstanding only in their quarterly reports. In our industry, fundraising may occur daily, weekly, or at other frequencies. Therefore, to fully reflect operational status, a series of key metrics must be publicly disclosed . These include: the amount of ETH held, total funds raised, weekly ETH increase, whether ETH is actually held or only held in derivatives, collateralization ratio, and returns. We publish press releases and AK documents every Tuesday morning to update investors on this data. Although some indicators may not be favorable in the short term, transparent operations will enhance investor trust and retention in the long term. Investors have the right to clearly understand the products they are purchasing, and concealing information will make it difficult to gain a foothold. (VII) SharpLink's growth plan for the next 12 to 18 months Chris Perkins: What are your plans or visions for the company's development in the next one to one and a half years? Joseph Chalom: Our first priority is to build a world-class team, but this won't happen overnight. We've continued to recruit key talent and have assembled a lean team of fewer than 20 people, each of whom excels in their field and works collaboratively to drive growth. Second, continue to raise funds in a manner that does not dilute shareholder equity , and flexibly adjust fundraising efforts according to market rhythms. The long-term goal is to continuously increase the concentration of ETH per share. Third, actively accumulate ETH. If you firmly believe in the potential of Ethereum, you should seize the opportunity to increase your holdings efficiently at the lowest cost - even for funds that only allocate 5% to ETH. Fourth, we must deeply integrate into the ecosystem . As an Ethereum company or treasury, we would be remiss if we didn't leverage our ETH holdings to create value for the ecosystem. We can leverage billions of ETH to support protocol development through lending, providing liquidity, and other means, advancing the protocol in a way that benefits the ecosystem. Finally, I hope that in a year and a half, we can establish one or two companies that support the closed loop of transactions in the Ethereum ecosystem and generate ETH-denominated revenue, thus forming a virtuous circle. (8) Core investment insights: Key areas for future attention Chris Perkins: What additional advice or information would you like to add to potential investors who are considering including SBET in their investment plans? Joseph Chalom: The current traditional financial system suffers from significant friction, with inefficient capital flows and delayed transaction settlements, sometimes requiring T+1 settlements at the fastest. This creates significant settlement, counterparty, and collateral management risks. This transformation will begin with stablecoins. Currently, the market for stablecoins has reached $275 billion, primarily running on Ethereum . However, the real potential lies in tokenized assets. As Minister Besant stated, stablecoins are expected to grow from their current levels to $2-3 trillion over the next few years. Tokenized assets such as funds, stocks, bonds, real estate, and private equity could reach trillions of dollars and run on decentralized platforms like Ethereum. Some are drawn to its potential for returns, while many more are optimistic about its future. Ether isn't just a commodity; it can generate returns. With trillions of dollars in stablecoins pouring into the Ethereum ecosystem, Ether has undoubtedly become a strategic asset. Building a strategic reserve of Ether is essential because you need a certain supply to ensure the flow of dollars and assets within the system. I can't think of an asset with more strategic significance. More importantly, the issuance of on-chain securities like those by Superstate and Galaxy marks one of the biggest unlockings in blockchain technology. Real-world assets are no longer locked in escrow boxes, but are now directly integrated into the ecosystem through tokenization. This is a turning point that has yet to be widely recognized, but will profoundly change the financial landscape. Chris Perkins: The pace of development is far exceeding expectations. Regulated assets are only just beginning to be implemented; as more of these assets continue to emerge, a whole new ecosystem is forming that will greatly accelerate the development and integration of assets on Ethereum and other blockchains. Joseph Chalom: When discussing the need for tokenization, people often cite features such as programmability, borderlessness, instant or atomic settlement, neutrality, and trustworthiness. However, a deeper reason lies in the current highly fragmented global financial system: assets like stocks and bonds are restricted to trading in specific locations, lack interoperability, and each transaction typically requires fiat currency. In the future, with the realization of instant settlement and composability, smart contracts will support automated trading and asset rebalancing, almost returning to the flexible exchange of "barter." For example, why can't the S&P 500 index be traded as a Mag 7 combination? Whether through swaps, lending, or other forms, financial instruments will become highly composable, breaking the traditional concept of " trading in a specific venue . " This will not only unleash enormous economic potential but also reshape the entire financial ecosystem by reconstructing the underlying logic of value exchange. As for SBET, we plan to launch a compliant tokenized version in the near future, prioritizing Ethereum over Solana as the underlying infrastructure.
Share
PANews2025/09/18 16:00
Ethereum 'flippening' odds rise, but it won't involve Bitcoin

Ethereum 'flippening' odds rise, but it won't involve Bitcoin

Polymarket traders now see a real risk of ETH losing its number-two crypto ranking in 2026, with odds jumping from 17% to over 59% this year.
Share
Coin Telegraph2026/03/29 20:25
Turning Innovation into Impact: Otterpack wins CER Prize for global innovations

Turning Innovation into Impact: Otterpack wins CER Prize for global innovations

CER Team: Eddie, first of all, a huge congratulations to you and the team! Winning the CER Innovation Prize is a major nod to Otterpack’s impact. How does it feel
Share
Techbullion2026/03/29 20:29