IT Professionals Archives - Microsoft Power Platform Blog http://approjects.co.za/?big=en-us/power-platform/blog/audience/it-professional/ Innovate with Business Apps Thu, 16 Apr 2026 08:28:30 +0000 en-US hourly 1 https://wordpress.org/?v=6.8.3 Build your server-side logic with AI: new Power Pages Agentic Code skills http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/build-your-server-side-logic-with-ai-new-power-pages-agentic-code-skills/ http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/build-your-server-side-logic-with-ai-new-power-pages-agentic-code-skills/#respond Thu, 16 Apr 2026 08:28:27 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133991 We’re introducing three new skills for the Power Pages agentic code plugin for GitHub Copilot and Claude Code CLI that together unlock a missing capability in AI‑assisted site building: server‑side logic.

The post Build your server-side logic with AI: new Power Pages Agentic Code skills appeared first on Microsoft Power Platform Blog.

]]>
We’re introducing three new skills for the Power Pages agentic code plugin for GitHub Copilot and Claude Code CLI that together unlock a missing capability in AI‑assisted site building: server‑side logic. Until now, the plugin could scaffold sites, define data models, wire up Web APIs, configure authentication, and handle deployment but all business logic, cloud flows, and implementation decisions were still manual. These new skills change that predicament.

Meet /add-server-logic, /add-cloud-flow, and /integrate-backend – three skills that complete the application stack. They build on an already working site by introducing secure server-side logic, Power Automate cloud flows, and intelligent backend orchestration for end-to-end functionality.

What’s new

  • /add-server-logic generates secure server-side JavaScript endpoints for validation, secret management, external API calls, and cross-entity operations.
  • /add-cloud-flow integrates existing Power Automate cloud flows into your Power Pages site for approval workflows, notifications, and scheduled automation.
  • /integrate-backend analyzes your prototype, determines the right approach (Web API, Server Logic, and/or cloud flow) for each feature, and orchestrates the complete build sequence.

/add-server-logic: secure server-side endpoints, generated end to end

Server Logic in Power Pages moves critical operations from the browser to the server for improved control, scalability, and security. It’s generally available, so it’s fully supported for production workloads. With server logic, your site can perform complex tasks and integrations without exposing sensitive logic or data on the client side. Server logic enables you to:

  • Connect to external services. Integrate securely with REST APIs, Azure Functions, or other business systems, e.g., call the Stripe API to process a payment without exposing your API key. (Tutorial: interact with external services)
  • Perform secure data operations. Query, update, or delete Dataverse records with consistent server-side validation, e.g., check inventory levels before accepting an order submission. (Tutorial: interact with Dataverse tables)
  • Run custom logic. Calculate totals, enforce business rules, or enrich data with external lookups before returning results, e.g., aggregate data across multiple tables into a single global search response.
  • Manage secrets server-side. Store credentials and API keys on the server, never in client code, e.g., authenticate with Microsoft Graph to upload documents to SharePoint. (Tutorial: interact with Microsoft Graph and SharePoint)

The /add-server-logic allows you to describe what you need in plain language, and it generates the server-side endpoint, web role assignments, table permissions, a typed client-side service, and component updates.

Here’s an example. Say your order form needs to validate inventory before accepting a submission:

You: "/add-server-logic Add validation that rejects orders when quantity exceeds inventory"

Plugin:
        → Creates server-logic/validate-order.js (server-side endpoint)
        → Assigns Authenticated Users web role
        → Verifies table permissions for cr_inventories
        → Creates src/services/serverLogic/validateOrder.ts (typed client)
        → Updates OrderForm.tsx to call validateOrder() before submit

Or say your site needs a global search that queries across multiple Dataverse tables (products, orders, and knowledge articles) and returns unified results. That kind of cross-entity aggregation can’t run from the browser in a single call:

You: "/add-server-logic Add a global search endpoint that searches across products,
      orders, and knowledge articles and returns combined results"

Plugin: 
        → Creates server-logic/global-search.js (server-side endpoint)
        → Queries cr_products, cr_orders, and cr_knowledge_articles
        → Aggregates and ranks results server-side
        → Assigns Authenticated Users web role
        → Verifies table permissions for all three tables (Read)
        → Creates src/services/serverLogic/globalSearch.ts (typed client)
        → Updates SearchPage.tsx to call globalSearch() on input

Before generating any code, a built-in Server Logic Architect agent analyzes your use case and presents a proposal for your review.

/add-cloud-flow: Power Automate integration from your site

Not everything belongs in a server-side endpoint. Approval workflows, email notifications, and event-driven automation are better suited to Power Automate cloud flows. The /add-cloud-flow skill integrates an existing cloud flow into your Power Pages site. It does not create new cloud flows. You build the flow in Power Automate, and the skill handles the integration: registering the flow with your site, generating the client-side code to trigger it, and wiring up data exchange between the page and the flow.

You: "/add-cloud-flow Connect the supplier approval flow to my application page"

Plugin: 
        → Registers the existing cloud flow with your site
        → Generates client-side code to trigger the flow
        → Handles async workflow state and callback patterns

Whether it’s a manager approval step, an order confirmation email, or a nightly data sync, /add-cloud-flow handles the integration so you focus on the business process.

/integrate-backend: let AI choose the right approach

Start here if you’re not sure whether a feature needs Web API, Server Logic, or a cloud flow. /integrate-backend acts as your server-side architect. It analyzes your website, determines the right approach for each feature, and orchestrates the plugin skills to build everything in the correct order.

Take a supplier portal with product listings, order submission, a global search across products and orders, and an invoice approval workflow. Without /integrate-backend, you’d need to figure out that product listings are standard CRUD (Web API), global search requires cross-entity aggregation on the server (Server Logic), and invoice approvals need a multi-step flow (Power Automate). You’d also need to sequence the work: Dataverse tables before Web API, web roles before Server Logic, authentication before server-side endpoints.

The /integrate-backend skill automatically scans your entire website and recommends relevant business processes.

You: /integrate-backend

Plugin:
  ANALYSIS
  ════════
  #   Feature              Approach         Reason
  1   Product listings     Web API          Standard CRUD on cr_products
  2   Order submission     Server Logic     Inventory validation + transaction
  3   Global search        Server Logic     Cross-entity aggregation on server
  4   Invoice approvals    Cloud Flow       Multi-step approval workflow


How it works

Every skill follows a propose-then-build workflow. An AI architect agent analyzes your request, designs the solution, and presents it for approval. No code is generated, and no infrastructure is created until you approve. This keeps you in control while eliminating manual configuration.

The decision framework is simple:

  • Server Logic. Secrets or API keys, server-side validation, multi-table transactions, external or on-premises service calls, cross-entity search, rate limiting, or Dataverse plugin invocation.
  • Cloud flow. Approval workflows, notifications, or scheduled processing.
  • Web API. Everything else (standard CRUD operations).

