RAG Archives - gettectonic.com - Page 24
Demandbase One for Sales iFrame

Demandbase One for Sales iFrame

Understanding the Demandbase One for Sales iFrame in Salesforce The Demandbase One for Sales iFrame (formerly known as Sales Intelligence) allows sales teams to access deep, actionable insights directly within Salesforce. This feature provides account-level and people-level details, including engagement data, technographics, intent signals, and even relevant news, social media posts, and email communications. By offering this level of visibility, sales professionals can make informed decisions and take the most effective next steps on accounts. Key Points: Overview of the Demandbase One for Sales iFrame The iFrame is divided into several key sections: Account, People, Engagement, and Insights tabs. Each of these provides critical information to help you better understand and engage with the companies and people you’re researching. Account Tab People Tab Engagement Tab Final Notes: The Demandbase One for Sales iFrame is a powerful tool that provides a complete view of account activity, helping sales teams make informed decisions and drive results. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
Impact of EHR Adoption

Connected Care Technology

How Connected Care Technology Can Transform the Provider Experience Northwell Health is leveraging advanced connected care technologies, including AI, to alleviate administrative burdens and foster meaningful interactions between providers and patients. While healthcare technology has revolutionized traditional care delivery models, it has also inadvertently created barriers, increasing the administrative workload and distancing providers from their patients. Dr. Michael Oppenheim, Senior Vice President of Clinical Digital Solutions at Northwell Health, highlighted this challenge during the Connected Health 2024 virtual summit, using a poignant illustration published a decade ago in the Journal of the American Medical Association. The image portrays a physician focused on a computer with their back to a patient and family, emphasizing how technology can inadvertently shift attention away from patient care. Reimagining Technology to Enhance Provider-Patient Connections To prevent technology from undermining the patient-provider relationship, healthcare organizations must reduce the administrative burden and enhance connectivity between patients and care teams. Northwell Health exemplifies this approach by implementing innovative solutions aimed at improving access, efficiency, and communication. 1. Expanding Access Without Overloading Providers Connected healthcare technologies can dramatically improve patient access but may strain clinicians managing large patient panels. Dr. Oppenheim illustrated how physicians often need to review extensive patient histories for every interaction, consuming valuable time. Northwell Health addresses this challenge by employing mapping tools, propensity analyses, and matching algorithms to align patients with the most appropriate providers. By connecting patients to specialists who best meet their needs, providers can maximize their time and expertise while ensuring better patient outcomes. 2. Leveraging Generative AI for Chart Summarization Generative AI is proving transformative in managing the immense data volumes clinicians face. AI-driven tools help summarize patient records, extracting clinically relevant details tailored to the provider’s specialty. For instance, in a pilot at Northwell Health, AI successfully summarized complex hospitalizations, capturing the critical elements of care transitions. This “just right” approach ensures providers receive actionable insights without unnecessary data overload. Additionally, ambient listening tools are being used to document clinical consultations seamlessly. By automatically summarizing interactions into structured notes, physicians can focus entirely on their patients during visits, improving care quality while reducing after-hours charting. 3. Streamlining Team-Based Care Effective care delivery often involves a multidisciplinary team, including primary physicians, specialists, nurses, and social workers. Coordinating communication across these groups has historically been challenging. Northwell Health is addressing this issue by adopting EMR systems with integrated team chat functionalities, enabling real-time collaboration among care teams. These tools facilitate better care planning and communication, ensuring patients receive coordinated and consistent treatment. Dr. Oppenheim emphasized the importance of not only uniting clinicians in decision-making but also involving patients in discussions. By presenting clear, viable options, providers can enhance patient engagement and shared decision-making. The Path Forward: Balancing Technology with Provider Needs As healthcare continues its digital transformation, connected care technologies must prioritize clinician satisfaction alongside patient outcomes. Tools that simplify workflows, enhance communication, and reduce administrative burdens are crucial for fostering provider buy-in and ensuring the success of health IT initiatives. Northwell Health’s efforts demonstrate how thoughtfully implemented technologies can empower clinicians, strengthen patient relationships, and create a truly connected healthcare experience. Tectonic is here to help your facility plan. Content updated November 2024. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more Top Ten Reasons Why Tectonic Loves the Cloud The Cloud is Good for Everyone – Why Tectonic loves the cloud You don’t need to worry about tracking licenses. Read more

