Category Archives: Cloud Hosting

3 Cloud Computing Stocks to Watch as Apple Goes All-In on AI – InvestorPlace

The big three cloud service providers might get even bigger thanks to Apple

With the announcement of Apples (NASDAQ:AAPL) new approach to artificial intelligence (AI) called Apple Intelligence, three of the biggest cloud computing stocks are about to reach the next level of consumer exposure. Thats because Apple is now moving toward offering on-device, artificial intelligence through a partnership with OpenAI for its ChatGPT platform. While the AI itself will run on the device, much of the data analytics required to make it effective over the long run will be provided by Apples biggest cloud service suppliers.

For investors taking positions in these stocks, buying now could be exceptionally lucrative as Apple pushes to revolutionize how the average person interacts with AI. Thats because Apple will need to spend billions of dollars on cloud infrastructure to support a future where millions of people actively rely on its AI services for daily tasks related to their phones and personal devices.

Source: The Art of Pics / Shutterstock.com

Though Apple largely transitioned away from using Microsofts (NASDAQ:MSFT) Azure cloud computing system, it still partners with the company for several of its major features. Even more interesting now, it will likely rely heavily on Microsoft moving forward due to MSFTs relationship with OpenAI.

Moreover, Microsoft is likely to derive a generous amount of revenue directly from Apple in the form of royalties for its usage of ChatGPT as Open AI since Microsofts investment in open AI allows it to collect 49% of the profits generated by the company.

Thus, for Microsoft and its investors, Apples decision to jump on the AI train is a win-win situation across the board. Not only will Microsoft be able to derive revenue from Apple, but it will also be able to analyze the usage data of ChatGPT to improve the AI even further. As such, Microsoft is one of the best cloud computing stocks to buy as Apple goes all in on AI.

Source: PK Studio / Shutterstock

Surprisingly, another one of Apples major cloud service providers, Alphabet (NASDAQ:GOOG, NASDAQ:GOOGL) provided its Google Cloud Platform and Google Search engine to support Apples products for the better part of a decade. That may come as a surprise, considering that the two companies still actively compete in smartphone and smartwatch sales, but it seems like, in this case, supporting Apples cloud endeavors is incredibly lucrative for Google.

While Google may not be as directly involved in AI development for Apples products as Microsoft and OpenAI are, it is now Apples biggest cloud service provider since the company moved away from Microsoft Azure.

Moreover, much of the cloud computing technology necessary to help process all the data that Apples intelligence devices will generate is likely to run through Googles computers, increasing the companys revenue from Apple-related services.

Source: Sundry Photography / Shutterstock.com

It may be difficult to believe, but at one point, Apple was Amazons (NASDAQ:AMZN) biggest cloud service customer. In fact, when iCloud was launched in 2011, Amazon Web Services was its first host for all of its features. Now, Apple diversified a few of those features across the aforementioned Google Cloud and Microsoft, but the fact remains that its iCloud product line relies heavily on AWS to operate.

With the introduction of Apple intelligence and the data-intensive storage requirements that iCloud will likely have to implement, Amazon will likely derive even more revenue from Apple. This all stems from Apples focus on designs and software rather than investing in computers and manufacturing infrastructure.

Combine this with Amazon Web Services other success as a cloud computing provider, and its clear why AMZN stock might be the best cloud computing company to buy right now.

On the date of publication, Viktor Zarevdid not have (either directly or indirectly) any positions in the securities mentioned in this article.The opinions expressed in this article are those of the writer, subject to the InvestorPlace.comPublishing Guidelines.

On the date of publication, the responsible editor held LONG positions in AAPL and AMZN.

Viktor Zarev is a scientist, researcher, and writer specializing in explaining the complex world of technology stocks through dedication to accuracy and understanding.

More here:
3 Cloud Computing Stocks to Watch as Apple Goes All-In on AI - InvestorPlace

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

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

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

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

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

Financial firms are increasingly turning to hybrid cloud – TechRadar

New research has revealed a major upcoming shift when it comes to hybrid cloud adoption among financial services sector businesses.

Despite observing a consistent year-on-year growth in the adoption of hybrid multicloud deployments, the findings from Nutanix predict a threefold increase in adoption over the next three years, hinting at the future landscape of the financial services sector.

The research claims data security, ransomware protection, implementing AI strategies and minimizing costs are among the key contributors to the upcoming growth of hybrid cloud adoption.