Benefits

  • Enhanced security. Business logic, secrets, and API keys stay on the server and are never exposed in the browser.
  • Reduced manual configuration. Each skill generates endpoints, permissions, typed services, and component updates end to end.
  • Intelligent approach selection. /integrate-backend determines whether each feature needs Web API, Server Logic, or a cloud flow, so you don’t have to.

Get started

Install or update the plugin and PAC CLI

Install the latest plugin and PAC CLI, as both are required. Server logic support was introduced in the latest PAC CLI release, so older versions will not work with /add-server-logic. For the easiest setup, use Quick Install (recommended), which installs all Power Platform plugins, updates PAC CLI, and enables auto-update.

Get started with the Power Pages plugin for GitHub Copilot CLI and Claude Code.

We are looking for your feedback

Your feedback helps us improve the developer experience on Power Pages. Share your thoughts and reach out on the Power Pages Community Forum. You can also submit ideas through the Power Pages Ideas portal.

The post Build your server-side logic with AI: new Power Pages Agentic Code skills appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/build-your-server-side-logic-with-ai-new-power-pages-agentic-code-skills/feed/ 0
What’s new in Power Platform: April 2026 feature update http://approjects.co.za/?big=en-us/power-platform/blog/2026/04/09/whats-new-in-power-platform-april-2026-feature-update/ http://approjects.co.za/?big=en-us/power-platform/blog/2026/04/09/whats-new-in-power-platform-april-2026-feature-update/#respond Thu, 09 Apr 2026 15:35:58 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133775 Power Apps Generally available: custom theming for model-driven apps Custom theming for model-driven apps using the modern, refreshed look is now generally available. This capability lets organizations align their model-driven apps with company branding by customizing colors, fonts, and app header styling using the Microsoft Fluent 2 design system.

The post What’s new in Power Platform: April 2026 feature update appeared first on Microsoft Power Platform Blog.

]]>

Summary Welcome to the Power Platform monthly feature update! We will use this blog to share news in Power Platform from the last month, so you can find a summary of product, community, and learning updates from Power Platform in one easy place. Now, let’s dive into what’s new in Power Platform:

Get started with the latest updates today!

Jump into Power Apps, Power Automate, and Power Pages to try the latest updates, you can use an existing environment or get started for free using the Developer plan.

Power Apps

Generally available: custom theming for model-driven apps

custom theming for model-driven apps
custom theming for model-driven apps

Custom theming for model-driven apps using the modern, refreshed look is now generally available. This capability lets organizations align their model-driven apps with company branding by customizing colors, fonts, and app header styling using the Microsoft Fluent 2 design system.

With modern themes, makers can apply a cohesive color scheme across the app from a single base color — covering hyperlinks, primary buttons, active tab indicators, row selection, and hover effects. You can also customize the app header background and text colors, set a custom logo, and override the default font used throughout the application. These customizations are applied through an XML web resource and scoped to your environment via the Custom theme definition app setting.

If your organization was using classic themes, now is the time to create a new custom theme XML web resource that reflects your branding and apply it to your environment. Note that classic theming is not honored with the modern look, which is becoming mandatory for model-driven apps in April 2026.

Public preview: your business apps, now part of every conversation

custom tools in copilot
your business apps, now part of every conversation

Today, we’re taking the first step to bring your Power Apps data and experiences directly into Microsoft 365 Copilot—so key parts of your model‑driven apps can show up right where your users already work, powered by your app’s MCP server.

Public preview: FetchXML editor for offline profiles in Power Apps mobile

FetchXML editor for offline profiles in Power apps mobile

This March, we’re excited to announce the FetchXML editor for Power Apps offline profiles in public preview. For canvas and model-driven apps that work offline, configuring an optimal fetch XML solves the majority of the performance problems.

The FetchXML editor gives advanced makers and pro developers a code-level entry point directly inside the offline profile experience to optimize their profiles better and more effective than before. Write or paste a FetchXML query to define the custom filters on a table or related tables. Leverage key performance features like support for unrelated tables, latematerialize=”true” and SQL query hints. These capabilities help optimize how Dataverse executes the sync — reducing query complexity and avoiding timeouts on large tables.

To try it, open an offline profile in Power Apps studio, select “Edit filter” on any table or related table, and choose “View/Edit FetchXML.”

Double-click to edit the Text control inline in canvas apps

Double-click to edit the Text control inline in canvas apps

You can now double-click the modern Text control directly on the canvas to edit its text inline — no need to navigate to the formula bar or properties panel. This makes it faster to update labels, headings, and static text while building your app. This improvement streamlines the authoring experience and brings the Text control in line with the familiar editing behavior makers expect from modern canvas controls.

AI-powered development

Public preview: build canvas apps with AI coding agents

With the Canvas Apps MCP Authoring Plugin, makers can now use their preferred AI coding agents — such as GitHub Copilot, Claude Code, or any MCP-compatible assistant — to build and modify canvas apps through natural conversation.

The Canvas Authoring MCP Server runs locally alongside your development environment and connects to a live Power Apps Studio coauthoring session. You can describe a screen or an entire app in plain language, and your coding agent translates that into structured, validated YAML. Agents can use the plugin’s tools to discover available controls and their properties, explore data sources and connectors, and generate a working app. YAML and Power Fx errors are identified and resolved by the coding agent before any changes appear in Studio, so you stay in flow. Because every interaction is grounded in your live authoring session, the output remains accurate, governed, and adheres to Power Apps’ platform constraints.

Generally available: external tool support for generative pages is now available in all public clouds worldwide

Building generative pages using external AI coding tools like GitHub Copilot CLI is now generally available. You can build rich, custom user experiences directly within your model-driven apps using your preferred AI codegen tool, and publish them as first-class Power Apps experiences. To get started, connect to your environment using PAC CLI and use the tool to generate a page.

Generative pages via external tools is also now available in all public clouds worldwide, the most-requested milestone since the feature launched in preview. No matter where your organization operates, you can now extend your model-driven apps with AI-built pages.

Pages are also localized out of the box. When an agent generates a page, it automatically adapts to the user’s language and regional formatting preferences including dates, numbers, and text. This localization guidance is built directly into the external tool plugins, so you get correctly localized output wherever you’re building.

Managed platform

Alerting and data metrics now available for code apps in Power Platform monitor

Alerting and Data Metrics Now Available for Code Apps in Power Platform Monitor image

We’re rolling out new alerting capabilities and metrics for code apps in Power Platform monitor, extending enterprise-grade observability to next-generation applications. Code apps allow developers to build using the tools and workflows they already know, then bring those apps into Power Platform to benefit from enterprise governance, security, and monitoring. With code app alerts, IT and Operations teams can now monitor these developer-built applications with the same confidence and control they have for canvas and model-driven apps, giving these teams the visibility they need to scale code app adoption across the enterprise without sacrificing reliability.

Admins can now create alerts on code apps for the following metrics: app open success rate, time to interactive, and recent app sessions. Additionally, we’ve added two new data metrics for code apps that can also be configured for alerts: data request success rate and data request latency. These alerts provide end-to-end visibility from app launch to data access, helping teams catch performance regressions before the majority of users are impacted and respond faster to reliability issues in production. Available now in Power Platform monitor with no setup required, code app alerts enable IT and operations teams to define health thresholds, receive proactive notifications, and take guided action. This enables them to move from reactive troubleshooting to proactive operations for both low-code and pro-dev applications within a unified monitoring experience.