Read More
guide to RAG

Tectonic Guide to RAG

Guide to RAG (Retrieval-Augmented Generation) Retrieval-Augmented Generation (RAG) has become increasingly popular, and while it’s not yet as common as seeing it on a toaster oven manual, it is expected to grow in use. Despite its rising popularity, comprehensive guides that address all its nuances—such as relevance assessment and hallucination prevention—are still scarce. Drawing from practical experience, this insight offers an in-depth overview of RAG. Why is RAG Important? Large Language Models (LLMs) like ChatGPT can be employed for a wide range of tasks, from crafting horoscopes to more business-centric applications. However, there’s a notable challenge: most LLMs, including ChatGPT, do not inherently understand the specific rules, documents, or processes that companies rely on. There are two ways to address this gap: How RAG Works RAG consists of two primary components: While the system is straightforward, the effectiveness of the output heavily depends on the quality of the documents retrieved and how well the Retriever performs. Corporate documents are often unstructured, conflicting, or context-dependent, making the process challenging. Search Optimization in RAG To enhance RAG’s performance, optimization techniques are used across various stages of information retrieval and processing: Python and LangChain Implementation Example Below is a simple implementation of RAG using Python and LangChain: pythonCopy codeimport os import wget from langchain.vectorstores import Qdrant from langchain.embeddings import OpenAIEmbeddings from langchain import OpenAI from langchain_community.document_loaders import BSHTMLLoader from langchain.chains import RetrievalQA # Download ‘War and Peace’ by Tolstoy wget.download(“http://az.lib.ru/t/tolstoj_lew_nikolaewich/text_0073.shtml”) # Load text from html loader = BSHTMLLoader(“text_0073.shtml”, open_encoding=’ISO-8859-1′) war_and_peace = loader.load() # Initialize Vector Database embeddings = OpenAIEmbeddings() doc_store = Qdrant.from_documents( war_and_peace, embeddings, location=”:memory:”, collection_name=”docs”, ) llm = OpenAI() # Ask questions while True: question = input(‘Your question: ‘) qa = RetrievalQA.from_chain_type( llm=llm, chain_type=”stuff”, retriever=doc_store.as_retriever(), return_source_documents=False, ) result = qa(question) print(f”Answer: {result}”) Considerations for Effective RAG Ranking Techniques in RAG Dynamic Learning with RELP An advanced technique within RAG is Retrieval-Augmented Language Model-based Prediction (RELP). In this method, information retrieved from vector storage is used to generate example answers, which the LLM can then use to dynamically learn and respond. This allows for adaptive learning without the need for expensive retraining. Guide to RAG RAG offers a powerful alternative to retraining large language models, allowing businesses to leverage their proprietary knowledge for practical applications. While setting up and optimizing RAG systems involves navigating various complexities, including document structure, query processing, and ranking, the results are highly effective for most business use cases. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more Alphabet Soup of Cloud Terminology As with any technology, the cloud brings its own alphabet soup of terms. This insight will hopefully help you navigate Read more

Read More
Generative AI Replaces Legacy Systems

Securing AI for Efficiency and Building Customer Trust

As businesses increasingly adopt AI to enhance automation, decision-making, customer support, and growth, they face crucial security and privacy considerations. The Salesforce Platform, with its integrated Einstein Trust Layer, enables organizations to leverage AI securely by ensuring robust data protection, privacy compliance, transparent AI functionality, strict access controls, and detailed audit trails. Why Secure AI Workflows Matter AI technology empowers systems to mimic human-like behaviors, such as learning and problem-solving, through advanced algorithms and large datasets that leverage machine learning. As the volume of data grows, securing sensitive information used in AI systems becomes more challenging. A recent Salesforce study found that 68% of Analytics and IT teams expect data volumes to increase over the next 12 months, underscoring the need for secure AI implementations. AI for Business: Predictive and Generative Models In business, AI depends on trusted data to provide actionable recommendations. Two primary types of AI models support various business functions: Addressing Key LLM Risks Salesforce’s Einstein Trust Layer addresses common risks associated with large language models (LLMs) and offers guidance for secure Generative AI deployment. This includes ensuring data security, managing access, and maintaining transparency and accountability in AI-driven decisions. Leveraging AI to Boost Efficiency Businesses gain a competitive edge with AI by improving efficiency and customer experience through: Four Strategies for Secure AI Implementation To ensure data protection in AI workflows, businesses should consider: The Einstein Trust Layer: Protecting AI-Driven Data The Einstein Trust Layer in Salesforce safeguards generative AI data by providing: Salesforce’s Einstein Trust Layer addresses the security and privacy challenges of adopting AI in business, offering reliable data security, privacy protection, transparent AI operations, and robust access controls. Through this secure approach, businesses can maximize AI benefits while safeguarding customer trust and meeting compliance requirements. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
user questions and answers

