TheDinarian
News • Business • Investing & Finance
Serverless Training Cloud Service on FEDML Nexus AI with Seamless Experimental Tracking
👉 A Theta Network Partner
March 20, 2024
post photo preview

We are excited to introduce our “Training as a Cloud Service” at FEDML Nexus AI platform. It provides a variety of GPU types (A100, H100, A6000, RTX4090, etc.) for developers to train your model at any time in a serverless manner. Developers only pay per usage. It includes the following features:

  • Cost-effective training: Developers do not need to rent or purchase GPUs, developers can initiate serverless training tasks at any time, and developers only need to pay according to the usage time;
  • Flexible Resource Management: Developers can also create a cluster to use fixed machines and support the cluster autostop function (such as automatic shutdown after 30 minutes) to help you save the cost loss caused by forgetting to shut down the idle resources.
  • Simplified Code Setup: You do not need to modify your python training source code, you only need to specify the path of the code, environment installation script, and the main entrance through the YAML file
  • Comprehensive Tracking: The training process includes rich experimental tracking functions, including Run Overview, Metrics, Logs, Hardware Monitoring, Model, Artifacts, and other tracking capabilities. You can use the API provided by FEDML Python Library for experimental tracking, such as fedml.log
  • GPU Availability: There are many GPU types to choose from. You can go to Secure Cloud or Community Cloud to view the type and set it in the YAML file to use it.

We will introduce how simple it is as follows:

  • Zero-code Serverless LLM Training on FEDML Nexus AI
  • Training More GenAI Models with FEDML Launch and Pre-built Job Store
  • Experiment Tracking for Large-scale Distributed Training
  • Train on Your Own GPU cluster

Platform: https://fedml.ai
GitHub: https://github.com/FedML-AI

Zero-code Serverless LLM Training on FEDML Nexus AI

As an example of applying FEDML Launch for training service, LLM Fine-tune is the feature of FEDML Studio that is responsible for serverless model training. It is a no-code LLM training platform. Developers can directly specify open-source models for fine-tuning or model Pre-training.

Step 1. Select a model to build a new run

There are two choices for specifying the model to train:
1) Select Default base model from Open Source LLMs

2) Specifying HuggingFace LLM model path

Step 2. Prepare training data

There are three ways to prepare the training data. 

1) Select the default data experience platform 

3) Customized training data can be uploaded through the storage module

3) Data upload API: fedml.api.storage

fedml storage upload '/path/Prompts_for_Voice_cloning_and_TTS'Uploading Package to Remote Storage: 100%|██████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████████| 42.0M/42.0M [00:36<00:00, 1.15MB/s]Data uploaded successfully. | url: https://03aa47c68e20656e11ca9e0765c6bc1f.r2.cloudflarestorage.com/fedml/3631/Prompts_for_Voice_cloning_and_TTS.zip?X-Amz-Algorithm=AWS4-HMAC-SHA256&X-Amz-Credential=52d6cf37c034a6f4ae68d577a6c0cd61%2F20240307%2Fus-east-1%2Fs3%2Faws4_request&X-Amz-Date=20240307T202738Z&X-Amz-Expires=604800&X-Amz-SignedHeaders=host&X-Amz-Signature=bccabd11df98004490672222390b2793327f733813ac2d4fac4d263d50516947

Step 3. Hyperparameter Setting (Optional)

Step 4. Select GPU Resource Type (Optional)

The GPU resource type can be found through the Compute - Secure Cloud page

Step 5. Initiate Training and Track Experimental Results

Training More GenAI Models with FEDML Launch and Pre-built Job Store

Besides the zero-code training job experience, we also provide FEMDL Launch to launch any training job on FEDML Nexus AI. For more details, please read another blog: https://blog.fedml.ai/fedml-launch/. Here, we mainly introduce how to run pre-built jobs on FEDML Nexus AI platform.