These changes will be available in all public regions by May 4, 2026.

Learning updates

Training paths and labs

Updated training

Power Apps maker

New

Updated

Power Automate

New

Updated

Power Platform administration

New

Updated

Power Platform developer

New

Updated

Power Apps user and mobile

New

Updated

Power Pages

New

Updated

The post What’s new in Power Platform: April 2026 feature update appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/2026/04/09/whats-new-in-power-platform-april-2026-feature-update/feed/ 0
Power Platform Monitor Alerts Are Now Generally Available http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/power-platform-monitor-alerts-are-now-generally-available/ http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/power-platform-monitor-alerts-are-now-generally-available/#respond Wed, 08 Apr 2026 17:12:51 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133677 We are excited to announce that Power Platform Monitor alerts for apps, agents, and flows are now generally available! Monitor alerts meet the reliability and maturity standards required for general availability, following sustained investments to improve quality.

The post Power Platform Monitor Alerts Are Now Generally Available appeared first on Microsoft Power Platform Blog.

]]>
We are excited to announce that Power Platform Monitor alerts are now generally available! Since entering public preview in August 2025, many organizations have created alert rules to stay on top of app, agent and flow health. Reliability is critical when alerts are used to detect and respond to issues in production. Today, Monitor alerts meet the reliability and maturity standards required for general availability, following sustained investments to improve quality and simplify onboarding.

This image shows the new Monitor overview page, which has become more alerts-centric. It has visuals describing the state of your triggered custom alerts in addition to triggered predefined alerts that are authored by Microsoft.

What are Monitor Alerts?

Monitor alerts allow tenant and environment administrators to proactively monitor the operational health of their Power Platform resources and receive notifications when health metrics fall below thresholds they define. Instead of learning about problems from end users, admins can identify and address issues before they cause disruption. This reduces downtime and improves reliability across the organization.

What’s New with GA

Predefined alerts — protection with zero configuration

The biggest addition we’ve added is predefined alerts: a set of configured, Microsoft-authored alerts that are enabled by default for every tenant. These alerts automatically surface high-use canvas apps, model-driven apps, agents, desktop flows and cloud flows whose health has dropped below recommended baseline thresholds — with no setup required.

For example, predefined alerts will flag when:

  • The availability of high-use canvas apps drops below 90%
  • The availability of high-use model-driven apps drops below 90%
  • High-use cloud flows are experiencing success rate degradation

Predefined alerts give admins an immediate signal on what matters most in their tenant, even before they’ve configured a single custom alert rule. Items can trigger these alerts regardless if they’re in a managed environment, and predefined alerts will encourage users to create their own alert rules to monitor these items against their own custom thresholds.

This image shows the triggered alert experience for a predefined alert. In this image, it specifically shows the cloud flow predefined alert, with two cloud flows that triggered it. These cloud flows aren't in a Managed Environment.

Redesigned Monitor overview page

We redesigned the Monitor overview page to be alerts-centric. When you land in Monitor, you now get an at-a-glance view of active alert conditions and resource health across your environments — making it faster to identify what needs attention and act on it.

Code app alerts

Custom alert rules now support alerting on your code apps in addition to canvas and model-driven apps. This gives admins deeper visibility into code app performance and the ability to catch performance degradation before it affects users’ day-to-day experience.

Work queue alerts (public preview)

Admins can now configure alerts for Power Automate work queues in Monitor, enabling proactive monitoring of work queue health alongside apps, flows and agents. This capability is launching in public preview alongside alerts GA.

How Monitor Alerts Work

Admins define threshold-based rules on Monitor metrics. For example, this can look like receiving an alert when a cloud flow’s success rate drops below a custom threshold, or when a canvas app’s availability falls below an acceptable level.

Monitor alerts evaluate alert rules daily after aggregating new metric data for your environments. When a metric breaches a threshold, admins receive an email notification with a direct link to the details that triggered the alert.

You can scope alert rules to an environment or individual item, configure multiple recipients per rule (including security groups), and manage all active rules and review triggered alert history from the Alert Rules view in Monitor.

This image shows the alert configuration panel in Monitor, where admins can create their own custom alert rule to proactively monitor the resources they care about against health thresholds they define.
This image shows the alert rule list in Monitor, where admins can manage their rules, like turning them on/off or editing or deleting them.

What’s Supported

ProductResource
Power AppsCode apps
Power AppsCanvas apps
Power AppsModel-driven apps
Power AutomateCloud flows
Power AutomateDesktop flows
Power AutomateWork queues (public preview)
Copilot StudioAgents

We’re excited for you to improve the operational health of your apps, agents and automations in Power Platform. Learn more about Monitor and how to create alerts here.

The post Power Platform Monitor Alerts Are Now Generally Available appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/power-platform-monitor-alerts-are-now-generally-available/feed/ 0
Public Preview: Your business apps, now part of every conversation http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/public-preview-your-business-apps-now-part-of-every-conversation/ http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/public-preview-your-business-apps-now-part-of-every-conversation/#respond Thu, 02 Apr 2026 20:53:19 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133732 Bring your Power Apps into Microsoft 365 Copilot. In public preview, makers can enable conversational access to model-driven app data with Grids and Forms, with Custom Tools coming soon.

The post Public Preview: Your business apps, now part of every conversation appeared first on Microsoft Power Platform Blog.

]]>
Today, we’re taking the first step to bring your Power Apps directly into Microsoft 365 Copilot—so key parts of your model‑driven apps can show up right where your users already work, powered by your app’s MCP server.

Think about the last time you needed business data mid-flow—building a PowerPoint and needing the latest account details or drafting a follow-up email and wanting to confirm a record before hitting send.  You had to open a separate tab, navigate to the right view, find what you needed, and switch back – unnecessary context switching. That’s the gap we’re closing.

Starting today in preview, you can engage your model-driven apps in Microsoft 365 Copilot — giving users conversational access to their business data and giving makers a way to bring their app’s value into the flow of work. The connection is made through your app’s MCP server—a lightweight setup in Power Apps that’s automatically created and configured for your model‑driven app, registering it as an agent in Copilot and making its data available as conversational capabilities. The experience is built around three capabilities: out‑of‑the‑box grids and forms available now, and custom tools coming soon.

Grids — explore your data without leaving the conversation 

Ask Copilot a question about your business data — “Show me open accounts in the West region” or “Which cases were escalated this week?”— and it responds with an interactive grid drawn directly from your Power Apps data. Users can filter, sort, and scan records using the same views and permissions as the app itself. 

Selecting a record opens it inline, where users can review details, make edits, or keep the conversation going — asking follow-up questions, comparing records, or taking the next step without starting over. And when users need a full screen experience, a deep link is always available — one click takes them directly to the relevant view or record in the full app. 

