Entity Configuration Configure the account entity in D365 with fields to hold the cloud agreement status. Two Value OptionSet

Size: px
Start display at page:

Download "Entity Configuration Configure the account entity in D365 with fields to hold the cloud agreement status. Two Value OptionSet"

Transcription

1 Calling a Microsoft Flow Process from a Dynamics 365 Workflow Activity This post demonstrates a method to incorporate a Microsoft Flow application into a Dynamics 365 custom workflow Activity which passes parameter data from D365 to Flow, executes flow processes involving SharePoint, Outlook, and Dynamics 365, and updates an entity in D365 from Flow. Use Case The use case for this scenario is to send an approval to a Microsoft CSP customer in Dynamics 365, provide a link to the agreement document and the ability to approve or reject the agreement, and update the agreement status and acceptance date in D365 depending on the user selection. CRM Setup Entity Configuration Configure the account entity in D365 with fields to hold the cloud agreement status. Field schema name Type nealabc_microsoftcspid String Description The Customer CSP Identifier nealabc_microsoftcspagreementaccepted Two Value OptionSet Boolean that indicates if the customer has accepted the agreement nealabc_microsoftcspagreementaccepteddate Date Date the Agreement status changed nealabc_microsoftcspagreementparty Lookup The D365 contact for the agreeing party Place the new fields on the form in Dynamics 365. Figure 1: Account Form Additions Custom Workflow Activity Create a custom workflow activity using the Dynamics 365 SDK. 1. Retrieve the account entity 2. Retrieve the agreeing party contact 3. Create a JSON Request with appropriate parameters 4. Start the Flow process with an HTTP POST request // <author>bkw</author> // <date>10/10/2018 4:05:45 PM</date> // <summary>crm Integration Utility for Microsoft Flow</summary> // <auto-generated> // This code was generated by a tool. // Runtime Version: // </auto-generated>

2 using System; using System.Activities; using System.Net; using System.Net.Http; using System.Runtime.Serialization; using System.Text; using System.Threading.Tasks; using Microsoft.Xrm.Sdk; using Microsoft.Xrm.Sdk.Workflow; using Microsoft.Xrm.Sdk.Query; namespace nabc_crm_flow_utilities.csp_processes public sealed class StartAgreementApprovalFlow : CodeActivity [Input("RecordDynamicUrl")] [RequiredArgument] public InArgument<string> RecordUrl get; set; [Input("FlowRequestUrl")] [RequiredArgument] public InArgument<string> FlowRequestUrl get; set; [Input("MethodName")] [RequiredArgument] public InArgument<string> MethodName get; set; [Input("CopyTo ")] public InArgument<string> CopyTo get; set; [Input("Owner")] [ReferenceTarget("systemuser")] public InArgument<EntityReference> Owner get; set; [Input("DebugMode")] public InArgument<bool> DebugMode get; set; [Output("ResponseJSON")] public OutArgument<string> ResponseJSON get; set; [Output("Succeeded")] public OutArgument<bool> Succeeded get; set; protected override void Execute(CodeActivityContext econtext) ITracingService tracer = econtext.getextension<itracingservice>(); IWorkflowContext context = econtext.getextension<iworkflowcontext>(); IOrganizationServiceFactory servicefactory = econtext.getextension<iorganizationservicefactory>(); IOrganizationService service = servicefactory.createorganizationservice(context.userid); IOrganizationService privservice = servicefactory.createorganizationservice(null); try var url = RecordUrl.Get<string>(econtext); var recordref = new DynamicUrlParser(url).ToEntityReference(privService); //// Check for account entity. if (recordref.logicalname.tolower() == "account") if (MethodName.Get(econtext) == "StartCSPAgreementFlow") var account = service.retrieve("account", recordref.id, new ColumnSet( "name", "nealabc_microsoftcspid", "nealabc_microsoftcspagreementaccepted", "nealabc_microsoftcspagreementaccepteddate", "nealabc_microsoftcspagreementparty")); string cspid = string.empty;

3 if (account.attributes.contains("nealabc_microsoftcspid")) cspid = account.attributes["nealabc_microsoftcspid"].tostring(); EntityReference contactref = new EntityReference(); string firstname = string.empty; string lastname = string.empty; string = string.empty; string phone = string.empty; if (account.attributes.contains("nealabc_microsoftcspagreementparty")) contactref = (EntityReference)account.Attributes["nealabc_microsoftcspagreementparty"]; var contact = service.retrieve("contact", contactref.id, new ColumnSet("firstname", "lastname", " address1", "telephone1")); if (contact.attributes.contains("firstname")) firstname = contact.attributes["firstname"].tostring(); if (contact.attributes.contains("lastname")) lastname = contact.attributes["lastname"].tostring(); if (contact.attributes.contains(" address1")) = contact.attributes[" address1"].tostring(); if (contact.attributes.contains("telephone1")) phone = contact.attributes["telephone1"].tostring(); var result = Task.Run(() => StartApprovalFlow(cspId, firstname, lastname, , phone, account.id.tostring(), account.toentityreference().name, DateTime.Now.ToString("dd-MM-yyyy"), FlowRequestUrl.Get(econtext), tracer)); if (result.status!= TaskStatus.RanToCompletion && result.status!= TaskStatus.WaitingForActivation) tracer.trace("start Approval Flow Not successful. Response: " + result.result); else ResponseJSON.Set(econtext, result.result); catch (Exception ex) tracer.trace(ex.tostring()); if (this.debugmode.get(econtext)) throw new InvalidPluginExecutionException("Debug mode is enabled. To disable it change the DebugMode property in the workflow activity to false."); public static async Task<string> StartApprovalFlow(string cspid, string firstname, string lastname, string , string phone, string accountid, string accountname, string dateapproved, string flowrequesturl, ITracingService tracer) string responsestring = string.empty; ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;