Salesforce Marketing Cloud: Private Domain vs. Verified Domain

Understanding the Difference Between Private Domain and Verified Domain in Salesforce Marketing Cloud A Private Domain in Salesforce Marketing Cloud offers full DKIM, SPF, and DMARC authentication for a custom domain, which can significantly improve email deliverability. In contrast, a Verified Domain verifies that the sender owns the domain but does not provide the same level of authentication. While platforms like Constant Contact allow users to add authentication records (such as DKIM, SPF, and DMARC) themselves, this approach is not applicable to Salesforce Marketing Cloud when using Verified Domains. Although technically possible to self-host DNS for a Private Domain and manually add authentication records, Salesforce must provide the specific values for these records, particularly the DKIM key. Salesforce Marketing Cloud vs Salesforce Account EngagementEmails sent through Salesforce Marketing Cloud are signed with a DKIM key, which the recipient’s mail server verifies against the DKIM record in the sender’s DNS. If the DKIM signature does not match the DNS record, the email will fail delivery. Verified Domains do not include Salesforce-signed DKIM keys, making them unsuitable for fully authenticated email sends. For organizations prioritizing email deliverability and compliance, requesting a Private Domain from Salesforce is recommended. While it may require additional setup, it ensures proper authentication and enhances the success of email campaigns. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
Boosting Payer Patient Education with Technology

Boosting Payer Patient Education with Technology

Data and Technology Strategies Elevate Payer-Driven Patient Education Analytics platforms, omnichannel engagement, telehealth, and other technology and data innovations are transforming patient education initiatives within the payer space. Dr. Cathy Moffitt, a pediatrician with over 15 years of emergency department experience and now Chief Medical Officer at Aetna within CVS Health, emphasizes the crucial role of patient education in empowering individuals to navigate their healthcare journeys. “Education is empowerment; it’s engagement. In my role with Aetna, I continue to see health education as fundamental,” Moffitt explained on an episode of Healthcare Strategies. Leveraging Data for Targeted Education At large payers like Aetna, patient education starts with deep data insights. By analyzing member data, payers can identify key opportunities to deliver educational content precisely when members are most receptive. “People are more open to hearing and being educated when they need help right then,” Moffitt said. Aetna’s Next Best Action initiative, launched in 2018, is one such program that reaches out to members at optimal times, focusing on guiding individuals with specific conditions on the next best steps for their health. By sharing patient education materials in these key moments, Aetna aims to maximize the impact and relevance of its outreach. Tailoring Education with Demographic Data Data on member demographics—such as race, ethnicity, gender identity, and zip code—further customizes Aetna’s educational efforts. By incorporating translation services and sensitivity training for customer representatives, Aetna ensures that all communication is accessible and relevant for members from diverse backgrounds. Additionally, having an updated provider directory allows members to connect with healthcare professionals who understand their cultural and linguistic needs, increasing trust and the likelihood of engaging with educational resources. Technology’s Role in Mental Health and Preventive Care Education With over 20 years in healthcare, Moffitt observes that patient education has made significant strides in mental health and preventive care, areas where technology has had a transformative impact. In mental health, for example, education has helped reduce stigma, and telemedicine has expanded access. Preventive care education has raised awareness of screenings, vaccines, and wellness visits, with options like home health visits and retail clinics contributing to increased engagement among Aetna’s members. The Future of Customized, Omnichannel Engagement Looking ahead, Moffitt envisions even more personalized and seamless engagement through omnichannel solutions, allowing members to receive educational materials via their preferred methods—whether email, text, or phone. “I can’t predict exactly where we’ll be in 10 years, but with the technological commitments we’re making, we’ll continue to meet evolving member demands,” Moffitt added. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
Einstein Service Agent