Copilot displays an interactive grid of active candidates filtered by location, allowing users to view and act on model-driven app data within the conversation.

Forms — create, view, and update records without leaving Copilot 

Forms go beyond read-only access. Users can create new records, view existing ones, or update fields—all directly in Copilot. Imagine receiving a supplier email and asking Copilot to create a new account record from it, or reviewing a contract in Word and logging the key details into your CRM without switching apps. 

Copilot surfaces the right form and, using the same underlying technology as the data entry agent in Power Apps model‑driven apps, intelligently predicts field values based on the context at hand — reducing manual input and making data entry feel effortless.

Copilot displays a model-driven app form to create a new candidate record with fields automatically prefilled from conversation context.

Available across the Microsoft 365 apps you already use 

These experiences aren’t limited to the Copilot chat canvas. They’re available in the Copilot surfaces across Microsoft 365—Word, Excel, PowerPoint, and more—so users can access and act on their business data right alongside the document, spreadsheet, or presentation they’re working in.

Imagine drafting a proposal in Word, opening Copilot directly within the application, and creating a new account record with fields prefilled from the document—without switching apps, without copy and pasting, without losing context.

Copilot in Word creates a new candidate record using information extracted from a resume, with fields automatically prefilled in a model-driven app form.

Need to go deeper? Both grids and forms include a deep link into the full model-driven app. One click takes users directly to the relevant record or view—no navigation, no searching, context preserved. It’s not a context switch; it’s a handoff to exactly where they need to be.

Custom tools — coming soon 

For scenarios where a grid or form isn’t sufficient, makers can build custom tools — defining their own logic and UX to meet the specific needs of their users. 

Copilot displays a Profile Completeness Risk chart identifying candidates at risk due to incomplete profiles based on their pipeline stage and time in stage.

Grids, forms, and custom tools are the foundation. As we learn from this preview, we’ll expand the ways makers can extend their apps into Copilot — across more surfaces, more scenarios, and deeper integrations with the Microsoft 365 ecosystem.  

Available now — get started today 

Your model-driven apps are now available in Microsoft 365 Copilot in public preview. Once a maker activates their app’s MCP server for a model-driven app, grids and forms will light up in Copilot automatically – no redesign required.

How to get started

  1. Activate your app’s MCP server in Power Apps. This exposes your app’s data and experiences as callable capabilities in Microsoft 365 Copilot, with grids and forms surfacing automatically from your existing configuration. 
  1. Download the app package generated by your app’s MCP. This package contains the agent definition and configuration needed to deploy your app’s experience to Microsoft 365. 
  1. Deploy to Microsoft Teams or Microsoft 365. Upload the package to your tenant, and your users can immediately start interacting with your app’s data through Copilot—no further setup required on their end. 

Requires a Power Apps model‑driven app with Dataverse. This preview requires a Microsoft 365 Copilot license and a Power Apps Premium license. Custom tools—for exposing app‑specific actions beyond grids and forms—will be available in the coming weeks. Stay tuned!

Bring your model-driven app into Copilot 

Set up your app’s MCP server in Power Apps to expose it as an agent in Microsoft 365 Copilot. Grids and Forms surface automatically — no redesign needed. Custom Tools let you go further. 

The post Public Preview: Your business apps, now part of every conversation appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/public-preview-your-business-apps-now-part-of-every-conversation/feed/ 0
Announcing General Availability (GA) of Server Logic in Power Pages http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/announcing-general-availability-ga-of-server-logic-in-power-pages/ http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/announcing-general-availability-ga-of-server-logic-in-power-pages/#respond Wed, 01 Apr 2026 07:49:06 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133729 We’re pleased to announce that server logic in Power Pages is now generally available (GA). This release marks a major milestone, delivering native server-side capabilities with the maturity, governance, and extensibility required to support enterprise-grade production workloads. First introduced in preview, Server logic was designed to simplify how makers and developers implement server-side operations.

The post Announcing General Availability (GA) of Server Logic in Power Pages appeared first on Microsoft Power Platform Blog.

]]>
We’re pleased to announce that server logic in Power Pages is now generally available (GA). This release marks a major milestone, delivering native server-side capabilities with the maturity, governance, and extensibility required to support enterprise-grade production workloads.

First introduced in preview, Server logic was designed to simplify how makers and developers implement server-side operations. With GA, Server logic is now ready for enterprise production workloads, backed by strengthened governance, improved extensibility, and the reliability customers expect from Power Platform.

Alongside GA, we’re also announcing two important enhancements that further reinforce enterprise readiness:

  • Governance control to disable external calls
  • Support for unbound Dataverse custom actions

Governance control to disable external calls

Security and compliance are critical considerations for enterprise applications. Many organizations require strict control over outbound connectivity to ensure adherence to internal policies and regulatory requirements.

With GA, administrators can now disable external calls from Server logic layer.

Animated Gif Image

Support for unbound Dataverse custom actions

Extensibility is key to building scalable and reusable solutions. With GA, Server logic now supports unbound Dataverse custom actions, enabling deeper integration with your existing business logic layer.

Get started

Server logic is now available for production use in Power Pages. Whether you’re enhancing an existing site or building a new application, you can take advantage of its capabilities to deliver more intelligent, secure, and governed experiences.

The post Announcing General Availability (GA) of Server Logic in Power Pages appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/announcing-general-availability-ga-of-server-logic-in-power-pages/feed/ 0
Generative AI Search and Data Summarization Now Available in Power Pages for U.S. Government Clouds http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/generative-ai-search-and-data-summarization-now-available-in-power-pages-for-u-s-government-clouds/ http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/generative-ai-search-and-data-summarization-now-available-in-power-pages-for-u-s-government-clouds/#respond Wed, 01 Apr 2026 06:58:53 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133683 Generative AI capabilities in Power Pages continue to expand across Microsoft cloud environments. Generative AI Search Summarization and Data Summarization are now available in U.S. Government cloud environments, including Government Community Cloud (GCC) and GCC High.

The post Generative AI Search and Data Summarization Now Available in Power Pages for U.S. Government Clouds appeared first on Microsoft Power Platform Blog.

]]>
Generative AI capabilities in Power Pages continue to expand across Microsoft cloud environments. Generative AI Search Summarization and Data Summarization are now available in U.S. Government cloud environments, including Government Community Cloud (GCC) and GCC High.

In addition, Governance controls for AI features are now available in GCC and GCC High to provide centralized governance and configuration for these capabilities in Power Pages.

Generative AI Search Summarization in US Government clouds

This capability enhances the Power Pages search experience by generating concise summaries of search results based on user queries. When enabled, search results can include synthesized responses derived from indexed website content, providing an additional layer of contextual information within the search interface.

Generative AI search

Data Summarization in US Government clouds

This functionality enables summarization of structured data retrieved through Power Pages, allowing makers to present condensed views of records and datasets. The feature can be integrated into site experiences where summarization of data is required for readability or analysis.

Governance controls for AI features in US Government Clouds