4 HttpClientHandler handler = new HttpClientHandler(); using (var client = new HttpClient(handler)) string jsonrequest = "'entity':'customerid': '" + cspid + "','contactfirstname': '" + WebUtility.UrlEncode(firstName) + "','contactlastname': '" + WebUtility.UrlEncode(lastName) + "','contact ': '" + + "','contactphone': '" + WebUtility.UrlEncode(phone) + "','accountid': '" + accountid + "','accountname': '" + WebUtility.UrlEncode(accountName) + "','dateapproved': '" + dateapproved + "'"; HttpContent contentpost = new StringContent(jsonRequest, Encoding.UTF8, "application/json"); var response = await client.postasync(flowrequesturl, contentpost); responsestring = await response.content.readasstringasync(); return responsestring; D365 Process Create a Dynamics 365 process to run the custom workflow activity using an on-demand call or a triggered basis like a property change. The workflow simply needs to check that the conditions are satisfied for it to execute and then use the custom workflow activity to start the Flow process and pass parameters to it. Figure 2: D365 Start Approval Workflow Example Process Parameters

5 Figure 3: Start Approval Workflow Parameters Parameter RecordDynamicUrl Flow Request Url Method name CopyTo Owner DebugMode Description The account RecordURL The HTTP POST Url generated by Flow when the When a HTTP request is received action is created Optional method name if there is more than one in your custom workflow activity address to copy the approval request to Optional to be used to set the user proxy Flag for turning debug on or off to show traces in the workflow. Flow Setup The Flow setup starts with a HTTP request action that triggers the flow and accepts parameters from Dynamics 365. A request is made to SharePoint to retrieve the pdf Cloud Services Agreement document for attachment to an . This may not be required if it is sufficient to send a link to the document in SharePoint. A Flow Approval process is started. The allows you to present text, buttons for action, and collect comments from within the . You could also use the flow app to approve the agreement. If the agreement is approved, the date and accepting party are updated in Dynamics 365. If the agreement is not approved, the account and technical managers are notified by .

6 Figure 4: Flow Diagram Figure 5: When a HTTP request is received action

7 The JSON Request Body "type": "object", "properties": "entity": "type": "object", "properties": "customerid":, "contactfirstname":, "contactlastname":, "contact ":, "contactphone":, "accountid":, "accountname":, "dateapproved":, "accountmanager":, "technicalaccountmanager": You can add as many parameters here as are required. The parameters will be accessible as dynamic values in subsequent actions in the Flow. The entity object is all that needs to be passed in as the POST content.

8 Figure 6: Start an Approval Action Figure 7: Condition

9 Figure 8: Update a record Action for D365 Figure 9: Send an Action

10 notification in Outlook Figure 10: Flow Approval

CRM Service Wrapper User Guide

CRM Service Wrapper User Guide Summary This document details the usage of the CRM Service Wrapper by xrm. The service wrapper allows you to communicate with a Microsoft Dynamics CRM application (called CRM for convenience in this document)

More information

Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex.

Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex. Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex. Unit 1: Moving from SQL to SOQL SQL & SOQL Similar but Not the Same: The first thing to know is that although

More information

MindFire Studio Integration using Zapier

MindFire Studio Integration using Zapier Salesforce CRM -> Studio Workflow MindFire Studio Integration using Zapier Note: Salesforce app is available for premium users in Zapier. It costs 15$/month. Make a new Zap. 1) Trigger - This allows User

More information

You also have the option of being able to automatically delete the document from SharePoint if the Note is deleted within CRM.

You also have the option of being able to automatically delete the document from SharePoint if the Note is deleted within CRM. Overview The SharePoint Integration provides functionality for you to be able to automatically upload documents to a SharePoint site when they are entered as a Note within CRM. Once uploaded to SharePoint,

More information

Set Up a Two Factor Authentication with SMS.

Set Up a Two Factor Authentication with SMS. Set Up a Two Factor Authentication with SMS. Adding two-factor authentication (2FA) to your web application increases the security of your user's data. 1. First we validate the user with an email and password

More information

This will display a directory of your Agreement Schemes. You can access and edit Approval Schemes from here or create a new one.

This will display a directory of your Agreement Schemes. You can access and edit Approval Schemes from here or create a new one. Contents Summary... 1 Accessing Approval Schemes... 1 Create a new Approval Scheme... 2 Auto Approve... 2 Select a Notifier or Approver... 3 Approval Rules... 4 Adding a Scheme to an Agreement... 6 Manage

More information

LEAVE REQUEST. User guide Administrator. Version 1.0

LEAVE REQUEST. User guide Administrator. Version 1.0 LEAVE REQUEST User guide Administrator Version 1.0 MENU Overview... 3 Step 1: Install the app to site... 3 Step 2: Create the SharePoint group... 3 Step 3: Add users to the group... 6 Step 4: Change permission

More information

Creating SDK plugins