Einstein Service Agent

Introducing Agentforce Service Agent: Salesforce’s Autonomous AI to Transform Chatbot Experiences Accelerate case resolutions with an intelligent, conversational interface that uses natural language and is grounded in trusted customer and business data. Deploy in minutes with ready-made templates, Salesforce components, and a large language model (LLM) to autonomously engage customers across any channel, 24/7. Establish clear privacy and security guardrails to ensure trusted responses, and escalate complex cases to human agents as needed. Editor’s Note: Einstein Service Agent is now known as Agentforce Service Agent. Salesforce has launched Agentforce Service Agent, the company’s first fully autonomous AI agent, set to redefine customer service. Unlike traditional chatbots that rely on preprogrammed responses and lack contextual understanding, Agentforce Service Agent is dynamic, capable of independently addressing a wide range of service issues, which enhances customer service efficiency. Built on the Einstein 1 Platform, Agentforce Service Agent interacts with large language models (LLMs) to analyze the context of customer messages and autonomously determine the appropriate actions. Using generative AI, it creates conversational responses based on trusted company data, such as Salesforce CRM, and aligns them with the brand’s voice and tone. This reduces the burden of routine queries, allowing human agents to focus on more complex, high-value tasks. Customers, in turn, receive faster, more accurate responses without waiting for human intervention. Available 24/7, Agentforce Service Agent communicates naturally across self-service portals and messaging channels, performing tasks proactively while adhering to the company’s defined guardrails. When an issue requires human escalation, the transition is seamless, ensuring a smooth handoff. Ease of Setup and Pilot Launch Currently in pilot, Agentforce Service Agent will be generally available later this year. It can be deployed in minutes using pre-built templates, low-code workflows, and user-friendly interfaces. “Salesforce is shaping the future where human and digital agents collaborate to elevate the customer experience,” said Kishan Chetan, General Manager of Service Cloud. “Agentforce Service Agent, our first fully autonomous AI agent, will revolutionize service teams by not only completing tasks autonomously but also augmenting human productivity. We are reimagining customer service for the AI era.” Why It Matters While most companies use chatbots today, 81% of customers would still prefer to speak to a live agent due to unsatisfactory chatbot experiences. However, 61% of customers express a preference for using self-service options for simpler issues, indicating a need for more intelligent, autonomous agents like Agentforce Service Agent that are powered by generative AI. The Future of AI-Driven Customer Service Agentforce Service Agent has the ability to hold fluid, intelligent conversations with customers by analyzing the full context of inquiries. For instance, a customer reaching out to an online retailer for a return can have their issue fully processed by Agentforce, which autonomously handles tasks such as accessing purchase history, checking inventory, and sending follow-up satisfaction surveys. With trusted business data from Salesforce’s Data Cloud, Agentforce generates accurate and personalized responses. For example, a telecommunications customer looking for a new phone will receive tailored recommendations based on data such as purchase history and service interactions. Advanced Guardrails and Quick Setup Agentforce Service Agent leverages the Einstein Trust Layer to ensure data privacy and security, including the masking of personally identifiable information (PII). It can be quickly activated with out-of-the-box templates and pre-existing Salesforce components, allowing companies to equip it with customized skills faster using natural language instructions. Multimodal Innovation Across Channels Agentforce Service Agent supports cross-channel communication, including messaging apps like WhatsApp, Facebook Messenger, and SMS, as well as self-service portals. It even understands and responds to images, video, and audio. For example, if a customer sends a photo of an issue, Agentforce can analyze it to provide troubleshooting steps or even recommend replacement products. Seamless Handoffs to Human Agents If a customer’s inquiry requires human attention, Agentforce seamlessly transfers the conversation to a human agent who will have full context, avoiding the need for the customer to repeat information. For example, a life insurance company might program Agentforce to escalate conversations if a customer mentions sensitive topics like loss or death. Similarly, if a customer requests a return outside of the company’s policy window, Agentforce can recommend that a human agent make an exception. Customer Perspective “Agentforce Service Agent’s speed and accuracy in handling inquiries is promising. It responds like a human, adhering to our diverse, country-specific guidelines. I see it becoming a key part of our service team, freeing human agents to handle higher-value issues.” — George Pokorny, SVP of Global Customer Success, OpenTable. Content updated October 2024. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
Perplexity has launched an upgraded version of Pro Search

