Exam Code: AZ-801 Practice exam 2023 by Killexams.com team Configuring Windows Server Hybrid Advanced Services Microsoft Configuring health Killexams : Microsoft Configuring health - BingNews
https://killexams.com/pass4sure/exam-detail/AZ-801
Search resultsKillexams : Microsoft Configuring health - BingNews
https://killexams.com/pass4sure/exam-detail/AZ-801
https://killexams.com/exam_list/MicrosoftKillexams : Microsoft Is Aggressively Investing In Healthcare AI
Earlier this month, healthcare artificial intelligence (AI) company Paige announced a new partnership with renowned technology giant, Microsoft.
Paige describes itself as a company at the forefront of technology and healthcare, especially in the field of cancer diagnostics and pathology. The company explains its mission: “Led by a team of experts in the fields of life sciences, oncology, pathology, technology, machine learning, and healthcare…[we strive] to transform cancer diagnostics. We make it possible not only to provide additional information from digital slides to help pathologists perform their diagnostic work efficiently and confidently, but also to go beyond by extracting novel insights from digital slides that can’t be seen by the naked eye. These unique tissue signatures have the potential to help guide treatment decisions and enable the development of novel biomarkers from tissues for diagnostic, pharmaceutical and life sciences companies.”
The company offers a variety of solutions. On the clinical front, Paige’s AI tools enable advanced diagnostics in the lab with computational pathology, which can be leveraged to identify complex tissue patterns. On the pharmaceutical front, the company’s tools offer new ways to identify and analyze tissue biomarkers, pushing forward diagnostic and predictive capabilities.
Given its new partnership with Microsoft, the goal will be to use the latter’s incredibly robust resources in healthcare and technology to further unlock value in Paige’s tools. Andy Moye, CEO of Paige explained: “In Microsoft, we’ve really found a partner that shares our vision in how healthcare is going to be transformed … For us, the vision we talked to Microsoft about is, how do we help create the digitization of pathology? How do we ensure that these tools are being used to get better patient care, to get better patient outcomes?”
SAN FRANCISCO, CA - MARCH 30: Microsoft CEO Satya Nadella delivers the keynote address during the ... [+]2016 Microsoft Build Developer Conference in San Francisco, California. (Photo by Justin Sullivan/Getty Images)
Getty Images
Rightly so, Microsoft’s work in healthcare has grown tremendously in the last few years. The company has invested billions in developing important hardware tools such as HoloLens, which have genuine potential applications in the future of care delivery. Moreover, the company has also invested significant time and resources on the software side. The company’s robust Cloud offering in healthcare is the backbone of some of the largest healthcare organizations in the world. Through these services, Microsoft has helped unlock significant value in the areas of “enhance[ing] patient engagement, empower[ing] health team collaboration, improv[ing] patient-provider experiences, boost[ing] clinician productivity, improv[ing] health data insights, and protect[ing] health information.”
This partnership also comes at a time when the entire world is shifting attention to artificial intelligence. The world’s largest tech companies, ranging from Google, to Amazon and Apple, have unequivocally agreed that AI is the next frontier in technological innovation. Healthcare is just one of the many sectors that AI can potentially disrupt in a positive manner. At the very least, AI will likely enable novel ways to analyze, learn from, and utilize the terabytes of healthcare data that is generated annually.
Of course, AI technology is still largely immature for the most part, especially when it comes to applications in healthcare. Innovators still need to invest significant time and efforts in creating safe, ethical, and patient-centered use-cases for the technology. However, if developed correctly, the technology may change the face of healthcare for generations to come.
Sun, 22 Jan 2023 10:00:00 -0600Sai Balasubramanian, M.D., J.D.entext/htmlhttps://www.forbes.com/sites/saibala/2023/01/23/microsoft-is-aggressively-investing-in-healthcare-ai/Killexams : Microsoft restores PC Health Check app for Windows 11 compatibility24 24
It has been around three months since Microsoft last offered an update on the PC Health Check app, which was subsequently pulled due to varying and incorrect results. Now, (via: Windows Latest) Microsoft has restored the app, which is still called a preview version, and it can once again be downloaded from the official page at Microsoft. However, in order to get it, you must be signed into a Microsoft ID and registered as a Windows Insider.
The new version, 3.0.210914001 does not come with a changelog, so it's not possible to see what has changed, and Microsoft has seemingly decided to launch it quietly, without announcing it in a blog post.
When running the app, you can now get a detailed view of what is compliant or not. Microsoft has attempted to clarify the minimum hardware specifications for Windows 11 a number of times since the announcement in June, the latest guidelines added some seventh-gen Intel CPUs at the end of August, but those were limited to mainly non consumer SKUs, namely:
Core X and Xeon W series.
Surface Studio’s Core 7820HQ processor.
Microsoft later clarified that if people went ahead and installed Windows 11 on unsupported systems, they would be blocked from receiving updates. Ahead of general availability on October 5, Microsoft has already begun blocking Virtual Machines without access to a TPM from updating Windows 11 builds. Physical unsupported machines will continue to receive new builds and updates until October 5, after which they will be rolled back to Windows 10.
If you still need to check if your device is eligible for the free Windows 11 upgrade, you can grab the PC Health Check app from here, but as previously mentioned, you will have to be signed into a Microsoft ID and be registered as a Windows Insider. You can also view the detailed minimum requirements here.
Fri, 20 Jan 2023 20:58:00 -0600Steven Parkerentext/htmlhttps://www.neowin.net/news/microsoft-restores-pc-health-check-app-for-windows-11-compatibility/Killexams : The best new features in ASP.NET Core 7
A major part of Microsoft’s “cloud-first” .NET 7 release in November, ASP.NET Core 7 brings powerful new tools to the web development framework to help developers create modern web applications. Built on top of the .NET Core runtime, ASP.NET Core 7 has everything you need to build cutting-edge web user interfaces and robust back-end services on Windows, Linux, and macOS alike.
This article discusses the biggest highlights in ASP.NET Core 7, and includes some code examples to get you started with the new features. To work with the code examples provided in this article, you should have Visual Studio 2022 installed in your computer. If you don’t have a copy, you can download Visual Studio 2022 here.
Now let’s dive into the best new features in ASP.NET Core 7.
Output caching middleware
ASP.NET Core 7 allows you to use output caching in all ASP.NET Core apps: Minimal API, MVC, Razor Pages, and Web API apps with controllers. To add the output caching middleware to the services collection, invoke the IServiceCollection.AddOutputCache extension method. To add the middleware to the request processing pipeline, call the IApplicationBuilder.UseOutputCache extension method.
Then, to add a caching layer to an endpoint, you can use the following code.
var builder = WebApplication.CreateBuilder(args);
var app = builder.Build();
app.MapGet("/", () => "Hello World!").CacheOutput();
app.Run();
Rate-limiting middleware
Controlling the rate at which clients can make requests to endpoints is an important security measure that allows web applications to ward off malicious attacks. You can prevent denial-of-service attacks, for example, by limiting the number of requests coming from a single IP address in a given period of time. The term for this capability is rate limiting.
The Microsoft.AspNetCore.RateLimiting middleware in ASP.NET Core 7 can help you enforce rate limiting in your application. You can configure rate-limiting policies and then attach those policies to the endpoints, thereby protecting those endpoints from denial-of-service attacks. This middleware is particularly useful for public-facing web applications that are susceptible to such attacks.
You can use the rate-limiting middleware with ASP.NET Core Web API, ASP.NET Core MVC, and ASP.NET Core Minimal API apps. To get started using this built-in middleware, add the Microsoft.AspNetCore.RateLimiting NuGet package to your project by executing the following command at the Visual Studio command prompt.
Alternatively, you can add this package to your project by running the following command in the NuGet package manager console or console window:
Install-Package Microsoft.AspNetCore.RateLimiting
Once the rate-limiting middleware has been installed, include the code snippet given below to your Program.cs file to add rate limiting services with the default configuration.
ASP.NET Core 7 includes a new request decompression middleware that allows endpoints to accept requests that have compressed content. This eliminates the need to write code explicitly to decompress requests with compressed content. It works by using a Content-Encoding HTTP header to identify and decompress compressed content in HTTP requests.
In response to an HTTP request that matches the Content-Encoding header value, the middleware encapsulates the HttpRequest.Body in a suitable decompression stream using the matching provider. This is followed by the removal of the Content-Encoding header, which indicates that the request body is no longer compressed. Note that the request decompression middleware ignores requests without a Content-Encoding header.
The code snippet below shows how you can enable request decompression for the default Content-Encoding types.
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddRequestDecompression();
var app = builder.Build();
app.UseRequestDecompression();
app.MapPost("/", (HttpRequest httpRequest) => Results.Stream(httpRequest.Body));
app.Run();
The default decompression providers are the Brotli, Deflate, and Gzip compression formats. Their Content-Encoding header values are br, deflate, and gzip, respectively.
Filters in minimal APIs
Filters let you execute code during certain stages in the request processing pipeline. A filter runs before or after the execution of an action method. You can take advantage of filters to track web page visits or validate the request parameters. By using filters, you can focus on the business logic of your application rather than on writing code for the cross-cutting concerns in your application.
An endpoint filter enables you to intercept, modify, short-circuit, and aggregate cross-cutting issues such as authorization, validation, and exception handling. The new IEndpointFilter interface in ASP.NET Core 7 lets us design filters and connect them to API endpoints. These filters may change request or response objects or short-circuit request processing. An endpoint filter can be invoked on actions and on route endpoints.
The IEndpointFilter interface is defined in the Microsoft.AspNetCore.Http namespace as shown below.
The following code snippet illustrates how multiple endpoint filters can be chained together.
app.MapGet("/", () =>
{
return "Demonstrating multiple endpoint filters.";
})
.AddEndpointFilter(async (endpointFilterInvocationContext, next) =>
{
app.Logger.LogInformation("This is the 1st filter.");
var result = await next(endpointFilterInvocationContext);
return result;
})
.AddEndpointFilter(async (endpointFilterInvocationContext, next) =>
{
app.Logger.LogInformation("This is the 2nd filter.");
var result = await next(endpointFilterInvocationContext);
return result;
})
.AddEndpointFilter(async (endpointFilterInvocationContext, next) =>
{
app.Logger.LogInformation("This is the 3rd Filter.");
var result = await next(endpointFilterInvocationContext);
return result;
});
Parameter binding in action methods using DI
With ASP.NET Core 7, you can take advantage of dependency injection to bind parameters in the action methods of your API controllers. So, if the type is configured as a service, you no longer need to add the [FromServices] attribute to your method parameters. The following code snippet illustrates this.
[Route("[controller]")]
[ApiController]
public class MyDemoController : ControllerBase
{
public ActionResult Get(IDateTime dateTime) => Ok(dateTime.Now);
}
Typed results in minimal APIs
The IResult interface was added in .NET 6 to represent values returned from minimal APIs that do not make use of the implicit support for JSON serializing the returned object. It should be noted here that the static Result class is used to create various IResult objects that represent different types of responses, such as setting a return status code or rerouting the user to a new URL. However, because the framework types returned from these methods were private, it wasn’t possible to verify the correct IResult type being returned from action methods during unit testing.
With .NET 7, the framework types that implement the IResult interface are now public. Thus we can use type assertions when writing our unit tests, as shown in the code snippet given below.
[TestClass()]
public class MyDemoApiTests
{
[TestMethod()]
public void MapMyDemoApiTest()
{
var result = _MyDemoApi.GetAllData();
Assert.IsInstanceOfType(result, typeof(Ok<MyDemoModel[]>));
}
}
You can also use IResult implementation types to unit test your route handlers in minimal APIs. The following code snippet illustrates this.
var result = (Ok<MyModel>)await _MyDemoApi.GetAllData()
Route groups in minimal APIs
With ASP.NET Core 7, you can leverage the new MapGroup extension method to organize groups of endpoints that share a common prefix in your minimal APIs. The MapGroup extension method not only reduces repetitive code, but also makes it easier to customize entire groups of endpoints.
The following code snippet shows how MapGroup can be used.
The next code snippet illustrates the MapAuthorsApi extension method.
public static class MyRouteBuilder
{
public static RouteGroupBuilder MapAuthorsApi(this RouteGroupBuilder group)
{
group.MapGet("/", GetAllAuthors);
group.MapGet("/{id}", GetAuthor);
group.MapPost("/", CreateAuthor);
group.MapPut("/{id}", UpdateAuthor);
group.MapDelete("/{id}", DeleteAuthor);
return group;
}
}
Health checks for gRPC
ASP.NET Core supports the use of the .NET Health Checks middleware to report the health of your application infrastructure components. ASP.NET Core 7 adds built-in support for monitoring the health of gRPC services by way of the Grpc.AspNetCore.HealthChecks NuGet package. You can use this package to expose an endpoint in your gRPC app that enables health checks.
Note that you would typically use health checks with an external monitoring system, or with a load balancer or container orchestrator. The latter might automate an action such as restarting or rerouting around the service based on health status. You can read more about ASP.NET Core health checks here.
File uploads in minimal APIs
You can now use IFormFile and IFormFileCollection in minimal APIs to upload files in ASP.NET Core 7. The following code snippet illustrates how IFormFile can be used.
var builder = WebApplication.CreateBuilder(args);
var app = builder.Build();
app.MapPost("/uploadfile", async (IFormFile iformFile) =>
{
var tempFileName = Path.GetTempFileName();
using var fileStream = File.OpenWrite(tempFileName);
await iformFile.CopyToAsync(fileStream);
});
app.Run();
If you want to upload multiple files, you can use the following piece of code instead.
var builder = WebApplication.CreateBuilder(args);
var app = builder.Build();
app.MapPost("/uploadfiles", async (IFormFileCollection files) =>
{
foreach (var file in files)
{
var tempFileName = Path.GetTempFileName();
using var fileStream = File.OpenWrite(tempFileName);
await file.CopyToAsync(fileStream);
}
});
app.Run();
From output caching, rate-limiting, and request decompression middleware to filters, route maps, and other new capabilities for minimal APIs, ASP.NET Core 7 gives developers many new features that will make it much easier and faster to create robust web applications. ASP.NET Core 7 enables faster development using modular components, offers better performance and scalability across multiple platforms, and simplifies deployment to web hosts, Docker, Azure, and other hosting environments with built-in tooling.
In this article we’ve discussed only some of the important new features in ASP.NET Core 7—my top picks. You can find the complete list of new features in ASP.NET Core 7 here.
Thu, 09 Feb 2023 05:25:00 -0600entext/htmlhttps://www.infoworld.com/article/3685928/the-best-new-features-in-aspnet-core-7.htmlKillexams : Health info for 1 million patients stolen using critical GoAnywhere vulnerability
One of the biggest hospital chains in the US said hackers obtained protected health information for 1 million patients after exploiting a vulnerability in an enterprise software product called GoAnywhere.
Community Health Systems of Franklin, Tennessee, said in a filing with the Securities and Exchange Commission on Monday that the attack targeted GoAnywhere MFT, a managed file transfer product Fortra licenses to large organizations. The filing said that an ongoing investigation has so far revealed that the hack likely affected 1 million individuals. The compromised data included protected health information as defined by the Health Insurance Portability and Accountability Act, as well as patients’ personal information.
Two weeks ago, journalist Brian Krebs said on Mastodon that cybersecurity firm Fortra had issued a private advisory to customers warning that the company had recently learned of a “zero-day remote code injection exploit” targeting GoAnywhere. The vulnerability has since gained the designation CVE-2023-0669. Fortra patched the vulnerability on February 7 with the release of 7.1.2.
“The attack vector of this exploit requires access to the administrative console of the application, which in most cases is accessible only from within a private company network, through VPN, or by allow-listed IP addresses (when running in cloud environments, such as Azure or AWS),” the advisory quoted by Krebs said. It went on to say hacks were possible “if your administrative interface had been publicly exposed and/or appropriate access controls cannot be applied to this interface.”
Despite Fortra saying attacks were, in most cases, possible only on a customer’s private network, the Community Health Systems filing said Fortra was the entity that “had experienced a security incident” and learned of the “Fortra breach” directly from the company.
“As a result of the security breach experienced by Fortra, Protected Health Information (“PHI”) (as defined by the Health Insurance Portability and Accountability Act (“HIPAA”)) and “Personal Information” (“PI”) of certain patients of the Company’s affiliates were exposed by Fortra’s attacker,” the filing stated.
In an email seeking clarification on precisely which company’s network was breached, Fortra officials wrote: “On January 30, 2023, we were made aware of suspicious activity within certain instances of our GoAnywhere MFTaaS solution. We immediately took multiple steps to address this, including implementing a temporary outage of this service to prevent any further unauthorized activity, notifying all customers who may have been impacted, and sharing mitigation guidance, which includes instructions to our on-prem customers about applying our recently developed patch.” The statement didn’t elaborate.
Fortra declined to comment beyond what was published in Monday’s SEC filing.
Last week, security firm Huntress reported that a breach experienced by one of its customers was the result of an exploit of a GoAnywhere vulnerability that most likely was CVE-2023-0669. The breach occurred on February 2 at roughly the same time Krebs had posted the private advisory to Mastodon.
Huntress said that the malware used in the attack was an updated version of a family known as Truebot, which is used by a threat group known as Silence. Silence, in turn, has ties to a group tracked as TA505, and TA505 has ties to a ransomware group, Clop.
“Based on observed actions and previous reporting, we can conclude with moderate confidence that the activity Huntress observed was intended to deploy ransomware, with potentially additional opportunistic exploitation of GoAnywhere MFT taking place for the same purpose,” Huntress researcher Joe Slowick wrote.
More evidence Clop is responsible came from Bleeping Computer. Last week, the publication said Clop members took responsibility for using CVE-2023-0669 to hack 130 organizations but provided no evidence to support the claim.
In an analysis, researchers with security company Rapid7 described the vulnerability as a “pre-authentication deserialization issue” with “very high” ratings for exploitability and attacker value. To exploit the vulnerability, attackers need either network-level access to GoAnywhere MFT’s administration port (by default, port 8000) or the ability to target an internal user’s browser.
Given the ease of attacks and the effective release of proof-of-concept code that exploits the critical vulnerability, organizations that use GoAnywhere should take the threat seriously. Patching is, of course, the most effective way of preventing attacks. Stop-gap measures GoAnywhere users can take in the event they can’t patch immediately are to ensure that network-level access to the administrator port is restricted to the least number of users possible and to remove browser users’ access to the vulnerable endpoint in their web.xml file.
Wed, 15 Feb 2023 09:46:00 -0600Dan Goodinen-ustext/htmlhttps://arstechnica.com/information-technology/2023/02/goanywhere-vulnerability-exploit-used-to-steal-health-info-of-1-million-patients/Killexams : Microsoft and NVIDIA experts talk AI infrastructure
This post has been co-authored by Sheila Mueller, Senior GBB HPC+AI Specialist, Microsoft; Gabrielle Davelaar, Senior GBB AI Specialist, Microsoft; Gabriel Sallah, Senior HPC Specialist, Microsoft; Annamalai Chockalingam, Product Marketing Manager, NVIDIA; J Kent Altena, Principal GBB HPC+AI Specialist, Microsoft; Dr. Lukasz Miroslaw, Senior HPC Specialist, Microsoft; Uttara Kumar, Senior Product Marketing Manager, NVIDIA; Sooyoung Moon, Senior HPC + AI Specialist, Microsoft.
As AI emerges as a crucial tool in so many sectors, it’s clear that the need for optimized AI infrastructure is growing. Going beyond just GPU-based clusters, cloud infrastructure that provides low-latency, high-bandwidth interconnects, and high-performance storage can help organizations handle AI workloads more efficiently and produce faster results.
HPCwire recently sat down with Microsoft Azure and NVIDIA’s AI and cloud infrastructure certified and asked a series of questions to uncover AI infrastructure insights, trends, and advice based on their engagements with customers worldwide.
How are your most interesting AI use cases dependent on infrastructure?
Sheila Mueller, Senior GBB HPC+AI Specialist, Healthcare & Life Sciences, Microsoft: Some of the most interesting AI use cases are in-patient health care, both clinical and research. Research in science, engineering, and health is creating significant improvements in patient care, enabled by high-performance computing and AI insights. Common use cases include molecular modeling, therapeutics, genomics, and health treatments. Predictive Analytics and AI coupled with cloud infrastructure purpose-built for AI are the backbone for improvements and simulations in these use cases and can lead to a faster prognosis and the ability to research cures. See how Elekta brings hope to more patients around the world with the promise of AI-powered radiation therapy.
Gabrielle Davelaar, Senior GBB AI Specialist, Microsoft: Many manufacturing companies need to train inference models at scale while being compliant with strict local and European-level regulations. AI is placed on the edge with high-performance compute. Full traceability with strict security rules on privacy and security is critical. This can be a tricky process as every step must be recorded for reproduction, from simple things like dataset versions to more complex things such as knowing which environment was used with what machine learning (ML) libraries with its specific versions. Machine learning operations (MLOps) for data and model auditability now make this possible. See how BMW uses machine learning-supported robots to provide flexibility in quality control for automotive manufacturing.
Gabriel Sallah, Senior HPC Specialist, Automotive Lead, Microsoft: We’ve worked with car makers to develop advanced driver assistance systems (ADAS) and advanced driving systems (ADS) platforms in the cloud using integrated services to build a highly scalable deep learning pipeline for creating AI/ML models. HPC techniques were applied to schedule, scale, and provision compute resources while ensuring effective monitoring, cost management, and data traceability. The result: faster simulation/training times due to the close integration of data inputs, compute simulation/training runs, and data outputs than their existing solutions.
Annamalai Chockalingam, Product Marketing Manager, Large Language Models & Deep Learning Products, NVIDIA: Progress in AI has led to the explosion of generative AI, particularly with advancements to large language models (LLMs) and diffusion-based transformer architectures. These models now recognize, summarize, translate, predict, and generate languages, images, videos, code, and even protein sequences, with little to no training or supervision, based on massive datasets. Early use cases include improved customer experiences through dynamic virtual assistants, AI-assisted content generation for blogs, advertising, marketing, and AI-assisted code generation. Infrastructure purpose-built for AI that can handle computer power and scalability demands is key.
What AI challenges are customers facing, and how does the right infrastructure help?
John Lee, Azure AI Platforms & Infrastructure Principal Lead, Microsoft: When companies try to scale AI training models beyond a single node to tens and hundreds of nodes, they quickly realize that AI infrastructure matters. Not all accelerators are alike. Optimized scale-up node-level architecture matters. How the host CPUs connect to groups of accelerators matter. When scaling beyond a single node, the scale-out architecture of your cluster matters. Selecting a cloud partner that provides AI-optimized infrastructure can be the difference between an AI project’s success or failure. Read the blog: AI and the need for purpose-built cloud infrastructure.
Annamalai Chockalingam: AI models are becoming increasingly powerful due to a proliferation of data, continued advancements in GPU compute infrastructure, and improvements in techniques across both training and inference of AI workloads. Yet, combining the trifecta of data, compute infrastructure, and algorithms at scale remains challenging. Developers and AI researchers require systems and frameworks that can scale, orchestrate, crunch mountains of data, and manage MLOps to optimally create deep learning models. End-to-end tools for production-grade systems incorporating fault tolerance for building and deploying large-scale models for specific workflows are scarce.
Kent Altena, Principal GBB HPC+AI Specialist, Financial Services, Microsoft: Trying to decide the best architectures between the open flexibility of a true HPC environment to the robust MLOps pipeline and capabilities of machine learning. Traditional HPC approaches, whether scheduled by a legacy scheduler like HPC Pack or SLURM or a cloud-native scheduler like Azure Batch, are great for when they need to scale to hundreds of GPUs, but in many cases, AI environments need the DevOps approach to AI model management and control of which models are authorized or conversely need overall workflow management.
Dr. Lukasz Miroslaw, Senior HPC Specialist, Microsoft: AI infrastructure is not only the GPU-based clusters but also low-latency, high-bandwidth interconnect between the nodes and high-performant storage. The storage requirement is often the limiting factor for large-scale distributed training as the amount of data used for the training in autonomous driving projects can grow to petabytes. The challenge is to design an AI platform that meets strict requirements in terms of storage throughput, capacity, support for multiple protocols, and scalability.
What are the most frequently asked questions about AI infrastructure?
John Lee: “Which platform should I use for my AI project/workload?” There is no single magic product or platform that is right for every AI project. Customers usually have a good understanding of what answers they are looking for but aren’t sure what AI products or platforms will get them that answer the fastest, most economical, and scalable way. A cloud partner with a wide portfolio of AI products, solutions, and expertise can help find the right solution for specific AI needs.
Uttara Kumar, Senior Product Marketing Manager, NVIDIA: “How do I select the right GPU for our AI workloads?” Customers want the flexibility to provision the right-sized GPU acceleration for different workloads to optimize cloud costs (fractional GPU, single GPU, multiple GPUs all the way up to multiple GPUs across multi-node clusters). Many also ask, “How do you make the most of the GPU instance/virtual machines and leverage it within applications/solutions?” Performance-optimized software is key to doing that.
Sheila Mueller: “How do I leverage the cloud for AI and HPC while ensuring data security and governance.” Customers want to automate the deployment of these solutions, often across multiple research labs with specific simulations. Customers want a secure, scalable platform that provides control over data access to provide insight. Cost management is also a focus in these discussions.
Kent Altena: “How best should we implement this GPU to run our GPUs?” We know what we need to run and have built the models, but we also need to understand the final mile. The answer is not always a straightforward one-size-fits-all answer. It requires understanding their models, what they are attempting to solve, and what their inputs and outputs/workflow looks like.
What have you learned from customers about their AI infrastructure needs?
John Lee: The majority of customers want to leverage the power of AI but are struggling to put an actionable plan in place to do so. They worry about what their competition is doing and whether they are falling behind but, at the same time, are not sure what first steps to take on their journey to integrate AI into their business.
Annamalai Chockalingam: Customers are looking for AI solutions to Boost operational efficiency and deliver innovative solutions to their end customers. Easy-to-use, performant, platform-agnostic, and cost-effective solutions across the compute stack are incredibly desirable to customers.
Gabriel Sallah: All customers are looking to reduce the cost of training an ML model. Thanks to the flexibility of the cloud resources, customers can select the right GPU, storage I/O, and memory configuration for the given training model.
Gabrielle Davelaar: Costs are critical. With the current economic uncertainty, companies need to do more with less and want their AI training to be more efficient and effective. Something a lot of people are still not realizing is that training and inferencing costs can be optimized through the software layer.
What advice would you give to businesses looking to deploy AI or speed innovation?
Uttara Kumar: Invest in a platform that is performant, versatile, scalable, and can support the end-to-end workflow—start to finish—from importing and preparing data sets for training, to deploying a trained network as an AI-powered service using inference.
John Lee: Not every AI solution is the same. AI-optimized infrastructure matters, so be sure to understand the breadth of products and solutions available in the marketplace. And just as importantly, make sure you engage with a partner that has the expertise to help navigate the complex menu of possible solutions that best match what you need.
Sooyoung Moon, Senior HPC + AI Specialist, Microsoft: No amount of investment can certain success without thorough early-stage planning. Reliable and scalable infrastructure for continuous growth is critical.
Kent Altena: Understand your workflow first. What do you want to solve? Is it primarily a calculation-driven solution, or is it built upon a data graph-driven workload? Having that in mind will go a long way to determining the best or optimal approach to start down.
Gabriel Sallah: What are the dependencies across various teams responsible for creating and using the platform? Create an enterprise-wide architecture with common toolsets and services to avoid duplication of data, compute monitoring, and management.
Sheila Mueller: Involve stakeholders from IT and Lines of Business to ensure all parties agree to the business benefits, technical benefits, and assumptions made as part of the business case.
Learn more about Azure and NVIDIA
Thu, 09 Feb 2023 02:22:00 -0600en-UStext/htmlhttps://www.msn.com/en-us/news/technology/microsoft-and-nvidia-experts-talk-ai-infrastructure/ar-AA17ikMBKillexams : BBC News","
"+n+" "),i=""+a+r;return l.default.createElement("div",null,l.default.createElement("div",{className:"gs-u-vh qa-visually-hidden-title",dangerouslySetInnerHTML:{__html:i}}),l.default.createElement("div",{className:"lx-stream-post-quote__body gs-u-mb qa-blockquote",dangerouslySetInnerHTML:{__html:t},"aria-hidden":"true"}))}return l.default.createElement("div",null,l.default.createElement("span",{className:"gs-u-vh qa-visually-hidden-title"},o),l.default.createElement("div",{className:"lx-stream-post-quote__body gs-u-mb qa-blockquote","aria-hidden":"true"},l.default.createElement("p",{dangerouslySetInnerHTML:{__html:t}})))},m=function(e){var t=e.element.children,n=e.element.name,r=(0,d.default)(n),a=c.default.findFirst(t,r.textLocator),s=e.renderChildrenToStaticMarkup(a),u=c.default.findText(t,r.sourceLocator),p=c.default.findFirst(t,r.sourceLocator),m=(0,i.default)(["lx-stream-post-quote","lx-stream-post-quote--"+r.className,"gs-u-mb-alt","gs-u-mr-alt+","gs-u-ml-alt+","gs-u-mr-alt++@m","gs-u-ml-alt++@m"]),h=(0,i.default)(["gs-u-mr","lx-stream-post-quote__icon","lx-stream-post-quote__icon--"+r.icon,"gel-icon","gel-icon-"+r.gelIconClass]),g=void 0,v=void 0;p&&p.attributes&&(g=c.default.findFirst(p.attributes,"title").value)&&(v=l.default.createElement("span",{className:"lx-stream-post-quote__cite-profession qa-blockquote-source-profession"},g));var b=void 0!==g?g:"",y=e.getTranslationFor("from"),_="string"==typeof u?y+" "+u+" "+b:"",P=e.getTranslationFor(r.hiddenTitleText)+":";return l.default.createElement("blockquote",o({},e.attributes,{className:m}),f(n,s,P,_),l.default.createElement("footer",{className:"lx-stream-post-quote__cite gel-brevier gel-brevier-bold","aria-hidden":"true"},l.default.createElement("cite",{className:"lx-stream-post-quote__cite-name qa-blockquote-source"},u),v),l.default.createElement("div",{className:h},r.iconSvg))};m.displayName="Blockquote",m.propTypes={attributes:l.default.PropTypes.object.isRequired,renderChildrenToStaticMarkup:l.default.PropTypes.func.isRequired,element:l.default.PropTypes.object.isRequired},t.default=m,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=function(e){return e&&e.__esModule?e:{default:e}}(r),a={sms:{hiddenTitleText:"sms_message",gelIconClass:"sms",icon:"mobile",className:"sms",textLocator:"smsText",sourceLocator:"smsSource",iconSvg:o.default.createElement("svg",{width:"32",height:"32",viewBox:"0 0 32 32"},o.default.createElement("path",{d:"M22 0v2H6v30h20V0h-4zm-9 28h-3v-2h3v2zm0-4h-3v-2h3v2zm0-4h-3v-2h3v2zm5 8h-4v-2h4v2zm0-4h-4v-2h4v2zm0-4h-4v-2h4v2zm4 8h-3v-2h3v2zm0-4h-3v-2h3v2zm0-4h-3v-2h3v2zm0-5H10V6h12v9z"}))},quote:{hiddenTitleText:"quote_message",gelIconClass:"quote",icon:"quote",className:"default",textLocator:"quoteText",sourceLocator:"quoteSource",iconSvg:o.default.createElement("svg",{width:"32",height:"32",viewBox:"0 0 32 32"},o.default.createElement("path",{d:"M0 17v15h15V17H7c.2-5.9 2.4-8.8 8-9.9V0C6.7 1.2.2 8.3 0 17zM32 7.1V0c-8.3 1.2-14.8 8.3-15 17v15h15V17h-8c.2-5.9 2.4-8.8 8-9.9z"}))},email:{hiddenTitleText:"email_message",gelIconClass:"email",icon:"email",className:"email",textLocator:"emailText",sourceLocator:"emailSource",iconSvg:o.default.createElement("svg",{width:"32",height:"32",viewBox:"0 0 32 32"},o.default.createElement("path",{d:"M16 19.4l16-15V3H0v26h32V8l-4 4v13H4V8.2l12 11.2zm0-2.8L5.8 7h20.4L16 16.6z"}))}},i=function(e){return a[e]||a.quote};t.default=i,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t-1||e.indexOf("bbc.in")>-1},m=function(e){var t=e.element.children,n=d.default.findText(t,"altText"),r=d.default.findFirst(t,"url"),a=d.default.findFirst(r.attributes,"href").value,s={href:a,alt:n},u=d.default.findText(t,"caption");if(!f(a)){var p=i.default.createElement(c.default,null);u+=l.default.renderToStaticMarkup(p)}return i.default.createElement("a",o({},s,{dangerouslySetInnerHTML:{__html:u}}))};m.displayName="Link",m.propTypes={element:i.default.PropTypes.object.isRequired},t.default=m,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=function(e){return e&&e.__esModule?e:{default:e}}(r),a=function(){return o.default.createElement("span",{className:"lx-stream-post-body__external-link gel-icon gel-icon-external-link"},o.default.createElement("svg",{viewBox:"0 0 32 32"},o.default.createElement("path",{d:"M12 0v5h11.5l-5 5H0v22h22V17.5l-2 2V30H2V12h14.5l-7.8 7.7 3.6 3.6L27 8.5V20h5V0z"})))};a.displayName="ExternalLink",t.default=a,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=function(e){return e&&e.__esModule?e:{default:e}}(r),a=function(e){return o.default.createElement("ol",{dangerouslySetInnerHTML:{__html:e}})},i=function(e){return o.default.createElement("ul",{dangerouslySetInnerHTML:{__html:e}})},s=function(e){var t=e.renderChildrenToStaticMarkup({children:e.element.children});return"ordered"===e.attributes.type?a(t):i(t)};s.displayName="List",s.propTypes={attributes:o.default.PropTypes.object.isRequired,renderChildrenToStaticMarkup:o.default.PropTypes.func.isRequired,element:o.default.PropTypes.object.isRequired},t.default=s,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=function(e){return e&&e.__esModule?e:{default:e}}(r),a=function(e){var t=e.renderChildrenToStaticMarkup({children:e.element.children});return o.default.createElement("li",{dangerouslySetInnerHTML:{__html:t}})};a.displayName="ListItem",a.propTypes={renderChildrenToStaticMarkup:o.default.PropTypes.func.isRequired,element:o.default.PropTypes.object.isRequired},t.default=a,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t0});return!!(t&&t.length>0)&&t[0]},y=function(e){function t(){return o(this,t),a(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return i(t,e),s(t,[{key:"shouldComponentUpdate",value:function(e){return this.props.url!==e.url||this.props.title!==e.title}},{key:"render",value:function(){var e=this.props.title,t=v(this.props.url),n=b(this.props),r=n.urlTemplate;if(n){(0,g.profileStart)("embedRender:"+t);var o=n.component,a={matches:n.matches,title:e,url:t,urlTemplate:r};return c.default.createElement(o,{title:e,url:n.transform(a),cssClasses:n.cssClasses,componentDidMount:n.componentDidMount})}return c.default.createElement(m.default,this.props)}}]),t}(c.default.Component);y.displayName="LazyEmbed",y.propTypes={title:c.default.PropTypes.string.isRequired,url:c.default.PropTypes.string.isRequired,isVisible:c.default.PropTypes.bool.isRequired},t.default=(0,h.IntersectComponent)(y),e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var o=n(214),a=r(o),i=n(215),s=r(i),l=n(216),u=r(l),c=n(20),p=function(e){return e.url},d=function(e){return e.urlTemplate.replace("{identifier}",e.matches[1])},f=function(e){return e.urlTemplate.replace("{identifier}",encodeURIComponent(e.matches[1]))};t.default={youtube:{regex:/http(?:s)?:\/\/(?:www\.)?youtu(?:be.com|.be)\/(?:watch)?(?:\/\?)?(?:.*v=)?(.[^]*)/i,transform:d,component:s.default,urlTemplate:"https://www.youtube.com/embed/{identifier}",componentDidMount:function(e){(0,c.profileEnd)("embedRender:"+e.url)}},twitter:{regex:/^http.+twitter\.com\/.*\/status\/(.*)/i,transform:p,component:a.default,cssClasses:"twitter-tweet",componentDidMount:function(e,t){requirejs(["//platform.twitter.com/widgets.js"],function(){twttr.widgets.load(t),(0,c.profileEnd)("embedRender:"+e.url)})}},instagram:{regex:/^http.+instagr(?:\.am|am\.com)/i,transform:p,component:a.default,cssClasses:"instagram-media instagram-iframe-container",componentDidMount:function(e,t){requirejs(["//platform.instagram.com/en_GB/embeds.js"],function(){instgrm.Embeds.process(t),(0,c.profileEnd)("embedRender:"+e.url)})}},soundcloud:{regex:/(^http.+soundcloud\.com(.*))/i,transform:f,component:s.default,componentDidMount:function(e){(0,c.profileEnd)("embedRender:"+e.url)},urlTemplate:"https://w.soundcloud.com/player/?visual=true&url={identifier}&show_artwork=true"},facebookVideo:{regex:/(http.+www\.facebook\.com\/video\.php.*|http.+www\.facebook\.com\/.*\/videos\/.*)/i,transform:p,component:u.default,componentDidMount:function(e,t){requirejs(["//connect.facebook.net/en_US/all.js#xfbml=1&version=v2.5"],function(){window.FB.XFBML.parse(t),(0,c.profileEnd)("embedRender:"+e.url)})}},facebookPost:{regex:/(http.+www\.facebook\.com\/.*\/(posts|activity|photos)\/.*|http.+www\.facebook\.com\/(media\/set|questions|notes|photos|permalink\.php).*)/i,transform:p,component:u.default,componentDidMount:function(e,t){requirejs(["//connect.facebook.net/en_US/all.js#xfbml=1&version=v2.5"],function(){window.FB.XFBML.parse(t),(0,c.profileEnd)("embedRender:"+e.url)})}}},e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}Object.defineProperty(t,"__esModule",{value:!0});var s=function(){function e(e,t){for(var n=0;n0?t.link:"",r={role:t.role,name:t.name,link:n};return a.default.createElement(h.default,{contributor:r,brandingTool:e.brandingTool,baseUrl:e.baseUrl})}return a.default.createElement("noscript",null)},y=function(e){return a.default.createElement("div",{className:"gel-3/8@l"},a.default.createElement("a",{href:e.relatedUrl,className:"qa-story-image-link",onClick:e.postIstats()},a.default.createElement("div",{className:"lx-stream-related-story--index-image-wrapper qa-story-image-wrapper"},a.default.createElement(s.default,{className:"lx-stream-related-story--index-image qa-story-image",src:e.indexImage.ichefHref,alt:e.indexImage.altText}))))},_=function(e){var t="cta_text";"LIV"===e.type&&(e.liveState.isLive?t="live_cta":e.liveState.isCatchUp&&(t="catch_up_cta"));var n=(0,p.default)("gs-o-button","lx-stream-related-story--cta-button","gel-long-primer-bold","qa-story-text-cta",{"br-page-link-onbg br-page-bg-ontext br-page-link-onbg br-page-linkhover-onbg--hover br-page-bg-ontext--hover":"true"===e.brandingTool}),r=(0,p.default)("lx-stream-related-story--cta-text",{"br-page-bg-ontext br-page-bg-ontext--hover":"true"===e.brandingTool}),o=(0,p.default)({"br-page-bg-ontext br-page-bg-ontext--hover":"true"===e.brandingTool});return a.default.createElement("a",{href:e.relatedUrl,className:"qa-story-cta-link",onClick:e.postIstats()},a.default.createElement("span",{className:n},a.default.createElement("span",{className:r},e.getTranslationFor(t)),a.default.createElement(u.default,{iconName:"next",additionalClassNames:o})))},P=function(e){return a.default.createElement("div",{className:"lx-stream-related-story"},g(e)?a.default.createElement(y,{relatedUrl:e.relatedUrl,indexImage:e.indexImage,postIstats:function(){return v(e)}}):null,a.default.createElement("div",{className:g(e)?"gel-5/8@l":""},"STY"!==e.type?b(e):null,e.summary?a.default.createElement("p",{className:"lx-stream-related-story--summary qa-story-summary"},e.summary):null,a.default.createElement(_,{getTranslationFor:e.getTranslationFor,liveState:e.liveState,relatedUrl:e.relatedUrl,type:e.type,postIstats:function(){return v(e)},brandingTool:e.brandingTool})))};P.displayName="StoryType",b.propTypes={contributor:o.PropTypes.shape({name:o.PropTypes.string,role:o.PropTypes.string,link:o.PropTypes.string}),brandingTool:o.PropTypes.string.isRequired,baseUrl:o.PropTypes.string},b.defaultProps={contributor:void 0,baseUrl:void 0},P.propTypes={summary:o.PropTypes.string,indexImage:o.PropTypes.shape({ichefHref:o.PropTypes.string.isRequired,altText:o.PropTypes.string}),relatedUrl:o.PropTypes.string.isRequired},P.defaultProps={indexImage:{ichefHref:""},summary:void 0},y.propTypes={indexImage:o.PropTypes.shape({ichefHref:o.PropTypes.string.isRequired,altText:o.PropTypes.string}).isRequired,relatedUrl:o.PropTypes.string.isRequired,postIstats:o.PropTypes.func.isRequired},_.propTypes={type:o.PropTypes.string.isRequired,liveState:o.PropTypes.shape({isCatchUp:o.PropTypes.bool.isRequired,isComingUp:o.PropTypes.bool.isRequired,isLive:o.PropTypes.bool.isRequired}),postIstats:o.PropTypes.func.isRequired,brandingTool:o.PropTypes.string.isRequired},_.defaultProps={liveState:{isCatchUp:!1,isComingUp:!1,isLive:!0},brandingTool:"false"},t.default=P,e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var o=n(0),a=r(o),i=n(35),s=r(i),l=n(22),u=r(l),c=n(5),p=r(c),d=n(19),f=n(18),m=function(e){return function(){var t=(0,f.getIstatsData)(e,"related-gallery");(0,d.configureAndSendIstats)("click","related-gallery",t)}},h=function(e){return e.summary&&e.summary.length>0?a.default.createElement("p",{className:"lx-media-asset-summary qa-photogallery-summary gel-pica"},e.summary):a.default.createElement("noscript",null)},g=function(e){return e.indexImage.copyrightHolder?a.default.createElement("div",{className:"lx-media-asset__copyright gel-minion qa-photogallery-image-copyright"},a.default.createElement("span",{"aria-hidden":"true"},e.indexImage.copyrightHolder)):a.default.createElement("noscript",null)},v=function(e){if(e.indexImage){var t=e.indexImage.ichefHref,n=a.default.createElement(s.default,{className:"qa-responsive-image",src:t,delayed:!0});return a.default.createElement("div",{className:"lx-media-asset__image gs-o-responsive-image gs-o-responsive-image--16by9 qa-photogallery-image"},n,g(e))}return a.default.createElement("div",{className:"lx-media-asset__image gs-o-responsive-image gs-o-responsive-image--16by9 qa-photogallery-image"},a.default.createElement(s.default,{className:"qa-responsive-image"}))},b=function(e){var t=e.photogallery.galleryImageCount;return t+" "+(1===t?e.getTranslationFor("photo"):e.getTranslationFor("photos"))},y=function(e,t){return a.default.createElement("div",{className:"lx-stream-asset__gallery-cta-text qa-photogallery-count"},a.default.createElement("span",{"aria-hidden":"true",id:t},b(e)))},_=function(e){var t="count_"+e.assetId,n=(0,p.default)("gs-o-media-island__icon lx-stream-asset__gallery-cta gel-long-primer-bold",{"br-page-link-onbg br-page-bg-ontext br-page-link-onbg br-page-linkhover-onbg--hover br-page-bg-ontext--hover":"true"===e.brandingTool});return a.default.createElement("div",{className:"gel-body-copy lx-stream-post-body"},h(e),a.default.createElement("div",{className:"lx-stream-asset lx-stream-asset--pgl"},a.default.createElement("a",{className:"lx-stream-asset__link qa-photogallery-link",href:e.relatedUrl,"aria-labelledby":""+e.titleId,"aria-describedby":t,onClick:m(e)},a.default.createElement("div",{className:"gs-o-media-island lx-media-asset__island"},v(e),a.default.createElement("div",{className:n},a.default.createElement("span",{className:"lx-stream-asset__gallery-cta-icon gel-icon"},a.default.createElement(u.default,{iconName:"image"})),y(e,t))))))};_.propTypes={relatedUrl:a.default.PropTypes.string.isRequired,assetId:a.default.PropTypes.string.isRequired,titleId:a.default.PropTypes.string.isRequired,summary:a.default.PropTypes.string,brandingTool:a.default.PropTypes.string},b.propTypes={getTranslationFor:a.default.PropTypes.func.isRequired},y.propTypes={getTranslationFor:a.default.PropTypes.func.isRequired},v.propTypes={indexImage:a.default.PropTypes.shape({copyrightHolder:a.default.PropTypes.string,ichefHref:a.default.PropTypes.string.isRequired,altText:a.default.PropTypes.string})},g.propTypes={indexImage:a.default.PropTypes.shape({copyrightHolder:a.default.PropTypes.string}),getTranslationFor:a.default.PropTypes.func.isRequired},y.propTypes={getTranslationFor:a.default.PropTypes.func.isRequired},h.propTypes={summary:a.default.PropTypes.shape({length:a.default.PropTypes.string.isRequired}).isRequired},g.defaultProps={indexImage:void 0},v.defaultProps={indexImage:void 0},_.defaultProps={summary:void 0,brandingTool:"false",titleId:""},_.displayName="PhotoGalleryType",t.default=_,e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var o=Object.assign||function(e){for(var t=1;t-1?"https://ichef.bbci.co.uk/images/ic/raw/p05d1g60.png":this.state.shareUrl.indexOf("/news")>-1?"http://ichef.bbci.co.uk/images/ic/raw/p05d1g0s.png":"https://ichef.bbci.co.uk/images/ic/raw/p05d1fth.png"}},{key:"getTwitterHandle",value:function(){return this.state.shareUrl.indexOf("/sport")>-1?"BBCSport":this.state.shareUrl.indexOf("/news")>-1?"BBCNews":"BBC"}},{key:"getPostShareImage",value:function(){var e=this.props.body.filter(function(e){var t=e.name;return"image"===t||"video"===t})[0];return e&&(e.imageChefHref||e.holdingImageUrl).replace("{width}","320")}},{key:"getShareImage",value:function(){var e=this.props,t=e.type,n=e.body,r=e.media;return"POST"===t&&n.length>0?this.getPostShareImage()||this.getFallbackLogo():"CLIP"!==t&&"MAP"!==t||!r?this.getFallbackLogo():r.holdingImageUrl||this.getFallbackLogo()}},{key:"buildLinkName",value:function(){return encodeURIComponent(this.props.assetId+"&"+this.props.title+"&"+this.props.lastPublished).replace(/'/g,"%27").replace(/"/g,"%22")}},{key:"sendIStats",value:function(e){var t=this;return function(){var n=(0,m.getIstatsData)(t.props);(0,f.configureAndSendIstats)(e,"share",n)}}},{key:"toggleSharePanel",value:function(){var e=this.props,t=e.assetId,n=e.activeDropdown,r=e.setActiveDropdown,o=n===t?"":t;return this.sendIStats("share_panel")(),this.setState({isOpen:!!o}),r(o)}},{key:"twitterShareUrl",value:function(){return this.state.shareUrl+"?ns_mchannel=social&ns_source=twitter&ns_campaign=bbc_live&ns_linkname="+this.buildLinkName(this.props)+"&ns_fee=0&pinned_post_locator="+this.props.locator+"&pinned_post_asset_id="+this.props.assetId+"&pinned_post_type=share"}},{key:"facebookShareUrl",value:function(){return this.state.shareUrl+"?ns_mchannel=social&ns_source=facebook&ns_campaign=bbc_live&ns_linkname="+this.buildLinkName(this.props)+"&ns_fee=0&pinned_post_locator="+this.props.locator+"&pinned_post_asset_id="+this.props.assetId+"&pinned_post_type=share"}},{key:"setInitialState",value:function(){var e="";if(this.props.relatedUrl)e=window.location.origin+this.props.relatedUrl;else{e=window.location.href;var t=e.match(h);if(t)e=t[0];else{var n=e.match(g);n&&(e=n[0])}}this.setState({shareUrl:e,pageTitle:document.title})}},{key:"render",value:function(){var e=this,t=this.props,n=t.activeDropdown,r=t.assetId,o=t.getTranslationFor,a=t.title,i=t.cssDirection,s=t.shareToolsTitleId,l=t.useReactionsStreamV4Toggle,c=this.state,f=c.isOpen,m=c.shareUrl,h=c.pageTitle,g=(0,p.default)({"ev-button":"true"===this.props.brandingTool},"qa-facebook-share","lx-share-tools__cta"),b=(0,p.default)({"ev-button":"true"===this.props.brandingTool},"qa-twitter-share","lx-share-tools__cta"),y=n===r&&f,_=m.indexOf("bbc.com")>-1?"https://www.bbc.com":"https://www.bbc.co.uk",P={shareText:o("share"),viewMoreShare:o("view_more_share"),shareThisPost:o("share_this_post"),copyThisLink:o("copy_this_link"),readMoreOnLinks:o("read_more_on_links"),readMoreOnLinksLabel:o("read_more_on_links_label"),shareThisPostOn:o("share_this_post_on"),closeButtonLabel:o("close_button_label"),copyShareLinkLabel:o("copy_share_link_label")},T=P.shareThisPostOn+" Facebook",x=P.shareThisPostOn+" Twitter",E=l?"alternate-up":"alternate-transformation",C=l?"right":"left";return u.default.createElement("ul",{"aria-labelledby":s,className:"lx-share-tools__items lx-share-tools__items--align-"+C+" qa-share-tools"},u.default.createElement("li",null,u.default.createElement(d.Facebook,{link:this.facebookShareUrl(),name:h,description:a,image:this.getShareImage(),classes:g,caption:_,customFacebookAriaLabel:T,clickCallback:this.sendIStats("share_facebook"),small:!0,noButtonPadding:!0,brandingTool:this.props.brandingTool})),u.default.createElement("li",null,u.default.createElement(d.Twitter,{link:this.twitterShareUrl(),description:this.props.title,viaHandle:this.getTwitterHandle(),classes:b,customTwitterAriaLabel:x,clickCallback:this.sendIStats("share_twitter"),small:!0,noButtonPadding:!0,brandingTool:this.props.brandingTool})),u.default.createElement("li",null,u.default.createElement(d.SharePanel,{shareButtonComponent:function(t){return u.default.createElement(v,{translations:P,buttonProps:t,brandingTool:e.props.brandingTool,isOpen:y,assetId:r})},accessibilityId:"share-popup-"+r,classes:"lx-share-tools__panel",headerText:P.shareThisPost,readMoreText:P.readMoreOnLinks,readMoreTextAriaLabel:P.readMoreOnLinksLabel,closeButtonLabel:P.closeButtonLabel,copyShareLinkLabel:P.copyShareLinkLabel,direction:E,cssDirection:i,clickCallback:this.toggleSharePanel,onCloseCallback:this.toggleSharePanel,isOpen:y},u.default.createElement("div",{className:"gs-c-share-tools__button share-tools__button--no-hover-effect"},u.default.createElement(d.CopyLinkBox,{theme:"dark",link:this.twitterShareUrl(),shareText:P.copyThisLink,feedbackDuration:2e3,classes:"lx-share-tools__copylink-box"})))))}}]),t}(l.Component);b.propTypes={type:l.PropTypes.string.isRequired,assetId:l.PropTypes.string.isRequired,lastPublished:l.PropTypes.string.isRequired,locator:l.PropTypes.string.isRequired,activeDropdown:l.PropTypes.string.isRequired,setActiveDropdown:l.PropTypes.func.isRequired,brandingTool:l.PropTypes.string.isRequired,getTranslationFor:l.PropTypes.func.isRequired,title:l.PropTypes.string.isRequired,cssDirection:l.PropTypes.string.isRequired,body:l.PropTypes.array.isRequired,media:l.PropTypes.object.isRequired,useReactionsStreamV4Toggle:l.PropTypes.bool.isRequired,postIndex:l.PropTypes.number.isRequired,postHasVideo:l.PropTypes.bool.isRequired,postHasImage:l.PropTypes.bool.isRequired,postHasSocial:l.PropTypes.bool.isRequired,postIsBreakingNews:l.PropTypes.bool.isRequired,mode:l.PropTypes.string.isRequired,shareToolsTitleId:l.PropTypes.string.isRequired,relatedUrl:l.PropTypes.string},b.defaultProps={relatedUrl:null,brandingTool:"false",activeDropdown:"",media:{},postHasVideo:!1,postHasImage:!1,postHasSocial:!1,postIsBreakingNews:!1},t.default=b},function(e,t){e.exports=Morph.modules["bbc-morph-share-tools@5.1.4"]},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(e){return e.title||e.subtitle||e.icon},o=function(e){return"POST"===e.type||"CIT"===e.type},a=function(e){return e.body&&e.body.length>0},i=function(e){return"STY"===e.type||"CSP"===e.type},s=function(e,t){return!(!e||!e.body)&&e.body.some(function(e){return e.name===t})},l=function(e){return s(e,"video")||"MAP"===e.type||"video"===e.mediaType},u=function(e){return s(e,"image")},c=function(e){return Boolean(e&&e.options&&e.options.isBreakingNews&&void 0!==e.options.isBreakingNews)},p=function(e){return Boolean(e&&e.options&&e.options.isPriorityPost&&void 0!==e.options.isPriorityPost)},d=function(e){return!!e&&["FLAG_CHEQUERED","GOLD","WICKET","TRY","GOAL"].includes(e)},f=function(e){return{BREAKING:"Breaking",GOAL:"Goal",GOLD:"Gold medal",TRY:"Try",WICKET:"Wicket",FLAG_CHEQUERED:"Chequered flag"}[e]};t.default={postHasHeading:r,isPostType:o,postIsStory:i,hasValidContent:a,postHasMediaType:s,postHasVideo:l,postHasImage:u,postIsBreakingNews:c,postIsPriority:p,isSupportedIncidentType:d,formatType:f},e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}Object.defineProperty(t,"__esModule",{value:!0});var s=function(){function e(e,t){for(var n=0;n0&&a(e,t)&&t.length>0){var r=s(t)?t[1]:t[0];return i(e,r)}return n};t.renderComponentIfExists=r,t.hasNewPost=l,t.hasPinnedPost=s},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(0),o=function(e){return e&&e.__esModule?e:{default:e}}(r),a=function(){return o.default.createElement("svg",{className:"qa-loading-icon-svg",xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 28 28"},o.default.createElement("linearGradient",{id:"a",gradientUnits:"userSpaceOnUse",x1:"1.224",y1:"8.111",x2:"25.888",y2:"21.225"},o.default.createElement("stop",{offset:"0",stopColor:"#5a5a5a"}),o.default.createElement("stop",{offset:"1",stopColor:"#5a5a5a",stopOpacity:"0"})),o.default.createElement("path",{d:"M26 7l-3 1.7c.9 1.5 1.4 3.3 1.4 5.2 0 5.8-4.7 10.5-10.5 10.5-5.7 0-10.4-4.7-10.4-10.4C3.5 8.2 7.8 3.5 14 3.5V0C6.1 0 0 6.2 0 14c0 7.7 6.2 14 14 14 7.7 0 14-6.2 14-14-.1-2.6-.8-5-2-7z",fill:"url(#a)"}))},i=function(e){return o.default.createElement("div",{className:"gs-u-align-center gs-u-pv-alt+ gs-u-ph+ lx-loading-message"},o.default.createElement("span",{"aria-hidden":"true",className:"gs-u-mb gel-icon lx-loading-message__icon qa-loading-icon"},o.default.createElement(a,null)),o.default.createElement("p",{className:"gs-u-m0 gel-body-copy qa-loading-text"},e.loadingText))};i.propTypes={loadingText:o.default.PropTypes.string.isRequired},t.default=i,e.exports=t.default},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=e;for(var r in t)t[r]&&(n=n.replace("{"+r+"}",t[r]));return n},e.exports=t.default},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}Object.defineProperty(t,"__esModule",{value:!0}),t.getMode=void 0;var l=function(){function e(e,t){for(var n=0;n
Wed, 28 Dec 2022 08:26:00 -0600en-GBtext/htmlhttps://www.bbc.com/news/healthKillexams : Health NewsNo result found, try new keyword!A recent bird flu outbreak at a mink farm has reignited worries about the virus spreading more broadly to people The Latest Family members say an 11-year-old Florida boy has died just days after a ...Tue, 14 Feb 2023 16:55:00 -0600text/htmlhttps://www.usnews.com/news/health-newsKillexams : Starling Medical’s new urine-testing device turns your toilet into a health tracker
If you enjoy some good toilet technology, then I think “urine” for a treat. Starling Medical is poised to launch its at-home urine diagnostic patient-monitoring platform, dubbed “StarStream,” that doesn’t rely on the traditional catching containers or dipsticks.
Now, if you’re thinking this technology sounds familiar, you would be correct: My colleague Haje Jan Kamps wrote about Withings’ U-Scan, a urinalysis device, earlier this month when the health-focused consumer tech company debuted it at CES. U-Scan also sits in the toilet for at-home monitoring.
However, Alex Arevalos, Starling’s co-founder and CEO, told TechCrunch that this is an underserved market — the global urinalysis market is forecasted to be valued at $4.9 billion by 2026, meaning there is plenty of room for Withings and a scrappy startup.
The Houston-based company wants to prevent hospitalizations from chronic conditions, including urinary tract infections, diabetes and kidney disease, and will eventually move into dozens of other health conditions that urine testing can detect, including preeclampsia during pregnancy.
Working in concert with urologist partners and insurance providers, the patient gets a reusable device that is attached to the toilet and is connected to artificial intelligence–powered digital health analysis. If a problem is detected after a patient uses the restroom, Starling connects them with their physician to learn more.
Starling’s StarStream is actually the company’s second iteration. Back in January 2020, Arevalos and co-founders Hannah McKenney and Drew Hendricks were working on a catheter device that allowed patients with neurological bladder dysfunction to pee at the press of a button.
Using some AI and spectroscopy sensors, the catheter would track the urine still in a patient’s bladder to detect urinary tract infections, which can lead to hospitalizations and sepsis.
While going through Y Combinator’s Winter 2022 batch, they got two ideas: to take the sensors and pair them with an easy-to-use at-home device that physicians and patients have been asking for, and put that device in the toilet.
And, rather than focusing on just neurological bladder dysfunctions, this would open them up to work with a larger market, including those with diabetes and preeclampsia kidney disease, which ends up being about a third of all patients in the United States, Arevalos said.
Over the past year, the company developed the device and the technology and has already validated its predictive models through a clinical study in partnership with Stanford University. It also closed on $3.4 million in seed funding, led by Rebel Fund.
The Starling Medical team Image Credits: Starling Medical
Also participating in the round was Y Combinator, Innospark Ventures, AI Basis, Capital Factory, Coho Deeptech, Magic Fund, Rogers Family Office, Hendricks Family Office, ReMy Ventures, Centauri Fund, Praxis SCI Institute, Gaingels and a group of angel investors.
The funding will be deployed into building an engineering team, developing the device and software, and hiring nurses and support staff. Nurses review the urinalysis data and file for the remote patient monitoring reimbursements. The company now has 10 employees.
In the first quarter of 2023, StarStream’s device and monitoring service will be deployed with Starling’s first enterprise customer, a large private practice in Texas with about 200,000 urology patients and the potential for $144 million in annual recurring revenue, according to Arevalos.
After getting the first customer up and running, he envisions adding additional physician groups throughout Texas, even saying that there is enough patient potential to “grow Starling into a unicorn without having to leave Texas.”
Arevalos touted StarStream as “the world’s first FDA-registered service,” explaining that Starling Medical can claim that title because, for one, Withings’ U-Scan is launching in Europe first and because he believes Starling is the first to apply this type of model — analysis and connection to care on the back end.
“Just data out there by itself can’t really help if there’s no follow-up,” he added. “Historically, one of the challenges is just convincing people to try something new and put something in the toilet. By doing that, it allows for health improvements for the patient, new revenue for our physician partners and the cost savings for patients not having to go through hospitalization.”
Fri, 27 Jan 2023 01:37:00 -0600en-UStext/htmlhttps://techcrunch.com/2023/01/27/starling-medical-urine-health/Killexams : A Turning Point In Vietnam’s HealthTech: VinBrain Announces Collaboration with Microsoft To Expand AI-Powered Healthcare to Patients Worldwide
VinBrain will collaborate with Microsoft in data sharing, product cross-validation, and product research & development.
VinBrain is the first Vietnamese customer to sign a formal collaboration agreement with Microsoft to develop AI-powered healthcare services
HANOI, VIETNAM - Media OutReach - 26 January 2023 - VinBrain, one of Vietnam's leading technology companies, is working to transform global healthcare through its AI products. One of VinBrain's primary products is DrAid™, an AI pathology prediction platform that has demonstrated its usefulness in over 150 hospitals and earned a prestige ACM SIGAI Industry Award 2021. DrAid™ is a value-added use case for Microsoft to collaborate on the validation of the impact of Florence, a new foundation model for computer vision developed by Microsoft.
In addition, DrAid™ is the first and only AI software for X-ray Diagnostics in Southeast Asia to be cleared by The United States Food and Drug Administration (FDA), putting Vietnam on the map of 6 countries owning an FDA-cleared AI product for Chest X-ray Pneumothorax finding.
Microsoft will bring trusted and integrated cloud capabilities to VinBrain's developers, enabling VinBrain to deliver a better experience for users. This collaboration will implement data sharing through Microsoft Azure and apply it to the data gathered by VinBrain's DrAid™. Microsoft will also help safeguard sensitive patient data, further enhancing the security and privacy of VinBrain's offering, to manage ever-changing compliance regulations and Boost data governance and trust. DrAid™ currently has a large dataset that has been collected from multiple sources: USA, Europe, and Asia that complies of 2,300,000+ images, of which ~400,000 are labeled images approved by senior radiologists. Beside this data sharing, VinBrain will also offer the field of medical image data annotation services where VinBrain can utilize a pool of top doctors, including pathologists, radiologists, etc., and early field validation to developed AI to 100+ hospital-based customers.
"Nearly 2,000 doctors are currently using DrAid™ at more than 100 hospitals across Vietnam, including those with the largest patient traffic, such as 108 Military Central Hospital , 199 Hospital , Vietnam National Cancer Hospital, etc. Therefore, our datasets are updated and enlarged on a daily basis, which benefits the progress of data assessment", said Mr. Steven Truong, VinBrain's CEO . "Using the latest foundation of AI technology and evaluation, this collaboration with Microsoft will directly impact billions of people through early detection and workflow productivity."
With Cross-Validation, VinBrain will check the Deep Learning models and analyze AI-powered worldwide health outcomes using the latest and evolving technology along with Azure Cognitive Services for Vision. The remarkable capability evaluation period of Azure AI, such as computer vision and the latest Florence foundation model, will be directly empowering VinBrain and other HealthTech companies to Boost productivity and efficiency, leading to faster time to market and a potential high R&D cost saving especially for the HealthTech space. With the help of these technologies, the VinBrain developer team can also access and develop AI capabilities for processing uploaded images and returning information and building, deploying, and improving image classifiers. This will accordingly increase the accuracy rate of medical imaging for DrAid™.
With Product Research and Development (R&D), VinBrain will work with Microsoft to take advantage of Azure Cognitive Services to overcome global healthcare obstacles. DrAid™ is professionally consulted by hundreds of specialized doctors in the progress of development and regular quality checking.
A future for sustainable healthcare service
The COVID-19 pandemic has affected every aspect of the healthcare system, interfering with the continuity of healthcare delivery practices and patient access to high-quality medical care. Additionally, DrAid™ has also been added to the portfolio of Ferrum, the U.S.'s leading artificial intelligence marketplace, in the category of AI-based products for radiology to help deliver the highest quality patient care.
Both teams are committed to providing trusted and reliable solutions for some of the most pressing healthcare challenges using technology innovation with advanced data and analytics capabilities. On the social aspect, this will help speed up the process of resolving an increasing number of healthcare issues with a lack of infrastructure, uneven doctor-to-patient ratio, and increased demand for healthcare services. DrAid™ has also affirmed its impact during COVID-19, for it has increased the accuracy and productivity of medical examination and treatment for doctors and offered high-quality medical services for numerous citizens regardless of region and economic conditions. With the help of Microsoft Azure technology, VinBrain can apply AI to Boost medical services in remote areas, especially those with limited medical facilities, thereby ensuring healthcare is delivered impartially; this is also aligned with the Corporate Social Responsibility of both companies.
"We take pride in our relationship with Microsoft, as it deepens our focus on the HealthTech industry and accelerates the growth of our products with the best tech and business resources. The collaboration will also enable us to fulfill Vietnam's potential for innovation on an international scale and show our trust in the future of AI-powered products", Mr. Steven Truong, CEO of VinBrain emphasized.
"At Microsoft, we have prioritized our investment in the healthcare industry to address the most prevalent and persistent health and business challenges. The collaboration with VinBrain will be a good start for us to enlarge the sphere of operation in healthcare in Southeast Asia," said Dr. Yumao Lu, Partner Engineering Manager of Microsoft USA.
Hashtag: #VinBrain
The issuer is solely responsible for the content of this announcement.
About VinBrain:
VinBrain is a leading AI healthcare products company, funded by Vingroup, the largest conglomerate by market capitalization in Việt Nam. Its mission is to infuse AI and IoT to Boost people's lives and productivity.
Thu, 26 Jan 2023 03:04:00 -0600entext/htmlhttps://www.asiaone.com/business/turning-point-vietnam-s-healthtech-vinbrain-announces-collaboration-microsoft-expand-aiKillexams : Mubadala Health and BioIntelliSense host global tech delegation from Microsoft, Medtronic and others
Healthcare technology leaders came together to discuss the future of healthcare and technology-enabled care
The meeting underscores Mubadala Health’s commitment to transform the regional healthcare landscape through technology and innovation
The discussion marks one of many strategic meetings at Arab Health that align with Mubadala Health’s broader efforts to deliver integrated, multidisciplinary care to communities across the UAE and region
Dubai, UAE: Mubadala Health, the integrated network of world-class healthcare facilities, and BioIntelliSense, a continuous health monitoring and clinical intelligence company, hosted a delegation of Chief Medical Officers and leaders from the world’s leading technology and healthcare companies from Microsoft, Medtronic, Ardent Health Services, and Cleveland Clinic to discuss the future of healthcare, and how tech-enabled care could lead to enhanced healthcare efficiencies and improved patient outcomes.
Hasan Jasem Al Nowais, Chief Executive Officer of Mubadala Health and Dr. James Mault, Founder and Chief Executive Officer of BioIntelliSense met with the delegation during Arab Health 2023, where they highlighted the growing and exciting business potential between the two partners.
Among those present included: Dr. David Rhew, Global Chief Medical Officer & Vice President of Healthcare, Microsoft; Dr. Samuel Ajizian, Chief Medical Officer of Patient Monitoring and Vice President of Global Clinical Research & Medical Science: Patient Monitoring and Respiratory Innovations, Medtronic; Dr. Frank J. Campbell, Chief Medical Officer, Ardent Health Services; Dr. Toby Cosgrove, former President and Chief Executive Officer of Cleveland Clinic and current Executive Advisor for Cleveland Clinic and Dr. Peyvand Khaleghian, Chief Operating Officer and Acting Chief Medical Officer, Mubadala Health.
Hasan Jasem Al Nowais, Chief Executive Officer, Mubadala Health, commented: “Mubadala Health’s reputation and visibility in the region as a trusted and authoritative network of healthcare assets is second to none. Through our discussions with a delegation of global leaders in the technology and healthcare space we hope to continue our work in advancing healthcare in the UAE and wider region, with a focus on continuous health monitoring and clinical intelligence for remote patient care. We are confident that healthcare technology will further contribute to our rigorous standards when it comes to integrated care, and deliver a new approach to personalized, patient-centric care.”
Dr. James Mault, Founder and Chief Executive Officer of BioIntelliSense, said: “It’s an honor to host this delegation with our healthcare partner Mubadala Health and an opportunity to showcase what BioIntelliSense has to offer in the area of continuous patient monitoring solutions. Our partnership with Mubadala Health demonstrates to the region and the world how the UAE is leading the way in delivering next-level patient care and revolutionizing patient-centered, integrated care. Collaboration with global tech leaders will reinforce our commitment with Mubadala Health to put the region’s healthcare industry on the map when it comes to continuous patient monitoring and clinical intelligence from in-hospital to home.”
The significance of this meeting reinforces Mubadala Health’s support for the development of a sustainable healthcare sector in line with the vision of Abu Dhabi by bringing its patient commitment, ‘Together at Every Stage of Life’ to the communities it serves.
Mubadala Health has begun rolling out BioIntelliSense’s monitoring technologies within its world-class network to drive tech-enabled world-class patient care. As a result, patients have benefited under Mubadala Health’s continuum of care model that is driving clinical workflow efficiencies, unlocking data-driven insights, and enhancing patient experience. Mubadala Health’s partnership with BioIntelliSense is providing patients in the UAE with access to convenient, effective, and seamless care whether they are in a hospital or under a remote monitoring program at home.
-Ends-
About Mubadala Health:
Mubadala Health is the integrated healthcare network of Mubadala Investment Company. Established in 2021, Mubadala Health operates, manages, and develops a portfolio of healthcare assets including: Cleveland Clinic Abu Dhabi, Healthpoint, Imperial College London Diabetes Centre (ICLDC), Amana Healthcare, National Reference Laboratory (NRL), Capital Health Screening Centre (CHSC), Abu Dhabi Telemedicine Centre (ADTC), Danat Al Emarat, HealthPlus Diabetes & Endocrinology Center, HealthPlus Family Clinics, HealthPlus Fertility, HealthPlus Women’s Health Center and Moorfields Eye Hospital Abu Dhabi. With a vision to transform the regional healthcare landscape, Mubadala Health sets a new benchmark for the UAE and regional healthcare industry through its state-of-the-art facilities and world-class caregivers who strive to put patients first across its continuum of care. Innovation, research, and education are the foundational pillars of Mubadala Health, supporting the further development of a sustainable healthcare sector in line with the vision of Abu Dhabi and the region.
Mubadala Health is on Twitter, Instagram, Facebook and LinkedIn with the handle: @mubadalahealth.