LLMs Archives - gettectonic.com - Page 3

Why Build a General-Purpose Agent?

A general-purpose LLM agent serves as an excellent starting point for prototyping use cases and establishing the foundation for a custom agentic architecture tailored to your needs. What is an LLM Agent? An LLM (Large Language Model) agent is a program where execution logic is governed by the underlying model. Unlike approaches such as few-shot prompting or fixed workflows, LLM agents adapt dynamically. They can determine which tools to use (e.g., web search or code execution), how to use them, and iterate based on results. This adaptability enables handling diverse tasks with minimal configuration. Agentic Architectures Explained:Agentic systems range from the reliability of fixed workflows to the flexibility of autonomous agents. For instance: Your architecture choice will depend on the desired balance between reliability and flexibility for your use case. Building a General-Purpose LLM Agent Step 1: Select the Right LLM Choosing the right model is critical for performance. Evaluate based on: Model Recommendations (as of now): For simpler use cases, smaller models running locally can also be effective, but with limited functionality. Step 2: Define the Agent’s Control Logic The system prompt differentiates an LLM agent from a standalone model. This prompt contains rules, instructions, and structures that guide the agent’s behavior. Common Agentic Patterns: Starting with ReAct or Plan-then-Execute patterns is recommended for general-purpose agents. Step 3: Define the Agent’s Core Instructions To optimize the agent’s behavior, clearly define its features and constraints in the system prompt: Example Instructions: Step 4: Define and Optimize Core Tools Tools expand an agent’s capabilities. Common tools include: For each tool, define: Example: Implementing an Arxiv API tool for scientific queries. Step 5: Memory Handling Strategy Since LLMs have limited memory (context window), a strategy is necessary to manage past interactions. Common approaches include: For personalization, long-term memory can store user preferences or critical information. Step 6: Parse the Agent’s Output To make raw LLM outputs actionable, implement a parser to convert outputs into a structured format like JSON. Structured outputs simplify execution and ensure consistency. Step 7: Orchestrate the Agent’s Workflow Define orchestration logic to handle the agent’s next steps after receiving an output: Example Orchestration Code: pythonCopy codedef orchestrator(llm_agent, llm_output, tools, user_query): while True: action = llm_output.get(“action”) if action == “tool_call”: tool_name = llm_output.get(“tool_name”) tool_params = llm_output.get(“tool_params”, {}) if tool_name in tools: try: tool_result = tools[tool_name](**tool_params) llm_output = llm_agent({“tool_output”: tool_result}) except Exception as e: return f”Error executing tool ‘{tool_name}’: {str(e)}” else: return f”Error: Tool ‘{tool_name}’ not found.” elif action == “return_answer”: return llm_output.get(“answer”, “No answer provided.”) else: return “Error: Unrecognized action type from LLM output.” This orchestration ensures seamless interaction between tools, memory, and user queries. When to Consider Multi-Agent Systems A single-agent setup works well for prototyping but may hit limits with complex workflows or extensive toolsets. Multi-agent architectures can: Starting with a single agent helps refine workflows, identify bottlenecks, and scale effectively. By following these steps, you’ll have a versatile system capable of handling diverse use cases, from competitive analysis to automating workflows. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, 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
Python-Based Reasoning Engine

Python-Based Reasoning Engine

Introducing a Python-Based Reasoning Engine for Deterministic AI In the age of large language models (LLMs), there’s a growing need for deterministic systems that enforce rules and constraints while reasoning about information. We’ve developed a Python-based reasoning and validation framework that bridges the gap between traditional rule-based logic and modern AI capabilities, inspired by frameworks like Pydantic. This approach is designed for developers and non-technical experts alike, making it easy to build complex rule engines that translate natural language instructions into enforceable code. Our fine-tuned model automates the creation of rules while ensuring human oversight for quality and conflict detection. The result? Faster implementation of rule engines, reduced developer overhead, and flexible extensibility across domains. The Framework at a Glance Our system consists of five core components: To analogize, this framework operates like a game of chess: Our framework supports two primary use cases: Key Features and Benefits Case Studies Validation Engine: Ensuring Compliance A mining company needed to validate employee qualifications based on age, region, and role. Example Data Structure: jsonCopy code{ “employees”: [ { “name”: “Sarah”, “age”: 25, “role”: “Manager”, “documents”: [“safe_handling_at_work”, “heavy_lifting”] }, { “name”: “John”, “age”: 17, “role”: “Laborer”, “documents”: [“heavy_lifting”] } ] } Rules: jsonCopy code{ “rules”: [ { “type”: “min_age”, “parameters”: { “min_age”: 18 } }, { “type”: “dozer_operator”, “parameters”: { “document_type”: “dozer_qualification” } } ] } Outcome:The system flagged violations, such as employees under 18 or missing required qualifications, ensuring compliance with organizational rules. Reasoning Engine: Solving the River Crossing Puzzle The classic river crossing puzzle demonstrates the engine’s reasoning capabilities. Problem Setup:A farmer must ferry a goat, a wolf, and a cabbage across a river, adhering to specific constraints (e.g., the goat cannot be left alone with the cabbage). Steps: Output:The engine generated a solution in 0.0003 seconds, showcasing its efficiency in navigating complex logic. Advanced Features: Dynamic Rule Expansion The system supports real-time rule adjustments. For instance, adding a “wolf cannot be left with a chicken” constraint introduces a conflict. By extending rules (e.g., allowing the farmer to carry two items), the engine dynamically resolves previously unsolvable scenarios. Sample Code Snippet: pythonCopy codeclass CarryingCapacityRule(Rule): def evaluate(self, state): items_moved = sum(1 for item in [‘wolf’, ‘goat’, ‘cabbage’, ‘chicken’] if getattr(state, item) == state.farmer) return items_moved <= 2 def get_description(self): return “Farmer can carry up to two items at a time” Result:The adjusted engine solved the puzzle in three moves, down from seven, while maintaining rule integrity. Collaborative UI for Rule Creation Our user interface empowers domain experts to define rules without writing code. Developers validate these rules, which are then seamlessly integrated into the system. Visual Workflow: 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, 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
Standards in Healthcare Cybersecurity