The Copilot hub settings enable administrators to:

  • Configure and manage Generative AI Search Summarization
  • Configure and manage Data Summarization
  • Control integration with Copilot Studio agents in Power Pages

This centralized experience provides a single location for managing AI-related settings and integrations, helping ensure consistent configuration across environments and alignment with organizational governance policies.

Learn more

Data summarization API overview

Power Pages search with generative AI

Governance controls for AI features

The post Generative AI Search and Data Summarization Now Available in Power Pages for U.S. Government Clouds appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/generative-ai-search-and-data-summarization-now-available-in-power-pages-for-u-s-government-clouds/feed/ 0
Prevent accidental exposure of non-production Power Pages sites with new admin governance controls http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/prevent-accidental-exposure-of-non-production-power-pages-sites-with-new-admin-governance-controls/ http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/prevent-accidental-exposure-of-non-production-power-pages-sites-with-new-admin-governance-controls/#respond Thu, 26 Mar 2026 18:22:18 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133636 While makers are building or testing Power Pages sites in trial or developer environments, there’s always a risk that these sites could accidentally be made public, exposing incomplete or sensitive content to external users.

The post Prevent accidental exposure of non-production Power Pages sites with new admin governance controls appeared first on Microsoft Power Platform Blog.

]]>
While makers are building or testing Power Pages sites in trial or developer environments, there’s always a risk that these sites could accidentally be made public, exposing incomplete or sensitive content to external users.

We’re introducing a new governance control in Power Platform admin center (PPAC), that lets tenant admins restrict whether non-production sites can be set to public. This capability gives organizations the guardrails they need to keep development and test sites internal while maintaining full flexibility for production.

What’s changing:

  • Tenant admins can now configure a setting in PPAC that controls whether makers can switch non-production Power Pages sites from Private to Public.
  • When this restriction is enabled, makers will see an access restricted message in the Site visibility pane in Power Pages Design Studio, about the option to make the site public being disabled.
  • This control applies only to non-production sites (trial and developer environments). Site visibility behavior for production sites is not affected.
  • If a non-production site was already public before the restriction was applied, it remains public. However, if it is changed back to private, it cannot be switched to public again while the restriction is in effect.
  • The governance control also offers site targeting options, so admins can selectively apply the restriction as per their organization’s needs. When this capability becomes available in your tenant, the default is ‘None’ which means makers will not be able to make non-production sites public until an admin explicitly changes the policy. You can review your setting promptly to avoid any unexpected impact.

How to configure:

  • Sign in to the Power Platform admin center.
  • Go to Manage > Power Pages > Governance controls.
  • Select ‘Set site visibility to public access’ for non-production sites.
  • Select the environment you want to manage.
  • Choose a policy value for site targeting options.
  • Save your changes. Changes take effect immediately in the maker experience.

Why This Matters

  • Prevents accidental exposure of test, development, or staging sites to the public internet.
  • Supports compliance by ensuring only approved production sites are accessible externally.
  • Gives admins granular control with flexible site targeting policy options
  • Makers see a clear message when a restriction is in place, with guidance to contact their admin if they need an exception.

Get Started

We’d love to hear your feedback, share your thoughts on the Power Pages community forum

The post Prevent accidental exposure of non-production Power Pages sites with new admin governance controls appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-pages/prevent-accidental-exposure-of-non-production-power-pages-sites-with-new-admin-governance-controls/feed/ 0
Safeguard, Restore, and Manage Deleted Records in Microsoft Dataverse http://approjects.co.za/?big=en-us/power-platform/blog/2026/03/25/restore-deleted-records/ http://approjects.co.za/?big=en-us/power-platform/blog/2026/03/25/restore-deleted-records/#respond Wed, 25 Mar 2026 15:42:31 +0000 Restore deleted table records in Microsoft Dataverse is now in GA in late April 2026 for organizations have the assurance that they can recover from unforeseen data loss without disruptions, ensuring business continuity 

The post Safeguard, Restore, and Manage Deleted Records in Microsoft Dataverse appeared first on Microsoft Power Platform Blog.

]]>
Why a Safety Net for Organizational Data Matters 

Data is the center of every organization. With millions of records deleted daily—whether through routine clean-ups, app usage, or retention policies—the risk of accidental or malicious data loss is real and costly. Lost data can disrupt operations, impact compliance, and harm reputation. 

To prevent this, we are excited to announce that the capability to restore deleted table records in Microsoft Dataverse in General Availability starting late April 2026 with additional enhancements based on feedback from customers and MVP community. Organizations have the assurance that they can recover from unforeseen data loss without disruptions, ensuring business continuity and customer trust. 

How Data Loss Happens 

Records can be deleted from multiple sources and understanding these data loss scenarios is essential: 

  • Custom apps used by end users. End users often interact with apps directly, and accidental deletions can occur during everyday tasks.  
  • Makers building solutions. Makers frequently experiment and iterate while creating apps and flows. During this process, records may be deleted unintentionally. 
  • Admins running bulk delete jobs. Admins schedule clean-up jobs to optimize performance and storage. However, these automated jobs can sometimes remove data that later proves necessary. 
  • Retention policies moving old data to managed data lakes. Older data moved to cold storage optimizes performance and reduces costs. However, restoring from cold storage can be slow and complex.  

Consistent Deleted Records Keeping 

Previously, deleted records keeping settings could vary by table, creating complexity for admins and uncertainty for users. For example, in environments with parent-child relationships, partial keeping of deleted records often meant incomplete recovery—leading to operational risks. 

To eliminate this complexity, deleted records keeping is now managed at the environment level. Admins can enable or disable deleted records keeping for all tables in an environment with a single setting by going to feature management.  

Deleted records feature in Power Platform admin center

This change ensures: 

  • Consistency: No more guessing which tables are covered. Every table in the environment follows the same deleted records keeping policy, reducing confusion and ensuring predictable outcomes. 
  • Reliability: Full recovery of related records. Parent and child records are kept together, eliminating partial recovery scenarios and safeguarding data integrity. 
  • Simplicity: Reduced administrative overhead. One setting replaces multiple table-level configurations, saving time and reducing the risk of misconfiguration. 

This streamlined approach to deleted records keeping turn a fragmented setup into a consistent, organization-wide safeguard. 

Admins with Full Control and Visibility 

With this update, admins in Power Platform Admin Centre (PPAC) gain complete authority over deleted record keeping and clean-up, along with clear visibility into storage usage: 

Optimize with Confidence

Admins can manage deleted record keeping periods (up to 30 days). Admins can make informed decisions to balance data safety with storage efficiency, tailoring deleted records keeping period to business needs.

Select number of days to keep deleted records (30 days)

Flexible Clean-Up Options

Admin can use the new “Delete All Records” button for quick purges or selectively delete records for granular control. Whether performing routine maintenance or responding to urgent storage constraints, admins have the tools to act swiftly. 

Added capability to delete all records

Visibility into storage used by deleted records 

Admins can now view the storage consumed by deleted records, enabling informed actions to manage database capacity. 

PPAC reporting

This approach not only empowers admins but also transforms deleted records keeping management into a strategic advantage—balancing data safety with cost efficiency and operational clarity. 