Alarmingly, almost all respondents (99%) reported experiencing a ransomware attack in the past three years, with a significant majority (89%) acknowledging the need for improvement in terms of enhancing their organizations' protection.

Its a sign of the times that hybrid multicloud adoption is set to triple as financial services users gear up for heightened cybersecurity risks as new regulatory requirements, such as the EUs 2025 Digital Operational Resilience Act (DORA), go into effect - making data protection and disaster recovery a hybrid multicloud imperative," noted Lee Caswell, SVP of Product & Solutions Marketing at Nutanix.

Looking ahead, Nutanix says that finance service companies have not changed their priorities when assessing the suitability cloud providers. Flexibility, security, and data capabilities remain as important as they were last year. The study also notes the financial industrys greater emphasis on sustainability and cost compared with other sectors.

Many financial enterprises cited data access performance, security, and regulatory compliance as the driving factors for relocating applications to different infrastructures.

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

Looking ahead, despite tighter regulatory restrictions imposed on the sector, its clear that even financial enterprises are seeking to benefit from the various cost, efficiency and sustainability advantages of hybrid cloud setups. Moreover, the cloud market, already worth $300 billion, is in for a healthy uptick as a result.

Follow this link:
Financial firms are increasingly turning to hybrid cloud - TechRadar

Applications and Importance of Cloud Computing in Healthcare – Appinventiv

The healthcare domain is experiencing a significant surge in terms of innovation, particularly after the COVID-19 pandemic. The industry is witnessing massive digital transformation, impacting every aspect of the industry security, predictiveness, performance, accessibility, affordability, and beyond.

When we talk about digital transformation redefining the healthcare sector, we often refer to technologies like blockchain, Artificial Intelligence, Machine Learning, IoT, etc., and even SaMD (software-based healthcare devices). While all these technology trends are the key enablers behind the unparalleled growth of healthcare companies, cloud computing acts as a backbone for all these next-gen technological innovations.

Cloud computing in healthcare has brought a huge shift in the creation, consumption, storage, and sharing of medical data. According to McKinsey, cloud-based healthcare solutions can generate value of $100 billion to $170 billion by 2030. The key driver of this growing value lies in empowering healthcare companies to innovate, digitize, and realize their strategic objectives more effectively.

Lets delve deeper to understand the different facets of cloud computing for healthcare and how it is revolutionizing the domain.

Cloud computing for the healthcare industry is primarily about implementing remote server access via the Internet to store, manage, and process medical data. This process provides a flexible solution for healthcare stakeholders to remotely access servers where the data is hosted. The remote accessibility of healthcare data breaks down the location barriers to accessing medical services.

Cloud computing for healthcare comes with two-fold applications for both patients and healthcare providers, enabling them to use a massive amount of data securely from anywhere, anytime, improve patient care, streamline operations, and automate various processes.

For medical institutions, virtualization in cloud computing helps lower operational spend while enabling them to deliver high-quality and personalized care. The patients, on the other hand, are getting accustomed to the instant delivery of healthcare services.

Cloud computing for healthcare, with its on-demand availability, high-data accessibility, and internet-based services, has transformed the entire healthcare industry. It is why tech-savvy medical professionals increasingly embrace cloud technology in healthcare for all its benefits to effectively address patients and business needs. Here are some benefits of cloud computing in healthcare:

The primary benefits of cloud computing in healthcare are the real-time availability of resources such as data storage and computing power. Also, there are no upfront charges linked with the healthcare cloud adoption; they will only have to pay for the resources they use.

Furthermore, cloud computing in healthcare provides an optimum environment for scaling without burning a hole in the pocket. With the patients data flowing in from several sources like EMRs, healthcare apps, and wearables, a cloud solution for healthcare makes it possible to scale the storage while keeping the costs low.

Interoperability focuses on establishing data integrations through the entire healthcare system, irrespective of the origin or where the data is stored. It makes patients data available for easy distribution and for getting insights to aid healthcare delivery. Also, cloud computing for healthcare enables medical professionals to access a varied range of patient data, share it with key stakeholders, and deliver timely protocols.

The applications of cloud computing in the healthcare sector democratize data and empower patients to control their health. It facilitates patients participation in making crucial decisions related to their health, working as a tool to better patient engagement and education. Also, with cloud-based healthcare, medical data can be archived and retrieved easily. And with an increase in the system uptime, the data redundancy is reduced to a huge extent, and data recovery also becomes easier.

