Load BusinessProcessFlow thru JavaScript in Dynamics 365

There is a known defect loading active Business Process Flow on the Form, when you upgrade from CRM 2016 to Dynamics 365. It does not load for some records which came thru ETL. If you check in Advanced Find including Process Id column, Process Id is NULL for these records.

If you want to show BPF for these records which Process id is NULL, you need to call following JS in the form load event.

function setProcessId() {
var processId = Xrm.Page.context.getQueryStringParameters().process;
if (processId == null) {
//Business Process Flow Id
var procesGuid = '03278623-2923-443A-957C-AF56D1B1FC81';
Xrm.Page.data.process.setActiveProcess(procesGuid, function callbackFunction() { });
}
}

Microsoft Dynamics CRM 2015 Update and Microsoft Dynamics Marketing 2015 Update

The next wave of updates for Microsoft Dynamics CRM and Microsoft Dynamics Marketing is expected to arrive before the end of the 2014 calendar year. These updates will add enhancements to sales, marketing, and customer service functionality, and will also add features to facilitate marketing and sales team collaboration.

These are just a few of the highlights of what’s coming:

Microsoft Dynamics CRM

  • Create product families: Boost selling effectiveness with the ability to bundle products and recommend related products for cross-selling/up-selling opportunities.
  • Use sales hierarchies: Manage and report on your sales data in a way that maps to your business. New hierarchical visualizations and roll-ups bring real-time territory and forecasting data to your fingertips.
  • Mobile sales improvements: Increase field sales productivity with flexible, role tailored dashboards and analytics, personalized home pages and the ability to navigate by hierarchy. This version of the tablet app also includes improved support for disconnected scenarios.
  • Access CRM records on the go via voice commands: Cortana is now part of Microsoft Dynamics CRM! For customers with Windows Phone 8.1, you can now use conversational voice commands to seamlessly create follow-up appointments, tasks, and phone calls; quickly find information; view your customer lists; and more. Note: This feature will be available in English only in markets where Cortana is available. Read about Cortana voice commands for CRM in the topic Take a tour of CRM for phones.
  • Enhanced sales processes: Guide sellers toward desired outcomes with enhanced branching logic within your sales processes. Increase impact via automation of business processes and enforcement of business rules across all devices.
  • Expanded case management functionality: Enable agents to provide differentiated levels of support with flexible Service Level Agreements (SLAs). Gain insight into service effectiveness with the ability to track and analyze key metrics like SLAs and thresholds.
  • Microsoft Social Listening availability: Microsoft Dynamics CRM Online customers with a minimum of 10 Professional users automatically have access to Social Listening as part of their subscription at no additional charge. Customers who have an Enterprise subscription also have access to Social Listening but with no minimum user requirement. You can add Microsoft Social Listening subscriptions from the Office 365 Administrative Portal.
  • Microsoft Social Listening for on-premises CRM customers: With this coming release, you can now access Social Listening directly from within Microsoft Dynamics CRM 2015 – even as an on-premises customer – and may also be eligible for a discounted rate. Contact your Microsoft Dynamics partner for more information.
  • Improvements in CRM for Outlook: Set up CRM for Outlook quickly and easily with the completely redesigned Configuration Wizard. With Microsoft Dynamics CRM 2015 for Outlook, users can sync assigned tasks and appointment attachments. Admins can control synchronization between pairs of fields, which provides confidence about where data is coming from and how it’s shared. For more information, see Set up CRM for Outlook.
  • Customizable help: Personalize the user assistance by tailoring the in-product Help content to match the specifics of your Dynamics CRM implementation. You can modify what displays under the Help question-mark icon at either an entity-specific or organization-wide level. Please read Customize the Help experience.

Microsoft Dynamics Marketing

  • Sales and marketing collaboration: Strengthen your marketing and sales synergies with the new Sales Collaboration Panel, which allows sellers to provide input into campaigns and targeting.
  • Manage multi-channel campaigns: Streamline campaign creation and improve segmentation with graphical email editing, A/B and split testing, integrated offers, and approval workflows.
  • Improve B2B marketing: Deepen your lead management capabilities with webinar integration and improved lead scoring, including the ability to introduce multiple lead scoring models.
  • Enhanced marketing resource management: Gain unprecedented visibility into your marketing plan with the new Interactive Marketing Calendar and improve collaborative marketing with Lync click-to-call and webinars.
  • Gain social insights within Microsoft Dynamics Marketing: Display social information collected with Microsoft Social Listening about your brand, campaigns, and more, all within Microsoft Dynamics Marketing.
  • Additional language & geographic availability: Microsoft Dynamics Marketing is now available in Japanese and Russian, bringing the total to 12 languages and 37 countries currently supported. Find more information in the Microsoft Dynamics Marketing Translation Guide.

How to change the DashboardSettings of maximum controls limit in Dynamics CRM2011/2013

The maximum number of controls allowed on CRM2011 or CRM 2013 dashboards is 6. You cannot put the more than 6 graphs/charts/iframes/web resources etc. on the dashboard.

We can extend the number of controls as per the user needs. This setting is applied to the server not a organization setting. So you cannot change this setting for CRM Online but you can change this for an on-premise installation.