Perplexity has launched an upgraded version of Pro Search

Key Enhancements 1. Multi-step ReasoningPro Search now handles complex questions requiring planning and multiple steps to achieve a goal. Unlike standard search, it comprehensively analyzes results and performs smart follow-up actions based on its findings. It can conduct successive searches that build upon previous answers, enabling a more structured approach to complex queries. 2. Advanced Math and Programming CapabilitiesPro Search integrates with the Wolfram|Alpha engine, enhancing its proficiency in advanced math, programming, and data analysis for high-precision tasks. Quick Search vs. Pro Search While Quick Search provides fast, straightforward answers for quick queries, Pro Search caters to in-depth research needs, offering detailed analysis, comprehensive reporting, and access to a broad range of credible sources. Features: Usage and Subscription Options Pro Search is available with limited free access or through a subscription: Application Areas The new Pro Search upgrade is designed not just for general searches but also to support specific professional fields: Summary of Key Benefits Pro Search elevates research capabilities across various fields by providing smarter search solutions, a more structured approach to complex problems, and advanced computational support. Perplexity has launched an upgraded version of Pro Search, an advanced tool tailored for solving complex problems and streamlining research. This enhanced Pro Search features multi-step reasoning, advanced math, programming capabilities, and delivers more in-depth research insights. Key Enhancements 1. Multi-step ReasoningPro Search now handles complex questions requiring planning and multiple steps to achieve a goal. Unlike standard search, it comprehensively analyzes results and performs smart follow-up actions based on its findings. It can conduct successive searches that build upon previous answers, enabling a more structured approach to complex queries. 2. Advanced Math and Programming CapabilitiesPro Search integrates with the Wolfram|Alpha engine, enhancing its proficiency in advanced math, programming, and data analysis for high-precision tasks. Quick Search vs. Pro Search While Quick Search provides fast, straightforward answers for quick queries, Pro Search caters to in-depth research needs, offering detailed analysis, comprehensive reporting, and access to a broad range of credible sources. Features: Usage and Subscription Options Pro Search is available with limited free access or through a subscription: Application Areas The new Pro Search upgrade is designed not just for general searches but also to support specific professional fields: Summary of Key Benefits Pro Search elevates research capabilities across various fields by providing smarter search solutions, a more structured approach to complex problems, and advanced computational support. Like Related Posts Salesforce OEM AppExchange Expanding its reach beyond CRM, Salesforce.com has launched a new service called AppExchange OEM Edition, aimed at non-CRM service providers. Read more The Salesforce Story In Marc Benioff’s own words How did salesforce.com grow from a start up in a rented apartment into the world’s Read more Salesforce Jigsaw Salesforce.com, a prominent figure in cloud computing, has finalized a deal to acquire Jigsaw, a wiki-style business contact database, for Read more Health Cloud Brings Healthcare Transformation Following swiftly after last week’s successful launch of Financial Services Cloud, Salesforce has announced the second installment in its series Read more

Read More
Confidential AI Computing in Health

Confidential AI Computing in Health