Healthcare cloud adoption significantly boosts collaboration between healthcare stakeholders, providers, and patients. By saving the Electronic Health Records in the cloud, patients no longer need to carry their medical records to every doctor visit. The doctors can easily view the information, see the outcome of previous interactions, and even share information with one another in real-time. This, in turn, enables them to provide more personalized and better treatment.

Also Read: EMR Vs. EHR Development What Should you Choose for your Healthcare Business?

Cloud computing for healthcare also enhances patients engagement in the delivery of medical services by giving them real-time access to medical data, test results, and even doctors notes. Also, cloud-based healthcare provides patients with a check from being overprescribed or dragged into unnecessary testing the details of both can be found in the medical records.

The healthcare industry deals with a massive amount of data on a daily basis, making it a focal point of attraction to malicious attackers, which increases the risk of data breaches and cyber-attacks. With the applications of cloud computing in healthcare, medical institutions, and healthcare providers can ensure failsafe security as these applications can proactively inform you about suspicious attempts.

Also, cloud solutions for healthcare enable professionals to outsource data storage to cloud service providers like AWS or Azure to efficiently comply with security and privacy standards like HIPAA and GDPR.

Now that we know the importance of cloud computing in healthcare, lets explore the different types of cloud solutions for healthcare.

Also Read: How to develop a cloud application: A step-by-step process

Cloud computing for the healthcare industry works in two models: Deployment and Distribution.

Private Only one healthcare firm/chain can use the cloud facility.

Community A group of healthcare bodies can access the cloud.

Public The cloud is open for all the stakeholders to access.

Hybrid The model combines multiple clouds with various access options.

Software as a Service (SaaS) In the Software as a Service model, the provider offers IT infrastructure, and the client deploys operating systems and applications.

Infrastructure as a Service (IaaS) The provider gives an IT infrastructure and operating system, and the client deploys applications.

Platform as a Service (PaaS) The provider gives an IT infrastructure, an operating system, applications, and every other component in a ready-to-use module.

Also Read: The key differences between IaaS and PaaS.

While cloud computing for healthcare offers numerous advantages to businesses and patients alike, the technology also combines some significant risks and challenges. Lets have a look at some risks associated with healthcare cloud solutions.

In the healthcare software domain, it can be difficult to find skilled developers who specialize in integrating new technologies into the industry. Likewise, it is tough to find cloud specialists in the healthcare domain.

The applications of cloud services for healthcare alone cannot make the industry efficient. Organizations need to combine cloud computing with the Internet of Things and data management systems to establish an effective analytics architecture.

Switching from legacy systems to cloud systems requires changing the complete operational process. Healthcare organizations must train everyone involved in the process on how the technology can benefit their everyday job.

Storing medical data in the cloud is central to healthcare cloud adoption. This, however, increases the risk of data breaches. It happens because, in a typical cloud setup, one organizations data shares the server with other healthcare organizations, and the isolation mechanisms that are put in place to separate them may fail. It causes a situation where organizations fail to secure their cloud infrastructure from the growing incidents of cyber attacks.

Cloud computing has become an inseparable part of healthcare, offering numerous advantages to businesses operating in the industry. Here are some real-world examples of companies that greatly benefit from the powerful impact of cloud computing on healthcare. These examples demonstrate how cloud computing for healthcare helps businesses enhance patient care, streamline operations, boost collaboration, and improve data management, eventually improving the overall efficiency of medical services.

YouComm is an emerging healthcare technology company that uses cloud computing to enhance patient communication and engagement. YouCOMM uses a fully customizable patient messaging system that enables patients to notify the staff of their needs through manual selection of options, voice commands, and head gestures. By offering secure and user-friendly communication tools, YouComm facilitates collaboration between patients, healthcare providers, and caregivers. The result? Today, 5+ Hospital chains in the US run on YouCOMM solution, while the company witnesses 60% growth in nurses real-time response time. Moreover, 3+ hospitals received high CMS reimbursement.

Soniphi, the very first resonant frequencies-based personal wellness system, uses cloud-based healthcare solutions to provide patients with a complete well-being analysis report on their personal healthcare apps. Their cloud infrastructure supports early disease diagnosis, remote patient monitoring, and telehealth consultations.