Deploying Large Language Models in Healthcare

Study Identifies Cost-Effective Strategies for Deploying Large Language Models in Healthcare Efficient deployment of large language models (LLMs) at scale in healthcare can streamline clinical workflows and reduce costs by up to 17 times without compromising reliability, according to a study published in NPJ Digital Medicine by researchers at the Icahn School of Medicine at Mount Sinai. The research highlights the potential of LLMs to enhance clinical operations while addressing the financial and computational hurdles healthcare organizations face in scaling these technologies. To investigate solutions, the team evaluated 10 LLMs of varying sizes and capacities using real-world patient data. The models were tested on chained queries and increasingly complex clinical notes, with outputs assessed for accuracy, formatting quality, and adherence to clinical instructions. “Our study was driven by the need to identify practical ways to cut costs while maintaining performance, enabling health systems to confidently adopt LLMs at scale,” said Dr. Eyal Klang, director of the Generative AI Research Program at Icahn Mount Sinai. “We aimed to stress-test these models, evaluating their ability to manage multiple tasks simultaneously and identifying strategies to balance performance and affordability.” The team conducted over 300,000 experiments, finding that high-capacity models like Meta’s Llama-3-70B and GPT-4 Turbo 128k performed best, maintaining high accuracy and low failure rates. However, performance began to degrade as task volume and complexity increased, particularly beyond 50 tasks involving large prompts. The study further revealed that grouping tasks—such as identifying patients for preventive screenings, analyzing medication safety, and matching patients for clinical trials—enabled LLMs to handle up to 50 simultaneous tasks without significant accuracy loss. This strategy also led to dramatic cost savings, with API costs reduced by up to 17-fold, offering a pathway for health systems to save millions annually. “Understanding where these models reach their cognitive limits is critical for ensuring reliability and operational stability,” said Dr. Girish N. Nadkarni, co-senior author and director of The Charles Bronfman Institute of Personalized Medicine. “Our findings pave the way for the integration of generative AI in hospitals while accounting for real-world constraints.” Beyond cost efficiency, the study underscores the potential of LLMs to automate key tasks, conserve resources, and free up healthcare providers to focus more on patient care. “This research highlights how AI can transform healthcare operations. Grouping tasks not only cuts costs but also optimizes resources that can be redirected toward improving patient outcomes,” said Dr. David L. Reich, co-author and chief clinical officer of the Mount Sinai Health System. The research team plans to explore how LLMs perform in live clinical environments and assess emerging models to determine whether advancements in AI technology can expand their cognitive thresholds. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, 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
AI Agents Set to Break Through in 2025

AI Agents Set to Break Through in 2025