Creating SDK plugins Creating SDK plugins 1. Introduction... 3 2. Architecture... 4 3. SDK plugins... 5 4. Creating plugins from a template in Visual Studio... 6 5. Creating custom action... 9 6. Example of custom action...10

More information

Brain Corporate Bulk SMS

Brain Corporate Bulk SMS Brain Corporate Bulk SMS W e S i m p l y D e l i v e r! API Documentation V.2.0 F e b r u a r y 2 0 1 9 2 Table of Contents Sending a Quick Message... 3 API Description... 3 Request Parameter... 4 API

More information

LEAVE REQUEST. User guide Administrator. Version 1.0

LEAVE REQUEST. User guide Administrator. Version 1.0 LEAVE REQUEST User guide Administrator Version 1.0 MENU Overview... 3 Step 1: Install the app to site... 3 Step 2: Customize Left Menu... 3 Step 3: Customize Form... 6 Step 4: Views Setting... 9 Step 5:

More information

Adobe Document Cloud esign Services

Adobe Document Cloud esign Services Adobe Document Cloud esign Services Integration for Microsoft Dynamics CRM 2015 Installation Guide Last Updated: July 16, 2015 Copyright 2015 Adobe Systems Incorporated. All rights reserved. Table of Contents

More information

Unity SDK for Xiaomi (IAP) Unity IAP provides an easy way to integrate Xiaomi IAP with Unity.

Unity SDK for Xiaomi (IAP) Unity IAP provides an easy way to integrate Xiaomi IAP with Unity. Unity SDK for Xiaomi (IAP) 1. Overview 2. Login & Purchase Flow 2.1 Stand-alone login & purchase 2.2 Online login & purchase 3. Technical Integration 3.1 Onboarding to Unity 3.2 Server side integration

More information

RECRUITMENT REQUEST. User guide Administrator. Version 1.0

RECRUITMENT REQUEST. User guide Administrator. Version 1.0 RECRUITMENT REQUEST User guide Administrator Version 1.0 MENU Overview... 3 Step 1: Install the app to site... 3 Step 2: Customize Left Menu... 3 Step 3: Customize Form... 7 Step 4: Views Setting... 9

More information

LEAVE REQUEST. User guide Administrator. Version 2.0. Website:

LEAVE REQUEST. User guide Administrator. Version 2.0. Website: LEAVE REQUEST User guide Administrator Version 2.0 MENU Overview... 3 Step 1: Install the app to site... 3 Step 2: Customize Left Menu... 3 Step 3: Customize Form... 6 Step 4: Views Setting... 9 Step 5:

More information

Accessing the Progress OpenEdge AppServer. From Progress Rollbase. Using Object Script

Accessing the Progress OpenEdge AppServer. From Progress Rollbase. Using Object Script Accessing the Progress OpenEdge AppServer From Progress Rollbase Using Object Script Introduction Progress Rollbase provides a simple way to create a web-based, multi-tenanted and customizable application

More information

LIPNET OUTBOUND API FORMS DOCUMENTATION

LIPNET OUTBOUND API FORMS DOCUMENTATION LIPNET OUTBOUND API FORMS DOCUMENTATION LEGAL INAKE PROFESSIONALS 2018-03-0926 Contents Description... 2 Requirements:... 2 General Information:... 2 Request/Response Information:... 2 Service Endpoints...

More information

TFS Pluggins. Thomas Trotzki, artiso, ALM Consultant

TFS Pluggins. Thomas Trotzki, artiso, ALM Consultant TFS Pluggins Thomas Trotzki, artiso, ALM Consultant Motivation Das Vorbild TFS Build Automation Das Problem Kontext Build passt nicht immer Die Lösung TFS Event Workflows Architektur TFS Web Services -

More information

MCSA Universal Windows Platform. A Success Guide to Prepare- Programming in C# edusum.com

MCSA Universal Windows Platform. A Success Guide to Prepare- Programming in C# edusum.com 70-483 MCSA Universal Windows Platform A Success Guide to Prepare- Programming in C# edusum.com Table of Contents Introduction to 70-483 Exam on Programming in C#... 2 Microsoft 70-483 Certification Details:...

More information

AttachmentExtractor. for MS CRM v April User Guide (How to work with AttachmentExtractor for MS CRM 2015)

AttachmentExtractor. for MS CRM v April User Guide (How to work with AttachmentExtractor for MS CRM 2015) AttachmentExtractor for MS CRM 2015 v.2015.5 April 2015 User Guide (How to work with AttachmentExtractor for MS CRM 2015) The content of this document is subject to change without notice. Microsoft and

More information

Create The Internet of Your Things

Create The Internet of Your Things Create The Internet of Your Things A developer introduction to Microsoft s approach to the Internet of Things Laurent Ellerbach laurelle@microsoft.com Technical Evangelist Lead Microsoft Central and Eastern

More information

Fragility of API Interoperability

Fragility of API Interoperability Fragility of API Interoperability - Keep Open Source Interoperable - Open Source Summit, Japan 2017 Ghanshyam Mann, NEC Ghanshyam Mann Software developer, NEC OpenStack upstream developer since 2014. @ghanshyammann

More information

TeamViewer User Guide for Microsoft Dynamics CRM. Document Information Version: 0.5 Version Release Date : 20 th Feb 2018

TeamViewer User Guide for Microsoft Dynamics CRM. Document Information Version: 0.5 Version Release Date : 20 th Feb 2018 TeamViewer User Guide for Microsoft Dynamics CRM Document Information Version: 0.5 Version Release Date : 20 th Feb 2018 1 P a g e Table of Contents TeamViewer User Guide for Microsoft Dynamics CRM 1 Audience