Pfizer is a biotechnology and pharmaceutical company using cloud computing in medicine for better collaboration among all parts of its projects since 2016. Pfizer was in the spotlight recently as it developed the vaccine for COVID-19 in partnership with BioNTech. Also, the company works with AWS to create cloud-based solutions that focus on improving the development and distribution processes for clinical trial testing.

As technology evolves, healthcare organizations rapidly embrace cloud solutions to manage massive amounts of data, improve patient care, and streamline operations. Also, cloud computing supports the integration of artificial intelligence into mainstream healthcare operations.

It is why, today, businesses, irrespective of their sizes, are increasingly leveraging cloud computing for a wide range of purposes, including disaster recovery, data backup, virtual desktops, email, software development, testing, and big data analytics.

Looking ahead, the future of healthcare envisions seamless interoperability between the connected medical devices and healthcare systems. It makes medical record sharing safer and easier and automates various operational processes. These endeavors contribute to a more agile healthcare environment, enhancing the overall patient care and delivery of healthcare services.

Cloud computing in the healthcare industry is continually rising, and it is poised for immense transformation and innovation in the coming years.

Looking for risk-proof cloud solutions for healthcare? Partner with us, and we will help you leverage the full potential of cloud computing in the form of streamlined delivery, high security, optimal performance, and reduced costs.

Being a renowned provider of healthcare software development services, we have a team of 600+ cloud specialists who have successfully delivered more than 350 cloud applications for businesses across the globe. Our cloud experts build custom solutions around the common risks associated with 80% of healthcare cloud projects compliance checks, data security, and chances of downtime.

Our custom range of services includes cloud consulting, cloud architecture design, cloud infrastructure configuration, cloud managed services, and code reviews.

From streamlining everyday processes to integrating innovation across the system, our healthcare cloud consulting services tackle all the industry challenges and support your business at every stage of transformation.

Contact us now to adopt cloud computing in healthcare and overcome technical issues.

Q. How is cloud computing used in healthcare?

A. Cloud computing in the healthcare sector provides organizations with a secured infrastructure that makes the data management system more scalable and flexible. The essential functionalities involved in the workflow of healthcare cloud services are authorization, authentication, data persistence, data confidentiality, and data integrity. Here are the key steps describing how cloud computing is used in a healthcare environment.

Q. What are the use cases of cloud computing in healthcare?

A. Listed below are some of the top applications and use cases of cloud computing in healthcare that aim to drive a tech-led healthcare system.

THE AUTHOR

Dileep Gupta

Read more from the original source:
Applications and Importance of Cloud Computing in Healthcare - Appinventiv

Cloud Native Computing Foundation Announces Heroku Joins as a Platinum Member – WV News

State Alabama Alaska Arizona Arkansas California Colorado Connecticut Delaware Florida Georgia Hawaii Idaho Illinois Indiana Iowa Kansas Kentucky Louisiana Maine Maryland Massachusetts Michigan Minnesota Mississippi Missouri Montana Nebraska Nevada New Hampshire New Jersey New Mexico New York North Carolina North Dakota Ohio Oklahoma Oregon Pennsylvania Rhode Island South Carolina South Dakota Tennessee Texas Utah Vermont Virginia Washington Washington D.C. West Virginia Wisconsin Wyoming Puerto Rico US Virgin Islands Armed Forces Americas Armed Forces Pacific Armed Forces Europe Northern Mariana Islands Marshall Islands American Samoa Federated States of Micronesia Guam Palau Alberta, Canada British Columbia, Canada Manitoba, Canada New Brunswick, Canada Newfoundland, Canada Nova Scotia, Canada Northwest Territories, Canada Nunavut, Canada Ontario, Canada Prince Edward Island, Canada Quebec, Canada Saskatchewan, Canada Yukon Territory, Canada

Zip Code

