Page 41«..1020..40414243..5060..»

Australia is moving top secret intelligence data to the cloud with a new billion-dollar AWS deal – TechRadar

Australias government wants help from Amazon Web Services (AWS) to build a super top-secret cloud for its law enforcement and intelligence agencies.

The country's leaders say the new AWS platform will be purpose-built for Australia's Defence and National Intelligence Community agencies to securely host our country's most sensitive information.

The project will apparently cost AUD$2 billion ($1.35 billion) over a period of ten years.

The Australian government says the project is expected to improve our ability to securely share and analyze our nation's most classified data at speed and at scale, and provides opportunities to harness leading technologies including artificial intelligence and machine learning.

Australia has also touted the project will allow intelligence communities down-under to better collaborate with their US counterparts, but will remain fully sovereign according to Australian officials.

The Register points out this presents a tricky situation whereby the cloud will host sensitive data while also interoperating with Five Eyes, so how Australia will navigate the fine line between sovereignty and interoperability is yet to be determined.

No details have been revealed yet on where the cloud will be located, ownership of the infrastructure, or payment arrangements.

Sign up to the TechRadar Pro newsletter to get all the top news, opinion, features and guidance your business needs to succeed!

Australias first announcement of its intention to pursue a top secret cloud was in late 2023, with Andrew Shearer, director-general of national intelligence saying, What that will do is obviously transform how we do our work as agencies but also it'll open up a shared collaborative space that will really, I think, reinforce this sense of working together as a genuine community and bringing all those different capabilities to bear on problems.

Read the original:
Australia is moving top secret intelligence data to the cloud with a new billion-dollar AWS deal - TechRadar

Read More..

UK cloud hosting company expands in US as global demand for managed hybrid and multi-cloud ecosystems explodes – TechRadar

Theres no question that demand for cloud services is going through the roof right now. Towards the end of 2023, Gartner predicted the cloud market would grow 20.4% to total $678.8 billion in 2024, up from $563.6 billion the previous year, and that certainly seems to be an optimistic forecast if Hyve Managed Hostings experience is anything to go by.

Based in Brighton, UK, Hyve says it has seen significant growth with a 51% increase in revenue over the past three years.

This expansion comes from rising demand for bespoke cloud services and has led to the firm opening a new office in Austin, Texas, resulting in a doubling its US customer base since the start of the year.

Charlotte Webb, Hyves Global Marketing and Operations Director, said, The US continues to prove its status as a leader when it comes to considered cloud adoption, with the market already representing a large proportion of our revenue.

Hyve has also opened an office in Berlin, which Webb says helps the firm seamlessly and securely serve EU customers, especially paying attention to helping them navigate compliance with data sovereignty and data protection regulations.

Talking about how combining AI with cloud computing directly benefits companies, Webb said, The partnership of AI & Machine Learning with cloud computing allows the opportunity to build and implement easily accessible AI solutions on a large scale. Cloud is already playing a large part in digital transformation for business, adding in AI supercharges this debate. Cloud computing helps companies to be more agile and flexible and provides cost benefits by hosting data and applications on the cloud. Adding AI generates insights from the data. It gives intelligence to existing capabilities. This results in a powerful and unique combination that can be used as a competitive advantage.

Looking ahead, the company says it plans to double its US team in the next quarter and is exploring opportunities for expansion in the Asia-Pacific region, focusing on potential projects in Australia.

Sign up to the TechRadar Pro newsletter to get all the top news, opinion, features and guidance your business needs to succeed!

Visit link:
UK cloud hosting company expands in US as global demand for managed hybrid and multi-cloud ecosystems explodes - TechRadar

Read More..

Develop a Cloud-Hosted RAG App With an Open Source LLM – The New Stack

Retrieval-augmented generation (RAG) is often used to develop customized AI applications, including chatbots, recommendation systems and other personalized tools. This system uses the strength of vector databases and large language models (LLMs) to provide high-quality results.

Selecting the right LLM for any RAG model is very important and requires considering factors like cost, privacy concerns and scalability. Commercial LLMs like OpenAI’s GPT-4 and Google’s Gemini are effective but can be expensive and raise data privacy concerns. Some users prefer open source LLMs for their flexibility and cost savings, but they require substantial resources for fine-tuning and deployment, including GPUs and specialized infrastructure. Additionally, managing model updates and scalability can be challenging with local setups.

A better solution is to select an open source LLM and deploy it on the cloud. This approach provides the necessary computational power and scalability without the high costs and complexities of local hosting. It not only saves on initial infrastructural costs but also minimizes maintenance concerns.

Let’s explore a similar approach to develop an application using cloud-hosted open source LLMs and a scalable vector database.

Several tools are required to develop this RAG-based AI application. These include:

In this tutorial, we will extract data from Wikipedia using LangChain’s WikipediaLoader module and build an LLM on that data.

Start setting your environment to use BentoML, MyScaleDB and LangChain in your system by opening your terminal and entering:

Begin by importing the WikipediaLoader from the langchain_community.document_loaders. wikipediamodule. You’ll use this loader to fetch documents related to “Albert Einstein” from Wikipedia.

This uses the load method to retrieve the “Albert Einstein” documents, and the print method to print the contents of the first document to verify the loaded data.

Import the CharacterTextSplitter from langchain_text_splitters, join the contents of all pages into a single string, and then split the text into manageable chunks.