2025: The Year AI Agents Transform Work and Life Despite years of hype around artificial intelligence, its true disruptive impact has so far been limited. However, industry experts believe that’s about to change in 2025 as autonomous AI agents prepare to enter and reshape nearly every facet of our lives. Since OpenAI’s ChatGPT took the world by storm in late 2022, billions of dollars have been funneled into the AI sector. Big tech and startups alike are racing to harness the transformative potential of the technology. Yet, while millions now interact with AI chatbots daily, turning them into tools that deliver tangible business value has proven challenging. A recent study by Boston Consulting Group revealed that only 26% of companies experimenting with AI have progressed beyond proof of concept to derive measurable value. This lag reflects the limitations of current AI tools, which serve primarily as copilots—capable of assisting but requiring constant oversight and remaining prone to errors. AI Agents Set to Break Through in 2025 The status quo, however, is poised for a radical shift. Autonomous AI agents—capable of independently analyzing information, making decisions, and taking action—are expected to emerge as the industry’s next big breakthrough. “For the first time, technology isn’t just offering tools for humans to do work,” Salesforce CEO Marc Benioff wrote in Time. “It’s providing intelligent, scalable digital labor that performs tasks autonomously. Instead of waiting for human input, agents can analyze information, make decisions, and adapt as they go.” At their core, AI agents leverage the same large language models (LLMs) that power tools like ChatGPT. But these agents take it further, acting as reasoning engines that develop step-by-step strategies to execute tasks. Armed with access to external data sources like customer records or financial databases and equipped with software tools, agents can achieve goals independently. While current LLMs still face reasoning limitations, advancements are on the horizon. New models like OpenAI’s “o1” and DeepSeek’s “R1” are specialized for reasoning, sparking hope that 2025 will see agents grow far more capable. Big Tech and Startups Betting Big Major players are already gearing up for this new era. Startups are also eager to carve out their share of the market. According to Pitchbook, funding deals for agent-focused ventures surged by over 80% in 2024, with the median deal value increasing nearly 50%. Challenges to Overcome Despite the enthusiasm, significant hurdles remain. 2025: A Turning Point Despite these challenges, many experts believe 2025 will mark the mainstream adoption of AI agents. A New World of Work No matter the pace, it’s clear that AI agents will dominate the industry’s focus in 2025. If the technology delivers on its promise, the workplace could undergo a profound transformation, enabling entirely new ways of working and automating tasks that once required human intervention. The question isn’t if agents will redefine the way we work—it’s how fast. By the end of 2025, the shift could be undeniable. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More
Transforming the Role of Data Science Teams

Transforming the Role of Data Science Teams

GenAI: Transforming the Role of Data Science Teams Challenges, Opportunities, and the Evolving Responsibilities of Data Scientists Generative AI (GenAI) is revolutionizing the AI landscape, offering faster development cycles, reduced technical overhead, and enabling groundbreaking use cases that once seemed unattainable. However, it also introduces new challenges, including the risks of hallucinations and reliance on third-party APIs. For Data Scientists and Machine Learning (ML) teams, this shift directly impacts their roles. GenAI-driven projects, often powered by external providers like OpenAI, Anthropic, or Meta, blur traditional lines. AI solutions are increasingly accessible to non-technical teams, but this accessibility raises fundamental questions about the role and responsibilities of data science teams in ensuring effective, ethical, and future-proof AI systems. Let’s explore how this evolution is reshaping the field. Expanding Possibilities Without Losing Focus While GenAI unlocks opportunities to solve a broader range of challenges, not every problem warrants an AI solution. Data Scientists remain vital in assessing when and where AI is appropriate, selecting the right approaches—whether GenAI, traditional ML, or hybrid solutions—and designing reliable systems. Although GenAI broadens the toolkit, two factors shape its application: For example, incorporating features that enable user oversight of AI outputs may prove more strategic than attempting full automation with extensive fine-tuning. Differentiation will not come from simply using LLMs, which are widely accessible, but from the unique value and functionality they enable. Traditional ML Is Far from Dead—It’s Evolving with GenAI While GenAI is transformative, traditional ML continues to play a critical role. Many use cases, especially those unrelated to text or images, are best addressed with ML. GenAI often complements traditional ML, enabling faster prototyping, enhanced experimentation, and hybrid systems that blend the strengths of both approaches. For instance, traditional ML workflows—requiring extensive data preparation, training, and maintenance—contrast with GenAI’s simplified process: prompt engineering, offline evaluation, and API integration. This allows rapid proof of concept for new ideas. Once proven, teams can refine solutions using traditional ML to optimize costs or latency, or transition to Small Language Models (SMLs) for greater control and performance. Hybrid systems are increasingly common. For example, DoorDash combines LLMs with ML models for product classification. LLMs handle cases the ML model cannot classify confidently, retraining the ML system with new insights—a powerful feedback loop. GenAI Solves New Problems—But Still Needs Expertise The AI landscape is shifting from bespoke in-house models to fewer, large multi-task models provided by external vendors. While this simplifies some aspects of AI implementation, it requires teams to remain vigilant about GenAI’s probabilistic nature and inherent risks. Key challenges unique to GenAI include: Data Scientists must ensure robust evaluations, including statistical and model-based metrics, before deployment. Monitoring tools like Datadog now offer LLM-specific observability, enabling teams to track system performance in real-world environments. Teams must also address ethical concerns, applying frameworks like ComplAI to benchmark models and incorporating guardrails to align outputs with organizational and societal values. Building AI Literacy Across Organizations AI literacy is becoming a critical competency for organizations. Beyond technical implementation, competitive advantage now depends on how effectively the entire workforce understands and leverages AI. Data Scientists are uniquely positioned to champion this literacy by leading initiatives such as internal training, workshops, and hackathons. These efforts can: The New Role of Data Scientists: A Strategic Pivot The role of Data Scientists is not diminishing but evolving. Their expertise remains essential to ensure AI solutions are reliable, ethical, and impactful. Key responsibilities now include: By adapting to this new landscape, Data Scientists will continue to play a pivotal role in guiding organizations to harness AI effectively and responsibly. GenAI is not replacing them; it’s expanding their impact. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, 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