Taking a pre-built job for GaLore (https://github.com/jiaweizzhao/galore), an efficient traininmethg od for LLM on RTX4090, as an example. A day after it released source code on GitHub, FEDML Team incorporated GaLore training as part of our Job Store. Now developers can launch and customize on top of the example GaLore jobs and enjoy freedom from Out-of-Memory fear.

The instructions to launch GaLore pre-built job are as follows:

  1. On FedML official website (https://fedml.ai/home), you can head to Launch Job Store > Train, and look for Memory-Efficient LLM Training with GaLore job. The Description tab shows some basic usage for the code, referencing the original GaLore project's README. In the Source Code and Configuration tab, you can examine a more detailed layout and setup of the architecture.

  1. Hit the Launch button on the top right, users will be prompted to enter the configuration for the job. Under the Select Job section, click Add, and add “resource_type: RTX-4090”  in the job_yaml > computing section to specify using RTX 4090 for training. Please check the resource type list ​at https://fedml.ai/compute/secure (check the value of Resource Type in each GPU item), or directly visit https://fedml.ai/launch/accelerator_resource_type?_t=1710889566178.
  2. Once done filling out the hyperparameters, you should be able to launch a full-scale GaLore + Checkpointing Activation pre-training for the LLaMA 7B model with a batch size of 16. Then you can find your experimental tracking results at https://fedml.ai/train/my-runs (see more details on the Section "Experiment Tracking for Large-scale Distributed Training")

Experiment Tracking for Large-scale Distributed Training

Running remote tasks often requires a transparent monitoring environment to facilitate troubleshooting and real-time analysis of machine learning experiments. This section guides through the monitoring capabilities of a launched job.

Run Overview

Log into to the FEDML Nexus AI Platform (https://fedml.ai) and go to Train > Runs. And select the run you just launched and click on it to view the details of the run.

Metrics

FedML offers a convenient set of APIs for logging metrics. The execution code can utilize these APIs to log metrics during its operation.

fedml.log()

log dictionary of metric data to the FEDML Nexus AI Platform.

Usage

fedml.log(metrics: dict,step: int = None,customized_step_key: str = None,commit: bool = True) -> None

Arguments

  • metrics (dict): A dictionary object for metrics, e.g., {"accuracy": 0.3, "loss": 2.0}.
  • step (int=None): Set the index for current metric. If this value is None, then step will be the current global step counter.
  • customized_step_key (str=None): Specify the customized step key, which must be one of the keys in the metrics dictionary.
  • commit (bool=True): If commit is False, the metrics dictionary will be saved to memory and won't be committed until commit is True.

Example:

fedml.log({"ACC": 0.1})fedml.log({"acc": 0.11})fedml.log({"acc": 0.2})fedml.log({"acc": 0.3})fedml.log({"acc": 0.31}, step=1)fedml.log({"acc": 0.32, "x_index": 2}, step=2, customized_step_key="x_index")fedml.log({"loss": 0.33}, customized_step_key="x_index", commit=False)fedml.log({"acc": 0.34}, step=4, customized_step_key="x_index", commit=True)

Metrics logged using fedml.log() can be viewed under Runs > Run Detail > Metrics on FEDML Nexus AI Platform.

Logs

You can query the realtime status of your run on your local terminal with the following command.

fedml run logs -rid <run_id>

Additionally, logs of the run also appear in realtime on the FEDML Nexus AI Platform under the Runs > Run Detail > Logs

Hardware Monitoring

The FEDML library automatically captures hardware metrics for each run, eliminating the need for user code or configuration. These metrics are categorized into two main groups:

  • Machine Metrics: This encompasses various metrics concerning the machine's overall performance and usage, encompassing CPU usage, memory consumption, disk I/O, and network activity.
  • GPU Metrics: In environments equipped with GPUs, FEDML seamlessly records metrics related to GPU utilization, memory usage, temperature, and power consumption. This data aids in fine-tuning machine learning tasks for optimized GPU-accelerated performance.

Model Checkpoint:

FEDML additionally provides an API for logging models, allowing users to upload model artifacts.

fedml.log_model()

Log model to the FEDML Nexus AI Platform (fedml.ai).

fedml.log_model(model_name,model_file_path,version=None) -> None

Arguments

  • model_name (str): model name.
  • model_file_path (str): The file path of model name.
  • version (str=None): The version of FEDML Nexus AI Platform, options: dev, test, release. Default is release (fedml.ai).

Examples

fedml.log_model("cv-model", "./cv-model.bin")

Models logged using fedml.log_model() can be viewed under Runs > Run Detail > Model on FEDML Nexus AI Platform

Artifacts:

Artifacts, as managed by FEDML, encapsulate information about items or data generated during task execution, such as files, logs, or models. This feature streamlines the process of uploading any form of data to the FEDML Nexus AI Platform, facilitating efficient management and sharing of job outputs. FEDML facilitates the uploading of artifacts to the FEDML Nexus AI Platform through the following artifact api:

fedml.log_artifact()

log artifacts to the FEDML Nexus AI Platform (fedml.ai), such as file, log, model, etc.

fedml.log_artifact(artifact: Artifact,version=None,run_id=None,edge_id=None) -> None

Arguments

  • artifact (Artifact): An artifact object represents the item to be logged, which could be a file, log, model, or similar.
  • version (str=None): The version of FEDML Nexus AI Platform, options: dev, test, release. Default is release (fedml.ai).
  • run_id (str=None): Run id for the artifact object. Default is None, which will be filled automatically.
  • edge_id (str=None): Edge id for current device. Default is None, which will be filled automatically.

Artifacts logged using fedml.log_artifact() can be viewed under Runs > Run Detail > Artifacts on FEDML Nexus AI Platform.

Train on Your Own GPU cluster

You can also build your own cluster and launch jobs there. The GPU nodes in the cluster can be GPU instances launched under your AWS/GCP/Azure account or your in-house GPU devices. The workflow is as follows.

Step 1. Bind the machines on the Platform

Log into the platform, head to the Compute / My Servers Page and copy the fedml login command:

Step 2. SSH into your on-prem devices and do the following individually for each device:

Install the fedml library if not installed already:

pip install fedml

Run the login command copied from the platform:

fedml login 3b24dd2f****206e8669

It should show something similar as below:

(fedml) alay@a6000:~$ fedml login 3b24dd2f9b3e478084c517bc206e8669 -v devWelcome to FedML.ai!Start to login the current device to the MLOps (https://fedml.ai)...(fedml) alay@a6000:~$ Found existing installation: fedml 0.8.7Uninstalling fedml-0.8.7:Successfully uninstalled fedml-0.8.7Looking in indexes: https://test.pypi.org/simple/, https://pypi.org/simpleCollecting fedml==0.8.8a156Obtaining dependency information for fedml==0.8.8a156 from https://test-files.pythonhosted.org/packages/e8/44/06b4773fe095760c8dd4933c2f75ee7ea9594938038fb8293afa22028906/fedml-0.8.8a156-py2.py3-none-any.whl.metadata Downloading https://test-files.pythonhosted.org/packages/e8/44/06b4773fe095760c8dd4933c2f75ee7ea9594938038fb8293afa22028906/fedml-0.8.8a156-py2.py3-none-any.whl.metadata (4.8 kB)Requirement already satisfied: numpy>=1.21 in ./.pyenv/versions/fedml/lib/python3.10/site-packages (from fedml==0.8.8a156....Congratulations, your device is connected to the FedML MLOps platform successfully!Your FedML Edge ID is 201610, unique device ID is [email protected]

Head back to the Compute / My Servers page on platform and verify that the devices are bounded to the FEDML Nexus AI Platform:

Step 3. Create a cluster of your servers bounded to the FEDML Nexus AI Platform:

Navigate to the Compute / Create Clusters page and create a cluster of your servers:

All your created clusters will be listed on the Compute / My Clusters page:

Step 4. Launch the job on your cluster:

The way to create the job YAML file is the same as “Training as a Cloud Service”. All that is left to do to launch a job to the on-premise cluster is to run following one-line command:

fedml launch job.yaml -c <cluster_name>

For our example, the command and respective output would be as follows:

fedml launch job.yaml -c hello-world

About FEDML, Inc.

FEDML is your generative AI platform at scale to enable developers and enterprises to build and commercialize their own generative AI applications easily, scalably, and economically. Its flagship product, FEDML Nexus AI, provides unique features in enterprise AI platforms, model deployment, model serving, AI agent APIs, launching training/Inference jobs on serverless/decentralized GPU cloud, experimental tracking for distributed training, federated learning, security, and privacy.

Link

community logo
Join the TheDinarian Community
To read more articles like this, sign up and join my community today
0
What else you may like…
Videos
Podcasts
Posts
Articles
Stargate: Establishing the Physical Foundations of the AI Revolution 🛰️🌎

The Stargate initiative represents the most substantial investment in artificial intelligence infrastructure to date, as it begins to materialize on a global scale. While many perceive AI as an ethereal technology—simply accessed via applications like ChatGPT 🤖—each digital interaction is, in fact, powered by extensive physical resources: vast data centers 🏢, thousands of cutting-edge GPUs 💾, sophisticated cooling systems 💧, dedicated power grids ⚡, and essential water pipelines 🚰. AI does not reside on personal devices; it is anchored on Earth and demands significant resources.

As artificial intelligence continues to advance, its infrastructure needs only intensify. Regardless of improvements in model efficiency, the explosive growth in usage—billions of queries, ongoing model training, and worldwide deployment—necessitates ever-greater computing power, land, electricity, and semiconductors. This expansion is not plateauing; it is accelerating 📈.

Stargate stands ...

00:01:55
🚨 A Senior UAE Official Has Forecasted...👀

🇦🇪 The United Arab Emirates has taken a decisive step that the United States has been reluctant to pursue.

👉 “Within the next two years, cryptocurrency will be used more frequently than traditional currencies like the dollar or dirham, even for everyday purchases such as coffee and groceries.” 🏦☕🛒

It is worth noting which cryptocurrencies offer transaction fees that are virtually negligible. 😏

The official further stated: “Mark my words, I believe in actions, not just words.”

00:01:00
The Digital Euro 🇪🇺 Is Ready 💶🌍 Via XRP &XLM

The legislative process is complete, and the Digital Euro 🇪🇺 is ready for real time use and October 2025 is the big roll out.

Around this time Europe will also be releasing their
•Request2pay
• SEPA credit transfer rulebook
•PSD3 instant payments
•Verification of payee
•TIPS multi-currency phase 1

The Digital Euro will be minted on #XRPL and #Stellar

OP: MRMANXRP

00:00:27
👉 Coinbase just launched an AI agent for Crypto Trading

Custom AI assistants that print money in your sleep? 🔜

The future of Crypto x AI is about to go crazy.

👉 Here’s what you need to know:

💠 'Based Agent' enables creation of custom AI agents
💠 Users set up personalized agents in < 3 minutes
💠 Equipped w/ crypto wallet and on-chain functions
💠 Capable of completing trades, swaps, and staking
💠 Integrates with Coinbase’s SDK, OpenAI, & Replit

👉 What this means for the future of Crypto:

1. Open Access: Democratized access to advanced trading
2. Automated Txns: Complex trades + streamlined on-chain activity
3. AI Dominance: Est ~80% of crypto 👉txns done by AI agents by 2025

🚨 I personally wouldn't bet against Brian Armstrong and Jesse Pollak.

👉 Coinbase just launched an AI agent for Crypto Trading
Veritaseum Hodlers, Are You Ready For Chaos? 🚀 👩‍🚀

What would happen if Veritaseum was "Resurrected" from the Land of Dead Cryptos? Would Clif High's prediction of Veri trading 1 to 1 with Bitcoin actually come TRUE?! We may just find out SOONER than you think!!

$Velos New Payfi Litepaper 📝

As the market evolves, so do we. Our new PayFi Litepaper reflects our commitment to adapt fast, stay ahead, and win.

Dive into our latest vision and strategy for what’s next.

https://x.com/veloprotocol/status/1917550676860887446

Reggie Middleton vs The SEC

The Motion to Vacate the SEC case against @ReggieMiddleton was filed on Friday May 30th, 2025 and contains NEW EVIDENCE clearly illustrating the alleged Fraud Upon the Court by SEC attorney Jorge Tenreiro.

It’s Reggie’s time to shine and this is going to be Epic!

Watch for a Video and further X posts breaking down this New Evidence.

https://x.com/SovereignRiz/status/1928836032964804760

post photo preview
Stellar's Ecosystem Surges Forward: Smart Contracts, Lightning Speed, and Real-World Impact in 2025

The Stellar blockchain ecosystem is experiencing remarkable momentum in 2025, with groundbreaking technical achievements and expanding real-world adoption that position it as a major player in the decentralized finance landscape. From lightning-fast transaction speeds to innovative smart contract capabilities, Stellar is demonstrating that blockchain technology can deliver both performance and practical utility.

Technical Breakthroughs Drive Performance

The Stellar Development Foundation's Q1 2025 quarterly report reveals impressive technical milestones that showcase the network's maturation. The platform now processes an astounding 5,000 transactions per second with remarkably fast 2.5-second block times, putting it among the fastest blockchain networks in operation today.

This performance leap isn't just about raw numbers—it represents Stellar's commitment to creating infrastructure that can handle real-world demand. Whether it's cross-border payments, asset tokenization, or decentralized applications, the network's enhanced capabilities provide the foundation for scalable blockchain solutions.

Smart Contracts Get Smarter with Soroban

One of the most significant developments has been the launch and continued evolution of Soroban, Stellar's smart contract platform. The introduction of Contract Copilot represents a major advancement in developer experience, enabling faster and safer smart contract development through enhanced tooling and guidance.

This focus on developer experience is crucial for ecosystem growth. By lowering barriers to entry and improving the development process, Stellar is positioning itself to attract innovative projects and talented developers who might otherwise choose competing platforms.

New Token Standards Meet Market Needs

The Stellar Development Foundation has introduced new token standards developed specifically based on feedback from developers and institutional users. This responsive approach to platform development demonstrates Stellar's commitment to building technology that meets actual market needs rather than theoretical requirements.

These standards are particularly important as institutional adoption continues to grow, with organizations requiring robust, compliant, and flexible token frameworks for their blockchain initiatives.

Global USDC Integration Expands Utility

The integration of USDC across Stellar's global network represents a significant milestone for practical cryptocurrency adoption. Stablecoins like USDC provide the price stability necessary for everyday transactions and business operations, making them crucial for blockchain platforms seeking real-world utility.

This integration is particularly impactful in emerging markets, where access to stable digital currencies can provide financial services to underbanked populations and facilitate more efficient cross-border transactions.

Industry Events Build Community Momentum

The Stellar ecosystem's growing influence is evident in its presence at major industry events. The foundation's participation as a sponsor at Consensus 2025 in Toronto and Digital Assets Week in New York demonstrates its commitment to engaging with builders, investors, and institutional leaders across the blockchain space.

These events serve as crucial networking opportunities and platforms for showcasing innovative projects within the Stellar ecosystem. Recent Meridian events have highlighted creative projects like Skyhitz and HoneyCoin, illustrating the collaborative spirit and diverse applications being built on the platform.

Real-World Impact in Emerging Markets

Perhaps most importantly, Stellar's growth isn't just about technical metrics—it's about real-world impact. The platform's focus on emerging markets addresses genuine financial inclusion challenges, providing efficient payment rails and access to digital financial services where traditional banking infrastructure may be limited.

This practical approach to blockchain implementation sets Stellar apart from projects that focus primarily on speculative trading or theoretical use cases. By solving actual problems for real users, Stellar is building sustainable demand for its technology.

Looking Ahead: Enterprise-Grade Infrastructure

Stellar positions itself as offering enterprise-grade asset tokenization alongside its DeFi capabilities and payment infrastructure. This comprehensive approach makes it attractive to institutions looking for a single platform that can handle multiple blockchain use cases.

The combination of fast transactions, low costs, smart contract capabilities, and regulatory-conscious development creates a compelling value proposition for enterprises considering blockchain adoption.

The Road Forward

As 2025 progresses, Stellar's ecosystem appears well-positioned for continued growth. The technical infrastructure improvements, developer-focused enhancements, and real-world adoption initiatives create a strong foundation for expanding use cases and user adoption.

The blockchain industry has seen many projects promise revolutionary capabilities, but Stellar's focus on delivering measurable performance improvements and practical solutions suggests a mature approach to blockchain development. With transaction speeds that rival traditional payment systems and growing institutional adoption, Stellar is demonstrating that blockchain technology can move beyond experimental phases into mainstream utility.

For developers, institutions, and users looking for blockchain solutions that prioritize both performance and practical applicability, Stellar's 2025 developments represent significant progress toward a more accessible and useful decentralized financial ecosystem.

Source: The Dinarian ⚡ Claude AI

🙏 Donations Accepted 🙏

If you find value in my content, consider showing your support via:

💳 PayPal: 
1) Simply scan the QR code below 📲
2) https://www.paypal.me/thedinarian

🔗 Crypto – Support via Coinbase Wallet to: [email protected]

Or Buy me a coffee: https://buymeacoffee.com/thedinarian

Your generosity keeps this mission alive, for all! Namasté 🙏 The Dinarian

Read full Article
post photo preview
Soroban Security Audit Bank: Raising the Standard for Smart Contract Security

The Stellar Development Foundation (SDF) is deeply committed to helping ensure that the highest security standards are available for projects building on the Stellar network. Last year SDF launched the Soroban Security Audit Bank, an initiative to provide projects access to auditing experts and tooling that are proven to help prevent hacks by catching potential bugs, inefficiencies, and security flaws before contracts go live. Through the Soroban Security Audit Bank, we’re empowering teams building on Soroban with comprehensive security audits from leading audit firms, enhanced readiness support, and robust tooling, significantly elevating the ecosystem’s safety and efficiency.

Since launch, the Soroban Security Audit Bank has successfully conducted over 40 essential audits, deploying over $3 million to support security of the smart contracts on Stellar. Check it out!

 

Ecosystem Success Stories: How the Soroban Audit Bank Drives Security Forward

By making automated formal verification available to developers, in addition to allocating significant budget for securing many of the top DeFi protocols built on top of Stellar, SDF has established a new security standard in the Web3 ecosystem. Mooly Sagiv, Co-Founder of Certora
SDF has been a strong partner as we’ve worked with teams across the Stellar ecosystem. SDF’s Audit Bank initiative allows for a smooth and streamlined review process, and is a clear reflection of the Stellar ecosystem’s enhanced commitment to security. Robert Chen, CEO of OtterSec
 

Leading projects within the Soroban ecosystem have highlighted the impact of the Audit Bank

Finding a good auditor is difficult, expensive, and high-stakes. The Audit Bank streamlines the process and supports ecosystem projects with security review at critical growth milestones. Markus Paulson, Co-Founder of Script3
The audit firms we worked with deeply understood the full ecosystem and the underlying protocols used. Their expertise and the tools from the Audit Bank strengthened our security and supported user and investor trust. Esteban Iglesias Manríquez, Co-Founder of Palta.Labs

What's New in 2025: Enhanced Audit Support for Soroban Builders

Teams building financial protocols, high-dependency data services, high-traction dApps funded by the Stellar Community Fund are able to request an audit and will typically be matched with a reputable audit firm within two weeks. We recently restructured the program for this year to enhance audit efficiency and incentivize accountability, and rapid and complete vulnerability remediation:

  • Complimentary Initial Audit: Projects will need to contribute 5% of the audit cost upfront, but this co-payment amount is eligible for a full refund, provided that critical, high, and medium vulnerabilities identified are swiftly remediated within 20 business days of receiving the initial audit report (learn more).
  • Incentivized Security at Key Traction Milestones: Complimentary, extensive follow-up audits are available as projects achieve critical traction milestones (e.g., $10M and $100M TVL). These audits include deeper assessments such as formal verification or competitive audits, significantly boosting project security at pivotal stages.
  • Advanced Security Tooling: Projects can enhance their security self-serve through complimentary or discounted access to specialized tooling, which provide vulnerability detection and formal verification capabilities (see full list of available tooling). These tools are encouraged to capture ‘easy-to-spot’ issues prior to audit as well as a final check post-audit to increase the effectiveness and thoroughness of audits.
  • Enhanced Audit Readiness Support: Projects receive structured preparation support, including the implementation of best practices and security standards based on the STRIDE threat modeling framework. This ensures project teams are thoroughly prepared, optimizing audit efficiency and minimizing delays.

Get Started Today

If you're already funded through the Stellar Community Fund, meet the criteria and ready to secure your smart contracts, check your email for an invitation to submit an audit request–if you haven’t received one, contact [email protected].

If you haven't built on Stellar yet, we encourage you to start your journey with the Stellar Community Fund to become eligible for future security audits and ecosystem support. For any broader questions on the program, contact [email protected].

Also, we’re organizing an exciting series of workshops–join us for the kick-off on Soroban Security Best Practices on Friday, May 30, 2025 at 2 PM ET on @StellarOrg. Together, we're shaping a secure and resilient future for smart contracts on Stellar.

Source

🙏 Donations Accepted 🙏

If you find value in my content, consider showing your support via:

💳 PayPal: 
1) Simply scan the QR code below 📲
2) https://www.paypal.me/thedinarian