Your data is ready, and the next step is to deploy the models on BentoML and use them in your RAG application. Deploy the LLM first. You’ll need a free BentoML account, and you can sign up for one on BentoCloud if needed. Next, navigate to the Deployments section and click on the Create Deployment button in the top-right corner. A new page will open that looks like this:

Select the bentoml/bentovllm-llama3-8b-instruct-service model from the drop-down menu and click “Submit” in the bottom-right corner. This should start deploying the model. A new page like this will open:

The deployment can take some time. Once it is deployed, copy the endpoint.

Note: BentoML’s free tier only allows the deployment of a single model. If you have a paid plan and can deploy more than one model, follow the steps below. If not, don’t worry — we will use an open source model locally for embeddings.

Deploying the embedding model is very similar to the steps you took to deploy the LLM:

Next, go to the API Tokens page and generate a new API key. Now you are ready to use the deployed models in your RAG application.

You will define a function called get_embeddings to generate embeddings for the provided text. This function takes three arguments. If the BentoML endpoint and API token are provided, the function uses BentoML’s embedding service; otherwise, it uses the local transformers and torch libraries to load the sentence-transformers/all-MiniLM-L6-v2model and generate embeddings.

This setup allows flexibility for free-tier BentoML users, who can deploy only one model at a time. If you have a paid version of BentoML and can deploy two models, you can pass the BentoML endpoint and Bento API token to use the deployed embedding model.

Iterate over the text chunks (splits) in batches of 25 to generate embeddings using the get_embeddings function defined above.

This prevents overloading the embedding model with too much data at once, which can be particularly useful for managing memory and computational resources.

Now, create a pandas DataFrame to store the text chunks and their corresponding embeddings.

The knowledge base is complete, and now it’s time to save the data to the vector database. This demo uses MyScaleDB for vector storage. Start a MyScaleDB cluster in a cloud environment by following the quickstart guide. Then you can establish a connection to the MyScaleDB database using the clickhouse_connect library.

Create a table in MyScaleDB to store the text chunks and embeddings. The table schema includes an id, the page_content and the embeddings.

The next step is to add a vector index to the embeddings column in the RAG table. The vector index allows for efficient similarity searches, which are essential for retrieval-augmented generation tasks.

Define a function to retrieve relevant documents based on a user query. The query embeddings are generated using the get_embeddings function, and an advanced SQL vector query is executed to find the closest matches in the database.

Note: The distance method takes an embedding column and the embedding vector of the user query to find similar documents by applying cosine similarity.

Establish a connection to your hosted LLM on BentoML. The llm_client object will be used to interact with the LLM for generating responses based on the retrieved documents.

Define a function to perform RAG. The function takes a user question and the retrieved context as input. It constructs a prompt for the LLM, instructing it to answer the question based on the provided context. The response from the LLM is then returned as the answer.

Finally, you can test it out by making a query to the RAG application. Ask the question “Who is Albert Einstein?” and use the doragfunction to get the answer based on the relevant documents retrieved earlier.

If you ask the RAG model about Albert Einstein’s death, the response should look like this:

BentoML stands out as an excellent platform for deploying machine learning models, including LLMs, without the hassle of managing resources. With BentoML, you can quickly deploy and scale your AI applications on the cloud, ensuring they are production-ready and highly accessible. Its simplicity and flexibility make it an ideal choice for developers, enabling them to focus more on innovation and less on deployment complexities.

On the other hand, MyScaleDB is explicitly developed for RAG applications, offering a high-performance SQL vector database. Its familiar SQL syntax makes it easy for developers to integrate and use MyScaleDB in their applications, as the learning curve is minimal. MyScaleDB’s Multi-Scale Tree Graph (MSTG) algorithm significantly outperforms other vector databases in terms of speed and accuracy. Additionally, MyScaleDB offers each new user free storage for up to 5 million vectors, making it a desirable option for developers looking to implement efficient and scalable AI solutions.

What do you think about this project? Share your thoughts on Twitter and Discord.

YOUTUBE.COM/THENEWSTACK

Tech moves fast, don't miss an episode. Subscribe to our YouTube channel to stream all our podcasts, interviews, demos, and more.

SUBSCRIBE

More here:
Develop a Cloud-Hosted RAG App With an Open Source LLM - The New Stack

Read More..

Hostinger Review: VPS, Cloud, and Shared Hosting – Tom’s Hardware

One of the larger and more popular web hosting services, Hostinger was founded in 2004 in Lithuania where it started out offering a free service called 000webhost, which still exists today. The company offers a wide variety of hosting packages, including shared hosting, Virtual Private Servers (VPS), cloud hosting and managed WordPress plans.

Hostinger is also one of the most affordable web hosting services around, provided that youre willing to commit to 12 or 24 months in advance. But there are also some gotchas: the VPS Hosting, our preferred option for most services, starts at a mere $4.99 a month, but youll need to pay at least $23 per month if you want to use the popular cPanel control panel software (other control panels are cheaper or free). Also, the cloud and shared hosting plans severely limit how much database storage you have, making them a poor choice for anyone working with large mySQL DBs.

We had a chance to test three different Hostinger Plans: a VPS plan, a shared hosting plan, and a cloud hosting plan. Overall, we found the performance strong, with good DB query and WordPress benchmark numbers on both the VPS and cloud plans. The cloud plan also did an extraordinary job of handling traffic spikes, though its database storage and script execution limits are downsides.

Today's best Hostinger VPS Plan - KVM 2, Hostinger Cloud Hosting Plans - Cloud Professional and Hostinger Shared Hosting Plans - Business deals