More information

Quick Start Guide (CM)

Quick Start Guide (CM) NetBrain Integrated Edition 7.1 Quick Start Guide (CM) Version 7.1 Last Updated 2018-08-20 Copyright 2004-2018 NetBrain Technologies, Inc. All rights reserved. Contents 1. Managing Network Changes... 3

More information

C ibm.

C ibm. C9550-412 ibm Number: C9550-412 Passing Score: 800 Time Limit: 120 min www.examsforall.com Exam A QUESTION 1 A company has a healthcare enrollments business process that is to be implemented worldwide

More information

The Ethic Management System (EMS) User guide

The Ethic Management System (EMS) User guide The Ethic Management System (EMS) User guide On the web browser, type the URL link: https://www.witsethics.co.za Click on Login (on right corner of top menu bar) to access the Ethics Management System

More information

What is Protomator Product Overview Get Started Setup What you can do? Your way around CRM?... 3

What is Protomator Product Overview Get Started Setup What you can do? Your way around CRM?... 3 User Guide Table of Contents What is Protomator... 1 Product Overview... 2 Get Started... 2 Setup... 2 What you can do?... 2 Your way around CRM?... 3 How to create templates... 4 Appointment Template...

More information

Easily Harness the power of Azure in your SharePoint Forms by integrating Infowise Ultimate Forms and Azure Logic Apps

Easily Harness the power of Azure in your SharePoint Forms by integrating Infowise Ultimate Forms and Azure Logic Apps Easily Harness the power of Azure in your SharePoint Forms by integrating Infowise Ultimate Forms and Azure Logic Apps Sales: sales@infowisesolutions.com Support Issues: support@infowisesolutions.com General

More information

ewallet API integration guide version 5.1 8/31/2015

ewallet API integration guide version 5.1 8/31/2015 ewallet API integration guide version 5.1 8/31/2015 International Payout Systems, Inc. (IPS) ewallet API Integration Guide contains information proprietary to IPS, and is intended only to be used in conjunction

More information

Configuration Web Services for.net Framework

Configuration Web Services for.net Framework Cloud Contact Center Software Configuration Web Services for.net Framework Programmer s Guide October 2014 This guide describes how to create a client for the Configuration Web Services with the.net framework

More information

RSA Archer GRC Application Guide

RSA Archer GRC Application Guide RSA Archer GRC Application Guide Version 1.2 vember 2017 Contact Information RSA Link at https://community.rsa.com contains a knowledgebase that answers common questions and provides solutions to known

More information

GUIDELINES FOR THE USE OF THE e-commerce WORKFLOW IN IMI

GUIDELINES FOR THE USE OF THE e-commerce WORKFLOW IN IMI GUIDELINES FOR THE USE OF THE e-commerce WORKFLOW IN IMI 2 Contents I. BACKGROUND... 3 II. e-commerce WORKFLOW... 3 1) CREATION of a request... 6 2) REPLY to a request... 10 3) CLOSURE of a request...

More information

Guide Workflow Engine.NET

Guide Workflow Engine.NET WorkflowEngine.NET 1.5 Guide Workflow Engine.NET sales@optimajet.com 1 2015 OptimaJet Сontent 1. Intro 3 2. Core 4 2.1. How to connect 4 2.2. WorkflowRuntime 5 2.3. Scheme 9 2.4. DB Interfaces 10 2.5.

More information

Plugin Development for Dynamics 365

Plugin Development for Dynamics 365 Plugin Development for Dynamics 365 by Alex Shlega Email: Linkedin: Web: ashlega@yahoo.com https://www.linkedin.com/in/alexandershlega/ www.itaintboring.com Contents Pre-Requisites... 4 1. Overview and

More information

KWizCom Corporation. imush. Information Management Utilities for SharePoint. Printing Feature. Application Programming Interface (API)

KWizCom Corporation. imush. Information Management Utilities for SharePoint. Printing Feature. Application Programming Interface (API) KWizCom Corporation imush Information Management Utilities for SharePoint Printing Feature Application Programming Interface (API) Copyright 2005-2014 KWizCom Corporation. All rights reserved. Company

More information

Adobe Sign for MS Dynamics 365 CRM

Adobe Sign for MS Dynamics 365 CRM Adobe Sign for MS Dynamics 365 CRM User Guide v7 Last Updated: May 31, 2018 2018 Adobe Systems Incorporated. All rights reserved Contents Overview... 3 Gaining Access to Adobe Sign...4 Sending for Signature...

More information

Banner Security Access Request

Banner Security Access Request is a Web Form designed for Supervisors to submit Banner Access Requests for their employees. This online form replaces the previous paper form in a secure environment. This helps the Banner team respond

More information

Reference Letter Tool. Table of Content. Configuration and Process

Reference Letter Tool. Table of Content. Configuration and Process Reference Letter Tool Purpose: The purpose of this User Manual is to help you understand how to configure the PeopleAdmin 7 Reference Letter Tool. This tool is useful if you have multiple applicants in

More information

Adobe Sign for Microsoft Dynamics

Adobe Sign for Microsoft Dynamics Adobe Sign for Microsoft Dynamics Installation & Configuration Guide (v6) Last Updated: September 1, 2017 2017 Adobe Systems Incorporated. All rights reserved Table of Contents Overview... 3 Prerequisites...