Business Benefits

These improvements aren’t just technical changes—they deliver tangible business benefits: 

  • Reduced risk. Protect against accidental or malicious deletes with a reliable safety net. 
  • Operational resilience. Restore critical data quickly to maintain continuity and avoid downtime. 
  • Simplified governance. One setting for all tables means fewer surprises and easier compliance. 

With Dataverse, your organization gains a dependable safety net and the flexibility to stay in control of its data. To learn more:  

The post Safeguard, Restore, and Manage Deleted Records in Microsoft Dataverse appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/2026/03/25/restore-deleted-records/feed/ 0
What’s new in Power Platform: March 2026 feature update http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/whats-new-in-power-platform-march-2026-feature-update/ http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/whats-new-in-power-platform-march-2026-feature-update/#respond Thu, 19 Mar 2026 16:57:47 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133523 Welcome to the Power Platform monthly feature update! We will use this blog to share news in Power Platform from the last month, so you can find a summary of product, community, and learning updates from Power Platform in one easy place.

The post What’s new in Power Platform: March 2026 feature update appeared first on Microsoft Power Platform Blog.

]]>

Summary Welcome to the Power Platform monthly feature update! We will use this blog to share news in Power Platform from the last month, so you can find a summary of product, community, and learning updates from Power Platform in one easy place. Now, let’s dive into what’s new in Power Platform:

Get started with the latest updates today!

Jump into Power Apps, Power Automate, and Power Pages to try the latest updates, you can use an existing environment or get started for free using the Developer plan.

Managed platform

Licensing capacity reporting

Licensing capacity reporting is now fully available in the Power Platform admin center (Licensing → Power Automate → Usage), giving admins a single place to see which users are over capacity and which flows are driving that usage. Export options, a consolidated licensing page, and additional improvements are on the way.

Power Platform inventory

Power Platform inventory is now generally available, giving tenant administrators a unified view of cloud flows, Copilot Studio agent flows, and Workflows agent workflows across every environment. Expansion with connectors, actions, and key usage data is on the way — making it even easier to spot your most active automations, enforce compliance, and prevent orphaned resources.

The new usage page

The new usage page is now in public preview with modern dashboards showing adoption trends and resource-level analytics for Power Apps, Power Automate, and Copilot Studio. For Power Automate, the page already shows flow run data so you can track execution patterns across your tenant.

Agentic apps

Bringing Microsoft 365 Copilot into model-driven apps

In this demo from the Microsoft 365 & Power Platform Community call, you see how Microsoft 365 Copilot integrates with model-driven Power Apps to answer questions about your app data, generate visualizations using code interpreter, and take action across Microsoft 365. You’ll see how Copilot uses app and data context to generate documents, create presentations, and even schedule meetings—all directly from your app

Turn app data into action with Microsoft 365 Copilot

Previously, we walked through how to enable Microsoft 365 Copilot in model-driven apps. Now it’s time to put it to work where your business processes actually run. In the Copilot side pane, you can ask Copilot to summarize table data, visualize what’s active, see what’s pending, recap the history of a specific record, and reference related content surfaced through Work IQ. The result is a more natural transition from “what’s going on?” to “what should I do next?” without ever leaving the app.

Because this experience is powered by Microsoft 365 Copilot, you can also bring in the right agent at the right moment. You can @mention first‑party agents like Researcher and Analyst, or involve a custom agent your organization has made available. That agent collaboration helps turn insights into action, whether that means drafting a document, creating a PowerPoint, or taking next steps like scheduling a meeting. All of this stays grounded in your app context and chat history. Ready to get started? Begin with the admin and maker setup guidance, then explore how end users work in the pane, and finally learn how to tailor the experience with agents.

Building modern apps

New quality updates for modern controls in canvas apps

We’ve shipped quality updates across all nine modern controls in Power Apps canvas apps—Text, Number Input, Date Picker, Text Input, Tab List, Combo Box, Radio, Link, and Info Button. This is one of the most comprehensive control refreshes to date, addressing top maker feedback around consistency, reliability, and flexibility. Whether you’re building new apps or maintaining existing ones, these updates make modern controls noticeably better to work with.

The biggest improvements are in consistency, performance, and developer experience. Controls now share a unified property model with standardized names and typed enum values predefined value sets, which means better IntelliSense, fewer formula errors, and less guesswork. The OnChange behavior has been refined across controls to fire at the right moments—reducing unnecessary recalculations and making apps feel faster and more responsive. Mobile-optimized defaults are also now applied automatically when you add controls to a mobile layout.

Migration is guided every step of the way. When you open an app using a previous version of a modern control, you’ll see an in-product notification with a “learn more” link and an “update” button coming soon on all controls. Dedicated per-control migration guides walk you through every property rename and formula change needed—so you stay in control of when and how you upgrade.

AI powered development

vibe.PowerApps.com Walkthrough

This video explores the new vibe.powerapps.com preview, which enables developers to build full code Power Apps from a prompt using AI-driven plan, data, and app generation. You’ll see how the unified experience simplifies app creation, editing, and publishing without requiring VS Code or manual code authoring.

Power Automate

Object-centric process mining analyzes processes by following real interacting business objects

Object-Centric Process Mining (OCPM) is a new approach to process analysis in Power Automate Process Mining that models processes as they occur in real business environments. Unlike traditional case-centric process mining, which groups events under a single case notion (e.g., Order ID), OCPM allows a single event to belong to multiple objects and object types — such as orders, invoices, deliveries, and payments — preserving the full web of interactions and dependencies end-to-end. 

This capability solves a fundamental limitation of case-centric mining: when events routinely touch several objects of different types simultaneously, forcing them into a single case can hide cross-object relationships, duplicate events, or distort metrics. OCPM keeps these relationships explicit, rendering object-centric process maps that show object lifecycles, activity nodes spanning multiple object types, and color-coded object-flow edges. This makes it straightforward to identify multi-object bottlenecks, verify compliance policies that span entities (e.g., “ship only after payment”), and analyze how different process flows converge and interact. 

OCPM is ideal for scenarios where dependencies across object types drive outcomes — such as order-to-cash, procure-to-pay, or supply chain processes — while case-centric mining remains the right choice for tightly scoped, single-instance workflows. 

Process intelligence experience: a customizable interface for process analysis

The process intelligence experience is the next-generation interface for process analysis in Power Automate Process Mining. It replaces the previous fixed process overview with a flexible, card-based dashboard system that adapts to your analysis needs. Users can create multiple tabs to organize different analytical perspectives, apply dynamic filters across all visualizations, and arrange, resize, and configure cards to build personalized analytical workspaces. 

Key enhancements include the ability to group related metrics and visualizations together logically, switch between preconfigured analytical perspectives instantly, and share dashboard configurations with team members. Continuous data refresh ensures you’re always working with current information, while the customizable layouts give you complete control over what you see and how you see it — enabling tailored views for different stakeholders and use cases.   

Power Pages

Infuse intelligent experiences into Power Pages sites with the new Agent API