On Hostinger, as with most hosting services, the VPS plan provides the best balance between performance, flexibility and price. Hostinger has some of the cheapest VPS plans on the market, with the base KVM 1 plan (1 vCPU core, 4GB of RAM, 50GB storage) going for just $4.99 a month with a 24-month commitment (after that, the price goes up to $7.99 a month).

We tested the KVM 2 plan, which provides 2 vCPU cores, 8GB of RAM, 100GB of disk space and 8TB of bandwidth for $6.99 a month, but if you have greater needs, you can get a plan with up to 8 vCPU cores, 32GB of RAM and 400GB of disk space for just $19.99 a month.

Hostinger VPS Plans (per month)

That said, theres a huge catch to these prices that Hostinger doesnt make clear until youve already paid for and signed up for your plan. cPanel / WHM, the most popular and easy-to-use control panel software, is not included, even though many other companies include it.

When you first set up your VPS server (or if you choose to reformat it later), youre given a choice of OS and control panel to format with. You can go with AlmaLinux 8 or 9, Ubuntu, Debian, or other Linux flavors. And you can have the system install cPanel, cloudPanel, Cyberpanel, Webuzo, or any of several other control panels. However, most of these including cPanel require a monthly licensing fee on top of your hosting plan, and it can be extremely costly, with cPanels single-user license going for $22.99 a month, more than three times the cost of our hosting plan.

Image 1 of 2

But, if youre willing to deal with a less-intuitive control panel, you can do what we did: choose AlmaLinux 8 with Webmin / Virtualmin. Webmin is a control panel software that has absolutely no licensing fee and, if you dig into its somewhat annoying menu structure, you can perform all the basic tasks from setting up user accounts to installing vital software such as phpMyAdmin, updating the system files or setting up cron jobs.

You navigate to Webmin by adding :10000 to the end of your URL and then logging in. Once loaded, the control panel is divided into two tabs: Webmin and Virtualmin, each of which has its own set of apps for doing things like managing disk quotas or logging into the file system. Virtualmin seems more like the cPanel (user side) and Webmin seems more like WHM (administrator side), but its not always clear which tab you need to find the function youre looking for.

We found the documentation about Virtualmin on Hostingers own site lacking and had to Google some issues. For example, my default user account had a disk quota that limited my ability to upload files and I had to do a lot of searching on Virtualmin's forums (not Hostinger) to find out how to change it. However, once we figured out how to perform the basic tasks, we were glad to have avoided paying $23 a month extra for a version of the same thing even if cPanel is much nicer.

One thing we didnt figure out how to do via Webmin was updating the version of PHP that came with the VPS plan, as it was PHP 7.2 when the world is now up to 8.3. And, for some reason, we had trouble configuring the system to use WWW as the default web address, with it instead removing the WWW when wed go to our sample site. Were sure if we spent a few more hours experimenting we could have resolved both issues, but it should have been easier and probably would have been with cPanel.

Once we had our server set up, we were impressed with the level of performance and flexibility the VPS plan provides. Connecting via SSH is easy, particularly because an encryption key is not required. Once we had logged into the terminal, we were able to run our sample bash scripts and, even after hours of execution, they never timed out; many hosting plans impose a one-hour (or slightly longer) limit before shutting your scripts down.

Performance on our DB selection and insertion tests was among the strongest weve seen (more on that in the performance section below), with the giant database import taking several minutes less than the VPSes we tested from Bluehost and Scala Hosting. The WordPress Benchmark score was strong, but perhaps because of the outdated version of PHP, trailed some other plans, including Hostingers own cloud and shared hosting. The VPS plan also managed to hold its own on the Apache server capacity test, where we hit it with 500 concurrent requests, but it didnt have the most bandwidth weve seen.

If you want speedy serving and high capacity and are willing to pay for it, Hostingers cloud Hosting plans might be your best bet. Cloud hosting, like VPS, uses shared virtual resources, but it spreads the load across multiple physical servers to get you more bandwidth and processing power for the money. You do give up some control, though.

Available starting at rates of $7.99, the cloud hosting plans promise more storage, more bandwidth, and more RAM and CPU cores for your money than VPS. But theres a huge catch thats not visible on the sign up page: Even if you get the cloud Professional Plan with 250GB of storage and 4 CPU cores like we did, you are limited to just 6GB of database storage.

Hostinger Cloud Hosting Plans (per month)

What does 6GB get you? If youre running a WordPress site, that might be a decent amount as youre just storing the text from your blog posts in the database so youd need a lot of articles to fill it up. And remember, images in your blog post are not part of the database so wouldnt count against that cap. If, like me, you run a site that stores a ton of actual data you wish to analyze this is an untenable limit.

Unlike with VPS, where you have to choose a control panel software such as cPanel, which costs at least $23 a month (or Virtualmin which is free), Hostingers cloud Hosting relies on the companys own hPanel software for all of its controls. For VPS, hPanel is on the top level, but you still need to dig into the server control panels in our case, Virtualmin to get major things done like setting up databases or installing software.

But for cloud hosting, hPanel is a very helpful one-stop shop that allows you to create a database, install WordPress (it links directly to your WordPress Admin login), access the file system, enable SSH access, configure PHP, and manage subdomains.

Having every setting and WordPress just a click away in the hPanel is a really nice touch, making this one of the easiest hosting plans to set up and manage. It is a joy to work with.