Accelerating Healthcare AI Development with Confidential Computing Can confidential computing accelerate the development of clinical algorithms by creating a secure, collaborative environment for data stewards and AI developers? The potential of AI to transform healthcare is immense. However, data privacy concerns and high costs often slow down AI advancements in this sector, even as other industries experience rapid progress in algorithm development. Confidential computing has emerged as a promising solution to address these challenges, offering secure data handling during AI projects. Although its use in healthcare was previously limited to research, recent collaborations are bringing it to the forefront of clinical AI development. In 2020, the University of California, San Francisco (UCSF) Center for Digital Health Innovation (CDHI), along with Fortanix, Intel, and Microsoft Azure, formed a partnership to create a privacy-preserving confidential computing platform. This collaboration, which later evolved into BeeKeeperAI, aimed to accelerate clinical algorithm development by providing a secure, zero-trust environment for healthcare data and intellectual property (IP), while facilitating streamlined workflows and collaboration. Mary Beth Chalk, co-founder and Chief Commercial Officer of BeeKeeperAI, shared insights with Healthtech Analytics on how confidential computing can address common hurdles in clinical AI development and how stakeholders can leverage this technology in real-world applications. Overcoming Challenges in Clinical AI Development Chalk highlighted the significant barriers that hinder AI development in healthcare: privacy, security, time, and cost. These challenges often prevent effective collaboration between the two key parties involved: data stewards, who manage patient data and privacy, and algorithm developers, who work to create healthcare AI solutions. Even when these parties belong to the same organization, workflows often remain inefficient and fragmented. Before BeeKeeperAI spun out of UCSF, the team realized how time-consuming and costly the process of algorithm development was. Regulatory approvals, data access agreements, and other administrative tasks could take months to complete, delaying projects that could be finished in a matter of weeks. Chalk noted, “It was taking nine months to 18 months just to get approvals for what was essentially a two-month computing project.” This delay and inefficiency are unsustainable in a fast-moving technology environment, especially given that software innovation outpaces the development of medical devices or drugs. Confidential computing can address this challenge by helping clinical algorithm developers “move at the speed of software.” By offering encryption protection for data and IP during computation, confidential computing ensures privacy and security at every stage of the development process. Confidential Computing: A New Frontier in Healthcare AI Confidential computing protects sensitive data not only at rest and in transit but also during computation, which sets it apart from other privacy technologies like federated learning. With federated learning, data and IP are protected during storage and transmission but remain exposed during computation. This exposure raises significant privacy concerns during AI development. In contrast, confidential computing ensures end-to-end encrypted protection, safeguarding both data and intellectual property throughout the entire process. This enables stakeholders to collaborate securely while maintaining privacy and data sovereignty. Chalk emphasized that with confidential computing, stakeholders can ensure that patient privacy is protected and intellectual property remains secure, even when multiple parties are involved in the development process. As a result, confidential computing becomes an enabling core competency that facilitates faster and more efficient clinical AI development. Streamlining Clinical AI Development with Confidential Computing Confidential computing environments provide a secure, automated platform that facilitates the development process, reducing the need for manual intervention. Chalk described healthcare AI development as a “well-worn goat path,” where multiple stakeholders know the steps required but are often bogged down by time-consuming administrative tasks. BeeKeeperAI’s platform streamlines this process by allowing AI developers to upload project protocols, which are then shared with data stewards. The data steward can determine if they have the necessary clinical data and curate it according to the AI developer’s specifications. This secure collaboration is built on automated workflows, but because the data and algorithms remain encrypted, privacy is never compromised. The BeeKeeperAI platform enables a collaborative, familiar interface for developers and data stewards, allowing them to work together in a secure environment. The software does not require extensive expertise in confidential computing, as BeeKeeperAI manages the infrastructure and ensures that the data never leaves the control of the data steward. Real-World Applications of Confidential Computing Confidential computing has the potential to revolutionize healthcare AI development, particularly by improving the precision of disease detection, predicting disease trajectories, and enabling personalized treatment recommendations. Chalk emphasized that the real promise of AI in healthcare lies in precision medicine—the ability to tailor interventions to individual patients, especially those on the “tails” of the bell curve who may respond differently to treatment. For instance, confidential computing can facilitate research into precision medicine by enabling AI developers to analyze patient data securely, without risking exposure of sensitive personal information. Chalk explained, “With confidential computing, I can drill into those tails and see what was unique about those patients without exposing their identities.” Currently, real-world data access remains a significant challenge for clinical AI development, especially as research moves from synthetic or de-identified data to high-quality, real-world clinical data. Chalk noted that for clinical AI to demonstrate efficacy, improve outcomes, or enhance safety, it must operate on real-world data. However, accessing this data while ensuring privacy has been a major obstacle for AI teams. Confidential computing can help bridge this “data cliff” by providing a secure environment for researchers to access and utilize real-world data without compromising privacy. Conclusion While the use of confidential computing in healthcare is still evolving, its potential is vast. By offering secure data handling throughout the development process, confidential computing enables AI developers and data stewards to collaborate more efficiently, overcome regulatory hurdles, and accelerate clinical AI advancements. This technology could help realize the promise of precision medicine, making personalized healthcare interventions safer, more effective, and more widely available. Chalk highlighted that many healthcare and life sciences organizations are exploring confidential computing use cases, particularly in neurology, oncology, mental health, and rare diseases—fields that require the use of

Read More
gettectonic.com