Animated Gif Image

Agent API for Power Pages enables site creators to build custom chat and other user experiences and integrate these seamlessly with their custom-built Microsoft Copilot Studio agents. This enhancement gives organizations more flexibility for integrating intelligence into their web experiences.

Public preview: Build Power Pages sites with AI using agentic coding tools

We’re announcing the public preview of the Power Pages plugin for GitHub Copilot CLI and Claude Code. Describe the site you want in natural language and the plugin handles the rest — from project scaffolding and setup to Web API integrations, permissions, and site deployment.

The plugin is purpose-built for Power Pages. It understands table permissions, web roles, site settings, authentication configuration, and Web API patterns. Because it generates platform-aware code, you spend less time on manual configuration and more time building your site.

Learning updates

Training paths and labs

Updated training

Power Apps maker

New

Updated

Power Automate

New

Updated

Power Platform administration

New

Updated

Power Platform developer

New

Updated

Power Apps user and mobile

Updated

Power Pages

New

Updated

The post What’s new in Power Platform: March 2026 feature update appeared first on Microsoft Power Platform Blog.

]]>
http://approjects.co.za/?big=en-us/power-platform/blog/power-apps/whats-new-in-power-platform-march-2026-feature-update/feed/ 0
2026 release wave 1 plans for Microsoft Dynamics 365, Microsoft Power Platform, and Copilot Studio offerings http://approjects.co.za/?big=en-us/dynamics-365/blog/business-leader/2026/03/18/2026-release-wave-1-plans-for-microsoft-dynamics-365-microsoft-power-platform-and-copilot-studio-offerings/ Wed, 18 Mar 2026 16:29:54 +0000 http://approjects.co.za/?big=en-us/power-platform/blog/?p=133597 We’re excited to publish the 2026 release wave 1 plans for Microsoft Dynamics 365, Microsoft Power Platform, and Role-based agents in Microsoft 365 Copilot.

The post 2026 release wave 1 plans for Microsoft Dynamics 365, Microsoft Power Platform, and Copilot Studio offerings appeared first on Microsoft Power Platform Blog.

]]>
We’re entering a new era of AI-powered business applications, and today we’re excited to publish the 2026 release wave 1 plans for Microsoft Dynamics 365, Microsoft Power Platform, and role-based agents in Microsoft 365 Copilot, outlining a broad set of capabilities slated for release between April 2026 and September 2026. These updates reflect our ongoing commitment to making AI an essential partner in how organizations operate, innovate, and grow.

Dynamics 365 leads this wave with AI-powered, agentic innovations across sales, service, finance, supply chain, human resources (HR), and commerce—helping organizations unify data, automate processes, and elevate customer and employee experiences. Microsoft Power Platform continues to expand modern app development, intelligent automation, and enterprise-grade governance to empower makers and developers to innovate with confidence. Role-based agents in Microsoft 365 Copilot further evolve into intelligent daily command centers, helping to deliver richer, data-grounded insights and extensibility that help teams work smarter across every role.

To help you stay current on the most important and innovative capabilities, we’re moving beyond bi-annual launch events to lighter, more frequent business applications updates, featuring expert insights and demonstrations from Microsoft product leaders and engineers.

  • Watch the Dynamics 365 Business Applications Update March 18 at 9 AM PDT
  • Register for the Power Platform and Copilot Studio update April 15 at 9 AM PDT

Be sure to stay updated on the latest features and create your personalized release plan using the release planner.

Highlights from Dynamics 365

2026 release wave 1 updates for Dynamics 365 deliver AI-powered, agentic experiences across sales, service, finance, supply chain, commerce, HR, projects, sustainability, and enterprise resource planning (ERP)—bringing deeper Copilot integration, intelligent automation, unified customer and operational data, and enhanced cross-app capabilities to help organizations drive efficiency, elevate customer and employee experiences, and operate with greater agility and confidence.

Dynamics 365 Sales

Dynamics 365 Sales brings the power of AI to help sellers build their pipeline, enrich opportunities, and accelerate deal closure, while helping sellers easily access accurate, up-to-date information and recommending high-impact actions that sellers can take. Copilot experiences in Dynamics 365 Sales can draw on data spanning customer relationship management (CRM) and Microsoft 365 signals, like email and meeting recaps, to deliver actionable insights across Dynamics 365 and Microsoft 365 experiences.

Dynamics 365 Customer Service

Dynamics 365 Customer Service will continue to enhance agentic capabilities across case management, email, customer intent, quality evaluation, and knowledge management. AI-infused admin and supervisor help to provide more transparency and quicker time-to-value. These investments strengthen end-to-end service orchestration, from helping identify customer intent to driving autonomous workflows that elevate service quality and responsiveness.

Dynamics 365 Contact Center

Dynamics 365 Contact Center advances the agentic contact center in 2026 release wave 1 with new AI-powered capabilities that improve self-service, support accelerate assisted service, and help organizations run contact center operations more intelligently in 2026 release wave 1. It expands to include emerging channels, supervisor insights, and extensibility, giving organizations a unified, AI-powered system to elevate the customer experience.

Dynamics 365 Field Service

Dynamics 365 Field Service strengthens service execution across technician productivity, resource scheduling, and work order management. Investments focus on mobile usability and reliability, intelligent scheduling through the Scheduling Operations Agent, and end‑to‑end execution across assets, projects, and financial operations in this release wave. Together, these updates help organizations manage service complexity and deliver consistent service outcomes.

Dynamics 365 Sustainability

Dynamics 365 Sustainability introduces more intuitive reporting navigation, advanced calculation versioning, and granular data‑locking to reinforce governance and regulatory confidence in this wave. Expanded finance integration, streamlined workflows, and updated templates and factor libraries will further empower organizations to make informed decisions and support progress toward their sustainability goals.

Dynamics 365 Finance

Dynamics 365 Finance delivers continued global scale enhancements that drive greater financial automation, strengthen global regulatory compliance posture, and enhance financial planning and analytics—helping organizations operate more efficiently and achieve their financial and operational goals with confidence.

Dynamics 365 Supply Chain Management

Dynamics 365 Supply Chain Management’s 2026 wave 1 enhances supply and demand planning with price-demand correlation and capacity-to-promise (CTP) date protection. Supplier communication and engagement are streamlined, while warehousing gains AI-powered picking, inventory rebalancing, and hands-free scanning—driving supply chain efficiency.

Dynamics 365 Project Operations

Dynamics 365 Project Operations brings rich capabilities in 2026 release wave 1—from change order support and smarter project planning to smoother quoting, budgeting, and contract workflows. New enhancements streamline item consumption, mobile expense management, subscription billing, and modern-architecture migration—delivering connected project experience.

Dynamics 365 Commerce

Dynamics 365 Commerce strengthens business-to-business (B2B) with multi-outlet ordering, unified sign-in, outlet-specific catalogs, and built-in credit management to help reduce friction and protect cash flow. It modernizes order management and assisted-selling workflows in retail stores, helping to improve associate productivity, and customer experiences across channels. It also enables cross-legal-entity inventory lookup and flexible, attribute-based pricing to help accelerate mass updates and help drive higher sales.