Empowering LLMs with a Robust Agent Framework

PydanticAI: Empowering LLMs with a Robust Agent Framework As the Generative AI landscape evolves at a historic pace, AI agents and multi-agent systems are expected to dominate 2025. Industry leaders like AWS, OpenAI, and Microsoft are racing to release frameworks, but among these, PydanticAI stands out for its unique integration of the powerful Pydantic library with large language models (LLMs). Why Pydantic Matters Pydantic, a Python library, simplifies data validation and parsing, making it indispensable for handling external inputs such as JSON, user data, or API responses. By automating data checks (e.g., type validation and format enforcement), Pydantic ensures data integrity while reducing errors and development effort. For instance, instead of manually validating fields like age or email, Pydantic allows you to define models that automatically enforce structure and constraints. Consider the following example: pythonCopy codefrom pydantic import BaseModel, EmailStr class User(BaseModel): name: str age: int email: EmailStr user_data = {“name”: “Alice”, “age”: 25, “email”: “alice@example.com”} user = User(**user_data) print(user.name) # Alice print(user.age) # 25 print(user.email) # alice@example.com If invalid data is provided (e.g., age as a string), Pydantic throws a detailed error, making debugging straightforward. What Makes PydanticAI Special Building on Pydantic’s strengths, PydanticAI brings structured, type-safe responses to LLM-based AI agents. Here are its standout features: Building an AI Agent with PydanticAI Below is an example of creating a PydanticAI-powered bank support agent. The agent interacts with customer data, evaluates risks, and provides structured advice. Installation bashCopy codepip install ‘pydantic-ai-slim[openai,vertexai,logfire]’ Example: Bank Support Agent pythonCopy codefrom dataclasses import dataclass from pydantic import BaseModel, Field from pydantic_ai import Agent, RunContext from bank_database import DatabaseConn @dataclass class SupportDependencies: customer_id: int db: DatabaseConn class SupportResult(BaseModel): support_advice: str = Field(description=”Advice for the customer”) block_card: bool = Field(description=”Whether to block the customer’s card”) risk: int = Field(description=”Risk level of the query”, ge=0, le=10) support_agent = Agent( ‘openai:gpt-4o’, deps_type=SupportDependencies, result_type=SupportResult, system_prompt=( “You are a support agent in our bank. Provide support to customers and assess risk levels.” ), ) @support_agent.system_prompt async def add_customer_name(ctx: RunContext[SupportDependencies]) -> str: customer_name = await ctx.deps.db.customer_name(id=ctx.deps.customer_id) return f”The customer’s name is {customer_name!r}” @support_agent.tool async def customer_balance(ctx: RunContext[SupportDependencies], include_pending: bool) -> float: return await ctx.deps.db.customer_balance( id=ctx.deps.customer_id, include_pending=include_pending ) async def main(): deps = SupportDependencies(customer_id=123, db=DatabaseConn()) result = await support_agent.run(‘What is my balance?’, deps=deps) print(result.data) result = await support_agent.run(‘I just lost my card!’, deps=deps) print(result.data) Key Concepts Why PydanticAI Matters PydanticAI simplifies the development of production-ready AI agents by bridging the gap between unstructured LLM outputs and structured, validated data. Its ability to handle complex workflows with type safety and its seamless integration with modern AI tools make it an essential framework for developers. As we move toward a future dominated by multi-agent AI systems, PydanticAI is poised to be a cornerstone in building reliable, scalable, and secure AI-driven applications. Like1 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, 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

Real-World Insights and Applications