More information

QlikView SalesForce Connector

QlikView SalesForce Connector QlikTech International AB 1 (15) QlikView SalesForce Connector Reference Manual English QV SalesForce Connector Version: 11 17 Dec 2012 QlikTech International AB 2 (15) Copyright 1994-2012 Qlik Tech International

More information

Online Activity: Debugging and Error Handling

Online Activity: Debugging and Error Handling Online Activity: Debugging and Error Handling In this activity, you are to carry a number of exercises that introduce you to the world of debugging and error handling in ASP.NET using C#. Copy the application

More information

Adobe Document Cloud esign Services. for Salesforce Version 17 Installation and Customization Guide

Adobe Document Cloud esign Services. for Salesforce Version 17 Installation and Customization Guide Adobe Document Cloud esign Services for Salesforce Version 17 Installation and Customization Guide 2015 Adobe Systems Incorporated. All rights reserved. Last Updated: August 28, 2015 Table of Contents

More information

IntelliPad CRM News from Versys Software, Inc.

IntelliPad CRM News from Versys Software, Inc. IntelliPad CRM News from Versys Software, Inc. Releases 6.4.0.1, 6.4.1.1, and 6.4.1.2 June-December 2014 Releases Update Summary This newsletter covers the releases provided in 2014. Highlights of the

More information

Set Up and Maintain Sales Tools

Set Up and Maintain Sales Tools Set Up and Maintain Sales Tools Salesforce, Spring 16 @salesforcedocs Last updated: February 18, 2016 Copyright 2000 2016 salesforce.com, inc. All rights reserved. Salesforce is a registered trademark

More information

Adobe Sign for Microsoft Dynamics

Adobe Sign for Microsoft Dynamics Adobe Sign for Microsoft Dynamics Installation & Configuration Guide (v5) Last Updated: March 16, 2017 2017 Adobe Systems Incorporated. All rights reserved Table of Contents Overview... 3 Prerequisites...

More information

Oracle Taleo Cloud for Midsize (Taleo Business Edition) Release 17B2. What s New

Oracle Taleo Cloud for Midsize (Taleo Business Edition) Release 17B2. What s New Oracle Taleo Cloud for Midsize (Taleo Business Edition) Release 17B2 What s New TABLE OF CONTENTS REVISION HISTORY... 3 OVERVIEW... 4 RELEASE FEATURE SUMMARY... 4 TALENT CENTER ENHANCEMENTS... 5 My Offer

More information

Mawens Workflow Helper Tool. Version Mawens Business Solutions 7/25/17

Mawens Workflow Helper Tool. Version Mawens Business Solutions 7/25/17 Workflow Helper Tool Version 1.0.1.7 Mawens 7/25/17 Info@mawens.co.uk Contents I What is a Workflow in Dynamics CRM?... 3 II What is Mawens Workflow Helper Tool?... 3 III Accessing to Mawens Workflow Helper

More information

Enrich Integration Guide

Enrich Integration Guide version 0.1 (06 September 2017) Date Name Ver Change Description 06 September 2017 Harvey Lawrence 0.1 First version the latest version of this document can be found at /enrichintegrationguide.pdf page

More information

Setting up a Salesforce Outbound Message in Informatica Cloud

Setting up a Salesforce Outbound Message in Informatica Cloud Setting up a Salesforce Outbound Message in Informatica Cloud Copyright Informatica LLC 2017. Informatica, the Informatica logo, and Informatica Cloud are trademarks or registered trademarks of Informatica

More information

SAS Workflow Manager 2.1: Quick Start Tutorial

SAS Workflow Manager 2.1: Quick Start Tutorial SAS Workflow Manager 2.1: Quick Start Tutorial Overview This Quick Start tutorial introduces the workflow design features of SAS Workflow Manager. It covers the most common tasks that you use to create

More information

Bringing Together One ASP.NET

Bringing Together One ASP.NET Bringing Together One ASP.NET Overview ASP.NET is a framework for building Web sites, apps and services using specialized technologies such as MVC, Web API and others. With the expansion ASP.NET has seen

More information

API Documentation. Service Summary. API Version: August, 2018

API Documentation. Service Summary. API Version: August, 2018 API Documentation API Version: 1.5.2 August, 2018 Service Summary PaySAFE is an online closing table that brings together any buyer and seller looking for a safe, secure way to complete high value transactions.

More information

c360 to Case Installation and Configuration Guide

c360  to Case Installation and Configuration Guide c360 Email to Case Installation and Configuration Guide Microsoft Dynamics CRM 4.0 compatible c360 Solutions, Inc. www.c360.com Products@c360.com Table of Contents c360 Email to Case Installation and Configuration

More information

C exam IBM C IBM Business Process Management Express or Standard Edition, V 8.5.5, BPM Application Development

C exam IBM C IBM Business Process Management Express or Standard Edition, V 8.5.5, BPM Application Development C9550-412.exam Number: C9550-412 Passing Score: 800 Time Limit: 120 min IBM C9550-412 IBM Business Process Management Express or Standard Edition, V 8.5.5, BPM Application Development Exam A QUESTION 1

More information

This walkthrough assumes you have completed the Getting Started walkthrough and the first lift and shift walkthrough.

This walkthrough assumes you have completed the Getting Started walkthrough and the first lift and shift walkthrough. Azure Developer Immersion In this walkthrough, you are going to put the web API presented by the rgroup app into an Azure API App. Doing this will enable the use of an authentication model which can support