Option 1: Using Window Power Shell we can achieve it.

  1. Open the Windows Power Shell command window
  2. Add the Microsoft Dynamics CRM PowerShell snap-in using

Add-PSSnapin Microsoft.Crm.PowerShell
Sometimes You may get the message saying something like “Add-PSSnapin : Cannot add Windows PowerShell snap-in Microsoft.Crm.PowerShell because it is already added.” It is fine no problem.

3.  Run the following 3 commands

$setting = Get-CrmSetting -SettingType DashboardSettings

$setting.MaximumControlsLimit = 10

Set-CrmSetting -Setting $setting

After that open CRM, still you will be see only 6 components on the dashboard design, however you can add extra components based on how much you have set the limit.

Once you crossed the limit you will get following error message.

DashboardSettings

Option 2: If Powershell does not work, use following C# code to do the same

  public static void UpdateDashboardSettings()
        {
            //Create Instance of Deployment Service
            DeploymentServiceClient service = Microsoft.Xrm.Sdk.Deployment.Proxy.ProxyClientHelper.CreateClient(new Uri("http://CRMServer/Organization/XRMDeployment/2011/Deployment.svc"));
            //Use Default network Credentials(User should de Deployment Admin in Deployment Manager and System Admin in CRM)
            service.ClientCredentials.Windows.ClientCredential = (NetworkCredential)CredentialCache.DefaultCredentials;

            //Retrieve Current Dashboard Settings MaximumControlsLimit
            Microsoft.Xrm.Sdk.Deployment.RetrieveRequest retrieveReq = new Microsoft.Xrm.Sdk.Deployment.RetrieveRequest();
            retrieveReq.EntityType = DeploymentEntityType.DashboardSettings;

            Microsoft.Xrm.Sdk.Deployment.RetrieveResponse retrieveRes = (Microsoft.Xrm.Sdk.Deployment.RetrieveResponse)service.Execute(retrieveReq);
            if (retrieveRes != null && retrieveRes.Entity != null)
            {
                DashboardSettings dsCurrentResult = (DashboardSettings)retrieveRes.Entity;
                if (dsCurrentResult != null)
                    Console.WriteLine("Current DashboardSettings MaximumControlsLimit is " + dsCurrentResult.MaximumControlsLimit);
            }
            //Update Current Dashboard Settings MaximumControlsLimit = 10
            Microsoft.Xrm.Sdk.Deployment.UpdateRequest updateReq = new Microsoft.Xrm.Sdk.Deployment.UpdateRequest();
            DashboardSettings ds = new DashboardSettings();
            ds.MaximumControlsLimit = 10;
            updateReq.Entity = ds;
            Microsoft.Xrm.Sdk.Deployment.UpdateResponse updateRes = (Microsoft.Xrm.Sdk.Deployment.UpdateResponse)service.Execute(updateReq);

            //Retrieve again after updating Current Dashboard Settings MaximumControlsLimit
            Microsoft.Xrm.Sdk.Deployment.RetrieveRequest retrieveReq1 = new Microsoft.Xrm.Sdk.Deployment.RetrieveRequest();
            retrieveReq1.EntityType = DeploymentEntityType.DashboardSettings;
            Microsoft.Xrm.Sdk.Deployment.RetrieveResponse retrieveRes1 = (Microsoft.Xrm.Sdk.Deployment.RetrieveResponse)service.Execute(retrieveReq1);

            if (retrieveRes1 != null && retrieveRes1.Entity != null)
            {
                DashboardSettings dsUpdatedResult = (DashboardSettings)retrieveRes1.Entity;
                if (dsUpdatedResult != null)
                    Console.WriteLine("After Updating DashboardSettings MaximumControlsLimit is " + dsUpdatedResult.MaximumControlsLimit);

            }
        }

NOTE: You need add microsoft.xrm.sdk.deployment DLL from SDK to access those Deployment classes and methods. User who is running this should be Deployment Admin in Deployment Manager and Sys Admin in CRM

Incase if you are getting 404 error while accessing Deployment service, you need to check your CRM web server IIS settings and make sure XRMDeployment is not configured in Hidden Segments in IIS, Follow below steps to remove/add XRMDeployment setting in IIS

  1. Open Internet Information Services(IIS) Manager
  2. Expand Server on left navigation
  3. Expand Sites on the Left Navigation
  4. Click on Microsoft Dynamics CRM
  5. Click on “Request Filtering” icon in IIS on right side window
  6. Click on “Hidden Segments” tab on Request Filtering window on right side
  7. If “XRMDeployment” exists then select “XRMDeployment” and right click on “Remove” and say “Yes” to remove “XRMDeployment” from Hidden Segments
  8. Once you are done executing PowerShell, SDK Code you can add using “Add Hidden Segment” option, enter “XRMDeployment” in Hidden Segment window and click on “OK” to close the window.

Build dynamic HTML table and display on entity form using JavaScript and HTML web resource in Dynamics CRM 2011

I have a requirement to build dynamic HTML table and display on Account form using HTML web resource and JavaScript.

Here is my scenario; I have two entities; Account and AccountService. There is 1:N relationship between Account and AccountService. AccountService entity has name and account fields. Requirement is to get account services from AccountService entity based on account guid and display on Account form.