Salesforce’s Agentforce empowers businesses to create and deploy custom AI agents tailored to their unique needs. Built on a foundation of flexibility, the platform leverages both Salesforce’s proprietary AI models and third-party models like those from OpenAI, Anthropic, Amazon, and Google. This versatility enables businesses to automate a wide range of tasks, from generating detailed sales reports to summarizing Slack conversations. AI in Action: Real-World Insights and Applications The “CXO AI Playbook” by Business Insider explores how organizations across industries and sizes are adopting AI. Featured companies reveal their challenges, the decision-makers driving AI initiatives, and their strategic goals for the future. Salesforce’s approach with Agentforce aligns with this vision, offering advanced tools to address dynamic business needs and improve operational efficiency. Building on Salesforce’s Legacy of Innovation Salesforce has long been a leader in AI integration. It introduced Einstein in 2016 to handle scripted tasks like predictive analytics. As AI capabilities evolved, Salesforce launched Einstein GPT and later Einstein Copilot, which expanded into decision-making and natural language processing. By early 2024, these advancements culminated in Agentforce—a platform designed to provide customizable, prebuilt AI agents for diverse applications. “We recognized that our customers wanted to extend our AI capabilities or create their own custom agents,” said Tyler Carlson, Salesforce’s VP of Business Development. A Powerful Ecosystem: Agentforce’s Core Features Agentforce is powered by the Atlas Reasoning Engine, Salesforce’s proprietary technology that employs ReAct prompting to enable AI agents to break down problems, refine their responses, and deliver more accurate outcomes. The engine integrates seamlessly with Salesforce’s own large language models (LLMs) and external models, ensuring adaptability and precision. Agentforce also emphasizes strict data privacy and security. For example, data shared with external LLMs is subject to limited retention policies and content filtering to ensure compliance and safety. Key Applications and Use Cases Businesses can leverage tools like Agentbuilder to design and scale AI agents with specific functionalities, such as: Seamless Integration with Slack Currently in beta, Agentforce’s Slack integration brings AI automation directly to the workplace. This allows employee-facing agents to execute tasks and answer queries within the communication tool. “Slack is valuable for employee-facing agents because it makes their capabilities easily accessible,” Carlson explained. Measurable Impact: Driving Success with Agentforce Salesforce measures the success of Agentforce by tracking client outcomes. Early adopters report significant results, such as a 90% resolution rate for customer inquiries managed by AI agents. As adoption grows, Salesforce envisions a robust ecosystem of partners, AI skills, and agent capabilities. “By next year, we foresee thousands of agent skills and topics available to clients, driving broader adoption across our CRM systems and Slack,” Carlson shared. Salesforce’s Agentforce represents the next generation of intelligent business automation, combining advanced AI with seamless integrations to deliver meaningful, measurable outcomes at scale. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More
Agentforce Custom AI Agents

Agentforce Custom AI Agents

Salesforce Introduces Agentforce: A New AI Platform to Build Custom Digital Agents Salesforce has unveiled Agentforce, its latest AI platform designed to help companies build and deploy intelligent digital agents to automate a wide range of tasks. Building on Salesforce’s generative AI advancements, Agentforce integrates seamlessly with its existing tools, enabling businesses to enhance efficiency and decision-making through automation. Agentforce Custom AI Agents. With applications like generating reports from sales data, summarizing Slack conversations, and routing emails to the appropriate departments, Agentforce offers businesses unprecedented flexibility in automating routine processes. The Problem Agentforce Solves Salesforce’s journey in AI began in 2016 with the launch of Einstein, a suite of AI tools for its CRM software. While Einstein automated some tasks, its capabilities were largely predefined and lacked the flexibility to handle complex, dynamic scenarios. The rapid evolution of generative AI opened new doors for improving natural language understanding and decision-making. This led to innovations like Einstein GPT and later Einstein Copilot, which laid the foundation for Agentforce. With Agentforce, businesses can now create prebuilt or fully customizable agents that adapt to unique business needs. Agentforce Custom AI Agents “We recognized that our customers want to extend the agents we provide or build their own,” said Tyler Carlson, Salesforce’s Vice President of Business Development. How Agentforce Works At the heart of Agentforce is the Atlas Reasoning Engine, a proprietary technology developed by Salesforce. It leverages advanced techniques like ReAct prompting, which allows AI agents to break down problems into steps, reason through them, and iteratively refine their actions until they meet user expectations. Key Features: Ensuring Security and Compliance Given the potential risks of integrating third-party LLMs, Salesforce has implemented robust safeguards, including: AI in Action: Real-World Applications One notable use case of Agentforce is its collaboration with Workday to develop an AI Employee Service Agent. This agent helps employees find answers to HR-related questions using a company’s internal policies and documents. Another example involves agents autonomously managing general email inboxes by analyzing message intent and forwarding emails to relevant teams. “These agents are not monolithic or tied to a single LLM,” Carlson explained. “Their versatility lies in combining different models and technologies for better outcomes.” Measuring Success Salesforce gauges Agentforce’s success through client outcomes and platform adoption. For example, some users report that Agentforce resolves up to 90% of customer inquiries autonomously. Looking ahead, Salesforce aims to expand the Agentforce ecosystem significantly. “By next year, we want thousands of agent skills and topics available for customers to leverage,” Carlson added. A Platform for the Future of AI Agentforce represents Salesforce’s vision of creating autonomous AI agents that empower businesses to work smarter, faster, and more efficiently. With tools like Agentbuilder and integrations across its ecosystem, Salesforce is positioning Agentforce as a cornerstone of AI-led innovation, helping businesses stay ahead in a rapidly evolving technological landscape. Like1 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More

