Power Up - Upskill Yourself...

Normal view

Today — 6 February 2026Main stream
  • ✇Microsoft Dynamics 365 CRM Tips and Tricks
  • How to restrict Unwanted Power Automate flow execution
    In Microsoft Dataverse, Power Automate flows are commonly used to execute business logic when records are created, updated, or deleted. They work well for most user-driven and real-time business operations. However, in certain scenarios such as integrations, background jobs, bulk data operations, or system maintenance tasks running these flows is not always required and can negatively impact performance or cause unintended automation triggers. To address this, Microsoft provides a way to bypass
     

How to restrict Unwanted Power Automate flow execution

Power Automate

In Microsoft Dataverse, Power Automate flows are commonly used to execute business logic when records are created, updated, or deleted. They work well for most user-driven and real-time business operations.

However, in certain scenarios such as integrations, background jobs, bulk data operations, or system maintenance tasks running these flows is not always required and can negatively impact performance or cause unintended automation triggers.

To address this, Microsoft provides a way to bypass Power Automate flow execution when performing operations through the Dataverse SDK. This allows developers to update or delete records without triggering associated flows, giving greater control over when automation should or should not run.

In this blog, we’ll explore when and why bypassing Power Automate flows makes sense, how it works at a technical level, and what to keep in mind before using it in production environments.

Why Bypass Power Automate Flows?

Bypassing flows is useful when the operation is system-driven and the flow logic is not needed.

Some common reasons include:

  • Avoiding unnecessary flow execution during background operations
  • Improving performance during bulk updates or migrations
  • Preventing flows from triggering repeatedly or causing loops
  • Keeping business automation separate from technical or maintenance logic

This approach ensures that Power Automate flows run only when they genuinely add business value, rather than during behind-the-scenes system updates.

Steps to Perform

For demonstration purposes, the logic is implemented using a desktop application. The objective is to clearly compare a standard update operation with one that bypasses Power Automate flow execution.

In both scenarios:

  • The same account record is updated
  • The only difference is whether the bypass flag is applied during the update request

Update Event Without Bypass

In this scenario, the record is updated using the standard SDK request without any bypass flag.

/// <summary>

/// Update the record Account record

/// </summary>

/// <param name="service"></param>

private static void UpdateRecord(CrmServiceClient service, string accountName, Guid accountId)

{

try

{

//Step 1: Get Record to update

Entity ent = new Entity("account", accountId);

#region Create Account name

ent["name"] = accountName;

#endregion

// Step 2: Update

service.Update(ent);

Console.WriteLine($"Record updated successfully. {DateTime.Now}");

}

catch (Exception ex)

{

SampleHelpers.HandleException(ex);

}
}

Restrict Unwanted Power Automate flow execution

Restrict Unwanted Power Automate flow execution

Observed behavior:

  • The update operation succeeds
  • The associated Power Automate flow is triggered
  • Any downstream logic defined in the flow executes as expected (for example, SharePoint operations, notifications, or validations)

This is the default and expected behavior when performing update operations through the SDK.

Update Event with Power Automate Flow Bypass

In this scenario, the same update operation is executed, but the request includes the bypass flag to skip Power Automate flow execution.

/// <summary>

/// Update the record Account record with bypass logic

/// </summary>

/// <param name="service"></param>

private static void UpdateRecordWithBypass(CrmServiceClient service, string accountName, Guid accountId)

{

try

{

//Step 1: Get Record to update

Entity ent = new Entity("account", accountId);

#region Create entity record object

ent["name"] = accountName;

#endregion

// Step 2: Create delete request

var updateRequest = new UpdateRequest

{

Target = ent

};

// Step 3: Bypass Power Automate flows

updateRequest.Parameters.Add("SuppressCallbackRegistrationExpanderJob", true);

// Step 4: Execute

service.Execute(updateRequest);

Console.WriteLine($"Record updated with bypass successfully. {DateTime.Now}");

}

catch (Exception ex)

{

SampleHelpers.HandleException(ex);

}
}

Restrict Unwanted Power Automate flow execution

Restrict Unwanted Power Automate flow execution

Observed behavior:

  • The record is updated successfully.
  • Power Automate flow does not execute.
  • No SharePoint or automation logic tied to the flow is triggered.

This allows the system to perform controlled updates without affecting existing automation logic.

Conclusion

Bypassing Power Automate flows in Microsoft Dataverse is a powerful capability designed for advanced scenarios, such as:

  • System integrations
  • Maintenance or cleanup jobs
  • Bulk updates and data migrations

When used appropriately, it helps improve performance, avoid unnecessary automation, and maintain clean separation between business logic and technical processes.

However, this feature should be applied carefully and intentionally. Overusing it can lead to missed automation or inconsistent system behavior. When used in the right context, it results in cleaner implementations and more predictable outcomes.

The post How to restrict Unwanted Power Automate flow execution first appeared on Microsoft Dynamics 365 CRM Tips and Tricks.