The performance of Hostingers cloud hosting is also a joy, the best weve tested so far. It scored 8.6 on the WordPress Benchmark, the highest mark of any service. It also aced our database import test, inserting 87 million rows of data in an average of 5 minutes and 29 seconds, and it delivered a blazing 261.4 requests per second on our Apache test where most other services were in 13 to 25 range. More on those numbers later.

The trade-off of the cloud hosting plan is that its not for people handling large amounts of data or running long-lasting scripts. In the case of the latter, we ran our shell script test, which writes a log every minute to see if its still alive and, after an hour, it died. If you were doing a massive operation on your database that lasted for longer than an hour not likely if you are just using WordPress it would stop in the middle.

Shared hosting is always the most affordable option at any hosting provider, but usually the least flexible and always the least performant. You can get a shared plan at Hostinger for as little as $2.99 a month, but we stepped up to the $3.99-per-month Business plan which boasts 200GB of storage and support for up to 100,000 visits monthly.

Hostinger Shared Hosting Plans (per month)

As with the cloud Hosting plan, the shared plans use Hostingers proprietary hPanel to control everything from your email accounts to subdomains, WordPress install, databases, and even SSH access. The interface is easy-to-use, as all of the options appear in a menu on the left side of the screen and you can open up one of the headers (ex: WordPress) by clicking on it.

If you want to go into your WordPress Admin panel, theres also a button for it here. So setting up a WordPress site is quick and easy.

So what do and dont you get for $3.99 a month? Theres a database limit of 3GB, so it was impossible for us to run any of our database performance tests, which require about 5GB, on this account. Shell scripts also time out after just an hour.

On the bright side, performance on the WordPress Benchmark was very strong, hitting 8.5, one of our higher scores. It also managed to deliver 21.1 requests per second on the Apache test, which is about on par with Hostingers VPS plan and other shared hosting plans we tested.

For every hosting plan, we conduct three database performance tests, designed to see how quickly the server can handle complex MySQL queries. Like many hosting services, Hostinger uses MariaDB, a drop-in replacement for Oracle MySQL, which is supposed to be faster and more cost-effective.

Our first MySQL workload inserts 87 million rows of data, which is drawn from historical page view data for our site, across millions of dates and pages. This is a huge data dump and you can see that Hostingers cloud service leads the pack with its VPS service not far behind. Its shared hosting couldnt perform the test because of a database size limit of 3GB.

Then we run a MySQL command that changes the six traffic columns in all 87 million traffic rows into random numbers. This process can take longer than the original insert.

In our most demanding MySQL database test, we join two tables, the traffic table and the articles table, and then instruct the server to return the sum total of all page views, entrances and other traffic numbers across multiple dates per article. This test involves a table JOIN and a huge number of uses of the SUM function, so its very time-consuming.

Surprisingly, Hostinger Cloud was almost unbelievably fast to complete this task, finishing it one minute and 30 seconds. We ran the test three times and this is the average, which shows just how quick this plan can be. Its very odd because, on the randomization test, it did poorly.

The Hostinger VPS plan had a strong, but down-to-earth time of 12 minutes and 47 seconds while Bluehosts VPS plan took 16:38. Scalahosting VPS trailed the pack by a wide margin, but it actually completed the test. Bluehosts cloud and shared hosting plans both timed out and refused to complete this task at all.

We also run theWordPress Hosting Benchmark Tool, a test that runs as a plugin within the popular CMS and spits out a score in the 0 to 10 range with 10 being the best. It evaluates the server based on 12 criteria, including filesystem speed, database speed, network performance, and mathematical calculations.

Here Hostingers cloud and shared plans happened to outpace its VPS plan, perhaps because the VPS was running a slightly older version of PHP. Bluehost cloud plan also did really well on this test.

Of course, if youre running big database queries or other time-consuming tasks such as crawling a series of web pages or JSON feeds, you might want to run a shell script that could go for hours. Many hosting plans limit the amount of time a shell script can run before the operating system forces them to stop. To find out what happens, we run a script that writes a log file every minute and we then come back and check on it after several hours.

Both the Hostinger cloud and shared plans terminated the script after an hour. However, the VPS hosting plan had no timeout at all.

If youre running your website for the purpose of attracting a lot of visitors and not everyone is its ability to handle many requests at once matters. Thats why we use the Apache benchmark, which allows us to throw 500 concurrent requests at the server at the same time and then see how it performs. Each hosting service is running a WordPress site and we are pointing the Apache benchmark at its home page.

After running the test, we get a report showing the amount of requests per second that the server was able to deliver and how many milliseconds each response takes on average. This is not the load time of the home page, but the time it takes for the server to respond.

Image 1 of 2

Many of the hosting services simply could not handle the test as they would fail after 149 requests or fewer. This might be a form of protection the services have against spam traffic, or it could be that they simply cant take that much traffic at once. While all three of Hostingers services completed the test, Bluehost Shared failed after a 149 request limit and Bluehost VPS returned a failed ssl handshake error.

As we saw elsewhere, cloud hosting allows your server to respond to traffic most quickly. Bluehost cloud returned 1,577.5 requests per second and took an average of just 0.6 ms to respond to a request. Hostingers cloud service was also really strong with 261.4 requests per second and a 3.6 ms response time. Consider that the VPS and shared hosting services were in the low 20s of requests per second and about 40ms per response.

Most hosting services offer really good uptime thats well over 99 percent, but just to keep an eye on things, we use Pingdom to monitor our sample sites for at least a few days. Across several weeks, we saw absolutely no downtime on any of our Hostinger plans.