Country United States of America US Virgin Islands United States Minor Outlying Islands Canada Mexico, United Mexican States Bahamas, Commonwealth of the Cuba, Republic of Dominican Republic Haiti, Republic of Jamaica Afghanistan Albania, People's Socialist Republic of Algeria, People's Democratic Republic of American Samoa Andorra, Principality of Angola, Republic of Anguilla Antarctica (the territory South of 60 deg S) Antigua and Barbuda Argentina, Argentine Republic Armenia Aruba Australia, Commonwealth of Austria, Republic of Azerbaijan, Republic of Bahrain, Kingdom of Bangladesh, People's Republic of Barbados Belarus Belgium, Kingdom of Belize Benin, People's Republic of Bermuda Bhutan, Kingdom of Bolivia, Republic of Bosnia and Herzegovina Botswana, Republic of Bouvet Island (Bouvetoya) Brazil, Federative Republic of British Indian Ocean Territory (Chagos Archipelago) British Virgin Islands Brunei Darussalam Bulgaria, People's Republic of Burkina Faso Burundi, Republic of Cambodia, Kingdom of Cameroon, United Republic of Cape Verde, Republic of Cayman Islands Central African Republic Chad, Republic of Chile, Republic of China, People's Republic of Christmas Island Cocos (Keeling) Islands Colombia, Republic of Comoros, Union of the Congo, Democratic Republic of Congo, People's Republic of Cook Islands Costa Rica, Republic of Cote D'Ivoire, Ivory Coast, Republic of the Cyprus, Republic of Czech Republic Denmark, Kingdom of Djibouti, Republic of Dominica, Commonwealth of Ecuador, Republic of Egypt, Arab Republic of El Salvador, Republic of Equatorial Guinea, Republic of Eritrea Estonia Ethiopia Faeroe Islands Falkland Islands (Malvinas) Fiji, Republic of the Fiji Islands Finland, Republic of France, French Republic French Guiana French Polynesia French Southern Territories Gabon, Gabonese Republic Gambia, Republic of the Georgia Germany Ghana, Republic of Gibraltar Greece, Hellenic Republic Greenland Grenada Guadaloupe Guam Guatemala, Republic of Guinea, Revolutionary People's Rep'c of Guinea-Bissau, Republic of Guyana, Republic of Heard and McDonald Islands Holy See (Vatican City State) Honduras, Republic of Hong Kong, Special Administrative Region of China Hrvatska (Croatia) Hungary, Hungarian People's Republic Iceland, Republic of India, Republic of Indonesia, Republic of Iran, Islamic Republic of Iraq, Republic of Ireland Israel, State of Italy, Italian Republic Japan Jordan, Hashemite Kingdom of Kazakhstan, Republic of Kenya, Republic of Kiribati, Republic of Korea, Democratic People's Republic of Korea, Republic of Kuwait, State of Kyrgyz Republic Lao People's Democratic Republic Latvia Lebanon, Lebanese Republic Lesotho, Kingdom of Liberia, Republic of Libyan Arab Jamahiriya Liechtenstein, Principality of Lithuania Luxembourg, Grand Duchy of Macao, Special Administrative Region of China Macedonia, the former Yugoslav Republic of Madagascar, Republic of Malawi, Republic of Malaysia Maldives, Republic of Mali, Republic of Malta, Republic of Marshall Islands Martinique Mauritania, Islamic Republic of Mauritius Mayotte Micronesia, Federated States of Moldova, Republic of Monaco, Principality of Mongolia, Mongolian People's Republic Montserrat Morocco, Kingdom of Mozambique, People's Republic of Myanmar Namibia Nauru, Republic of Nepal, Kingdom of Netherlands Antilles Netherlands, Kingdom of the New Caledonia New Zealand Nicaragua, Republic of Niger, Republic of the Nigeria, Federal Republic of Niue, Republic of Norfolk Island Northern Mariana Islands Norway, Kingdom of Oman, Sultanate of Pakistan, Islamic Republic of Palau Palestinian Territory, Occupied Panama, Republic of Papua New Guinea Paraguay, Republic of Peru, Republic of Philippines, Republic of the Pitcairn Island Poland, Polish People's Republic Portugal, Portuguese Republic Puerto Rico Qatar, State of Reunion Romania, Socialist Republic of Russian Federation Rwanda, Rwandese Republic Samoa, Independent State of San Marino, Republic of Sao Tome and Principe, Democratic Republic of Saudi Arabia, Kingdom of Senegal, Republic of Serbia and Montenegro Seychelles, Republic of Sierra Leone, Republic of Singapore, Republic of Slovakia (Slovak Republic) Slovenia Solomon Islands Somalia, Somali Republic South Africa, Republic of South Georgia and the South Sandwich Islands Spain, Spanish State Sri Lanka, Democratic Socialist Republic of St. Helena St. Kitts and Nevis St. Lucia St. Pierre and Miquelon St. Vincent and the Grenadines Sudan, Democratic Republic of the Suriname, Republic of Svalbard & Jan Mayen Islands Swaziland, Kingdom of Sweden, Kingdom of Switzerland, Swiss Confederation Syrian Arab Republic Taiwan, Province of China Tajikistan Tanzania, United Republic of Thailand, Kingdom of Timor-Leste, Democratic Republic of Togo, Togolese Republic Tokelau (Tokelau Islands) Tonga, Kingdom of Trinidad and Tobago, Republic of Tunisia, Republic of Turkey, Republic of Turkmenistan Turks and Caicos Islands Tuvalu Uganda, Republic of Ukraine United Arab Emirates United Kingdom of Great Britain & N. Ireland Uruguay, Eastern Republic of Uzbekistan Vanuatu Venezuela, Bolivarian Republic of Viet Nam, Socialist Republic of Wallis and Futuna Islands Western Sahara Yemen Zambia, Republic of Zimbabwe