Dynamics 365 Human Resources

Dynamics 365 Human Resources continues to advance in areas such as recruitment, onboarding, reporting, and integrated workforce management. By merging enhanced user experiences with broader ecosystem integration and expanding regional payroll collaborations, the platform enables organizations to optimize employee engagement, support operational accuracy, and confidently achieve their workforce objectives.

Finance and operations cross-app capabilities

Finance and operations cross-app capabilities will introduce new enhancements that strengthen the foundation for AI experiences across Dynamics 365. These updates include improvements to Model Context Protocol (MCP) servers, as well as the general availability of immersive home, which is an AI-powered workspace designed to help users stay focused and prioritize what matters most.

Dynamics 365 Customer Insights – Data

Dynamics 365 Customer Insights – Data acts as the grounding layer for CRM copilots and AI agents, delivering real‑time, unified customer profiles that help power accurate decisions. With enriched data, teams can act on insights directly in their workflow to deliver timely, personalized experiences that deepen engagement and drive better outcomes. The result is an AI-ready data core that elevates agents and helps deliver more connected, intelligent CRM experiences.

Dynamics 365 Customer Insights – Journeys

Dynamics 365 Customer Insights – Journeys empowers end-to-end, agentic customer engagements across sales, marketing, and service, allowing businesses to proactively react to customer behavior using Copilot and AI agents. With smarter orchestration tools, teams can deliver impactful campaigns at scale to drive stronger relationships, higher efficiency, and revenue growth. Part of Dynamics 365, every interaction within your organization benefits from shared data and consistent intelligence across Microsoft CRM applications.

Dynamics 365 Business Central

Dynamics 365 Business Central accelerates the move to agentic ERP with enhancements to our AI‑powered agents that automate sales and purchase scenarios in 2026 release wave 1. Alongside new business capabilities, we invest heavily in developer productivity to support extensibility—improving advanced language (AL) testing, debugging, Copilot extensibility, and agent design.

Highlights from Microsoft Power Platform and Microsoft Copilot Studio

2026 release wave 1 updates for Microsoft Power Platform deliver modernized app experiences across Power Apps and Power Pages, AI-powered automation and agent innovation in Power Automate and Copilot Studio, enhanced Dataverse intelligence and programmability, and strengthened governance, security, and cost management capabilities to help organizations build, scale, and manage intelligent solutions with confidence.

Power Apps

Power Apps continues to modernize app experiences with a refreshed model-driven user interface (UI), improved mobile and offline capabilities, streamlined search, and expanded AI features. This release brings standardized modern theming to everyone, real-time Dataverse access for offline-first canvas apps, enhanced search in grids and lookups, and broader availability and extensibility of generative pages to help teams build and scale intelligent apps faster.

Power Pages

Power Pages will further empower pro-developers and low-code makers to build intelligent business portals for your employees, customers, citizens, and partners through better integration with market leading AI tools. Additionally, enhanced security agent features will further support low-code makers, pro-developers, and admins with actionable insights and abilities for securing their websites.

Power Automate

Power Automate is Microsoft’s comprehensive automation platform for cloud flows, desktop flows, and process mining. This release introduces AI agent authoring, optimization, and self-healing capabilities for desktop flows, Copilot Studio-powered actions in cloud flows, enhanced maker and collaboration tools across both, general availability of object-centric process mining, and consolidated governance reporting.

Microsoft Copilot Studio

Microsoft Copilot Studio continues its journey to make agent and agentic workflows even easier to build and more powerful. Now you can further customize agents built with Agent Builder in Microsoft 365 Copilot, and power your automation with high value AI actions. Deeper governance, multi-agent orchestration, and evaluations enable further scaling. With connections to Microsoft Foundry and Work IQ, your agents can use the latest AI technology in coordination with your organizational data.

Microsoft Dataverse

Microsoft Dataverse continues to invest in enterprise-ready agentic and low-code data platform capabilities. The spotlight is on Work IQ and Copilot integration, delivering organization-specific decisions with adaptive learning and full auditability. We’re also enhancing agent programmability with Dataverse APIs, MCP servers, and Python SDK, plus new storage management tools for enterprise-grade compliance at scale.

Microsoft Power Platform governance and administration

Microsoft Power Platform governance and administration introduces admin controls for agent security, real-time risk assessment in Copilot Studio, and AI-powered governance agents that automate tenant monitoring and remediation in this release. Enhanced visibility into usage patterns, granular Copilot credit consumption with pay-as-you-go (PAYG) caps, and connector dependencies help you optimize costs, demonstrate return on investment (ROI), and enforce compliance with organizational policies using features within the Power Platform Admin Center. GitHub integration and deploy from Git mature your application lifecycle management (ALM) practices with full audit trails.

Updates to role-based agents in Microsoft 365 Copilot

2026 release wave 1 updates for Microsoft role-based agents transform Sales Agent and Finance Agent in Microsoft 365 Copilot into intelligent daily command centers, helping to deliver richer, data-grounded insights, enhanced chat and mobile experiences, contextual support across Outlook and Teams, and strengthened governance and extensibility to help organizations drive productivity and scale AI responsibly.

Sales Agent

Sales Agent becomes the seller’s daily command center with richer Sales Chat and Sales Home experiences across desktop and mobile in 2026 release wave 1. Sellers will gain streamlined access to deal and account insights through configurable record summaries, contextual support in Outlook and Teams, and improved email and meeting intelligence. New governance and extensibility controls will also help organizations scale AI responsibly.

Finance Agent

Finance Agent helps finance professionals and their stakeholders interact with financial information from their ERP within the flow of work. In 2026 release wave 1, we continue expanding how this financial assistant supports common finance tasks such as reconciliation, variance analysis, and data preparation in Excel, as well as customer communications in Outlook. By bringing financial insights and assistance directly into familiar productivity tools, the Finance Agent helps teams investigate issues faster, respond to stakeholders more efficiently, and spend less time manually preparing or reconciling data so they can focus more on financial analysis and decision support.

For a complete list of new capabilities, please refer to the Dynamics 365 2026 release wave 1 plan, the Microsoft Power Platform 2026 release wave 1 plan, and role-based agents 2026 release wave 1. We also encourage you to share your feedback in the community forums for Dynamics 365 and Microsoft Power Platform.

Business Applications Update

The Business Applications Update offers an early preview of new capabilities coming in the months ahead. This refreshed structure is designed to reflect the reality of our time: innovation does not happen twice a year; it is constant. Whether you are a strategic leader or a hands-on practitioner, this new cadence is built to get you quickly up to speed.

  • Watch the Dynamics 365 Business Applications Update March 18 at 9 AM PDT
  • Register for the Power Platform and Copilot Studio update April 15 at 9 AM PDT

The post 2026 release wave 1 plans for Microsoft Dynamics 365, Microsoft Power Platform, and Copilot Studio offerings appeared first on Microsoft Power Platform Blog.

]]>