Pingdom also tracks median load timesfor our sites home pagesand, with these three we saw median load times of 727 and 722 ms on the cloud and VPS plans and, strangely, a slightly-faster 447 ms on the shared plan. Scala VPS was 746 ms, so that seems to be reasonable for the default WordPress content we were serving.

When it comes to support, Hostinger tries to steer you toward its knowledge base of tutorials, which covers a lot of topics, but has very little information on Webmin / Virtualmin. There was an article on getting started with Virtualmin and one on setting up SSL, but considering how much you have to do through this control panel software, I had to do some Googling to find what I was looking for.

If you cant find what youre looking for in the knowledge base, you can eventually (after youve opened an article) find a link to launch a live chat with a human.

I really wish there was a ticketing option instead, which is something a few competitors like Scalahosting have. That way, if youre having an issue and you dont need an immediate resolution, you dont have to have a long back and forth with a person. You can just make a request and wait to get an email back. As far as I can tell there is also no phone support, but most hosting services dont have that.

An AI assistant is also on offer via the Hostinger website. This can be used to get quick answers, and requesting I would like to speak to someone prompts a series of questions to connect you with an appropriate specialist.

Across its major services shared, cloud and VPS Hostinger offers great value and strong performance. But beware database size limitations on the cloud and shared plans and the exorbitant cost of adding cPanel software to your VPS plan, an option you can avoid by using the poorly documented and sometimes confusing Webmin / Virtualmin panel instead.

If youre running a WordPress content site and want to accommodate the most traffic at the highest speed, a cloud plan is your best choice. If you just want a plan thats cheap but reliable for hosting a personal or very small business site with few visitors, the shared plans can fit that bill.

However, Hostingers VPS plans offers the most flexibility and value for your money. For $4.99 to $19.99 a month, depending on the amount of RAM, CPU cores and storage space, you get the ability to work with large databases, install your own software, and choose among various Linux OSes and control panel applications.

While the overall performance of VPS is not equal to that of cloud, its still better than most VPS plans we tested, and the added level of control makes it a better choice for professional website builders who dont want to encounter any limits. Just make sure youre either willing to learn to use Virtualmin, or budget in another $23 a month to your cost so you can have cPanel.

Excerpt from:
Hostinger Review: VPS, Cloud, and Shared Hosting - Tom's Hardware

Read More..

The 10 hottest cloud computing startups of 2024 (so far) – CRN Australia

The need for new and improved cloud computing solutions is being met head-on by startups in 2024 that are focusing on infrastructure optimisation, artificial intelligence and cloud management.

From cloud computing startups such as Astera Labs and Vultr to Prosimo and Weka, there are 10 cloud companies making waves in the ever-growing market.

Many of these cloud startups are partnering and/or competing with the top three cloud market share leaders Amazon Web Services, Microsoft and Google, who account for a whopping 67 percent of the global market.

Cloud infrastructure services market reach US$76 billion

During the first quarter of 2024, enterprise spending on cloud computing infrastructure services reached over US$76 billion. This represented an increase of 21 percent or US$13.5 billion compared to Q1 2023, showing just how critical cloud computing is for business across the globe.

There are still some economic, currency and political headwinds, said John Dinsdale, a chief analyst at Synergy Research Group, in an email to CRN US.

However, the underlying strength of the market is more than compensating for those constraints, aided in no small part by the impact of generative AI technology and services.

Many of the cloud startups on CRN USs 2024 list are providing computing solutions for AI, generative AI and machine learning workloads.

Here are 10 cloud computing IT startup companies that every partner, investor and business ---should know about in 2024.

Cast AI

Top Executive: Yuri Frayman, CEO

Cloud optimisation and management startup Cast AI provides a Kubernetes automation platform that helps teams streamline their cloud cost management, operations and security. Cast AIs platform utilises machine learning algorithms to analyse and automatically optimise clusters in real time to reduce costs and improve performance to boost DevOps and engineering productivity.

The Miami-based startup said it cuts AWS, Microsoft and Google Cloud customers cloud costs by over 50 percent.

Celestial AI

Top Executive: Dave Lazovsky, CEO

Celestial AIs Photonic Fabric is the industrys only optical connectivity solution that enables the disaggregation of cloud compute and memory, which allows each component to be leveraged and scaled most effectively. The Santa Clara, Calif.-based startups technology provides greater bandwidth and memory capacity, while reducing latency and power consumption compared to optical interconnect alternatives and copper.

This year, the startup raised US$175 million in a Series C funding round, led by investors such as AMD Ventures and Samsung Catalyst, in a move to scale up its commercialisation.

CoreWeave

Top Executive: Michael Intrator, CEO

CoreWeave is a specialised cloud provider, delivering a massive scale of GPU compute resources on demand on top of flexible infrastructure. The Roseland, N.J.-based startup builds cloud offerings for compute-intensive use cases like AI which can be up to 35X faster and 80 percent less expensive than public clouds, the company says.

CoreWeave also aims to power large language models and generative AI with purpose-built cloud infrastructure at scale. In May, the startup secured US$1.1 billion in new funding.

DuploCloud

Top Executive: Venkat Thiruvengadam, CEO

DuploClouds platform translates high-level application specifications into meticulously managed cloud configurations, allowing customers to streamline operations while maintaining security, availability, and compliance standards. The San Jose, Calif.-based startups DevOps Automation platform is designed to make DevOps and Infrastructure-as-Code accessible for all developers.

