Get started
Introduction
Add a Class to a Business Object
Step 1: Open System Settings
Navigate to the application's App Selector in the top right section. Select Control Panel to manage different settings within your CRM system.
Step 2: Navigate to Business Objects
Within the Control Panel app, go to Menu > Business Objects. A view will appear you are now in the multi-result mode where you can manage your Business Objects.
Step 3: Select a Business Object
Double-click on a business object from the list to open it or click on the read symbol in the top section to select it.
Step 4: Add a New Class
After opening a Business Object, navigate to the Class tab in the lower section and click on the + button to create a new class.
Step 5: Configure the Class
In the single result view that opens, provide a Namespace for the class. It is recommended to use the name of the Business Object as the starting point for the Namespace. This class will automatically generate events that are detailed in the 'Events' section.
Step 6: Save the Class
Once you've configured the class details and added any necessary information, click on the Save button to commit your changes to the system.
Syntax
Assignment Operators
Symbol | Description |
---|---|
= | Assign Value |
== | Equal |
!= | Not Equal |
> | Greater Than |
< | Smaller Than |
>= | Greater Than or Equal |
<= | Less Than or Equal |
Logical Operators
Symbol/Word | Description |
---|---|
&& | Logical And |
|| | Logical Or |
! | Not |
/ | Division |
% | Modulus |
** | Exponentiation |
Bool Isnull(Value); | Checks if Value is Null |
Bool Isnullorempty(string value); | Checks if Value is Null |
Bool Isnull(Value); | Checks if Value is Null |
Comment
Printing to Console
Operators
Loops
For Loop
Detailed Usage of For Loop
Understand Basic Use of For Loop
The For Loop function allows you to run a block of codes for a specific number of times. Here's the syntax:
for (initialization; condition; increment/decrement) {
//code to be executed
}
An example for running a code 10 times would be:
for (int i = 0; i < 10; i++) {
// Code to be executed
}
Manipulating For Loop Variables
You can manipulate the variables in a for loop for various results.
This could modify the number of times the code runs. Here's how to do that:
for (int i = 0; i < number; i++) {
// Code to be executed
}
Nested For Loops
You can nest For Loops, meaning placing one loop inside another.
You can do this for multidimensional operations, like this:
for (int i = 0; i < 5; i++) {
for (int j = 0; j < 5; j++) {
// Code to be executed
}
}
Understanding the Flow of For Loops
To understand the way a For Loop works, you could insert print statements in your code. This would allow you to trace the number of times the code runs, as well as the value of the loop variable at each run.
Foreach Loop
Detailed Usage of Foreach Loop
Understand Basic Use of Foreach Loop
The Foreach Loop allows you to iterate through items in an array. Here's the syntax:
foreach (var item in array) {
// Code to be executed
}
An example of iterating through an array of integers to display each item would be as follows:
int[] nums = {1, 2, 3, 4, 5};
foreach (var num in nums) {
Console.WriteLine(num);
}
Use Foreach Loop to Iterate over a List
You can also use the Foreach Loop to iterate over items in a List.
Here's how to do that:
List numbers = new List{ 1, 2, 3, 4, 5};
foreach (var number in numbers) {
Console.WriteLine(number);
}
Use Foreach Loop with Strings
You can specify a string collection to iterate through each string.
You can do this as shown below:
string[] names = { "John", "James", "Jane"};
foreach (var name in names) {
Console.WriteLine(name);
}
View Foreach Loop Results
To see the result of the Foreach Loop in action, simply run your program and observe the console output. Each item in the array or list will be displayed line by line in the console window.
While Loop
Detailed Usage of While Loop
Understand Basic Use of While Loop
The while loop is a control flow statement that allows code to be executed repeatedly based on a given Boolean condition. The while loop can be thought of as a repeating if statement. Here's the syntax:
while (condition = true) {
// Code to be executed
}
An example would be to continue looping as long as the condition remains true.
Use While Loop until a condition is met
You can use the while loop to execute a section of code until a specific condition is met.
This loop will continue until the condition becomes false. Here's how to do that:
while (condition != false) {
// Code to be executed
}
Control the loop with precision
You can precisely control how many times the loop can run by manipulating the condition.
You can do this by regularly updating the value. For instance:
int i = 0;
while (i<=10) {
// Code to be executed
i++;
}
Be cautious with infinite loops
If not used correctly, while loops can lead to infinite loops. To avoid this, always ensure that the condition specified will be met. For example, do not write a loop where the initialization never reaches the condition where the loop would finally cease.
For securizty matters to protect all off our customers while loops are currently limmited to 10K Itterations.
Do While Loop
Detailed Usage of Do While Loop
Understand Basic Use of Do While Loop
The Do While Loop continues to execute a certain block of code while the condition is true. Here's the syntax:
do {
// Code to be executed
} while (condition = true);
Note: The block of code within the loop, denoted by { and }, is what will continue to execute as long as the condition is true.
Breaking Out of a Do While Loop
If you want to stop the loop before the condition becomes false, you can use a 'break' statement:
do {
// Code to be executed
if (certainCondition) {
break;
}
} while (condition = true);
Skipping Iterations with Continue
You can skip an iteration in the loop and move directly to the next one using a 'continue' statement:
do {
// Code to be executed
if (certainCondition) {
continue;
}
// More code to be executed
} while (condition = true);
Debugging Do While Loops
To debug do while loops, you may want to trace the values of variables or the progress of the loop. Using the console.log function within the loop can help you track its execution:
do {
console.log('Loop executes');
// Code to be executed
} while (condition = true);
Open the console in your browser's developer tools to see the console.log messages.
Conditions
If Statement
Understanding 'if' Statements MS Class Programming
Basic Use of 'if' Statement
The 'if' statement is a crucial part of MS Class programming, allowing code to make decisions based on specific conditions. Here's the syntax:
int variable = value;
if (variable [condition]) {
// Code to execute if condition is true
}
For instance, consider the given example where we're checking an age condition:
int age = 18;
if (age >= 18) {
Console.Log("You are an adult.");
}
Using 'if' Statement for Age Verification
'if' statement can be used for age verification to determine adult or minor status.
Here's how we can do that:
int age = 18;
if (age >= 18) {
Console.Log("You are an adult.");
} else {
Console.Log("You are not an adult.");
}
View Console.Log() Messages
To see the result of the Console.Log() function, press F12 and navigate to the output section of the debug console. Make a left click inside the output window on the right and select "show received Messages". This will enable you to receive your Console.Log messages in this section for the duration of this session.
If-Else Statemen
Understanding the If-Else Statement
Basics of If-Else Statements
Within programming, the If-Else statement is used for conditional operations. This means that different blocks of code are executed depending on whether a certain condition is met.
if(condition) {
// Code to be executed if condition is true
} else {
// Code to be executed if condition is false
}
The above piece of code sets the general structure of an If-Else statement.
Example of an If-Else Statement
Below is a simple example that demonstrates the use of an If-Else statement for age verification.
In this code snippet, if the age is 18 or greater, a message "You are an adult." will be displayed, otherwise "You are a minor." will be displayed on the console log.
int age = 16;
if (age >= 18) {
Console.Log("You are an adult.");
} else {
Console.Log("You are a minor.");
}
Verify the Results of the If-Else Statement
To verify the result of the If-Else statement, you need to check the console log after executing the program.
This can be done by pressing F12 and navigating to the output section of the Debug Console. Make a left click inside the output window on the right and select "Show Received Messages". Doing this will allow you to see the output of your Console.Log() function, thus letting you verify the execution of the If-Else statement.
If Else if Else Statement
Detailed Usage of if-else if-else Statement
Understand Basic Use of if-else if-else Statement
The if-else if-else statement lets you conditionally execute blocks of code. Here's the syntax:
if (condition1) {
// Code to be executed if condition1 is true
} else if (condition2) {
// Code to be executed if condition1 is false and condition2 is true
} else {
// Code to be executed if both condition1 and condition2 are false
}
An example without any else if clause would be: if (condition) { code; } else { code; }
Use if-else if-else Statement for Multiple Conditions
You can use the statement to check multiple conditions progressively.
The first true condition gets its corresponding code executed. If all conditions are false, the else block is executed. Here's how to do that:
int score = 85;
if (score >= 90) {
Console.Log("A");
} else if (score >= 80) {
Console.Log("B");
} else {
Console.Log("C");
}
Adjust the if-else if-else Statement as Necessary
You can add or remove as many else if conditions as required according to the complexity of your code.
The last else block is optional and is used when you want to execute a piece of code when none of the conditions are true.
View the Output of the if-else if-else Statement
To see the result of the if-else if-else statement, check the output of the Console.Log() function in your debug console, the output window or wherever your environment displays console messages.
Switch Statement
Switch Statement Usage in Code
Introduction to Switch Statement
The switch statement allows you to choose between a series of options. In the following example, a switch statement is used to output the day of the week based on an integer input.
int day = 3;
switch (day) {
case 1:
Console.Log("Monday");
break;
case 2:
Console.Log("Tuesday");
break;
default:
Console.Log("Unknown day");
}
Understanding the Break Statement in Switch
The break statement in switch case ensures that the program breaks out of switch statement after a case statement is executed.
case 1:
Console.Log("Monday");
break;
The Default Case in Switch Statement
The default case in a switch statement is used to perform a task when none of the cases is determined to be true.
default:
Console.Log("Unknown day");
Running the Switch Statement Code
To see the result of the switch statement, run the program in a console or in an Integrated Development Environment (IDE). The output of the switch statement will be written to the console window.
Data Types
Variables
Basics of Coding Variables
Designated String Syntax
A string can be initialized as follows:
string mystring = "value";
Creating Variables
You can create variables like so:
var myvar = "value";
Integer Initialization
You can initialize integers thus:
int Myint = 10;
Booleans Setting
Boolean values can be initialized as follows:
bool mybool = true;
Array Definition
Defining an array can be achieved as follows:
Array arrayName = {1,2,3};
Object Initialization
An initial structure of an object is:
Understanding of Decimal/Float/Double
Usage of Decimal/Float/Double ...
DateTime Initialization
A DateTime can be initialized as:
DateTime dt = new DateTime();
Resource Types
Resources can be either View or Data. Here are examples of each:
String functions
String Length
String Length Implementation
Understanding String Length Method
Length is a property of the string object. It returns the count of characters in a string. Here's the syntax:
stringVariable.Length();
A simple example without any additional operations would be:
string text = "Hello, World!";
int length = text.Length();
Debugging the Length of a String
You can use the Console.Log() function to output the length of a string for debugging and verification purposes:
Console.Log(length);
Return The Length Of a String
After getting the length of a string, you can return this value from your function or use it for other purposes in your code:
Return length;
Viewing the Output in the Console
When the script runs, the length of your string will be outputted in the console.
Word Count
Detailed Usage of Word Counting Function
How to Analyze a Sentence and Count Words
Analyzing and counting the number of words in a sentence is a simple task with the given function. Here's the syntax:
string sentence = "Your Sentence Here";
string[] words = sentence.Split(" ");
int wordCount = words.Count(); // Gets the word count
return wordCount;
An example with a sample sentence would be:
string sentence = "This is a sample sentence.";
string[] words = sentence.Split(" ");
int wordCount = words.Count(); // Gets the word count
return wordCount;
Brief Explanation of Each Line
The variable sentence holds the original string of text. The string words array holds each individual word of the sentence, created by splitting the original sentence at each instance of a space. The variable wordCount calculates the total number of words in the sentence by taking the length of the words array. Finally, the number of words is returned.
Viewing the Result
To view the result of this function, you will need to print the returned result to the console or utilize it in your code. This function is a way to programmatically count words in a sentence, useful for textual analysis and other similar tasks.
String Position
Understanding Basic Usage of StringPosition
Introduction to StringPosition
The StringPosition method allows you to find the index of a specified substring in a main string. This demonstrates its basic usage:
string text = "Hello, World!";
int position = text.IndexOf("World"); // Gets the position of "World"
return position;
The string "World" is located at the returned index in the main string.
Using StringPosition with Different Search Criteria
You can use the StringPosition method not only for whole word but also for a single character.
This example demonstrates how to find the position of a single character:
string text = "Hello, World!";
int position = text.IndexOf('W'); // Gets the position of 'W'
return position;
Case Sensitivity in StringPosition
The StringPosition or IndexOf is by default case-sensitive. To make your search case-insensitive, convert both your main string and search string to the same case, either lower or upper.
This example demonstrates this:
string text = "Hello, World!".toLowerCase();
int position = text.indexOf("world".toLowerCase()); // Gets position of "World" (case-insensitive)
return position;
Dealing with Non-existent String
The StringPosition method returns -1 if your search string doesn't exist in the main string. Therefore, you can use this to check if a string contains a particular set of characters or not.
string text = "Hello, World!";
int position = text.IndexOf("Universe"); // Returns -1 as "Universe" is not in the text.
return position;
String Replace
Detailed Usage of String.Replace()
Understand Basic Use of String.Replace()
The String.Replace() function allows you to replace certain substrings in your original string. Here's the syntax:
string.Replace(oldSubString, newSubString);
An example of a basic use would be replacing "World" with "Universe" in the string "Hello, World!". like this:
string text = "Hello, World!";
string replacedText = text.Replace("World", "Universe");
Tracking Changes Made by String.Replace()
The replaced text will be in the variable where the result is stored. For instance, using the example above, the variable replacedText now holds the string "Hello, Universe!".
Note about String.Replace()
The original string remains unaltered as the String.Replace() function creates a new string with the replaced substrings.
Viewing Changes Made by String.Replace()
To see the result of the String.Replace() function, you Log the variable that stored the result. Using our example, you'd log the replacedText to see the message: "Hello, Universe!".
String Trim
Number Functions
Date and Time Fucntions
Math
Cast
String to Int
Integer to String Conversion in MS-Class
Understand Basic Use of ToString() Method
The ToString() method in MS Class allows you to convert different types like int to string. Here's the syntax:
int number = any_integer_value;
string numStr = number.ToString();
An example without any options would be:
int number = 20;
string numStr = number.ToString();
Int to String
Integer to String Conversion in MS-Class
Understand Basic Use of ToString() Method
The ToString() method in MS Class allows you to convert different types like int to string. Here's the syntax:
int number = any_integer_value;
string numStr = number.ToString();
An example without any options would be:
int number = 42;
string numStr = number.ToString();
Arrays
Declaration
How to Declare Arrays in Programming
Array Declaration
Array is a data structure that stores a collection of elements. Here's the syntax for array declaration:
string[] arrayName;
An example of declaring an array of strings named 'cars' would be: string[] cars;
Array Initialization
After declaring an array, you can initialize it with a list of values.
This is how you can do it:
string[] cars = { "Volvo", "BMW", "Ford", "Mazda" };
Array of Integers
You can also create an array of other types, like integers.
You can do this in the following way:
int[] myNum = { 10, 20, 30, 40 };
Work with Arrays
To use the values stored in the array, you can access them by their index. The index starts at 0, so the first element will be at index 0, the second at index 1, and so on.
Accessing Elements
Accessing Elements Inside an Array
Understand Basic of accessing elements enside an array
Here's the syntax:
string[] ArrayName = { "Element1", "Element2", ... };
Console.Log(ArrayName[Index]); // Outputs "Element at given Index"
An example would be:
You can output a specific element of an array using the index of the array. The index of the first element is 0, second element is 1, and so on.
string[] cars = { "Volvo", "BMW", "Ford", "Mazda" };
Console.Log(cars[0]); // Outputs "Volvo"
Console.Log(cars[3]); // Outputs "Mazda"
Output Array Elements using a Loop
You can output all elements of an array by running a loop through the array.
for(int i = 0; i < cars.Length(); i++) {
Console.Log(cars[i]);
}
Or with a foreach loop
You can output all elements of an array by running a loop through the array.
foreach (string car in cars) {
Console.Log(car);
}
View Console.Log() Messages
To see the result of the Console.Log() function, press F12 and navigate to the output section of the debug console. Make a left click inside the output window on the right and select "show received Messages". This will enable you to receive your Console.Log messages in this section for the duration of this session.
Sorting Array
Detailed Usage of Array.Sort
Understand Basic Use of Array.Sort()
The Array.Sort() function sorts the elements of an array in ascending order. Here's the syntax:
Array.Sort(arrayName);
An example would be: Array.Sort(cars);
Use Array.Sort with a String array
You can use the function with a string array to sort the strings alphabetically.
Here's how to do that:
string[] cars = { "Volvo", "BMW", "Ford", "Mazda" };
Array.Sort(cars);
Verify the Sorted Array
After sorting, the array stores the elements in ascending (alphabetical) order.
You can print the array elements to verify the sorted list, like this:
foreach (string i in cars)
{
Console.WriteLine(i);
}
View Array.Sort() Results
To see the result of the Array.Sort() function, compile and run the code. The console will display the sorted array elements in the output.
Multidimensional Arrays
Multidimensional Arrays in Detail
Understanding Basic Use of Multidimensional Arrays
A Multidimensional array can be defined as an array holding arrays. This means that you can carry multiple data in an organized manner. Here's the syntax:
int[,] numbers = { { 1, 4, 2 }, { 3, 6, 8 } };
An example of a two-dimensional array would look like this: int[,] numbers = { { 1, 4, 2 }, { 3, 6, 8 } };
Accessing Elements in Multidimensional Arrays
You can access an element in a multidimensional array by using its row and column index. Let's see how to do this:
If you want to access an element at row 0, and column 2:
int value = numbers[0, 2];
Modifying Elements in Multidimensional Arrays
You can also change the value of a specific element in the array. Let's see how to do that:
If you want to change the value at row 0 and column 0 to 5:
numbers[0, 0] = 5;
Manipulating Multidimensional Arrays
Knowing how to correctly access and modify elements in multidimensional arrays is a fundamental skill in coding. Remember to always be cautious when working with indices as they can easily lead to errors if not properly managed.
Get Value
Detailed Usage of getValue Function
Understand Basic Use of getValue(Array[])
The getValue(Array[]) function allows you to retrieve a value from declared array. Here's the syntax:
getValue(Array[]);
An example to utilize the function: getValue(Array[]);
Use getValue with a String Array
You can use the function with a string array to get a value.
This would return a value from the string array. Here's how to do that:
string[] cars = { "Volvo", "BMW", "Ford", "Mazda" };
string result = getValue(cars);
Understand the Returned Value
The getValue function returns a string from your declared array. This string is a value that exists in the array.
View getValue Function Output
To see the result of the getValue function, you can output it to the console or utilize it as you wish in your code.
Object
Regex
JSON
JSON Decode
JSON Decode Explanation
Basic Understanding of Json_Decode functionality
To retrieve information from a JSON string, you can make use of the function Json_Decode(). Here's an example of how you can achieve this:
string jsonStr = "{\"name\":\"John\",\"age\":30,\"city\":\"New York\"}";
var data = Json_Decode(jsonStr);
Debug.Log(data.name);
This allows you to extract "John" from the JSON string by accessing data.name.
JSON Decode for Complex Data Structures
Json_Decode can be used to decode more complex JSON repositories. To access different parameters you will have to specify the respective attribute:
string complexJsonStr = "{\"name\":{\"first\":\"John\",\"middle\":\"K\",\"last\":\"Doe\"},\"city\":\"New York\"}";
var complexData = Json_Decode(complexJsonStr);
Debug.Log(complexData.name.first); // Access first name from JSON data
In this situation, to reach "John", you would need to access complexData.name.first.
Debugging Console After JSON Decode
The decoded JSON data can be used in the Debug.Log() function to print information into your debugging console.
Debug.Log(data.name); // Prints "John"
This line will print "John" to your debug console.
Accessing JSON Data
To access the decoded JSON data, you simply need to call the desired attribute on the data object retrieved from Json_Decode function. This prints the respective attribute value in the console.
JSON Encode
Detailed Usage of JSON.Decode
Understand Basic Use of JSON.Decode
To retrieve information from a JSON string, you can make use of the function Json.Decode(). Here's an example of how you can achieve this:
string jsonStr = "{\"name\":\"John\",\"age\":30,\"city\":\"New York\"}";
var data = Json.Decode(jsonStr);
Debug.Log(data.name);
This allows you to extract "John" from the JSON string by accessing data.name.
Decode More Complex JSON Structures
Json.Decode can be used to decode more complex JSON repositories. To access different parameters you will have to specify the respective attribute:
string complexJsonStr = "{\"name\":{\"first\":\"John\",\"middle\":\"K\",\"last\":\"Doe\"},\"city\":\"New York\"}";
var complexData = Json.Decode(complexJsonStr);
Debug.Log(complexData.name.first); // Access first name from JSON data
In this situation, to reach "John", you would need to access complexData.name.first.
Printing JSON Data to Console
The decoded JSON data can be Debug.Log()'d to the console for inspection.
Debug.Log(data.name); // Prints "John"
This line will print "John" to your debug console.
Ways to Access Decoded JSON Data
To access the decoded JSON data, you simply need to call the desired attribute on the data object retrieved from Json.Decode function. This prints the respective attribute value in the console.
SendEmail
Creating API Data
Understanding the Basic Use of SendEmail()
The SendEmail function allows you to send an email from your application. Here's the syntax:
SendEmail(EmailFrom string, String Sender Name?, EmailTo string, Subject string, Body string, Attachements?, smtp string);
An example would be: SendEmail("from@example.com", "Sender Name?", "to@example.com", "Subject", "Message body", Attachements?, "smtp");
Adding Data to a Business Object
You can use this function to add data into any Business Object the user of the class has permission to.
Set the Email Parameters
You can specify the parameters for the email to be sent. This includes EmailFrom, EmailTo, Subject, and Body parameters. The smtp parameter indicates the SMTP server to be used for sending the email.
SendEmail(EmailFrom string, "", EmailTo string, Subject string, Body string, null, smtp string);
View the Result
To see the result of the SendEmail function, check the recipient's inbox for the email. You can also check the server logs for any issues or errors during the email sending process.
API Data
Get API Data
Getting API Data
Requesting Data from API
Defaults should be available now
To request data from any Business Object that the user of the class has permission to.
var data = var dataModelView = GetApiData(BOName string, MasterrecordId int, Page int Default 1, Records per page Int (default 100),"", "", "" , "Fields", "", "");
Console.Log(data.items[0].FieldName);
Once you have received the data, you can log it using the console.log method for verification or debugging.
Understanding the API Request Call
The GetApiData() function uses several parameters to generate a request call.
These parameters include Business Object name (BOName), Master record ID (MasterrecordId), page number (Page), and the number of records to display per page.
var data = var dataModelView = GetApiData(BOName string, MasterrecordId int, Page int Default 1, Records per page Int (default 100),"", "", "" , "Fields", "", "");
Console Log Data
Log the data obtained from the API on the console with:
Console.Log(data.items[0].FieldName);
View Data on Console
To view the data obtained from the API, use the console log statement. Output can be checked in the browser development console using F12 and navigating to the console tab.
Detailed Usage of GetApiData Method
Understand Basic Syntax and Usage
The GetApiData method is designed to fetch data from the mastersales API for authorized Business Objects.
var dataModelView = GetApiData(
string BOName,
int MasterrecordId,
int Page = 1,
int RecordsPerPage = 100,
...
);
An example usage is shown below to illustrate how to call this method and retrieve data.
var data = GetApiData("SalesData", 123, 1, 100);
Console.Log(data.items[0].FieldName);
Understanding the Parameters
Each parameter of the GetApiData method plays a specific role in the data retrieval process:
- BOName: Name of the Business Object.
- MasterrecordId: The ID of the master record to be queried.
- Page: Specifies the page number for pagination. Default is 1.
- RecordsPerPage: Number of records per page. Default is 100.
Additional parameters can be used for further filtering and specific queries as required by the API.
Update API Data
API Data Update
Function Usage
The specific function to update the API data is:
UpdateApiData(String bussiness Object Name, dataModel);
An example of a function call could be:
UpdateApiData("CompanyData", dataModel);
Data Model Configuration
The dataModel object has various properties to be configured:
MasterRecordID, MultiLingualPermalink, MultiLingualContent, Dimension
Dictionary dataModel;
dataModel.MasterRecordID = MasterRecordID;
dataModel.SomeFieldName = "Some Data";
UpdateApiData("CompanyData", dataModel);
The above code snippet illustrates how to configure the dataModel object.
Delete API Data
NACreate API Data
Create API Data
Understanding Data insertion into Business Object
To add data into any Business Object the user of the class has permission to, follow the steps below:
Dictionary dataModel;
dataModel.SomeFieldName = "Some Data";
int BoId = InsertApiData("BoName",dataModel);
Console.Log(BoId);
This is how you create a data insertion into Mastersales.
Understanding Data Model
A datatype Dictionary<string, object> named dataModel is declared.
A field in the dataModel is assigned some data.
Dictionary<string, object> dataModel;
dataModel.SomeFieldName = "Some Data";
API Data Insertion
The API function InsertApiData is used to insert dataModel into a salient Business Object (BO). "BoName" is a placeholder for the actual Business Object to be accessed. The function returns an integer ID (BoId) which is logged into the console.
int BoId = InsertApiData("BoName",dataModel);
Console.Log(BoId);
Authentication as Service user
Http Request
Function
Using Code in MasterSales Class
Define Response Object
Use the following syntax:
var Response = Http(URL String, Method String, Body String, Header Object, BoAuthName String, out int StCode, out Dictionary ResponseHeader);
This line of code helps setup the HTTP request with the necessary parameters.
Set response Header
Define dictionary for response header:
Dictionary<string,object> responceHeader;
Also define an integer for the status code:
int stcode;
This is used to capture the header response and status code returned by the HTTP request.
Execute HTTP Request
Proceed to make the HTTP Request:
var body=Http("https://www.google.com","GET","",null,"",out stcode,out responceHeader);
Note that the URL, method and other parameters need to be correctly set.
Get HTTP Response
To obtain and return the response header use:
return responceHeader;
This section is responsible for returning the response header received from the HTTP request.
Using external Auth Object
Creating an Auth Object
Accessing System Settings
To start, navigate to the app System settings.
Select ExternalBoAuth
From the menu, select the ExternalBoAuth option.
Add or Modify Auth Object
Select 'add' to create a new Auth object or modify an existing one by selecting it from the list. You can do this in singlemode. Here, you can add and modify the required settings. We support:
Basic Auth
You can select between Basic Auth, API Key, Bearer Token, and two-step authentication by specifying the request Auth type. Make sure to specify each parameter for your selected Auth types. For example, for Basic Auth and Bearer Token, you would need the Server Name, User Name, Password, Request Auth type, IssueDATE, and Expiers in. For APIKey, you would need the Server Name, Request Auth type, Access Token, and IssueDATE. For OAuth 1.0, provide the Server Name, Request Auth type, Access Token, IssueDATE, Expiers in, Token Node name, Expiers in node name and Refresh Token.
Point each node name to the resource where to find the respective token or expiry information. Authorize a basic auth to the API to retrieve a token and file the request, including the given token from the first request. Token node, Expires in, and refresh token must be set correctly. Note that the Issue Date and Expires in will be populated automatically in the first request.
Example Full Request
Detailed Usage of API Requests
Understanding Basic Use of API Request Creation
The given code represents a POST request to an API endpoint. The code starts by defining the endpoint URL and authorization method. Here's the syntax:
string url = "https://yourUrl";
string auth="ExternalBOAuthServerName";
This is followed by setting up the header and body dictionaries where the key-value pairs will be added.
Setting Request Header
When forming the POST request, the header fields are specified first. The header fields specify how the HTTP request and response are handled. You should add the necessary key-value pairs according to requirement.
Here's how to do that:
Dictionary header;
header.Add("Content-Type","application/json");
header.Add("Accept","application/json");
header.Add("Authorization","Your AuthKey");
Setting Request Body
The body of the POST request is set by using the body dictionary. The key-value pairs added here form the actual data that needs to be sent to the API endpoint. You can add as many key-value pairs as needed by the API specs.
You can do this like this:
Dictionary body;
body.Add("Key1","Value1");
body.Add("Key2","Value");
Sending the Request and Handling Response
To send the POST request and handle the response, the Http function is used with appropriate parameters. The JSON response from the API is decoded and the specific field from the response is extracted for further usage.
Here's how to do that:
string JsonBody=Json_Encode(body);
var JsonResult = Http(url, "POST", JsonBody, header, auth);
var JSONresponse = Json_Decode(JsonResult);
var response = JSONresponse.ResponseFieldName;