More information

Unity SDK for Xiaomi (IAP) Unity IAP provides an easy way to integrate Xiaomi IAP with Unity.

Unity SDK for Xiaomi (IAP) Unity IAP provides an easy way to integrate Xiaomi IAP with Unity. Unity SDK for Xiaomi (IAP) 1. Overview 2. Login & Purchase Flow 2.1 Stand-alone login & purchase 2.2 Online login & purchase 3. Technical Integration 3.1 Onboarding to Unity 3.2 Server side integration

More information

USEFUL WORKFLOW RULES

USEFUL WORKFLOW RULES USEFUL WORKFLOW RULES Summary Provides examples of workflow rules for various types of apps that you can use and modify for your own purposes. Workflow automates email alerts, tasks, field updates, and

More information

CRM Partners Anonymization - Implementation Guide v8.2 Page 2

CRM Partners Anonymization - Implementation Guide v8.2 Page 2 1. Introduction 3 1.1 Product summary 3 1.2 Document outline 3 1.3 Compatibility with Microsoft Dynamics CRM 3 1.4 Target audience 3 2. Functional Reference 4 2.1 Overview 4 2.2 Getting started 4 2.3 Anonymize

More information

SUBSCRIPTION API. Document Version. Introduction

SUBSCRIPTION API. Document Version. Introduction SUBSCRIPTION API Contents Contents... 1 Document Version... 1 Introduction... 1 Procedure to configure Web Service User in Billdozer:... 2 Http Post Parameters... 2 Package... 3 List... 3 Response Parameter

More information

esignlive for Microsoft Dynamics CRM

esignlive for Microsoft Dynamics CRM esignlive for Microsoft Dynamics CRM Deployment Guide Product Release: 2.1 Date: June 29, 2018 esignlive 8200 Decarie Blvd, Suite 300 Montreal, Quebec H4P 2P5 Phone: 1-855-MYESIGN Fax: (514) 337-5258 Web:

More information

Ninox API. Ninox API Page 1 of 15. Ninox Version Document version 1.0.0

Ninox API. Ninox API Page 1 of 15. Ninox Version Document version 1.0.0 Ninox API Ninox Version 2.3.4 Document version 1.0.0 Ninox 2.3.4 API 1.0.0 Page 1 of 15 Table of Contents Introduction 3 Obtain an API Key 3 Zapier 4 Ninox REST API 5 Authentication 5 Content-Type 5 Get

More information

Smart Monitoring

Smart  Monitoring Smart Email Monitoring A feature that provides the ability to check queue mails and send alerts if any mails are in pending state and not received to respective configured users. 1 Overview: The Smart

More information

AJAX. Lab. de Bases de Dados e Aplicações Web MIEIC, FEUP 2010/11. Sérgio Nunes

AJAX. Lab. de Bases de Dados e Aplicações Web MIEIC, FEUP 2010/11. Sérgio Nunes AJAX Lab. de Bases de Dados e Aplicações Web MIEIC, FEUP 2010/11 Sérgio Nunes Server calls from web pages using JavaScript call HTTP data Motivation The traditional request-response cycle in web applications

More information

BraindumpsQA. IT Exam Study materials / Braindumps

BraindumpsQA.  IT Exam Study materials / Braindumps BraindumpsQA http://www.braindumpsqa.com IT Exam Study materials / Braindumps Exam : MB2-712 Title : Microsoft Dynamics CRM 2016 Customization and Configuration Vendor : Microsoft Version : DEMO Get Latest

More information

MVLS Administrator User Guide

MVLS Administrator User Guide MVLS Administrator User Guide A reference guide for MVLS Administrators Registering for MVLS Adding Benefit Administrators 2003 Microsoft Corporation. All rights reserved. This document is for informational

More information

ActiveX xtra Version 1.0

ActiveX xtra Version 1.0 ActiveX xtra Version 1.0 www.xtramania.com All trademarked names mentioned in this document and product are used for editorial purposes only, with no intention of infringing upon the trademarks. ActiveX

More information

Informatica Cloud Spring Microsoft Dynamics 365 for Sales Connector Guide

Informatica Cloud Spring Microsoft Dynamics 365 for Sales Connector Guide Informatica Cloud Spring 2017 Microsoft Dynamics 365 for Sales Connector Guide Informatica Cloud Microsoft Dynamics 365 for Sales Connector Guide Spring 2017 August 2018 Copyright Informatica LLC 2017,

More information

Microsoft MB Microsoft CRM Customization v1.2.

Microsoft MB Microsoft CRM Customization v1.2. Microsoft MB2-185 Microsoft CRM Customization v1.2 http://killexams.com/exam-detail/mb2-185 QUESTION: 138 Which assembly gives the developer easy access to the Microsoft CRM API? A. Microsoft.CRM.Platform.Proxy

More information

Last Updated: 09 December 2016

Last Updated: 09 December 2016 Last Updated: 09 December 2016 System Fields : "Note" : "Imported" General Fields : value : "CustomerID" : value : "JOHNGOOD" Linked Entities

More information

How to ZAP Realtor.com Leads into Realvolve

How to ZAP Realtor.com Leads into Realvolve How to ZAP Realtor.com Leads into Realvolve Use the steps below to setup a zap to import leads from realtor.com into realvolve. 1. Setup a parser email address 2. Setup realtor.com to send leads to the

More information