The company was founded by the senior engineers from Microsoft Azure and AWS.

Prosimo

Top Executive: Ramesh Prabagaran, CEO

Prosimo delivers a simplified multi-cloud infrastructure for distributed enterprise clouds. The San Jose, Calif.-based startups stack combines cloud networking, performance, security, observability, and cost managementall powered by data insights and machine learning models with autonomous cloud networking.

Prosimo recently launched AI Suite for Multi-Cloud Networking to help enterprises adopt, manage and troubleshoot AI applications and workloads. The startup supports AI workloads across deep observability, network policy and traffic, end-to-end private connectivity and application-driven routing.

Pulumi

Top Executive: Joe Duffy, CEO

Pulumis intelligent cloud management platform helps organisations deliver faster on any cloud and in any programming language. The solution lets customers manage 10-times more cloud resources at lower cost than traditional tools, the company said, while its Pulumi Insights offering unlocks analytics and search across cloud infrastructure and allows AI-driven infrastructure automation.

The Seattle-based startups Cloud Framework is for building modern container and serverless cloud applications. Pulumi raised about US$100 million in funding last year.

Spectro Cloud

Top Executive: Tenry Fu, CEO

Spectro Cloud enables customers to manage Kubernetes in production at scale with a platform that gives control of the full Kubernetes lifecycle across clouds, data centers and edge environments. The San Jose, Calif.-based startup is doubling down on AI with the launch of Palette EdgeAI that lets customers build, deploy and manage Kubernetes-based AI software stacks.

Spectro Cloud is a highly accredited AWS vendor partner with a strong relationship with the cloud giant.

Upbound

Top Executive: Bassam Tabbara, CEO

Seattle-based startup Upbound is looking to democratise the control plane by allowing engineers to get centralised control, governance and stability. The control plane company is behind the popular open source project Crossplane, enabling cloud engineers to create their own cloud native platform with infrastructure resource exposed as stable APIs for teams to use.

Upbound enables teams to scale to thousands of resources while getting centralised control of all cloud infrastructure including any cloud service provider and any cloud native tool.

Vultr

Top Executive: J.J. Kardwell, CEO

Vultr dubs itself the worlds largest privately held cloud computing platform by serving 1.5 million customers across 185 countries. Vultr offers a slew of cloud computing infrastructure and resources spanning from bare metal options to GPU compute available on demand.

Backed by parent company Constant, Vultr provides shared and dedicated CPU, block and object storage, Nvidia cloud GPUs, as well as networking and Kubernetes solutions. The companys mission is to make high-performance cloud computing easier to use, affordable and locally accessible.

The West Palm Beach, Fla.-based startup is consistently expanding its data center footprint in order to offer its cloud infrastructure to more customers on a global basis. In March, the company launched Vultr Cloud Inference, a new serverless platform offering global AI model deployment and AI inference capabilities.

Weka

Top Executive: Liran Zvibel, CEO

The Weka Data Platform looks to set the standard for AI infrastructure with a cloud and AI-native architecture that provides seamless data portability across all cloud and on-premise environments.

The Campbell, Calif.-based startup transforms stagnant data silos into dynamic data pipelines that help AI, machine learning and GPU workloads run more efficiently in the cloud, while providing data access from data centers and multi-cloud environments.

In May, Weka raised US$140 million in a Series E funding round, bringing the startups total valuation to US$1.6 billion.

Read the rest here:
The 10 hottest cloud computing startups of 2024 (so far) - CRN Australia

Read More..

UK cloud provider Hyve doubles its US customer base in 2024 as cloud demand soars – Verdict

UK-based cloud computing company Hyve Managed Hosting has doubled its customer base since January 2024.

In January 2024, Hyve established US operations in Austin, Texas and a European base in Berlin, Germany. The global expansion was driven by increased customer demand for managed hybrid and multi-cloud environments.

Hyves Berlin office has allowed Hyve to seamlessly and securely serve EU customers, said Hyve marketing and operations director, Charlotte Webb.

VP of Hyve customer, Symbolic Mind, Vadim Asadov, said that Hyve made the impossible work of building the server they needed possible.

Hyve helped Symbolic Mind come up with a hosting solution finely-tuned to our business goals to reflect this, said Asadov.

In early 2024, Hyve joined the new Broadcom Advantage Program as a VMware Cloud Service Provider at the Premier Partner level.

Access the most comprehensive Company Profiles on the market, powered by GlobalData. Save hours of research. Gain competitive edge.

Your download email will arrive shortly

We are confident about the unique quality of our Company Profiles. However, we want you to make the most beneficial decision for your business, so we offer a free sample that you can download by submitting the below form

Country * UK USA Afghanistan land Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire, Sint Eustatius and Saba Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory Brunei Darussalam Bulgaria Burkina Faso Burundi Cambodia Cameroon Canada Cape Verde Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos Islands Colombia Comoros Congo Democratic Republic of the Congo Cook Islands Costa Rica Cte d"Ivoire Croatia Cuba Curaao Cyprus Czech Republic Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Holy See Honduras Hong Kong Hungary Iceland India Indonesia Iran Iraq Ireland Isle of Man Israel Italy Jamaica Japan Jersey Jordan Kazakhstan Kenya Kiribati North Korea South Korea Kuwait Kyrgyzstan Lao Latvia Lebanon Lesotho Liberia Libyan Arab Jamahiriya Liechtenstein Lithuania Luxembourg Macao Macedonia, The Former Yugoslav Republic of Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Territory Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Poland Portugal Puerto Rico Qatar Runion Romania Russian Federation Rwanda Saint Helena, Ascension and Tristan da Cunha Saint Kitts and Nevis Saint Lucia Saint Pierre and Miquelon Saint Vincent and The Grenadines Samoa San Marino Sao Tome and Principe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and The South Sandwich Islands Spain Sri Lanka Sudan Suriname Svalbard and Jan Mayen Swaziland Sweden Switzerland Syrian Arab Republic Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu Uganda Ukraine United Arab Emirates US Minor Outlying Islands Uruguay Uzbekistan Vanuatu Venezuela Vietnam British Virgin Islands US Virgin Islands Wallis and Futuna Western Sahara Yemen Zambia Zimbabwe Kosovo