I have created new HTML web resource for displaying account services and added on Account form.

Here is HTML web resource code, I am using oDATA and JavaScript in HTML web resource.

 

<html>
<head>
    <title>Account Services</title>
    <script src="ls_Script_JQuery_1.7.1.min"></script>
    <script src="ClientGlobalContext.js.aspx"></script>
    <script language="javascript" type="text/javascript">
        function loadAccountServices() {
            //Get Account Guid
            var accountId = window.parent.Xrm.Page.data.entity.getId();
            //Get Account Services
            var accountServices = getAccountServices(accountId);
            if (accountServices != null && accountServices.length > 0) {
                var tableData = "";
                for (var i = 0; i < accountServices.length; i++) {
                    var service = accountServices[i].ls_name;
                    if (service != null) {
                        //dynamically add table data with Service Names
                        tableData = tableData + "<tr><td>" + service + "</td></tr>";
                    }
                }
                //Create HTML table
                var table = "<table style='font-family:Segoe UI;font-weight:normal;font-size:13px;'><tr style='height:20px'><td style='text-decoration:underline;'>Account Services</td></tr>" + tableData + "</table>";
                //show table data on the Account form
                window.document.writeln(table);
            }
        }
        //get Account Services
        function getAccountServices(accountId) {
            var serverUrl = location.protocol + "//" + location.host + "/" + Xrm.Page.context.getOrgUniqueName();
            var oDataUri = serverUrl + "/xrmservices/2011/OrganizationData.svc/ls_accountserviceSet?$select=ls_name&$filter=ls_Account/Id eq guid'" + accountId + "'";
            var accountServices = null;
            $.ajax({
                type: "GET",
                contentType: "application/json; charset=utf-8",
                datatype: "json",
                url: oDataUri,
                async: false,
                beforeSend: function (XMLHttpRequest) {
                    XMLHttpRequest.setRequestHeader("Accept", "application/json");
                },
                success: function (data, textStatus, XmlHttpRequest) {
                    if (data != null && data.d.results.length > 0) {
                        accountServices = data.d.results;
                    }
                },
                error: function (XMLHttpRequest, textStatus, errorThrown) {
                }
            });
            return accountServices;
        }
    </script>
</head>
<body onload="loadAccountServices();">
</body>
</html>


How it looks on Account Form:

Account Services

Dynamics CRM 2013 SDK version 6.0.4 available

Microsoft Dynamics CRM 2013 latest SDK Version SDK Version 6.0.2 is now available on MSDN download center.

The following table lists the significant changes made to this version of the SDK.

New and updated topics Description of changes
SDK\Bin Updated the assemblies for Microsoft Dynamics CRM 2013 Update Rollup 2. These assemblies are also compatible with the latest service update for Microsoft Dynamics CRM Online.
SDK\Bin\SolutionPackager.exe Fixed the issue where Solution Packager failed to repack solutions that contain entity level business rules.
Authenticate the user with the web services
Walkthrough: Register a CRM app with Active Directory
Sample: Windows 8 desktop modern SOAP app
Sample: Windows 8 desktop modern OData app
Updated the documentation to include use of Active Directory Federation Services (AD FS) 3.0.
Configure email for incoming messages
SampleCode\CS\BusinessDataModel\
BusinessManagement\ConfigureQueueEmail.cs
SampleCode\VB\BusinessDataModel\
BusinessManagement\ConfigureQueueEmail.vb
Documented deprecated and read-only attribute changes for the email user name and password attributes in the Queue and UserSettings entities.

Changed the sample code, removing the lines of code that set the attributes.

Create a custom workflow activity Removed support for Microsoft .NET Framework 4.5. Added the requirement to digitally sign the assembly.
Install or uninstall the Developer Toolkit Added a statement that the Developer Toolkit can’t be installed into the Express edition of Microsoft Visual Studio.
Xrm.Page.ui (client-side reference) The Xrm.Page.ui.getCurrentControl method is deprecated in Microsoft Dynamics CRM 2013 Update Rollup 2.

Microsoft Dynamics CRM 2013 Update Rollup 2 is available

Update Rollup 2 for Microsoft Dynamics CRM 2013 is available.

Check out Microsoft KB article Rollup 2 for Microsoft Dynamics CRM 2013 KB Article

This rollup is available for all languages that are supported by Microsoft Dynamics CRM 2013.

Update Rollup 2 introduces support for the following:

  • Windows 8.1 and Internet Explorer 11 using CRM 2013 web application and CRM for Tablets
  • iOS7 support with Safari on iPad using the web application
  • Support for Safari using web application and CRM for Tablets using the tablet app for iPad Air
  • Windows Server 2012 R2 for CRM Server

Download link for Microsoft Dynamics CRM 2013 Update Rollup2: http://www.microsoft.com/en-us/download/details.aspx?id=42272

Keyboard shortcuts in Dynamics CRM 2013

The following table provides keyboard shortcuts used in Dynamics CRM 2013. The shortcut keys described in this section refer to the U.S. keyboard layout.