Upland Qvidian Proposal Automation Single Sign-on Administrator's Guide

Upland Qvidian Proposal Automation Single Sign-on Administrator's Guide Upland Qvidian Proposal Automation Single Sign-on Administrator's Guide Version 12.0-4/17/2018 Copyright Copyright 2018 Upland Qvidian. All rights reserved. Information in this document is subject to change

More information

Better Translation Technology. XTM Connect for Drupal 8

Better Translation Technology. XTM Connect for Drupal 8 Better Translation Technology XTM Connect for Drupal 8 Documentation for XTM Connect for Drupal 8. Published by XTM International Ltd. Copyright XTM International Ltd. All rights reserved. No part of this

More information

Simple S4S Code Samples Table of Contents

Simple S4S Code Samples Table of Contents Simple S4S Code Samples Table of Contents 1. Master-Child Child-to-Parent Query Example from Contact to Account... 2 2. Create a New Salesforce Record... 2 3. Retrieve an Existing Salesforce Record by

More information

Three Ways Roslyn Will Change Your Life

Three Ways Roslyn Will Change Your Life Kathleen Dollard - CodeRapid @kathleendollard kathleendollard kathleen@mvps.org Blog: http://blogs.msmvps.com/kathleen http://www.pluralsight.com/author/kathleen -dollard Three Ways Roslyn Will Change

More information

Oracle Knowledge iconnect for CRM OnDemand Integration Guide

Oracle Knowledge iconnect for CRM OnDemand Integration Guide Oracle Knowledge iconnect for CRM OnDemand Integration Guide Using iconnect to Integrate CRM and Oracle Knowledge Applications Release 8.6 Document Number OKIC-ODI860-00 March 2015 COPYRIGHT INFORMATION

More information

Securing OPC UA Client Connections. OPC UA Certificate handling with the OPC Data Client Development Toolkit s EasyOPCUA Client Objects

Securing OPC UA Client Connections. OPC UA Certificate handling with the OPC Data Client Development Toolkit s EasyOPCUA Client Objects Securing OPC UA Client Connections OPC UA Certificate handling with the OPC Data Client Development Toolkit s EasyOPCUA Client Objects Page 2 of 16 Table of Contents INTRODUCTION 3 THE SAMPLE CODE AND

More information

Talend Component tgoogledrive

Talend Component tgoogledrive Talend Component tgoogledrive Purpose and procedure This component manages files on a Google Drive. The component provides these capabilities: 1. Providing only the client for other tgoogledrive components

More information

Technical Note: LogicalApps Web Services

Technical Note: LogicalApps Web Services Technical Note: LogicalApps Web Services Introduction... 1 Access Governor Overview... 1 Web Services Overview... 2 Web Services Environment... 3 Web Services Documentation... 3 A Sample Client... 4 Introduction

More information

Configuring and Using Osmosis Platform

Configuring and Using Osmosis Platform Configuring and Using Osmosis Platform Index 1. Registration 2. Login 3. Device Creation 4. Node Creation 5. Sending Data from REST Client 6. Checking data received 7. Sending Data from Device 8. Define

More information

Adobe Sign for Microsoft Dynamics

Adobe Sign for Microsoft Dynamics for Microsoft Dynamics User Guide (v6) Last Updated: September 1, 2017 2017 Adobe Systems Incorporated. All rights reserved Table of Contents Overview... 3 Gaining Access to Adobe Sign... 3 Sending for

More information

Custom SharePoint Workflows

Custom SharePoint Workflows Custom SharePoint Workflows Using SharePoint Designer 2013 SharePoint Workflows Microsoft SharePoint, as a collaboration platform, contains a huge amount of business data - documents, contacts, meetings,

More information

Index. AcquireConnections method, 226, 235 Asymmetric encryption, 273

Index. AcquireConnections method, 226, 235 Asymmetric encryption, 273 Index A AcquireConnections method, 226, 235 Asymmetric encryption, 273 B BIMLScript, SSIS package, 436 execute package task, 437 integer variable, 437 master package, 446.NET code, 439 OLE DB connection

More information

DocAve. Release Notes. Governance Automation Online. Service Pack 8

DocAve. Release Notes. Governance Automation Online. Service Pack 8 DocAve Governance Automation Online Release Notes Service Pack 8 Issued September 2016 New Features and Improvements Added support for the Group Report. This report displays information for all Office

More information

Understanding RESTful APIs and documenting them with Swagger. Presented by: Tanya Perelmuter Date: 06/18/2018

Understanding RESTful APIs and documenting them with Swagger. Presented by: Tanya Perelmuter Date: 06/18/2018 Understanding RESTful APIs and documenting them with Swagger Presented by: Tanya Perelmuter Date: 06/18/2018 1 Part 1 Understanding RESTful APIs API types and definitions REST architecture and RESTful

More information

Introduction. Typographical conventions. Prerequisites. QuickPrints SDK for Windows 8 Version 1.0 August 06, 2014

Introduction. Typographical conventions. Prerequisites. QuickPrints SDK for Windows 8 Version 1.0 August 06, 2014 Introduction The QuickPrints SDK for Windows 8 provides a set of APIs that can be used to submit a photo print order to a Walgreens store. This document gives step-by-step directions on how to integrate

More information

Attach2Dynamics User Manual. Attach2Dynamics - User Manual. P a g e 1 of 23