Industry * Academia & Education Aerospace, Defense & Security Agriculture Asset Management Automotive Banking & Payments Chemicals Construction Consumer Foodservice Government, trade bodies and NGOs Health & Fitness Hospitals & Healthcare HR, Staffing & Recruitment Insurance Investment Banking Legal Services Management Consulting Marketing & Advertising Media & Publishing Medical Devices Mining Oil & Gas Packaging Pharmaceuticals Power & Utilities Private Equity Real Estate Retail Sport Technology Telecom Transportation & Logistics Travel, Tourism & Hospitality Venture Capital

Tick here to opt out of curated industry news, reports, and event updates from Verdict.

Submit and download

This collaboration enabled us to ensure the uninterrupted continuation of VMware cloud services for our customers, said Jake Madders, director and co-founder of Hyve Managed Hosting.

Hyve plans to build on its increased consumer base and double the headcount of its US office in the next quarter.

According to GlobalData forecasts, the total cloud computing market will be worth $1.4trn in 2027, having grown at a compound annual growth rate of 17.1% from $638.6bn in 2022.

Give your business an edge with our leading industry insights.

Read more:
UK cloud provider Hyve doubles its US customer base in 2024 as cloud demand soars - Verdict

Read More..

Crypto adoption in Argentina soars amid 276% inflation spike – Cointelegraph

Cryptocurrency adoption in Argentina has set records as the local inflation rate skyrockets.

Argentina has been leading the Western hemisphere in cryptocurrency adoption with a 276% annual inflation rate, according to analysts from the American business magazine Forbes.

Crypto adoption in Argentina is higher as a share of its global population than any other country in the Western hemisphere, Forbes analysts reported in an article on July 8. Out of 130 million visitors to 55 of the largest exchanges worldwide, 2.5 million came from Argentina, the report noted, citing website data from Similarweb.

Argentina is also the top market on Binance one of the worlds largest crypto exchanges in terms of visitors. According to SimilarWeb, website traffic from Argentina accounts for 6.9% of Binances total visits.

In contrast to the surging memecoin trend in the crypto industry, the crypto adoption in Argentina has not been driven by memecoins. The locals instead prefer holding stablecoins like Tether (USDT), the analysts claimed, citing remarks by Maximiliano Hin, Bitgets head of Latin America.

Argentina is an anomalous market where many people buy USDT and dont leave room for much else, Hinz said, adding:

Stablecoins like USDT are a type of cryptocurrency designed to maintain a stable value by pegging to a reserve of US dollars at a 1:1 ratio. With massive local inflation rates, holding money in USDT makes sense for people in Argentina despite the countrys lack of significant measures to protect stablecoin investors.

Despite Argentinas friendly stance on cryptocurrencies like Bitcoin (BTC), the country has apparently struggled to create a framework to regulate the industry.

In late 2023, after President Javier Milei took office, Argentina officially endorsed using Bitcoin in legally binding contracts.

Related: Canadian crypto adoption struggles as cash remains king

Since then, Argentina has been trying to regulate the local cryptocurrency market, passing registration requirements for crypto firms in April 2024.

Despite the governments crypto regulation efforts, Argentina still struggles to provide regulated cryptocurrency services to its population, according toForbes.

The report claimed that none of Argentinas top crypto exchanges, including Binance, have registered with the national securities regulator, Comisin Nacional de Valores (CNV).

To the best of my knowledge, there is no licensing requirement in the Latin American countries where Bitget operates, Bitgets Hin stated.

Cointelegraph approached CNV for a comment regarding local crypto regulations but did not receive a response at the time of publication.

Magazine: Crypto-Sec: Phishing scammer goes after Hedera users, address poisoner gets $70K

Read the original post:

Crypto adoption in Argentina soars amid 276% inflation spike - Cointelegraph

Read More..

$537 million Binance deposits tied to BTC price drop suggest whales selling: LookOnChain – The Block

The Block July 5, 2024, 3:31PM EDT Published 1 minute earlier on

Two wallets have deposited 9,500 BTC +2.55% to Binance since June 27, potentially indicating whales liquidating nearly $550 million in cryptocurrency.

The wallets, first spotted by blockchain analytics firm Lookonchain, could represent whales cashing in on their bitcoin holdings, which are currently valued at $537 million. When the transfers began last week, the stash was worth closer to $575 million.

Lookonchain also analyzed the timing of transfers from each of the two wallets and found a correlationbetween the transfers to addresses tagged as Binance deposit wallets by Arkham Intelligence and subsequent declines in the price of bitcoin that were likely sparked by the large sales.

One wallet still holds over 4,300 bitcoin worth nearly $250 million at current prices. Its most recent deposit to a Binance address occurred two days ago.