To Press
Move to the next option, option group, or field Tab
Move to the previous option, option group, or field Shift+Tab
Complete the command for the active option or button Enter
Move between options in an open list, or between options in a group of options Arrow keys
Cancel a command, or close a selected list or dialog box Esc
Save Ctrl+S or Shift+F12
Save and Close Alt+S
Cancel edits and close (Close) Esc
Open search Spacebar or Enter
Delete text from a field Backspace
Delete the record (when forms are in Edit mode) Ctrl+D
Save and then open a new form (Save and New) (when forms are in Edit mode) Ctrl+Shift+S
Open the lookup menu with the most recently used items in alphabetical order Alt+Down Arrow
Open the list menu (when forms are in Edit mode) Ctrl+Shift+2
Navigate to the next item on the list (when forms are in Edit mode) Ctrl+>
Navigate to the previous item on the list (when forms are in Edit mode) Ctrl+<
Open lookup drop-down list Enter
Close lookup drop-down list Esc
Auto-resolve lookup value Ctrl+K
Open a record found in lookup with forms in Edit mode Enter
Open a record found in lookup with forms in Read-optimized mode Ctrl+Enter
Add a step in the Sales Process Configuration Tool Al+Shift+N
Add a stage in the Sales Process Configuration Tool Alt+Shift+M
Tab to Command Bar when in the updated user experience Ctrl + [
Tab to process control when in the updated user experience Ctrl + ]
Tab to the Navigation pane Ctrl + Shift + 3
Tab to main work area when editing a form in the updated user experience Ctrl + Shift + 1

Tablets and Phones limitations and known issues in Dynamics CRM 2013

This topic describes issues and limitations that may be experienced when you run Microsoft Dynamics CRM 2013 for tablets, when you use a tablet and run Microsoft Dynamics CRM in a web browser, or when you use Microsoft Dynamics CRM for phones.

Tablet and phone limitations:

  • You can’t switch users when you run the CRM for tablets app or the CRM for phones app: The Microsoft Dynamics CRM for Windows 8, Microsoft Dynamics CRM for iPad, and CRM for phones apps can only run under the single user account that was set up when the application was installed. To change a user in the tablet or phone app, uninstall the app and then install the app again to specify the new user.
  • User credentials required for Microsoft Dynamics CRM 2013 (on-premises) mobile apps with AD FS versions earlier than Windows Server 2012 R2: Active Directory Federation Services (AD FS) in Windows Server 2012 R2 supports multi-factor authentication (MFA) that can be configured to let mobile Microsoft Dynamics CRM (on-premises) clients authenticate without prompting for user name and password credentials. Earlier versions of Active Directory Federation Services (AD FS) don’t support MFA and require credentials when a mobile Microsoft Dynamics CRM (on-premises) app client signs in.

Tablet known issues:

  • CRM (on-premises) URL doesn’t resolve on Nexus tablets: When you try to access Microsoft Dynamics CRM (on-premises) using an internal URL on a Nexus 10 tablet in the Chrome web browser, the URL doesn’t resolve and you can’t access the site. For example, a URL in the form of https://servername:5555 doesn’t resolve. This is a known issue with Android devices accessing IIS intranet sites. To work around this issue, select one of the following solutions.
  • CRM for tablets users are repeatedly prompted for sign-in credentials and can’t sign in: Users who try to sign in to Microsoft Dynamics CRM Server 2013 (on-premises) configured for Internet-facing deployment (IFD) using Microsoft Dynamics CRM for tablets are repeatedly prompted for credentials and can’t sign in. This issue occurs when the server running IIS where the CRM web application is installed has Negotiate and NTLM Windows authentication providers enabled on certain CRM website features. To resolve the issue, run a Repair of Microsoft Dynamics CRM Server on the server running IIS where the Web Application Server role is installed. To run this the CRM deployment must already be configured for claims-based authentication and IFD.
  • “Invalid user” error message when you try to sign in on a device that was recently used to sign-in by another user: When a user signs in to Microsoft Dynamics CRM and selects “Save email and password” using the CRM for Windows 8 app, another user may be unable to sign in to CRM using the device after the initial sign-in. This occurs even after the uninstall and reinstall that is required to change users on a tablet. This behavior occurs because the sign-in token must expire before another user can sign in using the same device. To work around this issue, either wait a period of time (48 hours by default) for the sign-in token to expire or sign in from another Windows 8 device.
  • Event 10001 messages appear in the Event Log when you run CRM for Windows 8 : The following event may be recorded multiple times to the Event Log, when ‘Show Analytic and Debug Logs’ is enabled, on the device where Microsoft Dynamics CRM for Windows 8 is running. Notice that, by default, ‘Show Analytic and Debug Logs’ is disabled in Event Viewer and these messages won’t be recorded.
    • Event Id: 10001
    • Message: SEC7131 : Security of a sandboxed iframe is potentially compromised by allowing script and same origin access.

    Verify the source of the messages. If the source is Microsoft Dynamics CRM Server, these events don’t pose a security threat and can be ignored.

Microsoft Dynamics CRM 2011 Update Rollup 16 is available

Update Rollup 16 for Microsoft Dynamics CRM 2011 is available. This article describes the hotfixes and updates that are included in this update rollup.

Check out here for complete details: Rollup 16 for Microsoft Dynamics CRM 2011 KB Article