Attach2Dynamics User Manual. Attach2Dynamics - User Manual. P a g e 1 of 23 Attach2Dynamics - User Manual P a g e 1 of 23 Content Introduction... 3 Configuring Connectors... 3 Authenticate... 9 Entity Configuration... 10 Visibility of Attach2Dynamics button... 12 Use of Attach2Dynamics...

More information

Mihail Mateev. Creating Custom BI Solutions with Power BI Embedded

Mihail Mateev. Creating Custom BI Solutions with Power BI Embedded Mihail Mateev Creating Custom BI Solutions with Power BI Embedded Sponsors Gold sponsors: In partnership with: About the speaker Mihail Mateev is a Technical Consultant, Community enthusiast, PASS RM for

More information

EMARSYS FOR MAGENTO 2

EMARSYS FOR MAGENTO 2 EMARSYS FOR MAGENTO 2 Integration Manual July 2017 Important Note: This PDF was uploaded in July, 2017 and will not be maintained. For the latest version of this manual, please visit our online help portal:

More information

SHAREPOINT 2013 DEVELOPMENT

SHAREPOINT 2013 DEVELOPMENT SHAREPOINT 2013 DEVELOPMENT Audience Profile: This course is for those people who have couple of years of development experience on ASP.NET with C#. Career Path: After completing this course you will be

More information

Consuming SAIT API via ITS ESB from web / desktop application

Consuming SAIT API via ITS ESB from web / desktop application Consuming SAIT API via ITS ESB from web / desktop application 1. Configuration Requirements: To be able to test / consume API via ITS ESB the following steps must be addressed: a. The certificate should

More information

What is Protomator Product Overview Get Started Setup What you can do? Your way around CRM?... 3

What is Protomator Product Overview Get Started Setup What you can do? Your way around CRM?... 3 User Guide Table of Contents What is Protomator... 1 Product Overview... 2 Get Started... 2 Setup... 2 What you can do?... 2 Your way around CRM?... 3 How to create templates... 4 Appointment Template...

More information

Lifecycle Manager Governance API

Lifecycle Manager Governance API Lifecycle Manager Governance API Lifecycle Manager Governance API Version 7.0 July, 2015 Copyright Copyright 2015 Akana, Inc. All rights reserved. Trademarks All product and company names herein may be

More information

Chapter 12: How to Create and Use Classes

Chapter 12: How to Create and Use Classes CIS 260 C# Chapter 12: How to Create and Use Classes 1. An Introduction to Classes 1.1. How classes can be used to structure an application A class is a template to define objects with their properties

More information

Installation and Configuration Manual

Installation and Configuration Manual Installation and Configuration Manual IMPORTANT YOU MUST READ AND AGREE TO THE TERMS AND CONDITIONS OF THE LICENSE BEFORE CONTINUING WITH THIS PROGRAM INSTALL. CIRRUS SOFT LTD End-User License Agreement

More information

POINT OF FAILURES TOPICS .NET. msdn

POINT OF FAILURES TOPICS .NET. msdn 1 TOPICS POINT OF FAILURES msdn.net 2 THREADS TASKS msdn.net 3 KEY FEATURES msdn.net 4 TASK CREATION var task = new Task(Func func); task.start(); //... task.wait(); var task = Task.Run(Func

More information

Telephone Integration for Microsoft CRM 3.0 (TI)

Telephone Integration for Microsoft CRM 3.0 (TI) Telephone Integration for Microsoft CRM 3.0 (TI) Version 2.4.0 Users Guide The content of this document is subject to change without notice. Microsoft and Microsoft CRM are registered trademarks of Microsoft

More information

Guide for Customers. Sophos Central Firewall Manager. Document Date: June June 2016 Page 1 of 9

Guide for Customers. Sophos Central Firewall Manager. Document Date: June June 2016 Page 1 of 9 Guide for Customers Sophos Central Firewall Manager Document Date: June 2016 June 2016 Page 1 of 9 Contents Change log... 3 Overview... 4 Granting Central Management Rights of Firewall to Partner... 4

More information

Composer Help. Web Request Common Block

Composer Help. Web Request Common Block Composer Help Web Request Common Block 7/4/2018 Web Request Common Block Contents 1 Web Request Common Block 1.1 Name Property 1.2 Block Notes Property 1.3 Exceptions Property 1.4 Request Method Property

More information

User Scripting April 14, 2018

User Scripting April 14, 2018 April 14, 2018 Copyright 2013, 2018, Oracle and/or its affiliates. All rights reserved. This software and related documentation are provided under a license agreement containing restrictions on use and

More information

Dynamics 365 for Customer Service - User's Guide

Dynamics 365 for Customer Service - User's Guide Dynamics 365 for Customer Service - User's Guide 1 2 Contents Dynamics 365 for Customer Service - User's Guide...9 Improve customer service with better automation and tracking...9 Create queue and route

More information

Nintex Workflow. for Office 365. Edition Comparison Table WORKFLOW DESIGN USER INTERACTION LOGIC & FLOW OPERATIONS SITES, LIBRARIES AND LISTS

Nintex Workflow. for Office 365. Edition Comparison Table WORKFLOW DESIGN USER INTERACTION LOGIC & FLOW OPERATIONS SITES, LIBRARIES AND LISTS Nintex Workflow WORKFLOW DESIGN Drag and Drop Designer Cross Browser Support Action Labels / Labeling Actions USER INTERACTION Custom Task Form Create Task Email Notifications and Reminders LazyApproval

More information