🔗 Crypto – Support via Coinbase Wallet to: [email protected]

Or Buy me a coffee: https://buymeacoffee.com/thedinarian

Your generosity keeps this mission alive, for all! Namasté 🙏 The Dinarian

Read full Article
post photo preview
Santander mulls stablecoin, crypto offering

Bloomberg reported that Banco Santander is mulling introducing euro and dollar stablecoins, or potentially making a third party coin available to clients, citing sources. This move aligns with broader crypto ambitions, as its digital bank, Openbank, has reportedly applied for a European cryptocurrency license under the Mica Regulations and may enable retail access to digital assets.

Systemically important banks embrace stablecoins?

Major banks are now moving from observers to participants in this expanding market. Should Santander confirm plans to launch a stablecoin, it will be the fourth global systemically important bank (G-SIB) to do so. Societe Generale’s FORGE subsidiary launched the EURCV euro coin in 2023. Deutsche Bank is a partner in ALLUnity, another stablecoin initiative with plans to launch this year, subject to regulatory approval. And Standard Chartered is part of a joint venture in Hong Kong that intends to introduce a stablecoin.

Santander’s involvement could extend beyond an individual initiative. The bank is a shareholder in The Clearing House, where the Wall Street Journal reported that US banks are exploring the potential to create a joint stablecoin. If a US initiative took that route it could involve nine more G-SIBs including Bank of America, Barclays, BMO, BNY Mellon, Citi, HSBC, JP Morgan, TD Bank and Wells Fargo.