Lot of issues resolved in Update Rollup 16, check out following issues:

  1. Emails generated by RightFax software are not tracked by CRM when using Exchange 2010.
  2. UnhandledException: Microsoft Dynamics CRM has experienced an error. Reference number for administrators or support: #3244E1C6 when deleting a solution.
  3. Email attachments are not being deleted from the dbo.Attachment table when their parent record is deleted.
  4. SSL Offloading does not work when CRM is not using Claims/IFD authentication.
  5. OverriddenCreatedOn* attribute is missing from V3 Custom Entities.
  6. Clicking on report preview throws error on an Updated Organization from Update Rollup 6, “HttpUnhandledException: Microsoft Dynamics CRM has experienced an error. Reference number for administrators or support: #3423D182”.
  7. When you click to create a folder for a record in CRM 2011 the SharePoint page is shown instead of the list part grid page. This causes confusion with customers.
  8. Conditional formatting breaks page navigation in view within CRM for Outlook client.
  9. When you select an email that is tracked in CRM, and you have the reading pane viewable for emails, Outlook may hang or become unresponsive. Once Outlook returns controls and becomes responsive you notice that the Track in CRM form region for the tracked in CRM email contains a large number of parties on the TO, CC, or BCC.
  10. Retry logic causes unexpected results on some OrganizationServiceProxy methods.
  11. Appointment created and deleted from the web will only be deleted from the organizers Outlook calendar. Occurs when the meeting organizer sends Outlook invitations.
  12. When you attempt to configure the outlook client for an organization and the organization friendly name matches an organization that you already have configured, you will be prompted that an organization with that display name already exists. If you then correct the display name and proceed with the configuration, configuration will succeed. However the next time that you launch the configuration wizard the wizard will fail to launch. “There is a problem communicating with the Microsoft Dynamics CRM server. The server might be unavailable. Try again later. If the problem persists, contact your system administrator.”
  13. When you have more subjects in the subject tree than can be viewed without a scrollbar, the scrollbar is not shown in IE or FireFox.The scrollbar is shown correctly in chrome.
  14. When you attempt to view html web resources in the CRM web or outlook client application by opening them from the ribbon, the web resources that are shown are old versions. This occurs even after you have published changes to the web resources. If you clear temporary internet files the web resources are shown correctly.
  15. When you create a process step using create, update, or send email step and you put in the body of the email more than 65K characters and then publish and execute the process the step will fail.
  16. Outlook Appointment Form is not saving fields updated by Silverlight / JavaScript.
  17. A 404 error is seen when accessing organization. Prior to getting 404 you deleted thousands of managed optionset values through the SDK or UI without replacing those deleted optionset values with new values. Then you published customizations.
  18. Deployment Manager and Plugin Registration performance is slow due to DC communication.
  19. Appointments and Service appointments are automatically shared with the user that shared the record.
  20. Organizations that upgraded from Microsoft Dynamics CRM 4.0 and have existing ISV.config customizations in place may encounter situations when the import of managed solutions fails to update or overwrite components in the ribbon that were created as part of the Microsoft Dynamics CRM 2011 upgrade.
  21. Searching for a contact in address book fails raising this error:”The Contacts folder associated with this address list could not be opened; it may have been moved or deleted, or you do not have permissions. For information on how to remove this folder from the Outlook Address Book, see Microsoft Outlook Help” or the data in the columns is not correct.
  22. Outlook pops up error if clicking CRM folders before the loading of CRM toolbar: “Microsoft CRM has encountered a problem and needs to close. We are sorry for the inconvenience.”
  23. Can’t renew\copy a Contract when Contract Line items dates are greater than the Contract.
  24. Custom Plugins registered against the RetrieveMultiple message and specifying “none” as the Primary Entity will fail with a SerializationException starting with the December 2012 Service Update due to an unknown Type originating from the plugins that are part of the ActivityFeeds solution.
  25. Some fields lose data on save and synchronization when focus is not moved from the field when using the CRM Outlook client.
  26. Reports do not render correctly after applying CRM 2011 Update Rollup 12.
  27. “SQL Server error” on Campaign Activity quick find search if including “channeltypecode”.
  28. Sporadically, e-mail sent from Outlook router are sent with winmail.dat attachment.
  29. Re-tracking contacts in child contact folders result in duplicate contacts after synchronization.
  30. When a form that contains a Silverlight Web Resource in Microsoft Dynamics CRM 2011, the Silverlight control fails to be resized when the user resizes the form making it difficult to access some portions of the Silverlight resource.
  31. You can access System Settings no matter the security role assigned.
  32. Users are unable to view audit history is the records they own are part of another record that they do not have sufficient privileges to access.  If they only happens for one record, users are unable to see the remaining audit details they do have access to.
  33. Summery Filter is not shown when using N:N relationship criteria.
  34. Export to Excel in Outlook fails with long relationship/entity/field names.
  35. Unable to navigate to next page records through the CRM form window using the short cut (Up/Down Arrows) in the top right corner of form.
  36. When using Process Driven forms in Microsoft Dynamics CRM 2011, users with restricted privileges may encounter “Error on Page” messages or “Error:  Unable to get property ‘trigger’ of undefined or null reference” error dialogs.
  37. Memory growth is experienced in the Microsoft Dynamics CRM Client for Outlook when the Activity Feeds Solution is present in the Microsoft Dynamics CRM Online organization.
  38. Mail Merge fails for Office 2013 Outlook clients when using Cached Mode.
  39. Currency symbol keeps as the base currency symbol in activity created by Dialog.
  40. User from 1 business unit are able to see records of other business unit when entity records between business units are merged and the records are owned by the default teams for the associated business units.
  41. If the chart pane is enabled on any view for an entity in the Outlook client, and if the user utilizes the “Email a Link” feature and selects the current view, the URL that is generated and then copied to a blank e-mail will contain invalid parameters. Clicking on this link then generates a CRM platform error, which indicates that invalid parameters were passed to the request.
  42. Offline script generated Orders change Order ID’s upon offline/online Sync.
  43. When you attempt to use a service account to impersonate users in Exchange to poll for email to be delivered into CRM using the email router, and that service account does not have a mailbox the CRM email router will not be able to proceed either with check access or during normal execution.
  44. Controls on the new driven forms introduced in the Microsoft Dynamics CRM 2011 December 2013 Service Update are not being updated with data that was modified as part of Microsoft Dynamics CRM 2011 plugin.
  45. Outlook saved views are not sorted alphabetically like in the web client.
  46. When JavaScript references a lookup via the Microsoft Dynamics CRM 2011 SDK and tries to access the EntityType property to see the record type, users with the Read Only license access will receive Undefined, instead of the proper entity name.
  47. Cannot delete managed solution because of IsMapiPrivate and LeftVoiceMail fields.
  48. Workflow failed with “The deserializer has no knowledge of any type that maps to this name”
  49. With a Decimal Number field with Precision parameter > 6,  a number beginning with 0.000000 errors on Orders. “Error. An error has occurred”.
  50. There is an error in XML document (1, 1181). when validating MAPI properties through EWS.
  51. When you use the CRM web client or CRM client for Outlook you notice memory increasing when you use the SharePoint List Web Part for CRM.
  52. Deployments with large datasets in Microsoft Dynamics CRM 2011 may suffer performance bottlenecks on default views, lookups, and queries if the EnableRetrieveMultipleOptimization registry setting is set to zero.
  53. Notes in the Outlook preview section are sorted by modified date instead of created date.
  54. In Update Rollup 13 users cannot print the whole grid page with Internet Explorer 10.
  55. When users change the field ‘Start Time’ (or any other date field) to third Sunday of October, for any year, in the Brasilia time zone.  the field is changed to 1/1/1970.
  56. Users receive “not read” receipts if <DeleteEmails> is true in the EmailAgent.xml for the Email Router.
  57. Post Polaris: the Timeout option in wait condition of workflow disappears on Edit.
  58. JavaScript errors are shown when using the CRM Web Client with DOM Local Storage disabled in IE.
  59. After applying Update Rollup 12 on the Microsoft Dynamics CRM 2011 Server, users of the offline edition of the Microsoft Dynamics CRM 2011 Client for Outlook are unable to configure their Offline Scheduled Sync settings under Personal Settings.
  60. When running an SSRS report and using certain specific locales in personal options in CRM, the report does not contain the correct format as the correct language is not selected based upon the current users locale. In this specific example end user has selected English (India) locale of 16393.
  61. When you use IE 10 and you attempt to view an email activity using the CRM email activity form, the body of the email is not fully shown. This occurs when the email that was viewed was promoted into CRM either by the Outlook client or Email router and the email body was well formed HTML.
  62. When synchronizing service appointments in Microsoft Dynamics CRM 2011 from Outlook To CRM, the activity parties on the appointments are being rescheduled even though they may not have changed.  This can potentially cause workflows or plugins to be invoked unnecessarily on the server producing inconsistent results.
  63. Multi-threaded SDK app crash with System.InvalidOperationException.
  64. Unable to view Personal E-mail Templates with EnableRetrieveMultipleOptimization is set to 2.
  65. When you attempt to choose a value from a multi parameter drop down in a SSRS report from within CRM web or Outlook client you receive a script error. “Error: No such interface supported”.
  66. You cannot import a solution which contains an out of the box chart where that out of the box chart has been deleted in the destination system.
  67. After Update Rollup 12, datetime picklist does not show the selected value when opened.
  68. After Update Rollup 12, rows of Audit History view are not aligned.
  69. Importing an updated solution version fails to import with UR12+
  70. Changing the resource on a service activity creates temporary duplicates.
  71. Service activity tooltip/color not updated for change in status reason.
  72. Deployment Manager not opening after making the failover to the mirror SQL.
  73. Cannot use print preview for draft replied emails with images after Update Rollup 12 & 13.
  74. Outlook offline reports not showing parameter pane.
  75. Unable to configure CRM outlook client when TurnOffFetchThrottling is enabled.
  76. When an error is raised when submitting the merge dialog form, and upon a second attempt to merge the data you change the selection of fields on the dialog, those changes are not submitted to the platform. The initial set of fields are used instead of updated.
  77. UI rendering issue with dynamic position option set for web hosted applications.
  78. Multi-text content is not printed correctly.
  79. When the Deployment Profile is set to Local System after Update Rollup 12 for the Email Router is applied, when you restart the service, the router hangs and will not send messages. When you enable verbose logging, you see that it does not continue checking settings. Also, the Email Router Configuration Wizard window either hangs or takes a really long time to open.
  80. Jscript error when opening field editor for Yomi field.
  81. Subgrid does not display correctly when using Internet Explorer 8.
  82. Post Update Rollup 12: prvWriteSdkMessageProcessingStep privilege required to enable some workflows.
  83. LeftVoiceMail field is missing on some custom activities post Update Rollup 12.
  84. Tracked Email Not Promoted if Opened in Inspector View from Sent Items.
  85. Voice mail messages are being rejected by the email router with the error below. These emails were tracked fine when the mailboxes were on Exchange 2007. However the issue started occurring post migrating the mailboxes to Exchange 2013. Issue is only with the emails that come as part of voice mail messages, rest of the emails are getting tracked fine.
    Instance validation error: ‘OneOff’ is not a valid value for MailboxTypeType
  86. Recurring Appointment “Data Propagation” does not list Custom attribute.
  87. Most recently viewed data disappears periodically after you have used to open more than 40 records.
  88. SQL Deadlocks when calling Associate request adding users to teams.
  89. Add activity button gets enabled for closed case even though it should be grayed out.
  90. The first tab on the form becomes visible unexpectedly overriding customizations.
  91. Filter in view does not work when for Option Set containing entries with ‘&’ character.
  92. Invalid XML when creating a campaign with special characters in view criteria.
  93. Data from related entities missing when exporting to Excel from the CRM for Outlook Client.
  94. Consider the scenario where you are creating an e-mail template. During the process copy part of a rich text or HTML formatted document and paste it into the subject line. The template creation appears to have a normal subject however the resulting e-mails from the template contain style tags.
  95. Any modification to Duplicate Detection Email Template corrupts it.
  96. When you attempt to use a view that has a condition for Owner Equals Current User’s Teams and the user does not belong to any team with a security role you receive an error: Invalid Argument.
  97. Outlook Filter settings not taken into consideration when performing a quick search.
  98. IME Settings for “Multiple lines of text” fields are not respected.
  99. Custom entity grid icon is not visible in Outlook.
  100. You receive error messages when accessing CRM fields in the CRM for Outlook client. “An error has occurred”.
  101. Set Regarding does not work on a CRM 4.0 Client connecting to a CRM 2011 Server.
  102. Save & New when editing existing Connection does not populate Connected From.
  103. When you copy and paste a tracked recurring appointment in the CRM client for Outlook, the copied recurring appointment will become untracked in CRM, however a duplicate will be synchronized to Outlook upon each manual or background synchronization.
    This occurs when the source recurring appointment contains an instance of the recurrence which has been modified or deleted and it is outside of the current effective range. For example an instance of the recurring appointment was canceled many months ago.
  104. UR12+ Spacing between dynamic fields in Processes is not maintained correctly.
  105. InvalidOperationException Errors Occur After Installing Microsoft Dynamics CRM Client For Outlook Update Rollup 11 Critical Update.
  106. SharePoint documents are stored to the root folder, not under accounts/contacts.
  107. When you create an new record and as part of the process of creating the new record you add notes to the record before performing the initial save some notes may not be created. This occurs if you click Save, Save & Close, or Save & New on the Ribbon with focus still in the body of the note that is being entered.
  108. Retry logic causes unexpected results on some OrganizationServiceProxy methods.
  109. Outlook Client quick find search box suggests search will be on current view.
  110. When opening and closing forms in Microsoft Dynamics CRM Client For Outlook, users may notice the memory of the WebFormsHost processes climb over time until the application reports it is low on memory.
  111. When installing the slipstreamed UR6 version of the CRM client for Outlook and the “Give me updates for Microsoft products and check for new optional Microsoft software when I update Windows” option is checked in Control Panel -> Windows Update -> Change Settings, Windows Update will automatically install the Critical Update (build 2903) patch during installation.  However, the Microsoft.Crm.Outlook.Diagnostics.exe executable (and potentially other files) that it installs are build 3557 instead of 2903, causing Diagnostics to crash and problems when uninstalling.
  112. Customer is using Outlook 2007 with the option ‘Send immediately when connected’ unchecked. So, when he composes a new mail, it first goes to the Outbox and when we click on Send/Receive, it goes out.
    When the CRM add-in is enabled and if we open the e-mail when it is in Outbox just to edit something, or simply to see the content and when we click on Send/Receive after that, the mail does not go out.
  113. After Update Rollup 14, the Print Preview on records does not display correctly. The footer overlaps the last tab with content.
  114. Outlook crashes when you have ShortTel Communicator and CRM client for Outlook installed.
  115. Mail merge fields not appear in word, template field definition not applied after template selection.
  116. Unable to configure CRM outlook client when TurnOffFetchThrottling is enabled.
  117. Cannot update StateCode and StatusCode of Phone Call entity via plugin code.
  118. When you type text and separate each value you want to resolve by a semi colon in a partylist field, only the first entry you types will persist after the auto resolve completes if each entry would resolve to more than 1 value.
  119. After CRM 2011 Update Rollup Up 12 lengthy form names in the Form selector are getting mixed with record data. When viewing an entity form with a display name that exceed the width of the left navigation it overflows onto the form. Before UR12 form names were simply truncated and “…” was appended. Post UR12 the form display name overflows onto the body and can over run the data. See screenshots for examples. In testing this issues is present in all IE versions, Chrome and Firefox.
  120. Clients having the Update Rollup 11 Critical Update are unable to configure if the server has attributes with a DisplayMask of ValidForAdvancedFind set to be non-searchable.
  121. Error importing org from CRM 2011 UR14 – System.Data.SqlClient.SqlException: Column names in each table must be unique. Column name ‘LeftVoiceMail’ in table ‘ActivityPointerBase’ is specified more than once.
  122. Outlook client unresponsive during startup.
  123. Copying and pasting multiple lines of text from a Word document to the body of a CRM E-mail activity record causes additional line breaks to be inserted in between each line. This issue did not occur prior to Update Rollup 12.
  124. Exporting solution does not contain relationship information if changed.
  125. Quick find within a Custom dashboard for Articles does not render any results.
  126. When you run Contact Duplicate Detection rule Full Name does not appear in the list.
  127. When the MAPI store for the Microsoft Dynamics CRM 2011 Client for Outlook is empty, updates to the cache may cause Outlook to terminate unexpectedly.
  128. When replying to e-mail activity records in the application, if a user presses the enter key in the body, followed by the delete key, a line break is inserted into the body of the form.
  129. Shared activities do not show in outlook offline mode.
  130. CRM Outlook Client Attempts To Handle Tracked Items In Shared Calendar.
  131. When you open an entity form and you attempt to navigate to a side navigation item, for example Activities or Closed Activities, the navigation may be interrupted. You may instead find that your form focus is now the first selectable field on the main section of the entity form. For example on the Account entity form, Name field is selected.
  132. Entity records containing textarea attributes such as Notes on the Reading Pane in the Microsoft Dynamics CRM 2011 Client for Outlook may cause the client to become unresponsive.
  133. Developer experience for script debugging is broken.
  134. Same Ribbon Display Rule in multiple solutions cause extremely slow form load.
  135. Script Error clicking links on side navigation before form fully loads.
  136. Wait Until condition are not being triggered if watched attribute contains NULL value.
  137. Outlook crashes when using CRM client for Outlook UR15 or UR11 CU.
  138. When you attempt to choose a value from a multi parameter drop down in a SSRS report from within CRM web or Outlook client you receive a script error.
    Error: No such interface supported
  139. Outlook client fails to load or crashes when client OrgDBOrgSettings are set.
  140. Changes made to the personal view query is not updating in Outlook client since Update Rollup 12.
  141. After installing Update Rollup 15 for CRM 2011 the Mail Merge button on the entity record Add tab does not seem to do anything when clicked.
  142. In some environments, conditions may exist when the registry keys of the Microsoft Dynamics CRM for Outlook Client are being duplicated when being read causing an exception to occur that terminates the Outlook process.
  143. This functionality changed UR12+. The custom activity form is not automatically closing when clicking on Mark Complete. The ribbon buttons are disabled and only option is to close with the X. Pre UR12 the form closed when clicking “mark as complete”
  144. Users of the Microsoft Dynamics CRM 2011 Client for Outlook may be unable to configure the client if they are utilizing a proxy PAC file.  The configuration wizard will terminate with a “Object reference not set to an instance of an object” error.
  145. Creation and deletion of business units cannot be done in a timely manner.
  146. When you are using the CRM 4 client for Outlook while connected to a CRM 2011 organization using IFD authentication you are not able to access the Organization (SOAP) endpoint or the ODATA (REST) endpoint.
    This works if you are using the CRM 2011 client for Outlook or the CRM web client.
  147. The process of assigning records from one user to another user and changing business units via the SetBusinessSystemUserRequest takes a long time to execute if the original owner owns a large number of records, for example 50K contacts. This process can also cause the tempdb log to increase in size and cause problems if you run out of disk space for tempdb.
  148. Dashboard Tab Ordering is incorrect.
  149. The owner of the child record in a merge inherits invisible rights to the master record.

Improve performance of reports in Dynamics CRM 2013

General: These guidelines are applicable for both SQL-based and Fetch-based reports.

  • Limit a report to display information from a specified time period, instead of displaying all records in the Microsoft Dynamics CRM database.
  • Pre-filter a report so that the dataset is limited.
  • Calculate aggregate totals by using SQL code or aggregations in a FetchXML query, instead of passing raw data to Reporting Services and grouping.
  • Limit the number of datasets used, if possible.
  • When you compare dates, use the UTC date fields for comparisons. For example, compare the createdonutc fields and not the createdon fields in a filtered view or the FetchXML query.

SQL-based Reports: These guidelines are applicable for SQL-based reports only.

  • Don’t create a report that uses a large dataset or a complex SQL query available on-demand to all users.
  • Don’t select all columns from a Microsoft Dynamics CRM filtered view. Instead, explicitly specify the columns that you want to select in the SQL statement.
  • Use SQL stored procedures instead of inline SQL.