Go here to read the rest:
Cloud Native Computing Foundation Announces Heroku Joins as a Platinum Member - WV News

CoreWeave signs another 70MW hosting deal with Core Scientific – DatacenterDynamics

CoreWeave is securing additional capacity at data centers owned by Core Scientific.

Cryptomine firm Core Scientific this week announced that GPU cloud provider CoreWeave is leasing a further 70MW from the company in a new 12-year deal.

Core Scientific will modify a total of 100MW of its owned infrastructure to deliver approximately 70MW to host CoreWeaves Nvidia GPUs for HPC operations.

Site modifications are expected to begin in the second half of 2024, with operational status anticipated in the second half of 2025.

The announcement comes after CoreWeave exercised its first option to contract additional infrastructure under the terms of the 200MW, 12-year hosting contract announced earlier this month. This deal adds 70MW to the originally contracted 200MW.

We are excited to build on our momentum and expand the scope of our HPC hosting business with significant additional infrastructure, said Adam Sullivan, Core Scientific CEO. The world is changing, and many data centers built in the last 20 years are not suitable to support future computing requirements. Our application-specific data centers will serve clients such as CoreWeave as they deploy next-generation chips with higher densities at scale.

Core Scientific said the deal will add an additional $1.225 billion in projected cumulative revenue over the 12-year contract timeline, in addition to the $3.5 billion previously predicted from the original deal. The new agreement with CoreWeave also provides opportunities for two renewal terms of five years each.

In addition to the 270MW already contracted and set to be delivered by H2 2025, CoreWeave retains options for a further 230MW at other Core Scientific sites.

Both CoreWeave and Core Scientific were founded in 2017 as crypto firms.

CoreWeave which counts Nvidia as an investor pivoted to a GPU cloud offering, providing access to GPUs for AI applications. Core Scientific, meanwhile has continued to focus on hosting cryptomining hardware for itself and others, and is increasingly starting to host AI-focused hardware.

The duo have worked together for several years. Core Scientific said it hosted thousands of CoreWeaves GPUs in its data centers from 2019 to 2022, and in March the companies announced CoreWeave was leasing 16MW of capacity from Core Scientific's Austin data center.

Under the 200MW deal announced earlier this month, Core Scientific said it will modify multiple existing, owned sites to host CoreWeaves Nvidia GPUs. The crypto-company intends to redeploy Bitcoin mining capacity from designated HPC sites to its other dedicated mining sites.

CoreScientific said that with 1.2GW of contracted power, the company is able to deliver nearly 500MW of HPC capacity. The company operates cryptomining data center campuses in Texas, North Dakota, Kentucky, Georgia, and North Carolina.

CoreWeave, meanwhile, has raised billions of dollars in equity and billions more in debt financing as it looks to become a major player in the AI cloud space. It has been on a major leasing spree in the last 18 months and previously said that it expects to operate 14 data centers by the end of 2023 and 28 by the end of 2024.

The company currently lists three data center regions on its website; US East in Weehawken, New Jersey; US West in Las Vegas, Nevada; and US Central in Chicago, Illinois, while its status page also lists a region in Reno. It has signed leasing deals with multiple providers across the US and is expanding into Europe.

Core Scientific filed for bankruptcy in late 2022 and emerged from proceedings earlier this year. This month it rejected an offer from CoreWeave to buy the company.

Visit link:
CoreWeave signs another 70MW hosting deal with Core Scientific - DatacenterDynamics