Salesforce Agents are Transforming Internal Workflows

How Salesforce Agents are Transforming Internal Workflows Salesforce CIO and Executive Vice President Juan Perez, with three decades of IT leadership experience, is leading the charge in deploying generative AI solutions like Agentforce within Salesforce. Perez’s approach reflects lessons learned during his tenure at UPS, where he oversaw IT operations for a global enterprise. His strategies emphasize scalability, data strategy, and modernization to support growth, with AI now playing a pivotal role. UPS Lessons Applied to Salesforce Perez draws on his UPS experience in managing IT at scale to navigate Salesforce’s needs as a growing enterprise. At UPS, he managed a complex, global IT organization supporting diverse operations, from running an airline to ensuring timely package delivery. Similarly, Salesforce’s IT strategy prioritizes scalable solutions, robust data strategies, and AI integration. “Salesforce intelligently realized the importance of leveraging its own technologies, including AI, to modernize and support growth,” Perez explains. Generative AI’s Transformative Potential Perez views generative AI (GenAI) as a transformative force on par with the internet’s emergence in the 1990s. By reducing the time spent on data analysis and decision-making, AI enables teams to focus on actions that improve productivity and customer service. While GenAI isn’t a solution in itself, Perez sees it as an enabler that amplifies human efforts. Evaluating and Integrating AI in Salesforce’s Stack Salesforce adopts a rigorous, multi-step approach to evaluate new technologies, including large language models (LLMs) and generative AI tools. Perez outlines a “filtering mechanism” for implementation: This structured approach ensures AI investments are both impactful and sustainable. Measuring AI’s ROI To quantify the impact of AI, Salesforce evaluates metrics like lines of code generated using AI tools and time saved through automation. In one example, approximately 26% of production-ready code in a recent deployment was AI-generated. This efficiency is factored into planning and budgeting, allowing resources to be reallocated to other initiatives. Mitigating “Shadow AI” Risks Perez warns against “shadow AI,” where decentralized or unmanaged AI implementations can lead to security, data privacy, and investment inefficiencies. He stresses the need for visibility and governance to prevent these risks. To address this, Salesforce has established an AI Council that is evolving into an Agentforce Center of Excellence. This body ensures responsible development, aligns projects with organizational goals, and maintains oversight of AI implementations across the enterprise. Responsible and Scalable AI Adoption Salesforce’s commitment to using its own products extends to Agentforce, a generative AI suite designed to streamline internal workflows. With a focus on governance, scalability, and measurable impact, Salesforce sets a benchmark for AI adoption. As Perez explains, “We ensure our AI solutions are safe, effective, and capable of driving significant value while remaining aligned with our strategic goals.” By combining rigorous evaluation, measurable outcomes, and proactive governance, Salesforce demonstrates how AI can transform workflows while mitigating risks. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More
AI Productivity Paradox

AI Productivity Paradox