Before yesterdayMain stream
  • ✇Microsoft Dynamics 365 CRM Tips and Tricks
  • Automating Business PDFs Using Azure Document Intelligence and Power Automate
    In today’s data-driven enterprises, critical business information often arrives in the form of PDFs—bank statements, invoices, policy documents, reports, and contracts. Although these files contain valuable information, turning them into structured, reusable data or finalized business documents often requires significant manual effort and is highly error-prone. By leveraging Azure Document Intelligence (for PDF data extraction), Azure Functions (for custom business logic), and Power Automate (f
     

Automating Business PDFs Using Azure Document Intelligence and Power Automate

In today’s data-driven enterprises, critical business information often arrives in the form of PDFs—bank statements, invoices, policy documents, reports, and contracts. Although these files contain valuable information, turning them into structured, reusable data or finalized business documents often requires significant manual effort and is highly error-prone.
By leveraging Azure Document Intelligence (for PDF data extraction), Azure Functions (for custom business logic), and Power Automate (for workflow orchestration) together, businesses can create a seamless automation pipeline that interprets PDF content, transforms extracted information through business rules, and produces finalized documents automatically, eliminating repetitive manual work and improving overall efficiency.
In this blog, we will explore how these Azure services work together to automate document creation from business PDFs in a scalable and reliable way.

Use Case: Automatically Converting Bank Statement PDFs into CSV Files

Let’s consider a potential use case.
The finance team receives bank statements as PDF attachments in a shared mailbox on a regular basis. These statements contain transaction details in tabular format, but extracting the data manually into Excel or CSV files is time-consuming and often leads to formatting issues such as broken rows, missing dates, and incorrect debit or credit values.
The goal is to automatically process these emailed PDF bank statements as soon as they arrive, extract the transaction data accurately, and generate a clean, structured CSV file that can be directly used for reconciliation and financial reporting.
By using Power Automate to monitor incoming emails, Azure Document Intelligence to analyze the PDFs, and Azure Functions to apply custom data-cleaning logic, the entire process can be automated, eliminating manual effort and ensuring consistent, reliable output.
Let’s walk through the steps below to achieve this requirement.

Prerequisites:

Before we get started, we need to have the following things ready:
• Azure subscription.
• Access to Power Automate to create email-triggered flows.
• Visual Studio 2022

Step 1:

Navigate to the Azure portal (https://portal.azure.com), search for the Azure Document Intelligence service, and click Create to provision a new resource.

Azure Document Intelligence

Step 2:

Choose Azure subscription 1 as the subscription, create a new resource group, enter an appropriate name for the Document Intelligence instance, select the desired pricing tier, and click Review + Create to proceed.

Azure Document Intelligence

Step 3:

After reviewing the configuration, click Create and wait for the deployment to complete. Once the deployment is finished, select Go to resource.

Azure Document Intelligence

Step 4:

Navigate to the newly created Document Intelligence resource, and make a note of the endpoint and any one of the keys listed at the bottom of the page.

Azure Document Intelligence

Step 5:

Create a new Azure Function in Visual Studio 2022 using an HTTP trigger with the .NET isolated worker model, and add the following code.

[Function("PdfToCsvExtractor")]
public async Task Run(
[HttpTrigger(AuthorizationLevel.Anonymous, "post")] HttpRequest req)
{
_logger.LogInformation("Form Recognizer extraction triggered.");

// Accept either multipart/form-data (file field) OR raw application/pdf bytes.
Stream pdfStream = null;

try
{
// If content-type is multipart/form-data => read form and file
if (req.HasFormContentType)
{
var form = await req.ReadFormAsync();
var file = form.Files?.FirstOrDefault();
if (file == null || file.Length == 0)
return new BadRequestObjectResult("No file was uploaded in the multipart form-data.");

pdfStream = new MemoryStream();
await file.CopyToAsync(pdfStream);
pdfStream.Position = 0;
}
else
{
// Otherwise expect raw PDF bytes with Content-Type: application/pdf
if (!req.Body.CanRead)
return new BadRequestObjectResult("Request body empty.");

pdfStream = new MemoryStream();
await req.Body.CopyToAsync(pdfStream);
pdfStream.Position = 0;
}

string endpoint = Environment.GetEnvironmentVariable("FORM_RECOGNIZER_ENDPOINT");
string key = Environment.GetEnvironmentVariable("FORM_RECOGNIZER_KEY");
if (string.IsNullOrEmpty(endpoint) || string.IsNullOrEmpty(key))
return new BadRequestObjectResult("Missing Form Recognizer environment variables.");

var credential = new AzureKeyCredential(key);
var client = new DocumentAnalysisClient(new Uri(endpoint), credential);

var operation = await client.AnalyzeDocumentAsync(
WaitUntil.Completed,
"prebuilt-document",
pdfStream
);
var result = operation.Value;
_logger.LogInformation("pdfstream: " + pdfStream);

_logger.LogInformation("Result: "+ result.Tables.ToList());

// returns raw JSON table data
var filteredTables = result.Tables.ToList());
if (filteredTables.Count == 0)
return new BadRequestObjectResult("No transaction table found.");

string csvOutput = BuildCsvFromTables(filteredTables);

var csvBytes = Encoding.UTF8.GetBytes(csvOutput);

var emailResult = await SendEmailWithCsvAsync(
_logger,
csvBytes,
"ExtractedTable.csv");

return new OkObjectResult(“Table data extracted and exported to csv file”);
}
catch (Exception ex)
{
_logger.LogError(ex, ex.Message);
return new StatusCodeResult(500);
}
finally
{
pdfStream?.Dispose();
}
}

//method to create csv file
private string BuildCsvFromTables(IReadOnlyList tables)
{
var csvBuilder = new StringBuilder();
// Write CSV header
csvBuilder.AppendLine("Date,Transaction,Debit,Credit,Balance");
foreach (var table in tables)
{
// Group cells by row index
var rows = table.Cells
.GroupBy(c => c.RowIndex)
.OrderBy(g => g.Key);
foreach (var row in rows)
{
// Skip header row (row index 0)
if (row.Key == 0)
continue;
var rowValues = new string[5];
foreach (var cell in row)
{
if (cell.ColumnIndex < rowValues.Length)
{
// Clean commas and line breaks for CSV safety
rowValues[cell.ColumnIndex] =
cell.Content.Replace(",", " ").Replace("\n", " ").Trim();
}
}
csvBuilder.AppendLine(string.Join(",", rowValues));
}
}
return csvBuilder.ToString();
}

// method to send csv file as an attachment to an email
public async Task SendEmailWithCsvAsync(
ILogger log,
byte[] csvBytes,
string csvFileName)
{
log.LogInformation("Inside AzureSendEmailOnSuccess");

string clientId = Environment.GetEnvironmentVariable("InogicFunctionApp_client_id");
string clientSecret =Environment.GetEnvironmentVariable("InogicFunctionApp_client_secret");
string tenantId = Environment.GetEnvironmentVariable("Tenant_ID");
string receiverEmail = Environment.GetEnvironmentVariable("ReceiverEmail");
string senderEmail = Environment.GetEnvironmentVariable("SenderEmail");

var missing = new List();

if (string.IsNullOrEmpty(clientId)) missing.Add(nameof(clientId));
if (string.IsNullOrEmpty(clientSecret)) missing.Add(nameof(clientSecret));
if (string.IsNullOrEmpty(tenantId)) missing.Add(nameof(tenantId));
if (string.IsNullOrEmpty(receiverEmail)) missing.Add(nameof(receiverEmail));
if (string.IsNullOrEmpty(senderEmail)) missing.Add(nameof(senderEmail));

if (missing.Count > 0)
{
return new BadRequestObjectResult(
new { message = "Missing: " + string.Join(", ", missing) }
);
}

var app = ConfidentialClientApplicationBuilder
.Create(clientId)
.WithClientSecret(clientSecret)
.WithAuthority($"https://login.microsoftonline.com/{tenantId}")
.Build();

var result = await app.AcquireTokenForClient(
new[] { "https://graph.microsoft.com/.default" })
.ExecuteAsync();

string token = result.AccessToken;

string emailBody =
"Hello,

"
+ "Please find attached the extracted CSV.

"
+ "Regards,
Inogic Developer.";

var attachment = new Dictionary<string, object>
{
{ "@odata.type", "#microsoft.graph.fileAttachment" },
{ "name", csvFileName },
{ "contentType", "text/csv" },
{ "contentBytes", Convert.ToBase64String(csvBytes) }
};

var emailPayload = new Dictionary<string, object>
{
{
"message",
new Dictionary<string, object>
{
{ "subject", "Extracted PDF Table CSV" },
{
"body",
new Dictionary<string, object>
{
{ "contentType", "HTML" },
{ "content", emailBody }
}
},
{
"toRecipients",
new[]
{
new Dictionary<string, object>
{
{
"emailAddress",
new Dictionary<string, object>
{
{ "address", receiverEmail }
}
}
}
}
},
{ "attachments", new[] { attachment } }
}
},
{ "saveToSentItems", "false" }
};

string json = JsonSerializer.Serialize(emailPayload);

using var httpClient = new HttpClient();
httpClient.DefaultRequestHeaders.Authorization =
new System.Net.Http.Headers.AuthenticationHeaderValue("Bearer", token);

var httpContent = new StringContent(json, Encoding.UTF8, "application/json");

var response = await httpClient.PostAsync(
$"https://graph.microsoft.com/v1.0/users/{senderEmail}/sendMail",
httpContent
);

if (response.IsSuccessStatusCode)
return new OkObjectResult("CSV Email sent successfully.");

string errorBody = await response.Content.ReadAsStringAsync();
log.LogError($"Graph Error: {response.StatusCode} - {errorBody}");
return new StatusCodeResult(500);
}

Step 6:

Build the Azure Function project in Visual Studio and publish it to the Azure portal.

Step 7:

Open https://make.powerautomate.com and create a new cloud flow using the When a new email arrives in a shared mailbox (V2) trigger. Enter the shared mailbox email address in Original Mailbox Address, and set both Only with Attachments and Include Attachments to Yes.

Azure Document Intelligence

Step 8:

Add a Condition action to verify that the attachment type is PDF.

Azure Document Intelligence

Step 9:

If the condition is met, in the Yes branch add the Get Attachment (V2) action. Configure Message Id using the value from the trigger and Attachment Id using the value from the current loop item and the email address of the shared mailbox.

Azure Document Intelligence

Step 10:

Add a Compose action to convert the attachment content bytes to Base64 using the following expression:
base64(outputs(‘Get_Attachment_(V2)’)?[‘body/contentBytes’])

Step 11:

Add another Compose action to convert the Base64 output from the previous step into a string using:
base64ToString(outputs(‘Compose’))

Step 12:

Add an HTTP (Premium) action, set the method to POST, provide the URL of the published Azure Function, and configure the request body as shown below:

{
"$content-type": "application/pdf",
"$content": "@{outputs('Compose_2')}"
}

Azure Document Intelligence

To test the setup, send an email to the shared mailbox with the sample PDF attached.
Note: For demonstration purposes, a simplified one-page bank statement PDF is used. Real-world bank statements may contain multi-page tables, wrapped rows, and inconsistent layouts, which are handled through additional parsing logic.

Input PDF file:

Azure Document Intelligence

Output CSV file:

Azure Document Intelligence

Conclusion:

This blog demonstrated how an email-driven automation pipeline can simplify the processing of business PDFs by converting them into structured, usable data.
By combining Power Automate for orchestration, Azure Functions for custom processing, and Azure Document Intelligence for AI-based document analysis, organizations can build scalable, reliable, and low-maintenance document automation solutions that eliminate manual effort and reduce errors.

Frequently Asked Questions:

1. What is Azure Document Intelligence used for?
Azure Document Intelligence is used to extract structured data from unstructured documents such as PDFs, images, invoices, receipts, contracts, and bank statements using AI models.

2. How does Azure Document Intelligence extract data from PDF files?
It analyzes PDF content using prebuilt or custom AI models to identify text, tables, key-value pairs, and document structure, and returns the extracted data in a structured JSON format.

3. Can Power Automate process PDF attachments automatically?
Yes. Power Automate can automatically detect incoming PDF attachments from email, SharePoint, or OneDrive and trigger workflows to process them using Azure services.

4. How do Azure Functions integrate with Power Automate?
Power Automate can call Azure Functions via HTTP actions, allowing custom business logic, data transformation, and validation to run as part of an automated workflow.

5. Is Azure Document Intelligence suitable for bank statements and invoices?
Yes. Azure Document Intelligence can accurately extract tables, transaction data, and key fields from bank statements, invoices, and other financial documents.

The post Automating Business PDFs Using Azure Document Intelligence and Power Automate first appeared on Microsoft Dynamics 365 CRM Tips and Tricks.

  • ✇Microsoft Dynamics 365 CRM Tips and Tricks
  • How to Automate Image Descriptions with AI Builder in Power Automate
    In today’s fast-paced digital world, automating repetitive tasks not only saves time but also significantly improves productivity. Microsoft now offers a powerful preview AI model that enables automatic generation of image descriptions using the AI Builder’s prebuilt Image Description model in Power Automate Flow. This smart tool analyzes your images and generates easy-to-understand, meaningful descriptions. These descriptions are really helpful for organizing your files, sorting images, and ma
     

How to Automate Image Descriptions with AI Builder in Power Automate

Automate Image Descriptions with AI Builder in Power Automate

In today’s fast-paced digital world, automating repetitive tasks not only saves time but also significantly improves productivity. Microsoft now offers a powerful preview AI model that enables automatic generation of image descriptions using the AI Builder’s prebuilt Image Description model in Power Automate Flow.

This smart tool analyzes your images and generates easy-to-understand, meaningful descriptions. These descriptions are really helpful for organizing your files, sorting images, and making content more accessible, all without you having to do anything manually.

How the AI Builder Image Description Model Works

The AI Builder Image Description model uses advanced computer vision to understand what’s in an image and convert that visual content into meaningful text. This makes tasks like organizing files, generating metadata, creating reports, or improving accessibility much easier because the system provides clear descriptions instantly and automatically.

Here’s a breakdown of how the model works behind the scenes:

1. It analyzes the image and generates three key outputs:

  • A description (English only): A simple, human-readable explanation of what the image contains.
  • Tags: Keywords that highlight the main objects, themes, or concepts detected in the image.
  • A confidence score: A percentage indicating how certain the model is about its description.

2. It supports only these image file formats:

.JPG, .JPEG, .PNG, and .BMP
Uploading any other format will cause the action to fail.

3. Image size requirements:

    • Maximum file size: 4 MB
    • Minimum resolution: 50 × 50 pixels

4. Role and licensing requirement:

You only need the Basic User role to use this model inside a Power Automate flow with no special admin permissions required.

Important note:
This feature is currently in preview, which means it works reliably for simple descriptions but is not recommended for production use yet.

Prerequisites:

Before creating a flow using this model, ensure you have:

  • Access to Microsoft Power Automate
  • Access to Dataverse

Step-by-Step Guide: Automate Image Descriptions

1. Create a New Flow

  • Sign in to your Dataverse
  • Open Power Automate, and click Create → Instant cloud flow (or choose another flow type based on your use case).

Automate Image Descriptions with AI Builder in Power Automate

2. Add File Input (Optional)

  • In the trigger step, click Add an input → Select File.

Automate Image Descriptions with AI Builder in Power Automate

  • This allows you to upload an image manually when testing the flow.

3. Add the AI Builder Action

  • Click New Step → Search for “AI Builder” → Select “Describe images (Preview)”.

Automate Image Descriptions with AI Builder in Power Automate

  • In the Image field, choose File Content from Dynamic Content.

Automate Image Descriptions with AI Builder in Power Automate

4. Add Post-Processing Logic (Optional)

  • Click once the description is generated, you can add further steps such as:
    • Storing the description in a database.
    • Sending an email notification.

Automate Image Descriptions with AI Builder in Power Automate

5. Save and Test the Flow

  • Click Save.
  • Select Test → Manually, and upload an image when prompted.
  • The flow will run and automatically generate a description, confidence score, and related Tags.

Automate Image Descriptions with AI Builder in Power Automate

Automate Image Descriptions with AI Builder in Power Automate

Important Consideration (as per Microsoft docs):
This AI Builder currently supports only the English language and the following image formats only: Jpeg, Png, Gif, Bmp. Uploading other file types will result in a failed operation.

This feature is still in preview and currently provides straightforward descriptions. However, in the future, it has the potential to generate more detailed and complex image descriptions.

When Should You Use the Image Description Model?
A common use case is when a user uploads product images to your system. Automatically generating a description helps:

  • Product Image Metadata: Automatically generate captions for product images in catalogs.
  • Accessibility: Provide alt-text for images on websites and in documents.
  • Content Tagging: Tag images with relevant labels for smarter search.
  • Surveillance or Monitoring: Describe visual scenes (people, objects, activity) for easier review or alerts.

FAQs

  1. How does the AI Builder Image Description model help my workflow?
    It automatically scans your images and generates clear, meaningful descriptions along with tags and confidence scores. This means faster content organization, better accessibility, and zero manual effort.
  2. What image formats can I upload?
    The model currently supports JPG, JPEG, PNG, and BMP files. Using any other format will stop the flow from running successfully.
  3. Are there any image size limits I should know about?
    Yes, your image must be under 4 MB and at least 50 × 50 pixels. Staying within these limits ensures smooth processing.
  4. Does it work with multiple languages?
    For now, it generates descriptions only in English, as highlighted in the blog.
  5. Is this ready for production use?
    Not yet. Since the feature is still in preview, it’s ideal for testing, prototyping, and internal automation but not for mission-critical production scenarios.
  6. Do I need admin rights to use this in my Power Automate flow?
    No. The Basic User role is all you need to start using the Image Description model, making it easy for anyone in your team to adopt.

Conclusion:
Power Automate’s Image Description prebuilt model makes it effortless to generate meaningful image descriptions — without writing a single line of code. Whether it’s for improving accessibility or automating content organization, this tool empowers you to streamline processes, save time, and increase efficiency.

The post How to Automate Image Descriptions with AI Builder in Power Automate first appeared on Microsoft Dynamics 365 CRM Tips and Tricks.

My first XRMToolBox Plugin: Dataverse Users, Security roles, Teams and Teams security roles (Usage)

9 September 2025 at 09:42
Logos of two software tools: a blue and purple graphic featuring a stylized 'D' and a red, white, and blue logo with a wrench symbol.

In my previous articles, I introduced my plugin tool, Dataverse Users, Security Roles, Teams, and Team Security Roles and explained how to install it using XrmToolBox. In this article, I’ll Walk you through how to use the tool effectively.

Follow the below steps.

Step 1: Open XrmToolBox and search for “Dataverse Users, Security roles, Teams and Teams security roles” in Tools tab.

Click on it.

Screenshot of XrmToolBox interface showing the search bar and the plugin tool 'Dataverse Users, Security roles, Teams and Teams security roles'.

Step 2: Click on Yes to connect to an organization.

Screenshot of the XrmToolBox interface displaying the tool 'Dataverse Users, Security roles, Teams and Teams security roles' with an option to connect to an organization.

Step 3: Select the required connection and click on OK.

Screenshot of the XrmToolBox interface showing the 'Dataverse Users, Security roles, Teams and Teams security roles' tool with a dialog box for selecting connections.

Tool has been opened successfully.

Screenshot of XrmToolBox interface showing the 'Dataverse Users, Security roles' tool with a gray background and zero users retrieved.

Step 4: Click on Load Data.

Screenshot of the XrmToolBox interface showcasing the 'Dataverse Users, Security Roles, Teams' tool, with options to close, load data, and search, displaying zero users retrieved.

Tool will start retrieving all the System user details, Security roles (separated by semicolon ;), Teams (separated by semicolon 😉 and Team Security Roles (separated by semicolon ;).

XrmToolBox interface displaying the Dataverse Users, Security Roles tool, with a loading message indicating retrieval of system user details.

Once, the Tool retrieves the data, you can see the data in the grid and also can see the number of users retrieved.

Screenshot of XrmToolBox displaying user details and security roles for a Dataverse connector, showing fields such as Azure AD Object ID, Full Name, User Status, and User Security Roles.

Step 5: Search for some text to filter the data.

As an example, I have entered the text System Administrator“, and you can see the grid filtered with the entered text and can see the updated count as well.

Screenshot of the XrmToolBox displaying user data, including user details, security roles, and teams, with a total of 85 users retrieved.

If you want to sort, click on any column in the grid to sort ascending or descending.

As an example, I have clicked on Full Name to sort in Ascending order.

Screenshot of the XrmToolBox displaying a grid of user details including User ID, Application ID, Azure AD Object ID, Domain Name, Business Unit Name, Primary Email, User Status, Access Mode, User Security Roles, and User Teams.

Step 6: Click on Export to export the data in CSV format.

Note: Data will be exported to the CSV format only on the filtered data, which you can see on this grid.

Screenshot of XrmToolBox showing a grid with user details, including User ID, Application ID, Full Name, and Security Roles. Option buttons for Load Data and Export are visible at the top.

Step 7: Choose the required path and Provide the File name.

Click on Save.

User interface showing the file save dialog for exporting data to CSV in XrmToolBox.

Step 8: Once the data is exported successfully, you can see the Information message and the alert dialog with the Path, the file is downloaded.

Click on OK.

Screenshot showing a data export success message in XrmToolBox, indicating the export of user data to a specific file path with a grid of user information displayed.

Step 9: Go to the Downloads folder and open the file to see the data.

Screenshot of an Excel spreadsheet showing exported user and security role data, including columns for User ID, Full Name, and User Status.

Hope you liked my new XrmToolBox tool “Dataverse Users, Security roles, Teams and Teams security roles“.

Please like and share your valuable feedback on this article. Also, follow my blog to get my articles to your Inbox.

Click on the below image to navigate to my YouTube Channel.

Graphic promoting a YouTube channel with the text 'Has my blog post helped you?' and buttons for 'WATCH', 'LEARN', and 'SUBSCRIBE'.

Below are my earlier articles that you can have a look.

My first XRMToolBox Plugin: Dataverse Users, Security roles, Teams and Teams security roles (Installation)

My first XRMToolBox Plugin: Dataverse Users, Security roles, Teams and Teams security roles (Overview)

Limited Time Offer: 50% Off Microsoft Certification Vouchers

How to send an automated email in Dataverse using Power Automate?

Understanding Activity Party Types in Dynamics 365 CE

How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?

Microsoft Power Pages: The authentication key for your portal will expire

Microsoft Azure: You’re not eligible for an Azure free account

How to create Microsoft Azure 30 days trial?

Edit in Visual Studio Code for the Web in Power Apps Portals

Error: The object cannot be updated because it is read-only in Microsoft Power Apps

Resolved: Fix connections issue in Power Automate Flow

Clear all objects feature in Power Apps Solutions

Power Automate Error: The ‘inputs.parameters’ of workflow operation of type ‘OpenApiConnection’ is not valid.

Power Automate Error: To use FilteringAttributes, your trigger must include an Update event on Dataverse Trigger

Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines

Power Automate Error: Cannot write more bytes to the buffer than the configured maximum buffer size: 104857600

Error while opening a Tool in XRMToolBox

The Power Automate Cloud Flows Best Practices Whitepaper is now LIVE!

Error in Power Automate: There’s a problem that needs to be fixed to trigger this flow. To see more details, open Flow checker.

How to get the Dataverse Table’s first row from List Rows in Power Automate?

Microsoft Dataverse Accelerator – Part 2 – Installation

Microsoft Dataverse Accelerator – Part 1 – Introduction

How to get the Database Version of the Dataverse?

API playground feature not available in Dataverse Accelerator App?

How to Explore and test Dataverse in the Web API playground (preview)?

Web resource method does not exist in Dynamics 365 CE

How to get Environment Variable Value in Dynamics 365 CE using JavaScript?

Model-driven Apps – openAlertDialog – JavaScript – Code Snippet

Power Automate – Flow is not running on Trigger condition

Power Automate – Input field Delete option is disabled

Recipient of type ‘Contact’ with ID is marked as non-emailable

Preferred Solution | New feature | Microsoft Dataverse

New and Retired Microsoft Dynamics 365 Certifications

Environment settings behavior (Preview) feature in Model-driven Apps

Error while connecting to Dataverse environment in XrmToolBox

Power Fx Formula Columns in Microsoft Power Apps

How to Enable 2024 Release Wave 1 Updates in the Microsoft Dynamics 365 CE Environment?

Delete and Restore records (Preview) feature in Microsoft Dataverse

Microsoft Power App Environments Retention Period

How to Override the Model-driven app header colors?

Timeline Highlights (New feature) in Microsoft Power Apps

Model-driven App – Cannot “See associate records” option in the sub grid (arunpotti.com)

Bookmark the Important Dynamics 365 URLs

How to Enable Tenant-level analytics for Power Automate and Power Apps?

Microsoft Power Automate Copy and Paste Action in New DesignerHow to Setup Multi-Factor Authentication for your Microsoft Power Apps environment?

Microsoft Power Apps | Modern Themes | Preview feature

How to Download and Install the .NET Framework?

How to Create a SharePoint Site Online?

How to add and use Copilot answer control (Preview) in Microsoft Power Apps?

Dark Mode in Microsoft Power Apps

How to create Microsoft 365 E3 Trial for 30 days?

Refreshed look of solution dependencies in Dataverse Solutions

Microsoft Power Automate | Version History | Restore | New Feature

MICROSOFT LEARN – Artificial Intelligence Skills Challenge​ 2024!!!

Resolved – ‘InvokerConnectionOverrideFailed’ Error When a Power App Custom Page call a Power Automate Flow

How to Create Microsoft Power Apps Trial 30 days?

Not able to Create Power Automate Flow in Custom Page in Model-Driven App?

How to Enable Inline Actions feature in Microsoft Canvas Apps?

How to use /mention in Outlook web client for Dataverse records?

Associate Activities Multiple Related Records (Preview) feature in Microsoft Dynamics 365 CE

How to Enable Aggregation (preview) feature in Microsoft Power Apps?

Power Apps – Some components of this app require you to sign in. If you don’t sign in, part of the app may not work.

How to Enable the SQL Server stored procedures (preview) feature in the Power Apps?

How to get the Client Version of the Model Driven Apps?

How to get Microsoft 365 E3 Trial for 30 days?

How to Enable Copilot for Model-Driven apps feature in Dynamics 365 CE Environment?

[Resolved] Web resource method does not exist in Dynamics 365 CE JavaScript Error

How to Enable Blocking unmanaged customizations (Preview) feature in Dynamics 365 CE?

How to create Microsoft Power Apps Developer Plan Environment?

Microsoft Power Apps Developer Plan vs Power Apps Trial 30 days

What is Microsoft Power Apps Developer Plan?

[Resolved] PCF Field Control not showing anything in the PCF Test Environment?

[Issue Resolved] ReferenceError: Web resource method does not exist in Dynamics 365 CE Javascript Error

[Issue Resolved] Subcomponent cannot be added to the solution because the root component Template is missing in Dataverse

How to Turn Off the Modern Look in the Model Driven Apps?

How to Turn on the New modern, refreshed look for the Model-Driven apps?

Microsoft Power Apps – Apps filter feature

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

Microsoft Power Apps – Solutions filter Preview feature

How to Show the Power Automate complete Expressions?

Dataverse Error: Cannot start the requested operation [EntityCustomization] because there is another [PublishAll] running at this moment.

Power Automate Error: You should specify a contact or account.

How to get the Choice Text and Value in the Dataverse using JavaScript?

Microsoft Dataverse Low Code No Code Plugins

How to convert the Number String to Number Array?

How to Integrate Instant Plugins in the Power Automate Flow?

Power Apps – ‘actionname’ is an unknown or unsupported function in namespace ‘Environment’

Dataverse Browser V1.1.0.1 is available for Dataverse Plugin Debugging

How to Integrate Instant Plugins in the Canvas App?

How to Enable Access to Microsoft Dataverse Actions (Preview feature) in the Power Apps?

How to Create an Instant Plugin in the Dataverse Environment?

How to Install the Microsoft Dataverse Accelerator in the Dataverse Environment?

What is Microsoft Dataverse Accelerator?

How to get the Logged in User Information in the Power Apps?

How to Install Power Platform Tools in Visual Studio Code?

How to Install the Apps from the Microsoft AppSource to your Dataverse Environment?

Microsoft Power Apps Maker Portal has a new look

Microsoft Power Apps Emulator (New Feature)

How to Enable the Dataverse Offline (Experimental Feature) in the Canvas Apps?

How to set the Authoring Version in the Canvas App?

New version of Dataverse Browser is available for Dataverse Plugin Debugging

Latest Free Practice Assessments for Microsoft Certifications

Download CRM 365 V9.X Tools using PowerShell

How to set the Refresh cadence for a Power Platform Environment?

Update forms and views (Preview feature) in Dataverse

How to connect to Microsoft Dataverse in Power Automate Flow using Service principal?

How to Enable Copilot (Preview) feature in Canvas Apps?

How to Debug a Dataverse Plugin without Installing the Profiler in the Plugin Registration Tool?

How to Enable the Licenses (Preview) feature for a Power Platform Environment?

How to Enable Maker Welcome Content (preview) in Power Apps Maker Portal?

How to Enable Managed Environments for a Dataverse Environment?

How to Enable the Modern Controls (Preview feature) in the Canvas Apps?

How to Enable 2023 Release Wave 1 updates in the Dataverse Environment?

How to Deploy Enterprise Applications in the new Dataverse Environment?

What is Preview, Experimental and Retired features in Canvas Apps?

How to Enable the New Power Fx Formula Bar in Power Apps Studio?

Writing Power Fx formulas with natural language

Power Fx Formula Columns in Dataverse

Generating Power Fx formulas from examples

How to Create Dynamics 365 Marketing 30 Days Trial Version Online?

How to disable Multi-Factor Authentication (MFA) on Dynamics 365 Login?

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

  • ✇Microsoft Dynamics 365 CRM Tips and Tricks
  • How to Automate Document Signing with DocuSign in Power Automate
    Introduction In an earlier Inogic post, “Streamlining E-Signatures in Multi-Step Forms with Power Pages and DocuSign Integration”, Our previous post demonstrated how Power Pages and DocuSign integration streamlines multi-step client data entry and signature workflow. In this article, we focus on the next step of how to use Power Automate together with DocuSign to automatically send e-signature documents to clients, track their status, and handle the entire workflow with minimal manual effort. Ma
     

How to Automate Document Signing with DocuSign in Power Automate

Introduction

In an earlier Inogic post, “Streamlining E-Signatures in Multi-Step Forms with Power Pages and DocuSign Integration”, Our previous post demonstrated how Power Pages and DocuSign integration streamlines multi-step client data entry and signature workflow.

In this article, we focus on the next step of how to use Power Automate together with DocuSign to automatically send e-signature documents to clients, track their status, and handle the entire workflow with minimal manual effort.

Manual signing can delay approvals and create unnecessary admin work. With Power Automate + DocuSign integration, you can instantly deliver documents for signature as soon as a new client record is created in CRM — and monitor their progress in real time.

Why This Automation Matters

Manual signing often results in missed deadlines and extra effort for both sides. Automating this process ensures every client receives their document immediately after being added to the CRM.

Using Power Automate and DocuSign together provides:

  • Instant document delivery for signature as soon as a new client record is created
  • Real-time visibility into the document’s progress (sent, viewed, signed).
  • A digital record of every activity for complete transparency

It saves time while keeping every client interaction clear and professional.

Step-by-Step Guide: How to Set Up DocuSign Automation in Power Automate

Step 1: How to Prepare a DocuSign Template

  1. Begin by setting up a template in DocuSign to define your document layout and signing fields. For detailed guidance, refer to the DocuSign Template Documentation

Step 2: Create an Automated Flow in Power Automate

  1. In Power Automate, go to Create → Automated Cloud Flow.
  2. Select the trigger When a row is added, modified, or deleted in Microsoft Dataverse (Dynamics 365).
    • This ensures the flow runs whenever a new client record is added

DocuSign in Power Automate

  1. Add a Condition to confirm the record includes a valid email:
    • Left value: Email
    • Condition: is not equal to
    • Right value: (leave blank)

This ensures documents are only sent when an email address exists.

Step 3: Use Power Automate to Send, Track, and Manage Documents through DocuSign

  1. Add the action Create envelope using a template with recipients and tabs from the DocuSign connector.

DocuSign in Power Automate

  1. Here’s what to configure in ‘Create envelope using a template with recipients and tabs’ action:
  • Select your DocuSign account connection.
  • Choose the DocuSign template you created earlier.
  • When you click on advance options Email Subject Field will be appeared then ‘Enter a Subject’ for the Email.
  • Provide an email body.
  • In Customer Recipient or Signing Group Name column pass the dynamic value for name.
  • In Customer Recipient Email (Leave empty if there’s a signing group) column pass dynamic value of Email.

DocuSign in Power Automate

This step prepares the document with all required details ready to be sent for eSignature.

  1. Add one more DocuSign action: Send envelope.

This ensures that the document is sent automatically to the client without needing to log in to DocuSign manually. Once the record is created, the email is instantly delivered to the client’s email for signing.

Step 4: Track the Signing Progress

  1. DocuSign provides full visibility into every step of the signing journey.

You can track when the document is:

    • Sent to the recipient
    • Opened and viewed
    • Signed and completed

DocuSign in Power Automate

These details are recorded in the Agreement History within DocuSign, helping you maintain a complete audit trail for each client agreement.

Step 5: Finalize and Notify

Client Perspective:

  1. The client receives an email with a secure link to review the document.
    DocuSign in Power Automate
  1. Upon clicking Review Document, the client is redirected to DocuSign to view and sign.

DocuSign in Power Automate

  1. Once the document is opened, the client can review the details and complete the signing process with just a few clicks.

DocuSign in Power Automate

Administrator Perspective:

  1. After the client signs the document, an automatic confirmation email is sent to adminstrator.

DocuSign in Power Automate

The Benefits of Automation

Manual document signing is now a thing of the past. With this automation, clients can securely review and sign agreements from any device, while your team tracks every step from sent to signed in real time. All records are stored safely, ensuring a faster, smarter, and more reliable signing experience.

Key Benefits:

  • Efficiency: Faster turnaround with minimal manual work
  • Accuracy: No missing details or signatures
  • Transparency: Real-time tracking of document progress
  • Professionalism: A modern, seamless experience for clients.

Frequently Asked Questions

  1. Can I automate DocuSign directly from Dynamics 365?
    Yes. By connecting Dynamics 365 with Power Automate and using the DocuSign connector, you can automatically send documents when a record is created or updated.
  2. How do I track if a document is signed in DocuSign?
    DocuSign provides envelope status updates (sent, viewed, signed) that can be captured in Power Automate and stored in Dynamics 365.
  3. Do I need a premium Power Automate license for DocuSign?
    Yes. The DocuSign connector requires a premium Power Automate plan or per-flow license.
  4. Can the signed documents be stored automatically?
    Yes. You can extend the same flow to upload the signed documents into SharePoint, OneDrive, or a specific Dynamics 365 record.

Conclusion

Integrating Power Automate with DocuSign transforms your signing workflow into a fully automated, end-to-end process. Each time a new client record is created, the system automatically sends the configured document for signature, tracks its progress, and securely saves the signed copy all without manual effort. This seamless process ensures smoother operations and an enhanced client experience.

The post How to Automate Document Signing with DocuSign in Power Automate first appeared on Microsoft Dynamics 365 CRM Tips and Tricks.

How to Use Service Principals to Stabilize Business-Critical Flows and Bypass Flow Request Limits

How to Use Service Principals to Stabilize Business-Critical Flows and Bypass Flow Request Limits

Introduction

Often, we encounter challenges in mission-critical flows that drive key departmental or enterprise-wide processes, including bulk operations. While these flows are essential for business continuity, they can face disruptions in multiple ways, such as ownership changes due to role transitions or user deactivation, or exhausting daily Power Platform flow request limits. For example, if a user owns multiple high-volume flows, such as those processing thousands of Dataverse records or sending bulk emails, every run consumes requests from their personal allocation. Once his limit is reached, all his flows start throttling, causing delays or failures across multiple processes. The risk is even higher for flows using premium connectors, such as Microsoft 365 Outlook, which can fail if the owner’s license is revoked or reassigned. The complexity further increases in environments that use DevOps pipelines to deploy flows across Development, Test, and Production, where manual ownership or connection adjustments can introduce delays and errors.

Take, for example, a flow triggered by a lead status update that sends personalized follow-up emails using the premium Outlook connector. Such a flow keeps leads engaged through timely communication, but if it breaks due to an ownership change, a revoked license, or exceeding the owner’s daily flow request limit, engagement rates can drop by up to 50%. Sales reps are then forced to follow up manually, leading to inefficiency, delays, and lost opportunities.

In this blog, we’ll explore how service principal-owned flows can stabilize automation in Dynamics 365 CRM, share a practical implementation for resolving lead nurturing disruptions, and demonstrate how they can prevent flow request limit bottlenecks in enterprise-wide or high-volume processes.

Understanding Service Principal Application Users

Before going ahead, let’s know a little bit more about Service Principal Application Users. A service principal is a non-human identity in Microsoft Entra ID that represents an application or service. In Power Platform, a service principal application user owns and manages Power Automate flows, ensuring stability for mission-critical processes like lead nurturing in Dynamics 365 Sales.

Unlike human users, it’s unaffected by role changes, requires no user license, and operates under its own independent flow request limits. When paired with a Power Automate Per-flow license for premium connectors (e.g., Microsoft 365 Outlook), it can support up to 250,000 requests daily in Dataverse, ensuring that high-volume flows don’t consume a human owner’s quota. This separation of capacity makes service principals ideal for reliable, cost-efficient automation in D365 CRM.

Licensing Requirements for Service Principal-Owned Flows

Service principal-owned flows in Dynamics 365 Sales and Dataverse require specific licensing to ensure uninterrupted operation, especially for flows like the lead nurturing automation using the premium Microsoft 365 Outlook connector.

  • General Licensing: Service principals, as non-interactive users, cannot use user licenses. Flows with premium connectors, such as Outlook for sending personalized emails, require a Power Automate Per-flow license, which supports up to 250,000 requests per 24 hours.
  • Dynamics 365 Context: In environments with Dynamics 365 Sales and Dataverse, flows using standard or premium connectors (e.g., updating lead scores) get 500,000 base requests plus 5,000 per User Subscription License (USL), up to 10M with Tenant pool enabled, often exempting additional licensing.
  • Power Apps/Power Automate Context: For flows triggered by Power Apps or standalone Power Automate, standard connectors get 25,000 base requests, while premium connectors need a Per-flow license for up to 250,000 requests. Verify licensing in the Power Platform admin center.

Implementation Steps for Service Principal-Owned Flows

To address ownership challenges and licensing dependencies, implementing a service principal-owned flow provides a stable, resilient solution. Here’s how to set up such a flow in Power Automate, for example, lead nurturing in our scenario.

Prerequisites

  • Create a service principal application user in Microsoft Entra ID (Azure Portal > Microsoft Entra ID > App registrations > New registration) and link it in the Power Platform admin center (Settings > Users + permissions > Application user > New App User).
  1. Share Required Connectors:

For non-solution flows, share the Dataverse connector (for lead updates) and Microsoft 365 Outlook connector (for emails) with the service principal:

Navigate to Connections, select your connector, and add the service principal as a shared user.

Bypass Flow Request Limits

Bypass Flow Request Limits

For solution flows, connection sharing is not required, as connections are embedded.

  1. Assign Flow Ownership:
  • In the Power Automate portal, navigate to “My Flows” from the side menu.
  • Open your flow and go to the Details section, click Edit, and set the Service Principal Application User as the owner.

Bypass Flow Request Limits

Bypass Flow Request Limits

Note: Service principal users can’t be co-owners of a flow. The service principal application user does not appear in the Owners edit dialog.

  1. Turn On the Flow:
  • Activate the flow in the Power Automate portal to start automated lead nurturing.
  • Monitor initial runs to confirm emails are sent and lead scores are updated correctly.

By operating under a non-human identity, this flow is immune to disruptions caused by user deactivation or license revocation, ensuring consistent performance for any enterprise-wide application or bulk operations.

Best Practice: For flows that are enterprise-wide, high-volume, or bulk operations, assign them to the service principal from the start. This ensures that both ownership stability and flow request limit capacity are addressed proactively, avoiding later disruptions.

Conclusion

Service principal-owned flows offer a reliable approach for stabilizing automation across Dataverse environments, including Dynamics 365 Sales and other critical enterprise-wide applications. As demonstrated in the lead nurturing example, they eliminate failures tied to ownership changes, avoid per-user flow request limit exhaustion, simplify licensing, and ensure consistent execution of the flow.

With service principal ownership and proper licensing in place, organizations can confidently automate business-critical processes, boosting lead conversion, preserving pipeline accuracy, and maintaining continuity across sales operations, without being constrained by the daily capacity of any single user.

The post How to Use Service Principals to Stabilize Business-Critical Flows and Bypass Flow Request Limits first appeared on Microsoft Dynamics 365 CRM Tips and Tricks.

  • ✇Arun Potti's Power Platform blog
  • How to send an automated email in Dataverse using Power Automate?
    This is a quite common requirement from the business to send automated emails on some Dataverse record create/ update / delete using Microsoft No Code/ Low Code platform. In this article, will explain about the below requirement step by step using Power Automate. Requirement: Send an Email to Customer (Contact) when the contact record is created. Follow the below steps. Pre-requisites: Configure donotreply email using Shared mailboxes in Dynamics 365 CE Understanding
     

How to send an automated email in Dataverse using Power Automate?

Logo of Power Automate featuring a blue arrow and the text 'Power Automate'.

This is a quite common requirement from the business to send automated emails on some Dataverse record create/ update / delete using Microsoft No Code/ Low Code platform.

In this article, will explain about the below requirement step by step using Power Automate.

Requirement: Send an Email to Customer (Contact) when the contact record is created.

Follow the below steps.

Pre-requisites:

  1. Configure donotreply email using Shared mailboxes in Dynamics 365 CE
  2. Understanding Activity Party Types in Dynamics 365 CE

Step 1: Click on the below link to open Power Automate Maker portal.

https://make.powerautomate.com/

Step 2: Click on Environments, Click on the required Environment.

Screenshot of the Power Automate Maker portal showing options to create flows including Automated cloud flow, Instant cloud flow, and Scheduled cloud flow.

Step 3: Click on the Automated cloud flow.

Power Automate interface displaying options for creating a flow, including 'Automated cloud flow,' 'Instant cloud flow,' 'Scheduled cloud flow,' and various templates. The sidebar shows navigation options like Home, Create, Templates, and My flows, with a highlighted 'Automated cloud flow.'

Step 4: Give the Flow a name. Search for Dataverse. Select the When a row is added, modified or deleted option. Click on Create.

A screenshot of the Power Automate interface, showing the 'Build an automated cloud flow' dialog. It includes fields for naming the flow and selecting triggers from the Dataverse.

Step 5: Click on When a row is added, modified or deleted and choose the below options.

Change typeAdded
Table nameContacts
ScopeOrganization
Power Automate interface displaying the setup for 'When a row is added, modified or deleted' trigger with parameters including Change type, Table name, and Scope.

Step 6: Click on + icon to add new Action.

Screenshot of the Power Automate interface showing the parameters for the 'When a row is added, modified or deleted' trigger, including options for Change type, Table name, and Scope.

Step 7: Search for Dataverse Add a new row. Click on Add a new row.

A screenshot of the Power Automate interface showing the action 'Add a new row' in the Dataverse section, with options for various actions listed below.

Step 8: Search for Email Messages Table name. Click on Email Messages.

Screenshot of the Power Automate interface showing the Add a new row action with a dropdown for selecting the Email Messages table.

Step 9: Click on the Drop down of the Advanced parameters.

Screenshot of the Power Automate interface showing the 'Add a new row' parameters for Email Messages.

Step 10: Search for the below parameters and select them. Click outside of the parameters popup once your selection is completed.

Note: If you want to add any other parameters, please select them.

Activity PartiesWill set From and To in the Activity Parties
Due DateGive some date
SubjectGive some email subject
DescriptionGive some email body
Regarding (Contacts)Give Contact GUID to this email
Screenshot of the Power Automate interface showing parameters for adding a new row, including fields for Activity Parties, Due Date, Subject, Description, and Regarding (Contacts).

Now you can see the list of all selected parameters appearing in the screen.

Screenshot of Power Automate interface showing the 'Add a new row' action for the 'Email Messages' table with parameters for Activity Parties, Description, Due Date, Regarding (Contacts), and Subject.

Step 11: Click on the T icon to switch to Input entire array.

A screenshot showing the 'Add a new row' interface in Power Automate with parameters for Email Messages, including sections for Advanced parameters, Activity Parties, Description, Due Date, Regarding (Contacts), and Subject.

Step 12: Enter the below information.

Participation Type Mask 1 is From field and 2 is To field in the email.

[
  {
    "participationtypemask": 1,
    "partyid@odata.bind": "/queues()"
  },
  {
    "participationtypemask": 2,
    "partyid@odata.bind": "/contacts()"
  }
]

Note: Click here to know more about Activity Party types for Email in Dynamics 365 CE.

Screenshot of the Power Automate interface showing the parameters for adding a new row, specifically the Activity Parties section with JSON details.

Step 13: Click on Switch to details inputs for the array item.

User interface displaying the 'Add a new row' function in Power Automate, showing parameters for Activity Parties.

Changed back to Switch to Input entire array.

Screenshot showing the Power Automate interface with parameters for adding a new row, including fields for Activity Party attributes.

Step 14: Get the Queue Id and Paste in the participationtypemask: 1

Or

You can dynamically retrieve this value from Configuration Entity.

Note: Click on the article link to Configure donotreply email using Shared mailboxes in Dynamics 365 CE.

Power Automate Maker portal interface displaying a queue named 'DoNotReply' along with relevant details like type, incoming email, owner, and description.

Step 15: Give the QueueId in Activity Party participationmask 1.

Place the cursor in the Contacts braces and Click on Insert dynamic content.

Screenshot of the Power Automate interface showing the parameters for adding a new row and configuring activity parties for an email message.

Step 16: Search for Contact and Click on Contact (Unique identifier of the contact).

Interface for adding a new row in the Dataverse with parameters listed.

After insertion,

Screenshot of Power Automate interface showing parameters to add a new row with specified attributes.

Step 17: Enter the below text in the Description field. Place the cursor after Dear . Click on Insert Dynamic content.

Dear ,

Welcome to Arun Potti Corp! We’re excited to have you with us. Stay tuned for updates, insights, and exclusive content. Feel free to reach out with any questions—we’re happy to connect!

Best regards,
Administrator

User interface for adding a new row in Power Automate with parameters labeled, including a welcome email description.

Step 18: Search for Full Name and Click on Full Name.

Screenshot of the Power Automate interface showing the parameters section for adding a new row with various fields.

After insertion,

Screenshot of the Power Automate interface showing the parameters for adding a new row, including recipient details and email body.

Step 19: Place the cursor on the Due Date and Click on Insert Expression.

Screenshot of Power Automate showing the setup for adding a new row with parameters, including activity party, description, and due date.

Step 20: Enter the below expression and click on Add.

utcNow()

Screenshot of the Power Automate interface highlighting the parameters for adding a new row.

Step 21: Give the below text and place the cursor on Regarding (Contacts) in the braces. Click on Insert Dynamic content.

/contacts()

Screenshot showing the parameters for adding a new row in Microsoft Dataverse, including fields for Activity Party, Description, Due Date, and Subject.

Step 22: Search for Contact and Click on Contact (Unique identifier of the contact).

Screenshot of the Power Automate interface with fields for adding a new row, including parameters like Activity Party Attribute Name, Description, Due Date, and Regarding Contact.

After update,

Screenshot of the Power Automate interface showing parameters for adding a new row in the Dataverse.

Step 23: Give the below Subject.

Welcome to Arun Potti Corp!

Screenshot of the Microsoft Dataverse interface for creating a new row in an automated flow, displaying parameters for an email welcome message with fields for activity party attributes, description, due date, and subject.

Step 24: Click on Add a new row and update the Name to Create contact welcome email.

Screenshot of the Power Automate Maker interface showing parameters for adding a new row in the Email Messages table.

After update,

Screenshot of the Power Automate interface showing the configuration for sending a welcome email to a contact, including parameters for 'Email Messages' and 'Activity Parties'.

Step 25: Click on Save and after Save click on + icon to add new action.

Screenshot of the Power Automate interface showing the creation of a welcome email flow with parameters for 'Email Messages'.

Step 26: Search for Perform a bound action and click on it (Microsoft Dataverse -> Perform a bound action).

Screenshot of the Power Automate interface showing options to add a new action.

Step 27: Select the Table name as Email Messages.
Choose the Action Name as SendEmail.
Place the cursor in the Row ID field. Click on Insert Dynamic content.

Screenshot of the Perform a bound action settings in Power Automate, showing parameters for Email Messages and action name SendEmail.

Step 28: Search for Email Message and Click on Email Message (Action: Create contact welcome email).

Interface for performing a bound action in Microsoft Dataverse, with parameters including Table name and Action Name.

After insertion,

Screenshot of the 'Perform a bound action' interface in Microsoft Dataverse, showing parameters for sending a welcome email within an automated flow.

Step 29: Select the Item/IssueSend to Yes.

Power Automate interface showing parameters for sending a welcome email in the Email Messages table.

Step 30: Update the Action to Perform a bound action – Send Email and Click on Save.

Visual representation of creating a flow in Power Automate, showing the 'Perform a bound action - Send Email' parameters for the Email Messages table.

Step 31: Once Power Automate is saved. Go to any Model-driven App. Create a new Contact record to test the welcome email flow.

Note: Make sure to provide the Email address when creating the Contact.

User interface showing the New Contact form in Power Apps with fields for entering contact details such as first name, last name, email, and buttons for saving the information.

You will get the email once the flow executed successfully.

Screenshot showing steps for creating an automated cloud flow in Power Automate.

Hope you have successfully sent the email after creating the contact using Power Automate by following all the above steps.

Please like and share your valuable feedback on this article. Also, follow my blog to get my articles to your Inbox.

Click on the below image to navigate to my YouTube Channel.

Graphic promoting a YouTube channel with the text 'Has my blog post helped you?' and buttons for 'WATCH', 'LEARN', and 'SUBSCRIBE'.

Below are my earlier articles that you can have a look.

Understanding Activity Party Types in Dynamics 365 CE

How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?

Microsoft Power Pages: The authentication key for your portal will expire

Microsoft Azure: You’re not eligible for an Azure free account

How to create Microsoft Azure 30 days trial?

Edit in Visual Studio Code for the Web in Power Apps Portals

Error: The object cannot be updated because it is read-only in Microsoft Power Apps

Resolved: Fix connections issue in Power Automate Flow

Clear all objects feature in Power Apps Solutions

Power Automate Error: The ‘inputs.parameters’ of workflow operation of type ‘OpenApiConnection’ is not valid.

Power Automate Error: To use FilteringAttributes, your trigger must include an Update event on Dataverse Trigger

Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines

Power Automate Error: Cannot write more bytes to the buffer than the configured maximum buffer size: 104857600

Error while opening a Tool in XRMToolBox

The Power Automate Cloud Flows Best Practices Whitepaper is now LIVE!

Error in Power Automate: There’s a problem that needs to be fixed to trigger this flow. To see more details, open Flow checker.

How to get the Dataverse Table’s first row from List Rows in Power Automate?

Microsoft Dataverse Accelerator – Part 2 – Installation

Microsoft Dataverse Accelerator – Part 1 – Introduction

How to get the Database Version of the Dataverse?

API playground feature not available in Dataverse Accelerator App?

How to Explore and test Dataverse in the Web API playground (preview)?

Web resource method does not exist in Dynamics 365 CE

How to get Environment Variable Value in Dynamics 365 CE using JavaScript?

Model-driven Apps – openAlertDialog – JavaScript – Code Snippet

Power Automate – Flow is not running on Trigger condition

Power Automate – Input field Delete option is disabled

Recipient of type ‘Contact’ with ID is marked as non-emailable

Preferred Solution | New feature | Microsoft Dataverse

New and Retired Microsoft Dynamics 365 Certifications

Environment settings behavior (Preview) feature in Model-driven Apps

Error while connecting to Dataverse environment in XrmToolBox

Power Fx Formula Columns in Microsoft Power Apps

How to Enable 2024 Release Wave 1 Updates in the Microsoft Dynamics 365 CE Environment?

Delete and Restore records (Preview) feature in Microsoft Dataverse

Microsoft Power App Environments Retention Period

How to Override the Model-driven app header colors?

Timeline Highlights (New feature) in Microsoft Power Apps

Model-driven App – Cannot “See associate records” option in the sub grid (arunpotti.com)

Bookmark the Important Dynamics 365 URLs

How to Enable Tenant-level analytics for Power Automate and Power Apps?

Microsoft Power Automate Copy and Paste Action in New DesignerHow to Setup Multi-Factor Authentication for your Microsoft Power Apps environment?

Microsoft Power Apps | Modern Themes | Preview feature

How to Download and Install the .NET Framework?

How to Create a SharePoint Site Online?

How to add and use Copilot answer control (Preview) in Microsoft Power Apps?

Dark Mode in Microsoft Power Apps

How to create Microsoft 365 E3 Trial for 30 days?

Refreshed look of solution dependencies in Dataverse Solutions

Microsoft Power Automate | Version History | Restore | New Feature

MICROSOFT LEARN – Artificial Intelligence Skills Challenge​ 2024!!!

Resolved – ‘InvokerConnectionOverrideFailed’ Error When a Power App Custom Page call a Power Automate Flow

How to Create Microsoft Power Apps Trial 30 days?

Not able to Create Power Automate Flow in Custom Page in Model-Driven App?

How to Enable Inline Actions feature in Microsoft Canvas Apps?

How to use /mention in Outlook web client for Dataverse records?

Associate Activities Multiple Related Records (Preview) feature in Microsoft Dynamics 365 CE

How to Enable Aggregation (preview) feature in Microsoft Power Apps?

Power Apps – Some components of this app require you to sign in. If you don’t sign in, part of the app may not work.

How to Enable the SQL Server stored procedures (preview) feature in the Power Apps?

How to get the Client Version of the Model Driven Apps?

How to get Microsoft 365 E3 Trial for 30 days?

How to Enable Copilot for Model-Driven apps feature in Dynamics 365 CE Environment?

[Resolved] Web resource method does not exist in Dynamics 365 CE JavaScript Error

How to Enable Blocking unmanaged customizations (Preview) feature in Dynamics 365 CE?

How to create Microsoft Power Apps Developer Plan Environment?

Microsoft Power Apps Developer Plan vs Power Apps Trial 30 days

What is Microsoft Power Apps Developer Plan?

[Resolved] PCF Field Control not showing anything in the PCF Test Environment?

[Issue Resolved] ReferenceError: Web resource method does not exist in Dynamics 365 CE Javascript Error

[Issue Resolved] Subcomponent cannot be added to the solution because the root component Template is missing in Dataverse

How to Turn Off the Modern Look in the Model Driven Apps?

How to Turn on the New modern, refreshed look for the Model-Driven apps?

Microsoft Power Apps – Apps filter feature

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

Microsoft Power Apps – Solutions filter Preview feature

How to Show the Power Automate complete Expressions?

Dataverse Error: Cannot start the requested operation [EntityCustomization] because there is another [PublishAll] running at this moment.

Power Automate Error: You should specify a contact or account.

How to get the Choice Text and Value in the Dataverse using JavaScript?

Microsoft Dataverse Low Code No Code Plugins

How to convert the Number String to Number Array?

How to Integrate Instant Plugins in the Power Automate Flow?

Power Apps – ‘actionname’ is an unknown or unsupported function in namespace ‘Environment’

Dataverse Browser V1.1.0.1 is available for Dataverse Plugin Debugging

How to Integrate Instant Plugins in the Canvas App?

How to Enable Access to Microsoft Dataverse Actions (Preview feature) in the Power Apps?

How to Create an Instant Plugin in the Dataverse Environment?

How to Install the Microsoft Dataverse Accelerator in the Dataverse Environment?

What is Microsoft Dataverse Accelerator?

How to get the Logged in User Information in the Power Apps?

How to Install Power Platform Tools in Visual Studio Code?

How to Install the Apps from the Microsoft AppSource to your Dataverse Environment?

Microsoft Power Apps Maker Portal has a new look

Microsoft Power Apps Emulator (New Feature)

How to Enable the Dataverse Offline (Experimental Feature) in the Canvas Apps?

How to set the Authoring Version in the Canvas App?

New version of Dataverse Browser is available for Dataverse Plugin Debugging

Latest Free Practice Assessments for Microsoft Certifications

Download CRM 365 V9.X Tools using PowerShell

How to set the Refresh cadence for a Power Platform Environment?

Update forms and views (Preview feature) in Dataverse

How to connect to Microsoft Dataverse in Power Automate Flow using Service principal?

How to Enable Copilot (Preview) feature in Canvas Apps?

How to Debug a Dataverse Plugin without Installing the Profiler in the Plugin Registration Tool?

How to Enable the Licenses (Preview) feature for a Power Platform Environment?

How to Enable Maker Welcome Content (preview) in Power Apps Maker Portal?

How to Enable Managed Environments for a Dataverse Environment?

How to Enable the Modern Controls (Preview feature) in the Canvas Apps?

How to Enable 2023 Release Wave 1 updates in the Dataverse Environment?

How to Deploy Enterprise Applications in the new Dataverse Environment?

What is Preview, Experimental and Retired features in Canvas Apps?

How to Enable the New Power Fx Formula Bar in Power Apps Studio?

Writing Power Fx formulas with natural language

Power Fx Formula Columns in Dataverse

Generating Power Fx formulas from examples

How to Create Dynamics 365 Marketing 30 Days Trial Version Online?

How to disable Multi-Factor Authentication (MFA) on Dynamics 365 Login?

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

  • ✇Arun Potti's Power Platform blog
  • Understanding Activity Party Types in Dynamics 365 CE
    Dynamics 365 Customer Engagement includes 11 distinct activity party types. These types are represented as integer values within the ActivityParty.ParticipationTypeMask attribute. Below is a table detailing each activity party type, its corresponding integer value, and a brief description. Activity party typeValueDescriptionSender1Specifies the sender.ToRecipient (To)2Specifies the recipient in the To field.CCRecipient (CC)3Specifies the recipient in the Cc field.BccRecipient (BCC)
     

Understanding Activity Party Types in Dynamics 365 CE

Microsoft PowerApps logo featuring a purple icon with overlapping shapes and the text 'Microsoft PowerApps' in purple.

Dynamics 365 Customer Engagement includes 11 distinct activity party types. These types are represented as integer values within the ActivityParty.ParticipationTypeMask attribute.

Below is a table detailing each activity party type, its corresponding integer value, and a brief description.

Activity party typeValueDescription
Sender1Specifies the sender.
ToRecipient (To)2Specifies the recipient in the To field.
CCRecipient (CC)3Specifies the recipient in the Cc field.
BccRecipient (BCC)4Specifies the recipient in the Bcc field.
RequiredAttendee5Specifies a required attendee.
OptionalAttendee6Specifies an optional attendee.
Organizer7Specifies the activity organizer.
Regarding8Specifies the regarding item.
Owner9Specifies the activity owner.
Resource10Specifies a resource.
Customer11Specifies a customer.

Activity Party Types available for each activity:

Custom activities in Dynamics 365 Customer Engagement support all activity party types. Other activities do not support each type. To link an activity party type to an activity, use the specific attribute for that activity.
For example, to set an Organizer for an appointment, add the ActivityParty type value to the Appointment.Organizer attribute.

To choose which email address to use for sending or replying to emails to the activity party, set the ActivityParty.AddressUsed attribute.

The table below shows which activity party types are supported for each activity and the corresponding attributes to specify them.

Activity entity nameSupported activity party typeActivity attribute
AppointmentOptionalAttendee
Organizer
RequiredAttendee
Appointment.OptionalAttendees
Appointment.Organizer
Appointment.RequiredAttendees
CampaignActivitySenderCampaignActivity.Partners
CampaignActivity.From
CampaignResponseCustomerCampaignResponse.Customer
CampaignResponse.Partner
CampaignResponse.From
EmailBccRecipient
CcRecipient
Sender
ToRecipient
Email.Bcc
Email.Cc
Email.From
Email.To
FaxSender
ToRecipient
Fax.From
Fax.To
LetterBccRecipient
Sender
ToRecipient
Letter.Bcc
Letter.From
Letter.To
PhoneCallSender
ToRecipient
PhoneCall.From
PhoneCall.To
RecurringAppointmentMasterOptionalAttendee
Organizer
RequiredAttendee
RecurringAppointmentMaster.OptionalAttendees
RecurringAppointmentMaster.Organizer
RecurringAppointmentMaster.RequiredAttendees
ServiceAppointmentCustomer
Resource
ServiceAppointment.Customers
ServiceAppointment.Resources

Hope you understood about Activity Parties in Dynamics 365 CE.

Please like and share your valuable feedback on this article. Also, follow my blog to get my articles to your Inbox.

Click on the below image to navigate to my YouTube Channel.

Graphic promoting a YouTube channel with the text 'Has my blog post helped you?' and buttons for 'WATCH', 'LEARN', and 'SUBSCRIBE'.

Below are my earlier articles that you can have a look.

How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?

Microsoft Power Pages: The authentication key for your portal will expire

Microsoft Azure: You’re not eligible for an Azure free account

How to create Microsoft Azure 30 days trial?

Edit in Visual Studio Code for the Web in Power Apps Portals

Error: The object cannot be updated because it is read-only in Microsoft Power Apps

Resolved: Fix connections issue in Power Automate Flow

Clear all objects feature in Power Apps Solutions

Power Automate Error: The ‘inputs.parameters’ of workflow operation of type ‘OpenApiConnection’ is not valid.

Power Automate Error: To use FilteringAttributes, your trigger must include an Update event on Dataverse Trigger

Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines

Power Automate Error: Cannot write more bytes to the buffer than the configured maximum buffer size: 104857600

Error while opening a Tool in XRMToolBox

The Power Automate Cloud Flows Best Practices Whitepaper is now LIVE!

Error in Power Automate: There’s a problem that needs to be fixed to trigger this flow. To see more details, open Flow checker.

How to get the Dataverse Table’s first row from List Rows in Power Automate?

Microsoft Dataverse Accelerator – Part 2 – Installation

Microsoft Dataverse Accelerator – Part 1 – Introduction

How to get the Database Version of the Dataverse?

API playground feature not available in Dataverse Accelerator App?

How to Explore and test Dataverse in the Web API playground (preview)?

Web resource method does not exist in Dynamics 365 CE

How to get Environment Variable Value in Dynamics 365 CE using JavaScript?

Model-driven Apps – openAlertDialog – JavaScript – Code Snippet

Power Automate – Flow is not running on Trigger condition

Power Automate – Input field Delete option is disabled

Recipient of type ‘Contact’ with ID is marked as non-emailable

Preferred Solution | New feature | Microsoft Dataverse

New and Retired Microsoft Dynamics 365 Certifications

Environment settings behavior (Preview) feature in Model-driven Apps

Error while connecting to Dataverse environment in XrmToolBox

Power Fx Formula Columns in Microsoft Power Apps

How to Enable 2024 Release Wave 1 Updates in the Microsoft Dynamics 365 CE Environment?

Delete and Restore records (Preview) feature in Microsoft Dataverse

Microsoft Power App Environments Retention Period

How to Override the Model-driven app header colors?

Timeline Highlights (New feature) in Microsoft Power Apps

Model-driven App – Cannot “See associate records” option in the sub grid (arunpotti.com)

Bookmark the Important Dynamics 365 URLs

How to Enable Tenant-level analytics for Power Automate and Power Apps?

Microsoft Power Automate Copy and Paste Action in New DesignerHow to Setup Multi-Factor Authentication for your Microsoft Power Apps environment?

Microsoft Power Apps | Modern Themes | Preview feature

How to Download and Install the .NET Framework?

How to Create a SharePoint Site Online?

How to add and use Copilot answer control (Preview) in Microsoft Power Apps?

Dark Mode in Microsoft Power Apps

How to create Microsoft 365 E3 Trial for 30 days?

Refreshed look of solution dependencies in Dataverse Solutions

Microsoft Power Automate | Version History | Restore | New Feature

MICROSOFT LEARN – Artificial Intelligence Skills Challenge​ 2024!!!

Resolved – ‘InvokerConnectionOverrideFailed’ Error When a Power App Custom Page call a Power Automate Flow

How to Create Microsoft Power Apps Trial 30 days?

Not able to Create Power Automate Flow in Custom Page in Model-Driven App?

How to Enable Inline Actions feature in Microsoft Canvas Apps?

How to use /mention in Outlook web client for Dataverse records?

Associate Activities Multiple Related Records (Preview) feature in Microsoft Dynamics 365 CE

How to Enable Aggregation (preview) feature in Microsoft Power Apps?

Power Apps – Some components of this app require you to sign in. If you don’t sign in, part of the app may not work.

How to Enable the SQL Server stored procedures (preview) feature in the Power Apps?

How to get the Client Version of the Model Driven Apps?

How to get Microsoft 365 E3 Trial for 30 days?

How to Enable Copilot for Model-Driven apps feature in Dynamics 365 CE Environment?

[Resolved] Web resource method does not exist in Dynamics 365 CE JavaScript Error

How to Enable Blocking unmanaged customizations (Preview) feature in Dynamics 365 CE?

How to create Microsoft Power Apps Developer Plan Environment?

Microsoft Power Apps Developer Plan vs Power Apps Trial 30 days

What is Microsoft Power Apps Developer Plan?

[Resolved] PCF Field Control not showing anything in the PCF Test Environment?

[Issue Resolved] ReferenceError: Web resource method does not exist in Dynamics 365 CE Javascript Error

[Issue Resolved] Subcomponent cannot be added to the solution because the root component Template is missing in Dataverse

How to Turn Off the Modern Look in the Model Driven Apps?

How to Turn on the New modern, refreshed look for the Model-Driven apps?

Microsoft Power Apps – Apps filter feature

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

Microsoft Power Apps – Solutions filter Preview feature

How to Show the Power Automate complete Expressions?

Dataverse Error: Cannot start the requested operation [EntityCustomization] because there is another [PublishAll] running at this moment.

Power Automate Error: You should specify a contact or account.

How to get the Choice Text and Value in the Dataverse using JavaScript?

Microsoft Dataverse Low Code No Code Plugins

How to convert the Number String to Number Array?

How to Integrate Instant Plugins in the Power Automate Flow?

Power Apps – ‘actionname’ is an unknown or unsupported function in namespace ‘Environment’

Dataverse Browser V1.1.0.1 is available for Dataverse Plugin Debugging

How to Integrate Instant Plugins in the Canvas App?

How to Enable Access to Microsoft Dataverse Actions (Preview feature) in the Power Apps?

How to Create an Instant Plugin in the Dataverse Environment?

How to Install the Microsoft Dataverse Accelerator in the Dataverse Environment?

What is Microsoft Dataverse Accelerator?

How to get the Logged in User Information in the Power Apps?

How to Install Power Platform Tools in Visual Studio Code?

How to Install the Apps from the Microsoft AppSource to your Dataverse Environment?

Microsoft Power Apps Maker Portal has a new look

Microsoft Power Apps Emulator (New Feature)

How to Enable the Dataverse Offline (Experimental Feature) in the Canvas Apps?

How to set the Authoring Version in the Canvas App?

New version of Dataverse Browser is available for Dataverse Plugin Debugging

Latest Free Practice Assessments for Microsoft Certifications

Download CRM 365 V9.X Tools using PowerShell

How to set the Refresh cadence for a Power Platform Environment?

Update forms and views (Preview feature) in Dataverse

How to connect to Microsoft Dataverse in Power Automate Flow using Service principal?

How to Enable Copilot (Preview) feature in Canvas Apps?

How to Debug a Dataverse Plugin without Installing the Profiler in the Plugin Registration Tool?

How to Enable the Licenses (Preview) feature for a Power Platform Environment?

How to Enable Maker Welcome Content (preview) in Power Apps Maker Portal?

How to Enable Managed Environments for a Dataverse Environment?

How to Enable the Modern Controls (Preview feature) in the Canvas Apps?

How to Enable 2023 Release Wave 1 updates in the Dataverse Environment?

How to Deploy Enterprise Applications in the new Dataverse Environment?

What is Preview, Experimental and Retired features in Canvas Apps?

How to Enable the New Power Fx Formula Bar in Power Apps Studio?

Writing Power Fx formulas with natural language

Power Fx Formula Columns in Dataverse

Generating Power Fx formulas from examples

How to Create Dynamics 365 Marketing 30 Days Trial Version Online?

How to disable Multi-Factor Authentication (MFA) on Dynamics 365 Login?

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

  • ✇Arun Potti's Power Platform blog
  • How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?
    This is a quite common requirement in Dynamics 365 CE to send emails from a common email like donotreply or noreply or any other common name to all the users from Dynamics 365 CE. So, we can use Shared Mailboxes for this purpose. This shared mailbox is a type of user mailbox that doesn’t have its own username and password and does not require any extra license as well. In this article, will explain step by step, how to create Shared Mailbox in Microsoft 365 admin center and configu
     

How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?

Logo of Microsoft PowerApps featuring a diamond shape in purple hues with the text 'Microsoft PowerApps' below.

This is a quite common requirement in Dynamics 365 CE to send emails from a common email like donotreply or noreply or any other common name to all the users from Dynamics 365 CE.

So, we can use Shared Mailboxes for this purpose. This shared mailbox is a type of user mailbox that doesn’t have its own username and password and does not require any extra license as well.

In this article, will explain step by step, how to create Shared Mailbox in Microsoft 365 admin center and configure a Queue in Dynamics and send emails using it.

Pre-requisites:

  1. You must have Global Administrator or Exchange Administrator on Microsoft 365 Admin Center.
  2. You must have System Administrator on Microsoft Dynamics 365 CE.

Follow the below steps.

Step 1: Click on the below link to open Microsoft 365 admin center using your existing Dynamics 365 CE credentials.

Microsoft 365 admin center

Screenshot of the Microsoft 365 admin center showing setup options for Microsoft 365 A5 subscription for faculty.

Step 2: Expand Teams & groups and Click on Shared mailboxes.

Screenshot of Microsoft 365 admin center highlighting the 'Shared mailboxes' section under 'Teams & groups'.

Step 3: Click on Add a shared mailbox.

Screenshot of Microsoft 365 admin center showing the 'Shared mailboxes' section, with options to add a shared mailbox and a list of existing mailboxes.

Step 4: Provide Name, unique Email address and choose the required Domain.

Click on Save changes.

Microsoft 365 admin center screen showing the 'Add a shared mailbox' dialog with fields for 'Name' and 'Email' and a 'Save changes' button.

This will take couple of minutes to create the shared mailbox.

Screenshot of the Microsoft 365 admin center displaying the Shared mailboxes section with an 'Add a shared mailbox' interface and a loading message.

Once the mailbox is ready, you can see the below message.

Screenshot of the Microsoft 365 admin center showing the Shared mailboxes section with a notification indicating that a shared mailbox was created.

Step 5: Click on Add members to your shared mailbox.

Screenshot of Microsoft 365 admin center showing the message 'Your shared mailbox was created' with next steps and options to add members or manage details.

Step 6: Click on Add members.

Screenshot of the Microsoft 365 admin center showing the 'Shared mailboxes' section with an option to 'Add members'.

Step 7: Search for the required members, select them and click on Add.

Screenshot of the Microsoft 365 admin center interface showing the 'Add shared mailbox members' window. A user is selected to be added to the shared mailbox.

Saving is in progress.

Screenshot of the Microsoft 365 admin center displaying the 'Shared mailboxes' section where a mailbox is in the process of being saved.

Once saved, you can see the below message.

If you still want to add members, you can click on Add members.

Screenshot of Microsoft 365 admin center showing the shared mailbox members section with a confirmation message 'Saved' and an option to add members.

Step 8: Click on X to close the window.

Screenshot of the Microsoft 365 admin center displaying a shared mailbox members section with a confirmation message that says 'Saved.' and an option to add members.

Step 9: Click on Refresh to see your shared mailbox.

Screenshot of the Microsoft 365 admin center showing the 'Shared mailboxes' section with options to add a mailbox and refresh the list.

Step 10: Click on the below link to open Power Platform admin center.

https://aka.ms/ppac

Step 11: Click on Manage, Click on Environments and click on the required environment.

Screenshot of the Power Platform admin center showing the Manage section with Environments, Data integration, and various product options.

Step 12: Click on Settings.

Screenshot of the Power Platform admin center interface, showing the 'Manage' section, with 'Environments' highlighted and various environment details displayed.

Step 13: Expand Business and Click on Queues.

Screenshot of the Power Platform admin center settings page, showing the Manage section with options for environments and email settings.

Step 14: Click on NEW to create new queue.

Screenshot of the Microsoft Dynamics 365 interface, showing the 'My Active Queues' section with options for creating a new queue, deleting, and managing emails.

Step 15: Provide the below information and click on Save.

NameDoNotReply
TypePublic
Incoming EmailProvide the email address configured in Step 9
DescriptionProvide some description
Convert Incoming Email To ActivitiesAll email messages
Screenshot of the 'New Queue' interface in Power Apps, displaying fields for queue summary such as Name, Type, Incoming Email, Owner, and Description.

Step 16: Once the queue is saved, Mailbox will be created in the background, and it will be set in the Mailbox field in the Queue.

Click on the DoNotReply mailbox.

Screenshot of the Power Apps interface displaying the summary of the 'DoNotReply' queue, including fields for name, type, incoming email, owner, and description.

Step 17: Click on Approve Email.

Screen displaying the DoNotReply mailbox settings in Power Apps with options to approve email and view configuration status.

Step 18: Click on OK.

Popup window asking to approve the primary email address for the DoNotReply mailbox in Power Apps, with options to agree or cancel.

Step 19: Click on Test & Enable Mailbox.

Screenshot of the Power Apps interface showing the details of a saved 'DoNotReply' mailbox with configuration status and options for email approval.

Step 20: Click on OK.

Email configuration settings for DoNotReply mailbox in Power Apps, showing processing start date and time selection.

It will take some time to Test and Enable the Mailbox.

Screenshot of the Power Apps interface showing the 'DoNotReply' mailbox with a notification indicating that the email configuration test is scheduled.

You can refresh the page to check the status and once it is enabled, you can see the Incoming Email Status and Outgoing Email Status as Success.

Screenshot showing the configuration status of the DoNotReply mailbox in the Power Apps interface, indicating successful incoming and outgoing email status.

Step 21: Now open any contact record in the Model-driven app and click on + icon and click on Email.

Screenshot of a contact record in the Power Apps interface, displaying contact information including name and email, with options to add an activity.

Step 22: Set the From field to DoNotReply queue that you created in Step 16.

Also, provide the Subject and Body in the email and click on Send.

Email composition interface in Power Apps showing fields for From, To, Cc, Bcc, Subject, and message body.

Email activity created successfully.

Screenshot of a contact record in a Model-driven app showing contact information, timeline, and email details.

Email will be delivered to the Contact’s Email address.

Screenshot of a Gmail inbox displaying a test email from a shared mailbox titled 'Test Shared Emailbox - Do not Reply CRM:0001001'.

Hope you had followed all the steps and configured the Shared Emailbox in Dynamics 365 CE and sent the emails from Queue.

Please like and share your valuable feedback on this article and follow my blog to get my articles to your Inbox.

Click on the below image to navigate to my YouTube Channel.

Graphic promoting a YouTube channel with the text 'Has my blog post helped you?' and buttons for 'WATCH', 'LEARN', and 'SUBSCRIBE'.

Below are my earlier articles that you can have a look.

Microsoft Power Pages: The authentication key for your portal will expire

Microsoft Azure: You’re not eligible for an Azure free account

How to create Microsoft Azure 30 days trial?

Edit in Visual Studio Code for the Web in Power Apps Portals

Error: The object cannot be updated because it is read-only in Microsoft Power Apps

Resolved: Fix connections issue in Power Automate Flow

Clear all objects feature in Power Apps Solutions

Power Automate Error: The ‘inputs.parameters’ of workflow operation of type ‘OpenApiConnection’ is not valid.

Power Automate Error: To use FilteringAttributes, your trigger must include an Update event on Dataverse Trigger

Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines

Power Automate Error: Cannot write more bytes to the buffer than the configured maximum buffer size: 104857600

Error while opening a Tool in XRMToolBox

The Power Automate Cloud Flows Best Practices Whitepaper is now LIVE!

Error in Power Automate: There’s a problem that needs to be fixed to trigger this flow. To see more details, open Flow checker.

How to get the Dataverse Table’s first row from List Rows in Power Automate?

Microsoft Dataverse Accelerator – Part 2 – Installation

Microsoft Dataverse Accelerator – Part 1 – Introduction

How to get the Database Version of the Dataverse?

API playground feature not available in Dataverse Accelerator App?

How to Explore and test Dataverse in the Web API playground (preview)?

Web resource method does not exist in Dynamics 365 CE

How to get Environment Variable Value in Dynamics 365 CE using JavaScript?

Model-driven Apps – openAlertDialog – JavaScript – Code Snippet

Power Automate – Flow is not running on Trigger condition

Power Automate – Input field Delete option is disabled

Recipient of type ‘Contact’ with ID is marked as non-emailable

Preferred Solution | New feature | Microsoft Dataverse

New and Retired Microsoft Dynamics 365 Certifications

Environment settings behavior (Preview) feature in Model-driven Apps

Error while connecting to Dataverse environment in XrmToolBox

Power Fx Formula Columns in Microsoft Power Apps

How to Enable 2024 Release Wave 1 Updates in the Microsoft Dynamics 365 CE Environment?

Delete and Restore records (Preview) feature in Microsoft Dataverse

Microsoft Power App Environments Retention Period

How to Override the Model-driven app header colors?

Timeline Highlights (New feature) in Microsoft Power Apps

Model-driven App – Cannot “See associate records” option in the sub grid (arunpotti.com)

Bookmark the Important Dynamics 365 URLs

How to Enable Tenant-level analytics for Power Automate and Power Apps?

Microsoft Power Automate Copy and Paste Action in New DesignerHow to Setup Multi-Factor Authentication for your Microsoft Power Apps environment?

Microsoft Power Apps | Modern Themes | Preview feature

How to Download and Install the .NET Framework?

How to Create a SharePoint Site Online?

How to add and use Copilot answer control (Preview) in Microsoft Power Apps?

Dark Mode in Microsoft Power Apps

How to create Microsoft 365 E3 Trial for 30 days?

Refreshed look of solution dependencies in Dataverse Solutions

Microsoft Power Automate | Version History | Restore | New Feature

MICROSOFT LEARN – Artificial Intelligence Skills Challenge​ 2024!!!

Resolved – ‘InvokerConnectionOverrideFailed’ Error When a Power App Custom Page call a Power Automate Flow

How to Create Microsoft Power Apps Trial 30 days?

Not able to Create Power Automate Flow in Custom Page in Model-Driven App?

How to Enable Inline Actions feature in Microsoft Canvas Apps?

How to use /mention in Outlook web client for Dataverse records?

Associate Activities Multiple Related Records (Preview) feature in Microsoft Dynamics 365 CE

How to Enable Aggregation (preview) feature in Microsoft Power Apps?

Power Apps – Some components of this app require you to sign in. If you don’t sign in, part of the app may not work.

How to Enable the SQL Server stored procedures (preview) feature in the Power Apps?

How to get the Client Version of the Model Driven Apps?

How to get Microsoft 365 E3 Trial for 30 days?

How to Enable Copilot for Model-Driven apps feature in Dynamics 365 CE Environment?

[Resolved] Web resource method does not exist in Dynamics 365 CE JavaScript Error

How to Enable Blocking unmanaged customizations (Preview) feature in Dynamics 365 CE?

How to create Microsoft Power Apps Developer Plan Environment?

Microsoft Power Apps Developer Plan vs Power Apps Trial 30 days

What is Microsoft Power Apps Developer Plan?

[Resolved] PCF Field Control not showing anything in the PCF Test Environment?

[Issue Resolved] ReferenceError: Web resource method does not exist in Dynamics 365 CE Javascript Error

[Issue Resolved] Subcomponent cannot be added to the solution because the root component Template is missing in Dataverse

How to Turn Off the Modern Look in the Model Driven Apps?

How to Turn on the New modern, refreshed look for the Model-Driven apps?

Microsoft Power Apps – Apps filter feature

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

Microsoft Power Apps – Solutions filter Preview feature

How to Show the Power Automate complete Expressions?

Dataverse Error: Cannot start the requested operation [EntityCustomization] because there is another [PublishAll] running at this moment.

Power Automate Error: You should specify a contact or account.

How to get the Choice Text and Value in the Dataverse using JavaScript?

Microsoft Dataverse Low Code No Code Plugins

How to convert the Number String to Number Array?

How to Integrate Instant Plugins in the Power Automate Flow?

Power Apps – ‘actionname’ is an unknown or unsupported function in namespace ‘Environment’

Dataverse Browser V1.1.0.1 is available for Dataverse Plugin Debugging

How to Integrate Instant Plugins in the Canvas App?

How to Enable Access to Microsoft Dataverse Actions (Preview feature) in the Power Apps?

How to Create an Instant Plugin in the Dataverse Environment?

How to Install the Microsoft Dataverse Accelerator in the Dataverse Environment?

What is Microsoft Dataverse Accelerator?

How to get the Logged in User Information in the Power Apps?

How to Install Power Platform Tools in Visual Studio Code?

How to Install the Apps from the Microsoft AppSource to your Dataverse Environment?

Microsoft Power Apps Maker Portal has a new look

Microsoft Power Apps Emulator (New Feature)

How to Enable the Dataverse Offline (Experimental Feature) in the Canvas Apps?

How to set the Authoring Version in the Canvas App?

New version of Dataverse Browser is available for Dataverse Plugin Debugging

Latest Free Practice Assessments for Microsoft Certifications

Download CRM 365 V9.X Tools using PowerShell

How to set the Refresh cadence for a Power Platform Environment?

Update forms and views (Preview feature) in Dataverse

How to connect to Microsoft Dataverse in Power Automate Flow using Service principal?

How to Enable Copilot (Preview) feature in Canvas Apps?

How to Debug a Dataverse Plugin without Installing the Profiler in the Plugin Registration Tool?

How to Enable the Licenses (Preview) feature for a Power Platform Environment?

How to Enable Maker Welcome Content (preview) in Power Apps Maker Portal?

How to Enable Managed Environments for a Dataverse Environment?

How to Enable the Modern Controls (Preview feature) in the Canvas Apps?

How to Enable 2023 Release Wave 1 updates in the Dataverse Environment?

How to Deploy Enterprise Applications in the new Dataverse Environment?

What is Preview, Experimental and Retired features in Canvas Apps?

How to Enable the New Power Fx Formula Bar in Power Apps Studio?

Writing Power Fx formulas with natural language

Power Fx Formula Columns in Dataverse

Generating Power Fx formulas from examples

How to Create Dynamics 365 Marketing 30 Days Trial Version Online?

How to disable Multi-Factor Authentication (MFA) on Dynamics 365 Login?

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

  • ✇Arun Potti's Power Platform blog
  • Microsoft Power Pages: The authentication key for your portal will expire
    I saw the below Notification today, while I was working on the Portal requirements. Notification:The authentication key for your portal will expire on 8/5/2025 6:24:53 AM UTC. Expiration of the authentication key will result in downtime of the portal because it won’t be able to connect to Dynamics 365 (online). Actually, when you create a website with Power Pages, it connects to Microsoft Dataverse using an authentication key. This key is generated when the website is created,
     

Microsoft Power Pages: The authentication key for your portal will expire

Logo of Microsoft Power Pages featuring overlapping purple shapes and the text 'Microsoft Power Pages'.

I saw the below Notification today, while I was working on the Portal requirements.

Screenshot of a portal management interface displaying details such as portal ID, organization ID, and an expiration date for the authentication key, with warnings about cache clearing and key renewal procedures.

Notification:
The authentication key for your portal will expire on 8/5/2025 6:24:53 AM UTC. Expiration of the authentication key will result in downtime of the portal because it won’t be able to connect to Dynamics 365 (online).

Actually, when you create a website with Power Pages, it connects to Microsoft Dataverse using an authentication key. This key is generated when the website is created, and the public part is uploaded to Microsoft Entra. You need to renew this key every year. If you don’t, your website will stop working once the key expires.

In the article, will explain the process to renew the Website Authentication Key step by step.

Follow the below steps.

Pre-requisite:
You must be a Global Administrator, or an owner of the Microsoft Entra ID application linked to this website to perform this action.

Step 1: Open Power Platform Admin Center.

https://aka.ms/ppac

or

https://admin.powerplatform.microsoft.com

Screenshot of the Power Platform Admin Center dashboard, featuring a welcome message and navigation options.

Step 2: Click on Manage.

Screenshot of the Power Platform Admin Center with a welcome message and navigation menu, highlighting the 'Manage' option.

Step 3: Click on the required Environment.

Screenshot of the Power Platform Admin Center, showing the 'Manage' section and a list of environments, including 'D365 Development'.

Step 4: Click on Resources and Click on Power Pages sites.

Power Platform Admin Center interface showing the environment details, resources dropdown, and access section.

Step 5: Click on the required website to update the Authentication Key.

Screenshot of the Power Platform Admin Center showing the Environments section with a list of Power Pages sites, including their names, statuses, and other details.

Step 6: Click on Website Authentication Key under Security.

Screenshot of the Power Platform Admin Center showing the 'Customer Service Portal' settings including site details and security options.

Note:
If you do not have Global Administrator or an owner of the Microsoft Entra ID application linked to this website, you can see the below message.

Power Platform Admin Center interface showing details for the Customer Service Portal, including authentication key expiration date and security settings.

Step 7: Click on Update key.

Screenshot of the Power Platform Admin Center showing details for the Customer Service Portal, including application type, site visibility, and an existing authentication key with its expiration date and thumbprint.

Step 8: Click on OK.

Update Key dialog in the Power Platform Admin Center, alerting about the portal restart due to key update.

Authentication key update is in progress.

Screenshot of the Power Platform Admin Center, displaying the 'Manage' section with a notification about authentication key updates for a Customer Service Portal.

Step 9: After 10 to 15 mins, refresh the webpage and click on the Website Authentication Key to see the updated Expiration date for next one year.

Screenshot of the Power Platform Admin Center displaying the Website Authentication Key section, showing details about the existing authentication key expiration.

Hope you had followed all the steps and updated the expiration date of your website.

Please like and share your valuable feedback on this article and follow my blog to get my articles to your Inbox.

Click on the below image to navigate to my YouTube Channel.

Graphic promoting a YouTube channel with the text 'Has my blog post helped you?' and buttons for 'WATCH', 'LEARN', and 'SUBSCRIBE'.

Below are my earlier articles that you can have a look.

Microsoft Azure: You’re not eligible for an Azure free account

How to create Microsoft Azure 30 days trial?

Edit in Visual Studio Code for the Web in Power Apps Portals

Error: The object cannot be updated because it is read-only in Microsoft Power Apps

Resolved: Fix connections issue in Power Automate Flow

Clear all objects feature in Power Apps Solutions

Power Automate Error: The ‘inputs.parameters’ of workflow operation of type ‘OpenApiConnection’ is not valid.

Power Automate Error: To use FilteringAttributes, your trigger must include an Update event on Dataverse Trigger

Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines

Power Automate Error: Cannot write more bytes to the buffer than the configured maximum buffer size: 104857600

Error while opening a Tool in XRMToolBox

The Power Automate Cloud Flows Best Practices Whitepaper is now LIVE!

Error in Power Automate: There’s a problem that needs to be fixed to trigger this flow. To see more details, open Flow checker.

How to get the Dataverse Table’s first row from List Rows in Power Automate?

Microsoft Dataverse Accelerator – Part 2 – Installation

Microsoft Dataverse Accelerator – Part 1 – Introduction

How to get the Database Version of the Dataverse?

API playground feature not available in Dataverse Accelerator App?

How to Explore and test Dataverse in the Web API playground (preview)?

Web resource method does not exist in Dynamics 365 CE

How to get Environment Variable Value in Dynamics 365 CE using JavaScript?

Model-driven Apps – openAlertDialog – JavaScript – Code Snippet

Power Automate – Flow is not running on Trigger condition

Power Automate – Input field Delete option is disabled

Recipient of type ‘Contact’ with ID is marked as non-emailable

Preferred Solution | New feature | Microsoft Dataverse

New and Retired Microsoft Dynamics 365 Certifications

Environment settings behavior (Preview) feature in Model-driven Apps

Error while connecting to Dataverse environment in XrmToolBox

Power Fx Formula Columns in Microsoft Power Apps

How to Enable 2024 Release Wave 1 Updates in the Microsoft Dynamics 365 CE Environment?

Delete and Restore records (Preview) feature in Microsoft Dataverse

Microsoft Power App Environments Retention Period

How to Override the Model-driven app header colors?

Timeline Highlights (New feature) in Microsoft Power Apps

Model-driven App – Cannot “See associate records” option in the sub grid (arunpotti.com)

Bookmark the Important Dynamics 365 URLs

How to Enable Tenant-level analytics for Power Automate and Power Apps?

Microsoft Power Automate Copy and Paste Action in New DesignerHow to Setup Multi-Factor Authentication for your Microsoft Power Apps environment?

Microsoft Power Apps | Modern Themes | Preview feature

How to Download and Install the .NET Framework?

How to Create a SharePoint Site Online?

How to add and use Copilot answer control (Preview) in Microsoft Power Apps?

Dark Mode in Microsoft Power Apps

How to create Microsoft 365 E3 Trial for 30 days?

Refreshed look of solution dependencies in Dataverse Solutions

Microsoft Power Automate | Version History | Restore | New Feature

MICROSOFT LEARN – Artificial Intelligence Skills Challenge​ 2024!!!

Resolved – ‘InvokerConnectionOverrideFailed’ Error When a Power App Custom Page call a Power Automate Flow

How to Create Microsoft Power Apps Trial 30 days?

Not able to Create Power Automate Flow in Custom Page in Model-Driven App?

How to Enable Inline Actions feature in Microsoft Canvas Apps?

How to use /mention in Outlook web client for Dataverse records?

Associate Activities Multiple Related Records (Preview) feature in Microsoft Dynamics 365 CE

How to Enable Aggregation (preview) feature in Microsoft Power Apps?

Power Apps – Some components of this app require you to sign in. If you don’t sign in, part of the app may not work.

How to Enable the SQL Server stored procedures (preview) feature in the Power Apps?

How to get the Client Version of the Model Driven Apps?

How to get Microsoft 365 E3 Trial for 30 days?

How to Enable Copilot for Model-Driven apps feature in Dynamics 365 CE Environment?

[Resolved] Web resource method does not exist in Dynamics 365 CE JavaScript Error

How to Enable Blocking unmanaged customizations (Preview) feature in Dynamics 365 CE?

How to create Microsoft Power Apps Developer Plan Environment?

Microsoft Power Apps Developer Plan vs Power Apps Trial 30 days

What is Microsoft Power Apps Developer Plan?

[Resolved] PCF Field Control not showing anything in the PCF Test Environment?

[Issue Resolved] ReferenceError: Web resource method does not exist in Dynamics 365 CE Javascript Error

[Issue Resolved] Subcomponent cannot be added to the solution because the root component Template is missing in Dataverse

How to Turn Off the Modern Look in the Model Driven Apps?

How to Turn on the New modern, refreshed look for the Model-Driven apps?

Microsoft Power Apps – Apps filter feature

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

Microsoft Power Apps – Solutions filter Preview feature

How to Show the Power Automate complete Expressions?

Dataverse Error: Cannot start the requested operation [EntityCustomization] because there is another [PublishAll] running at this moment.

Power Automate Error: You should specify a contact or account.

How to get the Choice Text and Value in the Dataverse using JavaScript?

Microsoft Dataverse Low Code No Code Plugins

How to convert the Number String to Number Array?

How to Integrate Instant Plugins in the Power Automate Flow?

Power Apps – ‘actionname’ is an unknown or unsupported function in namespace ‘Environment’

Dataverse Browser V1.1.0.1 is available for Dataverse Plugin Debugging

How to Integrate Instant Plugins in the Canvas App?

How to Enable Access to Microsoft Dataverse Actions (Preview feature) in the Power Apps?

How to Create an Instant Plugin in the Dataverse Environment?

How to Install the Microsoft Dataverse Accelerator in the Dataverse Environment?

What is Microsoft Dataverse Accelerator?

How to get the Logged in User Information in the Power Apps?

How to Install Power Platform Tools in Visual Studio Code?

How to Install the Apps from the Microsoft AppSource to your Dataverse Environment?

Microsoft Power Apps Maker Portal has a new look

Microsoft Power Apps Emulator (New Feature)

How to Enable the Dataverse Offline (Experimental Feature) in the Canvas Apps?

How to set the Authoring Version in the Canvas App?

New version of Dataverse Browser is available for Dataverse Plugin Debugging

Latest Free Practice Assessments for Microsoft Certifications

Download CRM 365 V9.X Tools using PowerShell

How to set the Refresh cadence for a Power Platform Environment?

Update forms and views (Preview feature) in Dataverse

How to connect to Microsoft Dataverse in Power Automate Flow using Service principal?

How to Enable Copilot (Preview) feature in Canvas Apps?

How to Debug a Dataverse Plugin without Installing the Profiler in the Plugin Registration Tool?

How to Enable the Licenses (Preview) feature for a Power Platform Environment?

How to Enable Maker Welcome Content (preview) in Power Apps Maker Portal?

How to Enable Managed Environments for a Dataverse Environment?

How to Enable the Modern Controls (Preview feature) in the Canvas Apps?

How to Enable 2023 Release Wave 1 updates in the Dataverse Environment?

How to Deploy Enterprise Applications in the new Dataverse Environment?

What is Preview, Experimental and Retired features in Canvas Apps?

How to Enable the New Power Fx Formula Bar in Power Apps Studio?

Writing Power Fx formulas with natural language

Power Fx Formula Columns in Dataverse

Generating Power Fx formulas from examples

How to Create Dynamics 365 Marketing 30 Days Trial Version Online?

How to disable Multi-Factor Authentication (MFA) on Dynamics 365 Login?

How to Create Microsoft Power Apps 30 days Online Trial Version and an Environment?

❌
❌