The crypto industry has been roiled in recent days by the movement of bitcoin associated with hacked exchange Mt. Gox's repayment of creditors in bitcoin and bitcoin cash. The news has already caused hundreds of millions of dollars of liquidations across the crypto market, though the timeline for repayments varies per custodian, and some creditors may have to wait up to three months to receive their coins.

Disclaimer: The Block is an independent media outlet that delivers news, research, and data. As of November 2023, Foresight Ventures is a majority investor of The Block. Foresight Ventures invests in other companies in the crypto space. Crypto exchange Bitget is an anchor LP for Foresight Ventures. The Block continues to operate independently to deliver objective, impactful, and timely information about the crypto industry. Here are our current financial disclosures.

2023 The Block. All Rights Reserved. This article is provided for informational purposes only. It is not offered or intended to be used as legal, tax, investment, financial, or other advice.

Originally posted here:

$537 million Binance deposits tied to BTC price drop suggest whales selling: LookOnChain - The Block

Read More..

Golem Moves 36,000 Ethereum to Binance And Coinbase Amidst Market Uncertainty – Milk Road

Golem has transferred a substantial amount of Ethereum (ETH) to various cryptocurrency exchanges over the past month. Golem is one of the most prominent Ethereum Initial Coin Offering (ICO) projects.

Key points:

According to blockchain data tracked by Arkham and reported by journalist Colin Wu, Golems main wallet has been consistently moving ETH to other wallets.

The funds were then moved to other crypto exchanges. These transactions happened almost every day, with the transactions mostly being under $10 million each.

Golem was one of the most successful ICOs during the 20162019 boom period. At the time of its ICO, Golem raised over 820,000 ETH, valued at $8.7 million.

Despite the large transfer of ETH to exchanges, Golem still holds 157,360 ETH according to Arkham data. The holdings are worth approximately $530 million at current market prices.

The timing of these transfers is particularly interesting given the current state of the cryptocurrency market and Golems recent focus on artificial intelligence (AI) tools. In May, Golem released a roadmap spotlight highlighting its work on AI-based projects.

The offloading of Ethereum also happens at a time when Ethereum is not in its best shape in terms of price. ETH is down almost 18% in the last 30 days. It is also happening at a time when the community is awaiting the launch of Ethereum ETFs.

Vignesh Karunanidhi

Vignesh has been a seasoned professional in the crypto space since 2017. He has been writing for over 6 years and specializes in writing and editing various types of crypto content, including news articles, long-form pieces, and blog posts, all focused on sharing the beauty of blockchain and crypto.

Milk Road Writer

Vignesh has been a seasoned professional in the crypto space since 2017. He has been writing for over 6 years and specializes in writing and editing various types of crypto content, including news articles, long-form pieces, and blog posts, all focused on sharing the beauty of blockchain and crypto.

Link:

Golem Moves 36,000 Ethereum to Binance And Coinbase Amidst Market Uncertainty - Milk Road

Read More..

Nigerian central bank alleges unauthorized transactions by Binance – Cointelegraph

The Central Bank of Nigeria (CBN) alleges crypto exchange Binance performed banking services without proper authorization.

According to local media, Olubukola Akinwunmi, head of payment policy and regulation at the CBN, testified before Judge Emeka Nwite of the Federal High Court of Nigeria in Abuja, asserting that Binances deposit and withdrawal transactions should be reserved for banks and authorized financial institutions.

The Nigerian government has accused Binance and its executives, Tigran Gambaryan and Nadeem Anjarwalla, of conspiring to obscure the origins of $35.4 million in financial proceeds from illegal activities in Nigeria.

During the trial, Akinwunmi, led by counsel for the Economic and Financial Crimes Commission, Ekele Iheanacho, stated that Binances website misled Nigerians into using its platform for naira transactions via a cash link. The platform promoted fee-free deposits and flat-fee withdrawals, activities regulated by the CBN and reserved for licensed banks and financial institutions.

Akinwunmi claimed that Binance also facilitated currency conversion from naira to United States dollars, which requires CBN authorization as an authorized dealer or a Bureau de Change. He highlighted that traders on Binance often use pseudonyms, contravening laws requiring the disclosure of true identities in financial transactions.

The witness detailed the peer-to-peer transaction process on Binance, where the buying party transfers naira to the selling partys bank account and confirms the transaction on the platform, prompting Binance to release the cryptocurrency or fiat currency. Akinwunmi argued that the service is a regulated activity that Binance was not authorized to perform.

Related:Nigerias crypto reputation will prevail despite recent setbacks Exchange exec

After Akinwunmis testimony, the court adjourned until July 16 for the defenses cross-examination. Nwite also ordered the Nigerian Correctional Services to produce Tigran Gambaryans medical reports, warning of consequences for noncompliance.

This crackdown on cryptocurrency activities follows the National Security Advisers classification of cryptocurrency trading as a national security issue. The CBN directed fintech startups Opay, Moniepoint, Paga and Palmpay to block and report accounts engaging in cryptocurrency transactions.

In February, Binance disabled its peer-to-peer feature for Nigerian users due to government scrutiny. Additionally, during a virtual meeting with the Blockchain Industry Coordinating Committee of Nigeria, the SEC called for measures to delist the naira from P2P platforms to curb market manipulation and protect the integrity of Nigerias capital market.

Magazine: Crypto-Sec: Phishing scammer goes after Hedera users, address poisoner gets $70K

See the rest here:

Nigerian central bank alleges unauthorized transactions by Binance - Cointelegraph

Read More..