The AI Productivity Paradox: Why Aren’t More Workers Using AI Tooks Like ChatGPT?The Real Barrier Isn’t Technical Skills — It’s Time to Think Despite the transformative potential of tools like ChatGPT, most knowledge workers aren’t utilizing them effectively. Those who do tend to use them for basic tasks like summarization. Less than 5% of ChatGPT’s user base subscribes to the paid Plus version, indicating that a small fraction of potential professional users are tapping into AI for more complex, high-value tasks. Having spent over a decade building AI products at companies such as Google Brain and Shopify Ads, the evolution of AI has been clearly evident. With the advent of ChatGPT, AI has transitioned from being an enhancement for tools like photo organizers to becoming a significant productivity booster for all knowledge workers. Most executives are aware that today’s buzz around AI is more than just hype. They’re eager to make their companies AI-forward, recognizing that it’s now more powerful and user-friendly than ever. Yet, despite this potential and enthusiasm, widespread adoption remains slow. The real issue lies in how organizations approach work itself. Systemic problems are hindering the integration of these tools into the daily workflow. Ultimately, the question executives need to ask isn’t, “How can we use AI to work faster? Or can this feature be built with AI?” but rather, “How can we use AI to create more value? What are the questions we should be asking but aren’t?” Real-world ImpactRecently, large language models (LLMs)—the technology behind tools like ChatGPT—were used to tackle a complex data structuring and analysis task. This task would typically require a cross-functional team of data analysts and content designers, taking a month or more to complete. Here’s what was accomplished in just one day using Google AI Studio: However, the process wasn’t just about pressing a button and letting AI do all the work. It required focused effort, detailed instructions, and multiple iterations. Hours were spent crafting precise prompts, providing feedback, and redirecting the AI when it went off course. In this case, the task was compressed from a month-long process to a single day. While it was mentally exhausting, the result wasn’t just a faster process—it was a fundamentally better and different outcome. The LLMs uncovered nuanced patterns and edge cases within the data that traditional analysis would have missed. The Counterintuitive TruthHere lies the key to understanding the AI productivity paradox: The success in using AI was possible because leadership allowed for a full day dedicated to rethinking data processes with AI as a thought partner. This provided the space for deep, strategic thinking, exploring connections and possibilities that would typically take weeks. However, this quality-focused work is often sacrificed under the pressure to meet deadlines. Ironically, most people don’t have time to figure out how they could save time. This lack of dedicated time for exploration is a luxury many product managers (PMs) can’t afford. Under constant pressure to deliver immediate results, many PMs don’t have even an hour for strategic thinking. For many, the only way to carve out time for this work is by pretending to be sick. This continuous pressure also hinders AI adoption. Developing thorough testing plans or proactively addressing AI-related issues is viewed as a luxury, not a necessity. This creates a counterproductive dynamic: Why use AI to spot issues in documentation if fixing them would delay launch? Why conduct further user research when the direction has already been set from above? Charting a New Course — Investing in PeopleProviding employees time to “figure out AI” isn’t enough; most need training to fully understand how to leverage ChatGPT beyond simple tasks like summarization. Yet the training required is often far less than what people expect. While the market is flooded with AI training programs, many aren’t suitable for most employees. These programs are often time-consuming, overly technical, and not tailored to specific job functions. The best results come from working closely with individuals for brief periods—10 to 15 minutes—to audit their current workflows and identify areas where LLMs could be used to streamline processes. Understanding the technical details behind token prediction isn’t necessary to create effective prompts. It’s also a myth that AI adoption is only for those with technical backgrounds under 40. In fact, attention to detail and a passion for quality work are far better indicators of success. By setting aside biases, companies may discover hidden AI enthusiasts within their ranks. For example, a lawyer in his sixties, after just five minutes of explanation, grasped the potential of LLMs. By tailoring examples to his domain, the technology helped him draft a law review article he had been putting off for months. It’s likely that many companies already have AI enthusiasts—individuals who’ve taken the initiative to explore LLMs in their work. These “LLM whisperers” could come from any department: engineering, marketing, data science, product management, or customer service. By identifying these internal innovators, organizations can leverage their expertise. Once these experts are found, they can conduct “AI audits” of current workflows, identify areas for improvement, and provide starter prompts for specific use cases. These internal experts often better understand the company’s systems and goals, making them more capable of spotting relevant opportunities. Ensuring Time for ExplorationBeyond providing training, it’s crucial that employees have the time to explore and experiment with AI tools. Companies can’t simply tell their employees to innovate with AI while demanding that another month’s worth of features be delivered by Friday at 5 p.m. Ensuring teams have a few hours a month for exploration is essential for fostering true AI adoption. Once the initial hurdle of adoption is overcome, employees will be able to identify the most promising areas for AI investment. From there, organizations will be better positioned to assess the need for more specialized training. ConclusionThe AI productivity paradox is not about the complexity of the technology but rather how organizations approach work and innovation. Harnessing AI’s potential is simpler than “AI influencers” often suggest, requiring only

Read More
AI platform for automated task management

AI platform for automated task management

Salesforce Doubles Down on AI Innovation with Agentforce Salesforce, renowned for its CRM software used by over 150,000 businesses, including Amazon and Walmart, continues to push the boundaries of innovation. Beyond its flagship CRM, Salesforce also owns Slack, the popular workplace communication app. Now, the company is taking its AI capabilities to the next level with Agentforce—a platform that empowers businesses to build and deploy AI-powered digital agents for automating tasks such as creating sales reports and summarizing Slack conversations. What Problem Does Agentforce Solve? Salesforce has been leveraging AI for years, starting with the launch of Einstein in 2016. Einstein’s initial capabilities were limited to basic, scriptable tasks. However, the rise of generative AI created an opportunity to tackle more complex challenges, enabling tools to make smarter decisions and interpret natural language. This evolution led to a series of innovations—Einstein GPT, Einstein Copilot, and now Agentforce—a flexible platform offering prebuilt and customizable agents designed to meet diverse business needs. “Our customers wanted more. Some wanted to tweak the agents we offer, while others wanted to create their own,” said Tyler Carlson, Salesforce’s VP of Business Development. The Technology Behind Agentforce Agentforce is powered by Salesforce’s Atlas Reasoning Engine, developed in-house to drive smarter decision-making. The platform integrates with AI models from leading providers like OpenAI, Anthropic, Amazon, and Google, offering businesses a variety of tools to choose from. Slack, which Salesforce acquired in 2021, plays a pivotal role as a testing ground for these AI agents. Currently in beta, Agentforce’s Slack integration allows businesses to implement automations directly where employees work, enhancing usability. “Slack makes these tools easy to use and accessible,” Carlson noted. How Agentforce Stands Out Customizing AI for Business Needs With tools like Agentbuilder, businesses can create AI agents tailored to specific tasks. For instance, an agent could prioritize and sort incoming emails, respond to HR inquiries, or handle customer support using internal data. One standout example is Salesforce’s partnership with Workday to develop an AI-powered service agent for employee questions. Driving Results and Adoption Salesforce has already seen promising results from early trials, with Agentforce resolving 90% of customer inquiries autonomously. The company aims to expand adoption and functionality, allowing these agents to handle even larger workloads. “We’re building a bigger ecosystem of partners and skills,” Carlson emphasized. “By next year, we want Agentforce to be a must-have for businesses.” With Agentforce, Salesforce continues to cement its role as a leader in AI innovation, helping businesses work smarter, faster, and more effectively. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More
AI Agent Rivalry