Apart from these initiatives, our research shows that more than 20 other banks have been involved in stablecoin projects.

Until recently stablecoins were mainly used to settle cryptocurrency transactions and by residents in countries with volatile domestic currencies. During the last year stablecoin infrastructure has been expanding, especially for mainstream cross border payments. Plus, President Trump issued an executive order prioritizing stablecoins. One of the administration’s motivations is this increases demand for US Treasuries, lowering the interest rate the government pays on the Treasury bills.

Santander as an early digital assets mover

Santander’s stablecoin consideration builds on years of blockchain experience. The bank was an early Ripple investor and previously used Ripple’s permissioned network for payments (not XRP), while also embracing permissionless blockchain activities including issuing a digital bond on Ethereum in 2019. This dual approach led to collaborations with other major players – alongside Societe Generale FORGE and Goldman Sachs, Santander participated in the European Investment Bank’s first digital bond, also on Ethereum. Currently, the bank’s most significant digital money initiative involves Fnality, the wholesale blockchain-based settlement network, where Santander ranks among 20 institutional backers and is part of the early adopter group alongside Lloyds Bank and UBS.

Source

🙏 Donations Accepted 🙏

If you find value in my content, consider showing your support via:

💳 PayPal: 
1) Simply scan the QR code below 📲
2) https://www.paypal.me/thedinarian

🔗 Crypto – Support via Coinbase Wallet to: [email protected]

Or Buy me a coffee: https://buymeacoffee.com/thedinarian

Your generosity keeps this mission alive, for all! Namasté 🙏 The Dinarian

Read full Article
See More
Available on mobile and TV devices
google store google store app store app store
google store google store app tv store app tv store amazon store amazon store roku store roku store
Powered by Locals