AI Agent Rivalry

Microsoft and Salesforce’s AI Agent Rivalry Heats Up The battle for dominance in the AI agent space has escalated, with Salesforce CEO Marc Benioff intensifying his criticism of Microsoft’s AI solutions. Following remarks at Dreamforce 2024, Benioff took to X (formerly Twitter) to call out Microsoft for what he called “rebranding Copilot as ‘agents’ in panic mode.” The AI Agent rivalry winner may be determined not by flashy features but by delivering tangible, transformative outcomes for businesses navigating the complexities of AI adoption. AI Agent Rivalry. Benioff didn’t hold back, labeling Microsoft’s Copilot as “a flop”, citing issues like data leaks, inaccuracies, and requiring customers to build their own large language models (LLMs). In contrast, he touted Salesforce’s Agentforce as a solution that autonomously drives sales, service, marketing, analytics, and commerce without the complications he attributes to Microsoft’s offerings. Microsoft’s Copilot: A New UI for AI Microsoft recently unveiled new autonomous agent capabilities for Copilot Studio and Dynamics 365, positioning these agents as tools to enhance productivity across teams and functions. CEO Satya Nadella described Copilot as “the UI for AI” and emphasized its flexibility, allowing businesses to create, manage, and integrate agents seamlessly. Despite the fanfare, Benioff dismissed Copilot’s updates, likening it to “Clippy 2.0” and claiming it fails to deliver accuracy or transformational impact. Salesforce Expands Agentforce with Strategic Partnerships At Dreamforce 2024, Salesforce unveiled its Agentforce Partner Network, a global ecosystem featuring collaborators like AWS, Google Cloud, IBM, and Workday. The move aims to bolster the capabilities of Agentforce, Salesforce’s AI-driven platform that delivers tailored, autonomous business solutions. Agentforce allows businesses to deploy customizable agents without complex coding. With features like the Agent Builder, users can craft workflows and instructions in natural language, making the platform accessible to both technical and non-technical teams. Flexibility and Customization: Salesforce vs. Microsoft Both Salesforce and Microsoft emphasize AI’s transformative potential, but their approaches differ: Generative AI vs. Predictive AI Salesforce has doubled down on generative AI, with Einstein GPT producing personalized content using CRM data while also providing predictive analytics to forecast customer behavior and sales outcomes. Microsoft, on the other hand, combines generative and predictive AI across its ecosystem. Copilot not only generates content but also performs autonomous decision-making in Dynamics 365 and Azure, positioning itself as a comprehensive enterprise solution. The Rise of Multi-Agent AI Systems The competition between Microsoft and Salesforce reflects a broader trend in AI-driven automation. Companies like OpenAI are experimenting with frameworks like Swarm, which simplifies the creation of interconnected AI agents for tasks such as lead generation and marketing campaign development. Similarly, startups like DevRev are introducing conversational AI builders to design custom agents, offering enterprises up to 95% task accuracy without the need for coding. What Lies Ahead in the AI Agent Landscape? As Salesforce and Microsoft push the boundaries of AI integration, businesses are evaluating these tools for their flexibility, customization, and impact on operations. While Salesforce leads in CRM-focused AI, Microsoft’s integrated approach appeals to enterprises seeking cross-functional AI solutions. In the end, the winner may be determined not by flashy features but by delivering tangible, transformative outcomes for businesses navigating the complexities of AI adoption. AI Agent Rivalry. 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 Service Cloud with AI-Driven Intelligence Salesforce Enhances Service Cloud with AI-Driven Intelligence Engine Data science and analytics are rapidly becoming standard features in enterprise applications, Read more

Read More
gettectonic.com