diff --git a/Assets/PlayFabEditorExtensions.meta b/Assets/PlayFabEditorExtensions.meta
index 7715d4ed82d5a350714bf5cf9b91417f9dff6c73..b0a06f562fae7dab2e87fdf80a5915d6363fddfd 100644
--- a/Assets/PlayFabEditorExtensions.meta
+++ b/Assets/PlayFabEditorExtensions.meta
@@ -1,8 +1,9 @@
 fileFormatVersion: 2
 guid: e6b6b62449f1f4ed1bdf033d7f2d2ccf
 folderAsset: yes
+timeCreated: 1470764459
+licenseType: Pro
 DefaultImporter:
-  externalObjects: {}
   userData: 
   assetBundleName: 
   assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor.meta b/Assets/PlayFabEditorExtensions/Editor.meta
index 2117055e042b567c88dc957ae423cd7eedb2bc8d..7e91acb98e56c9cea723a82e9c9fed7663f53580 100644
--- a/Assets/PlayFabEditorExtensions/Editor.meta
+++ b/Assets/PlayFabEditorExtensions/Editor.meta
@@ -1,8 +1,9 @@
 fileFormatVersion: 2
 guid: c897fef01cc7d7d4a84f9f114b5133c6
 folderAsset: yes
+timeCreated: 1466049927
+licenseType: Pro
 DefaultImporter:
-  externalObjects: {}
   userData: 
   assetBundleName: 
   assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs
new file mode 100644
index 0000000000000000000000000000000000000000..22525ebe50fbb8638749e7cce74f08c8edb35fda
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs
@@ -0,0 +1,433 @@
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using System.IO;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditor : UnityEditor.EditorWindow
+    {
+#if !UNITY_5_3_OR_NEWER
+        public GUIContent titleContent;
+#endif
+
+        #region EdEx Variables
+        // vars for the plugin-wide event system
+        public enum EdExStates { OnLogin, OnLogout, OnMenuItemClicked, OnSubmenuItemClicked, OnHttpReq, OnHttpRes, OnError, OnSuccess, OnWarning }
+
+        public delegate void PlayFabEdExStateHandler(EdExStates state, string status, string misc);
+        public static event PlayFabEdExStateHandler EdExStateUpdate;
+
+        public static Dictionary<string, float> blockingRequests = new Dictionary<string, float>(); // key and blockingRequest start time
+        private static float blockingRequestTimeOut = 10f; // abandon the block after this many seconds.
+
+        public static string latestEdExVersion = string.Empty;
+
+        internal static PlayFabEditor window;
+        #endregion
+
+        #region unity lopps & methods
+        void OnEnable()
+        {
+            if (window == null)
+            {
+                window = this;
+                window.minSize = new Vector2(320, 0);
+            }
+
+            if (!IsEventHandlerRegistered(StateUpdateHandler))
+            {
+                EdExStateUpdate += StateUpdateHandler;
+            }
+
+            PlayFabEditorDataService.RefreshStudiosList(true);
+            GetLatestEdExVersion();
+        }
+
+        void OnDisable()
+        {
+            // clean up objects:
+            PlayFabEditorPrefsSO.Instance.PanelIsShown = false;
+
+            if (IsEventHandlerRegistered(StateUpdateHandler))
+            {
+                EdExStateUpdate -= StateUpdateHandler;
+            }
+        }
+
+        void OnFocus()
+        {
+            OnEnable();
+        }
+
+        [MenuItem("Window/PlayFab/Editor Extensions")]
+        static void PlayFabServices()
+        {
+            var editorAsm = typeof(UnityEditor.Editor).Assembly;
+            var inspWndType = editorAsm.GetType("UnityEditor.SceneHierarchyWindow");
+
+            if (inspWndType == null)
+            {
+                inspWndType = editorAsm.GetType("UnityEditor.InspectorWindow");
+            }
+
+            window = GetWindow<PlayFabEditor>(inspWndType);
+            window.titleContent = new GUIContent("PlayFab EdEx");
+            PlayFabEditorPrefsSO.Instance.PanelIsShown = true;
+        }
+
+        [InitializeOnLoad]
+        public static class Startup
+        {
+            static Startup()
+            {
+                if (PlayFabEditorPrefsSO.Instance.PanelIsShown || !PlayFabEditorSDKTools.IsInstalled)
+                {
+                    EditorCoroutine.Start(OpenPlayServices());
+                }
+            }
+        }
+
+        static IEnumerator OpenPlayServices()
+        {
+            yield return new WaitForSeconds(1f);
+            if (!Application.isPlaying)
+            {
+                PlayFabServices();
+            }
+        }
+
+        private void OnGUI()
+        {
+            HideRepaintErrors(OnGuiInternal);
+        }
+
+        private void OnGuiInternal()
+        {
+            GUI.skin = PlayFabEditorHelper.uiStyle;
+
+            using (new UnityVertical())
+            {
+                //Run all updaters prior to drawing;
+                PlayFabEditorHeader.DrawHeader();
+
+                GUI.enabled = blockingRequests.Count == 0 && !EditorApplication.isCompiling;
+
+                if (PlayFabEditorAuthenticate.IsAuthenticated())
+                {
+                    PlayFabEditorMenu.DrawMenu();
+
+                    switch (PlayFabEditorMenu._menuState)
+                    {
+                        case PlayFabEditorMenu.MenuStates.Sdks:
+                            PlayFabEditorSDKTools.DrawSdkPanel();
+                            break;
+                        case PlayFabEditorMenu.MenuStates.Settings:
+                            PlayFabEditorSettings.DrawSettingsPanel();
+                            break;
+                        case PlayFabEditorMenu.MenuStates.Help:
+                            PlayFabEditorHelpMenu.DrawHelpPanel();
+                            break;
+                        case PlayFabEditorMenu.MenuStates.Data:
+                            PlayFabEditorDataMenu.DrawDataPanel();
+                            break;
+                        case PlayFabEditorMenu.MenuStates.Tools:
+                            PlayFabEditorToolsMenu.DrawToolsPanel();
+                            break;
+                        case PlayFabEditorMenu.MenuStates.Packages:
+                            PlayFabEditorPackages.DrawPackagesMenu();
+                            break;
+                        default:
+                            break;
+                    }
+                }
+                else
+                {
+                    PlayFabEditorAuthenticate.DrawAuthPanels();
+                }
+
+                using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"), GUILayout.ExpandHeight(true), GUILayout.ExpandWidth(true)))
+                {
+                    GUILayout.FlexibleSpace();
+                }
+
+                // help tag at the bottom of the help menu.
+                if (PlayFabEditorMenu._menuState == PlayFabEditorMenu.MenuStates.Help)
+                {
+                    DisplayHelpMenu();
+                }
+            }
+
+            PruneBlockingRequests();
+
+            Repaint();
+        }
+
+        private static void HideRepaintErrors(Action action)
+        {
+            try
+            {
+                action();
+            }
+            catch (Exception e)
+            {
+                if (!e.Message.ToLower().Contains("repaint"))
+                    throw;
+                // Hide any repaint issues when recompiling
+            }
+        }
+
+        private static void DisplayHelpMenu()
+        {
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+                    EditorGUILayout.LabelField("PlayFab Editor Extensions: " + PlayFabEditorHelper.EDEX_VERSION, PlayFabEditorHelper.uiStyle.GetStyle("versionText"));
+                    GUILayout.FlexibleSpace();
+                }
+
+                //TODO Add plugin upgrade option here (if available);
+                if (ShowEdExUpgrade())
+                {
+                    using (new UnityHorizontal())
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("UPGRADE EDEX", PlayFabEditorHelper.uiStyle.GetStyle("textButtonOr")))
+                        {
+                            UpgradeEdEx();
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+
+                using (new UnityHorizontal())
+                {
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("VIEW DOCUMENTATION", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                    {
+                        Application.OpenURL("https://github.com/PlayFab/UnityEditorExtensions");
+                    }
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal())
+                {
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("REPORT ISSUES", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                    {
+                        Application.OpenURL("https://github.com/PlayFab/UnityEditorExtensions/issues");
+                    }
+                    GUILayout.FlexibleSpace();
+                }
+
+                if (!string.IsNullOrEmpty(PlayFabEditorHelper.EDEX_ROOT))
+                {
+                    using (new UnityHorizontal())
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("UNINSTALL ", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                        {
+                            RemoveEdEx();
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+            }
+        }
+        #endregion
+
+        #region menu and helper methods
+        public static void RaiseStateUpdate(EdExStates state, string status = null, string json = null)
+        {
+            if (EdExStateUpdate != null)
+                EdExStateUpdate(state, status, json);
+        }
+
+        private static void PruneBlockingRequests()
+        {
+            List<string> itemsToRemove = new List<string>();
+            foreach (var req in blockingRequests)
+                if (req.Value + blockingRequestTimeOut < (float)EditorApplication.timeSinceStartup)
+                    itemsToRemove.Add(req.Key);
+
+            foreach (var item in itemsToRemove)
+            {
+                ClearBlockingRequest(item);
+                RaiseStateUpdate(EdExStates.OnWarning, string.Format(" Request {0} has timed out after {1} seconds.", item, blockingRequestTimeOut));
+            }
+        }
+
+        private static void AddBlockingRequest(string state)
+        {
+            blockingRequests[state] = (float)EditorApplication.timeSinceStartup;
+        }
+
+        private static void ClearBlockingRequest(string state = null)
+        {
+            if (state == null)
+            {
+                blockingRequests.Clear();
+            }
+            else if (blockingRequests.ContainsKey(state))
+            {
+                blockingRequests.Remove(state);
+            }
+        }
+
+        /// <summary>
+        /// Handles state updates within the editor extension.
+        /// </summary>
+        /// <param name="state">the state that triggered this event.</param>
+        /// <param name="status">a generic message about the status.</param>
+        /// <param name="json">a generic container for additional JSON encoded info.</param>
+        private void StateUpdateHandler(EdExStates state, string status, string json)
+        {
+            switch (state)
+            {
+                case EdExStates.OnMenuItemClicked:
+                    PlayFabEditorPrefsSO.Instance.curSubMenuIdx = 0;
+                    break;
+
+                case EdExStates.OnSubmenuItemClicked:
+                    int parsed;
+                    if (int.TryParse(json, out parsed))
+                        PlayFabEditorPrefsSO.Instance.curSubMenuIdx = parsed;
+                    break;
+
+                case EdExStates.OnHttpReq:
+                    object temp;
+                    if (string.IsNullOrEmpty(json) || Json.PlayFabSimpleJson.TryDeserializeObject(json, out temp))
+                        break;
+
+                    var deserialized = temp as Json.JsonObject;
+                    object useSpinner = false;
+                    object blockUi = false;
+
+                    if (deserialized.TryGetValue("useSpinner", out useSpinner) && bool.Parse(useSpinner.ToString()))
+                    {
+                        ProgressBar.UpdateState(ProgressBar.ProgressBarStates.spin);
+                    }
+
+                    if (deserialized.TryGetValue("blockUi", out blockUi) && bool.Parse(blockUi.ToString()))
+                    {
+                        AddBlockingRequest(status);
+                    }
+                    break;
+
+                case EdExStates.OnHttpRes:
+                    ProgressBar.UpdateState(ProgressBar.ProgressBarStates.off);
+                    ProgressBar.UpdateState(ProgressBar.ProgressBarStates.success);
+                    ClearBlockingRequest(status);
+                    break;
+
+                case EdExStates.OnError:
+                    // deserialize and add json details
+                    // clear blocking requests
+                    ProgressBar.UpdateState(ProgressBar.ProgressBarStates.error);
+                    ClearBlockingRequest();
+                    Debug.LogError(string.Format("PlayFab EditorExtensions: Caught an error:{0}", status));
+                    break;
+
+                case EdExStates.OnWarning:
+                    ProgressBar.UpdateState(ProgressBar.ProgressBarStates.warning);
+                    ClearBlockingRequest();
+                    Debug.LogWarning(string.Format("PlayFab EditorExtensions: {0}", status));
+                    break;
+
+                case EdExStates.OnSuccess:
+                    ClearBlockingRequest();
+                    ProgressBar.UpdateState(ProgressBar.ProgressBarStates.success);
+                    break;
+            }
+        }
+
+        public static bool IsEventHandlerRegistered(PlayFabEdExStateHandler prospectiveHandler)
+        {
+            if (EdExStateUpdate == null)
+                return false;
+
+            foreach (PlayFabEdExStateHandler existingHandler in EdExStateUpdate.GetInvocationList())
+                if (existingHandler == prospectiveHandler)
+                    return true;
+            return false;
+        }
+
+        private static void GetLatestEdExVersion()
+        {
+            var threshold = PlayFabEditorPrefsSO.Instance.EdSet_lastEdExVersionCheck != DateTime.MinValue ? PlayFabEditorPrefsSO.Instance.EdSet_lastEdExVersionCheck.AddHours(1) : DateTime.MinValue;
+
+            if (DateTime.Today > threshold)
+            {
+                PlayFabEditorHttp.MakeGitHubApiCall("https://api.github.com/repos/PlayFab/UnityEditorExtensions/git/refs/tags", (version) =>
+                {
+                    latestEdExVersion = version ?? "Unknown";
+                    PlayFabEditorPrefsSO.Instance.EdSet_latestEdExVersion = latestEdExVersion;
+                });
+            }
+            else
+            {
+                latestEdExVersion = PlayFabEditorPrefsSO.Instance.EdSet_latestEdExVersion;
+            }
+        }
+
+        private static bool ShowEdExUpgrade()
+        {
+            if (string.IsNullOrEmpty(latestEdExVersion) || latestEdExVersion == "Unknown")
+                return false;
+
+            if (string.IsNullOrEmpty(PlayFabEditorHelper.EDEX_VERSION) || PlayFabEditorHelper.EDEX_VERSION == "Unknown")
+                return true;
+
+            string[] currrent = PlayFabEditorHelper.EDEX_VERSION.Split('.');
+            if (currrent.Length != 3)
+                return true;
+
+            string[] latest = latestEdExVersion.Split('.');
+            return latest.Length != 3
+                || int.Parse(latest[0]) > int.Parse(currrent[0])
+                || int.Parse(latest[1]) > int.Parse(currrent[1])
+                || int.Parse(latest[2]) > int.Parse(currrent[2]);
+        }
+
+        private static void RemoveEdEx(bool prompt = true)
+        {
+            if (prompt && !EditorUtility.DisplayDialog("Confirm Editor Extensions Removal", "This action will remove PlayFab Editor Extensions from the current project.", "Confirm", "Cancel"))
+                return;
+
+            try
+            {
+                window.Close();
+                var edExRoot = new DirectoryInfo(PlayFabEditorHelper.EDEX_ROOT);
+                FileUtil.DeleteFileOrDirectory(edExRoot.Parent.FullName);
+                AssetDatabase.Refresh();
+            }
+            catch (Exception ex)
+            {
+                RaiseStateUpdate(EdExStates.OnError, ex.Message);
+            }
+        }
+
+        private static void UpgradeEdEx()
+        {
+            if (EditorUtility.DisplayDialog("Confirm EdEx Upgrade", "This action will remove the current PlayFab Editor Extensions and install the lastet version.", "Confirm", "Cancel"))
+            {
+                window.Close();
+                ImportLatestEdEx();
+            }
+        }
+
+        private static void ImportLatestEdEx()
+        {
+            PlayFabEditorHttp.MakeDownloadCall("https://api.playfab.com/sdks/download/unity-edex-upgrade", (fileName) =>
+            {
+                AssetDatabase.ImportPackage(fileName, false);
+                Debug.Log("PlayFab EdEx Upgrade: Complete");
+            });
+        }
+        #endregion
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs.meta b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..998b68ee58cf97a6dbee754d05d3842ff80528e2
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditor.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 1c7b3fb0903da7c48a812037b700de8b
+timeCreated: 1465552796
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef
new file mode 100644
index 0000000000000000000000000000000000000000..310319d9ecdf9ba77c50bf68cf53d09cc62be878
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef
@@ -0,0 +1,14 @@
+{
+    "name": "PlayFabEditorExtensions",
+    "references": [],
+    "includePlatforms": [
+        "Editor"
+    ],
+    "excludePlatforms": [],
+    "allowUnsafeCode": false,
+    "overrideReferences": false,
+    "precompiledReferences": [],
+    "autoReferenced": true,
+    "defineConstraints": [],
+    "versionDefines": []
+}
\ No newline at end of file
diff --git a/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef.meta b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef.meta
new file mode 100644
index 0000000000000000000000000000000000000000..836b2db456c7c3baa34b1dfbd28216ea0ce24f5a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/PlayFabEditorExtensions.asmdef.meta
@@ -0,0 +1,7 @@
+fileFormatVersion: 2
+guid: 8f342294dfb958a4694b67859092b749
+AssemblyDefinitionImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Resources/PlayFabUnitySdk.unitypackage.meta b/Assets/PlayFabEditorExtensions/Editor/Resources/PlayFabUnitySdk.unitypackage.meta
index af11abc7e1e7754053d939c9a16bc2e680c98c27..4356fa5789828bc01d3719e5fca78df1aa817f9d 100644
--- a/Assets/PlayFabEditorExtensions/Editor/Resources/PlayFabUnitySdk.unitypackage.meta
+++ b/Assets/PlayFabEditorExtensions/Editor/Resources/PlayFabUnitySdk.unitypackage.meta
@@ -1,5 +1,5 @@
 fileFormatVersion: 2
-guid: 38eed5a7af1a0b6489bc6f7b82e3536d
+guid: 0606dd0ceeb317040b982df7ba2ba573
 DefaultImporter:
   externalObjects: {}
   userData: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts.meta
index d813b069f6ec0dde5f4fe1dff36562adf63fde0f..9d68bd9dc7bb4f36ba4cfb272a8a43130e5427e7 100644
--- a/Assets/PlayFabEditorExtensions/Editor/Scripts.meta
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts.meta
@@ -1,3 +1,9 @@
-fileFormatVersion: 2
-guid: b90830a6456443f88c042bc7ca92eea3
-timeCreated: 1628803751
\ No newline at end of file
+fileFormatVersion: 2
+guid: 8d80bca4081cfd248bd0e0fa9421ea4d
+folderAsset: yes
+timeCreated: 1465794443
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components.meta
new file mode 100644
index 0000000000000000000000000000000000000000..2557f2abcdeeca1c0a2d2b94891677b412f6e054
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 51d28a86064544e8e8b3560b7b28b3d7
+folderAsset: yes
+timeCreated: 1471296960
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs
new file mode 100644
index 0000000000000000000000000000000000000000..6be9340eb2c81c085d65658a8631f6bc72181d32
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs
@@ -0,0 +1,155 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class ProgressBar
+    {
+        public enum ProgressBarStates { off = 0, on = 1, spin = 2, error = 3, warning = 4, success = 5 }
+        public static ProgressBarStates currentProgressBarState = ProgressBarStates.off;
+
+        public static float progress = 0;
+        private static GUIStyle pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarFg");
+        private static GUIStyle pbarBgStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarBg");
+
+        private static float progressWidth = 0;
+        private static float animationSpeed = 1f;
+        private static float tickRate = .15f;
+        private static float stTime;
+        private static float endTime;
+        private static float lastUpdateTime;
+        private static bool isReveresed;
+
+        public static void UpdateState(ProgressBarStates state)
+        {
+            if (currentProgressBarState == ProgressBarStates.off && state != ProgressBarStates.off)
+            {
+                stTime = (float)EditorApplication.timeSinceStartup;
+                endTime = stTime + animationSpeed;
+            }
+
+            currentProgressBarState = state;
+        }
+
+        //not a good way to do this right now.
+        public static void UpdateProgress(float p)
+        {
+            progress = p;
+        }
+
+        public static void Draw()
+        {
+            pbarBgStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarBg");
+            if (currentProgressBarState == ProgressBarStates.off)
+            {
+                stTime = 0;
+                endTime = 0;
+                progressWidth = 0;
+                lastUpdateTime = 0;
+                isReveresed = false;
+
+                progressWidth = EditorGUIUtility.currentViewWidth;
+                pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarClear");
+                pbarBgStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarClear");
+                //return;
+            }
+            else if (EditorWindow.focusedWindow != PlayFabEditor.window)
+            {
+                // pause draw while we are in the bg
+                return;
+            }
+            else if (currentProgressBarState == ProgressBarStates.success)
+            {
+                if ((float)EditorApplication.timeSinceStartup - stTime < animationSpeed)
+                {
+                    progressWidth = EditorGUIUtility.currentViewWidth;
+                    pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarSuccess");
+                }
+                else if (PlayFabEditor.blockingRequests.Count > 0)
+                {
+                    UpdateState(ProgressBarStates.spin);
+                }
+                else
+                {
+                    UpdateState(ProgressBarStates.off);
+                }
+            }
+            else if (currentProgressBarState == ProgressBarStates.warning)
+            {
+                if ((float)EditorApplication.timeSinceStartup - stTime < animationSpeed)
+                {
+                    progressWidth = EditorGUIUtility.currentViewWidth;
+                    pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarWarn");
+                }
+                else if (PlayFabEditor.blockingRequests.Count > 0)
+                {
+                    UpdateState(ProgressBarStates.spin);
+                }
+                else
+                {
+                    UpdateState(ProgressBarStates.off);
+                }
+            }
+            else if (currentProgressBarState == ProgressBarStates.error)
+            {
+                if ((float)EditorApplication.timeSinceStartup - stTime < animationSpeed)
+                {
+                    progressWidth = EditorGUIUtility.currentViewWidth;
+                    pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarError");
+                }
+                else if (PlayFabEditor.blockingRequests.Count > 0)
+                {
+                    UpdateState(ProgressBarStates.spin);
+                }
+                else
+                {
+                    UpdateState(ProgressBarStates.off);
+                }
+            }
+            else
+            {
+
+                if ((float)EditorApplication.timeSinceStartup - lastUpdateTime > tickRate)
+                {
+                    lastUpdateTime = (float)EditorApplication.timeSinceStartup;
+                    pbarStyle = PlayFabEditorHelper.uiStyle.GetStyle("progressBarFg");
+
+                    if (currentProgressBarState == ProgressBarStates.on)
+                    {
+                        progressWidth = EditorGUIUtility.currentViewWidth * progress;
+                    }
+                    else if (currentProgressBarState == ProgressBarStates.spin)
+                    {
+                        var currentTime = (float)EditorApplication.timeSinceStartup;
+                        if (currentTime < endTime && !isReveresed)
+                        {
+                            UpdateProgress((currentTime - stTime) / animationSpeed);
+                            progressWidth = EditorGUIUtility.currentViewWidth * progress;
+                        }
+                        else if (currentTime < endTime && isReveresed)
+                        {
+                            UpdateProgress((currentTime - stTime) / animationSpeed);
+                            progressWidth = EditorGUIUtility.currentViewWidth - EditorGUIUtility.currentViewWidth * progress;
+                        }
+                        else
+                        {
+                            isReveresed = !isReveresed;
+                            stTime = (float)EditorApplication.timeSinceStartup;
+                            endTime = stTime + animationSpeed;
+                        }
+                    }
+                }
+
+            }
+
+            using (new UnityHorizontal(pbarBgStyle))
+            {
+                if (isReveresed)
+                {
+                    GUILayout.FlexibleSpace();
+                }
+                EditorGUILayout.LabelField("", pbarStyle, GUILayout.Width(progressWidth));
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b0bbc892cee3560946a46b9596d49a48697b20bd
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/ProgressBar.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 73c59009a8870444f8f5658099fc86f8
+timeCreated: 1471388208
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs
new file mode 100644
index 0000000000000000000000000000000000000000..914308b494847fadf535dade09fed28dce8afb41
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs
@@ -0,0 +1,102 @@
+using System.Collections.Generic;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    //[InitializeOnLoad]
+    public class SubMenuComponent : UnityEditor.Editor
+    {
+
+        Dictionary<string, MenuItemContainer> items = new Dictionary<string, MenuItemContainer>();
+        GUIStyle selectedStyle;
+        GUIStyle defaultStyle;
+        GUIStyle bgStyle;
+
+        public void DrawMenu()
+        {
+            selectedStyle = selectedStyle ?? PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            defaultStyle = defaultStyle ?? PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            bgStyle = bgStyle ?? PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1");
+
+            using (new UnityHorizontal(bgStyle, GUILayout.ExpandWidth(true)))
+            {
+                foreach (var item in items)
+                {
+                    var styleToUse = item.Value.isSelected ? selectedStyle : defaultStyle;
+                    var content = new GUIContent(item.Value.displayName);
+                    var size = styleToUse.CalcSize(content);
+
+                    if (GUILayout.Button(item.Value.displayName, styleToUse, GUILayout.Width(size.x + 1)))
+                    {
+                        OnMenuItemClicked(item.Key);
+                    }
+                }
+            }
+        }
+
+        public void RegisterMenuItem(string n, System.Action m)
+        {
+            if (!items.ContainsKey(n))
+            {
+                var selectState = false;
+                var activeSubmenu = PlayFabEditorPrefsSO.Instance.curSubMenuIdx;
+                if (items.Count == 0 && activeSubmenu == 0 || activeSubmenu == items.Count)
+                    selectState = true;
+
+                items.Add(n, new MenuItemContainer() { displayName = n, method = m, isSelected = selectState });
+            }
+        }
+
+        private void OnMenuItemClicked(string key)
+        {
+            if (!items.ContainsKey(key))
+                return;
+
+            DeselectAll();
+            items[key].isSelected = true;
+            if (items[key].method != null)
+            {
+                items[key].method.Invoke();
+            }
+        }
+
+        private void DeselectAll()
+        {
+            foreach (var item in items)
+            {
+                item.Value.isSelected = false;
+            }
+        }
+
+        public SubMenuComponent()
+        {
+            if (!PlayFabEditor.IsEventHandlerRegistered(StateUpdateHandler))
+            {
+                PlayFabEditor.EdExStateUpdate += StateUpdateHandler;
+            }
+        }
+
+        void StateUpdateHandler(PlayFabEditor.EdExStates state, string status, string json)
+        {
+            switch (state)
+            {
+                case PlayFabEditor.EdExStates.OnMenuItemClicked:
+                    DeselectAll();
+                    if (items != null)
+                        foreach (var each in items)
+                        {
+                            each.Value.isSelected = true; // Select the first
+                            break;
+                        }
+                    break;
+            }
+        }
+    }
+
+    public class MenuItemContainer
+    {
+        public string displayName;
+        public System.Action method;
+        public bool isSelected;
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..960ed10728b352f9732fe14bc23c2a910e1f098a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/SubMenuComponent.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 5a2670b1b9ccb4eefa83498d43ab0c8a
+timeCreated: 1474667971
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs
new file mode 100644
index 0000000000000000000000000000000000000000..7e9abfd35c46a4c0fb8cb6fbe1cca0f87f20ab56
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs
@@ -0,0 +1,54 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class TitleDataEditor : UnityEditor.EditorWindow
+    {
+#if !UNITY_5_3_OR_NEWER
+        public GUIContent titleContent;
+#endif
+
+        public string key = string.Empty;
+        public string Value = string.Empty;
+        public Vector2 scrollPos = Vector2.zero;
+
+        void OnGUI()
+        {
+            // The actual window code goes here
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                EditorGUILayout.LabelField(string.Format("Editing: {0}", key), PlayFabEditorHelper.uiStyle.GetStyle("orTitle"), GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+
+            scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+            Value = EditorGUILayout.TextArea(Value, PlayFabEditorHelper.uiStyle.GetStyle("editTxt"));
+            GUILayout.EndScrollView();
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                GUILayout.FlexibleSpace();
+                if (GUILayout.Button("SAVE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(200)))
+                {
+                    for (int z = 0; z < PlayFabEditorDataMenu.tdViewer.items.Count; z++)
+                    {
+                        if (PlayFabEditorDataMenu.tdViewer.items[z].Key == key)
+                        {
+                            PlayFabEditorDataMenu.tdViewer.items[z].Value = Value;
+                            PlayFabEditorDataMenu.tdViewer.items[z].isDirty = true;
+                        }
+                    }
+                    Close();
+
+                }
+                GUILayout.FlexibleSpace();
+            }
+
+            Repaint();
+        }
+
+        public void LoadData(string k, string v)
+        {
+            key = k;
+            Value = v;
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1187348edf4ec82795e732b9f708e85a113a9999
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataEditor.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: b7d03dc6e98274816902873adb8ee342
+timeCreated: 1471216768
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs
new file mode 100644
index 0000000000000000000000000000000000000000..37587394fd8876b87b3471fc3e584c6deb00321c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs
@@ -0,0 +1,156 @@
+using PlayFab.PfEditor.EditorModels;
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    // TODO: Clean up the copy paste between this and TitleInternalDataViewer
+    public class TitleDataViewer : UnityEditor.Editor
+    {
+        public readonly List<KvpItem> items = new List<KvpItem>();
+        public static TitleDataEditor tdEditor;
+        public Vector2 scrollPos = Vector2.zero;
+        private bool showSave = false;
+
+        // this gets called after the Base draw loop
+        public void Draw()
+        {
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                EditorGUILayout.LabelField("TitleData provides Key-Value storage available to all API sets. TitleData is designed to store game-wide configuration data.", PlayFabEditorHelper.uiStyle.GetStyle("genTxt"));
+
+            using (new UnityHorizontal())
+            {
+                GUILayout.FlexibleSpace();
+                if (GUILayout.Button("REFRESH", PlayFabEditorHelper.uiStyle.GetStyle("Button")))
+                {
+                    RefreshTitleData();
+                }
+
+                if (GUILayout.Button("+", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(25)))
+                {
+                    AddRecord();
+                }
+            }
+
+            if (items != null && items.Count > 0)
+            {
+                scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+                var keyInputBoxWidth = EditorGUIUtility.currentViewWidth > 200 ? 170 : (EditorGUIUtility.currentViewWidth - 100) / 2;
+                var valueInputBoxWidth = EditorGUIUtility.currentViewWidth > 200 ? EditorGUIUtility.currentViewWidth - 290 : (EditorGUIUtility.currentViewWidth - 100) / 2;
+
+                for (var z = 0; z < items.Count; z++)
+                {
+                    items[z].DataEditedCheck();
+                    if (items[z].isDirty)
+                    {
+                        showSave = true;
+                    }
+
+                    if (items[z].Value != null)
+                    {
+                        var keyStyle = items[z].isDirty ? PlayFabEditorHelper.uiStyle.GetStyle("listKey_dirty") : PlayFabEditorHelper.uiStyle.GetStyle("listKey");
+                        var valStyle = items[z].isDirty ? PlayFabEditorHelper.uiStyle.GetStyle("listValue_dirty") : PlayFabEditorHelper.uiStyle.GetStyle("listValue");
+
+                        using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        {
+                            items[z].Key = EditorGUILayout.TextField(items[z].Key, keyStyle, GUILayout.Width(keyInputBoxWidth));
+
+                            EditorGUILayout.LabelField(":", GUILayout.MaxWidth(10));
+                            EditorGUILayout.LabelField("" + items[z].Value, valStyle, GUILayout.MaxWidth(valueInputBoxWidth), GUILayout.MaxHeight(25));
+
+                            if (GUILayout.Button("EDIT", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxHeight(19), GUILayout.MinWidth(35)))
+                            {
+                                if (tdEditor == null)
+                                {
+                                    tdEditor = EditorWindow.GetWindow<TitleDataEditor>();
+                                    tdEditor.titleContent = new GUIContent("Title Data");
+                                    tdEditor.minSize = new Vector2(300, 400);
+                                }
+
+                                tdEditor.LoadData(items[z].Key, items[z].Value);
+                                tdEditor.Show();
+                            }
+                            if (GUILayout.Button("X", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxHeight(19), GUILayout.MinWidth(20)))
+                            {
+                                items[z].isDirty = true;
+                                items[z].Value = null;
+                            }
+                        }
+                    }
+                }
+
+                GUILayout.EndScrollView();
+
+                if (showSave)
+                {
+                    using (new UnityHorizontal())
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("SAVE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(200)))
+                        {
+                            SaveRecords();
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+            }
+        }
+
+        private void AddRecord()
+        {
+            items.Add(new KvpItem("", "NewValue") { isDirty = true });
+        }
+
+        public void RefreshTitleData()
+        {
+            Action<PlayFab.PfEditor.EditorModels.GetTitleDataResult> dataRequest = (result) =>
+            {
+                items.Clear();
+                showSave = false;
+                foreach (var kvp in result.Data)
+                    items.Add(new KvpItem(kvp.Key, kvp.Value));
+
+                PlayFabEditorPrefsSO.Instance.TitleDataCache.Clear();
+                foreach (var pair in result.Data)
+                    PlayFabEditorPrefsSO.Instance.TitleDataCache.Add(pair.Key, pair.Value);
+                PlayFabEditorDataService.SaveEnvDetails();
+            };
+
+            PlayFabEditorApi.GetTitleData(dataRequest, PlayFabEditorHelper.SharedErrorCallback);
+        }
+
+        private void SaveRecords()
+        {
+            //reset dirty status.
+            showSave = false;
+            Dictionary<string, string> dirtyItems = new Dictionary<string, string>();
+            foreach (var item in items)
+                if (item.isDirty)
+                    dirtyItems.Add(item.Key, item.Value);
+
+            if (dirtyItems.Count > 0)
+            {
+                var nextSeconds = 1f;
+                foreach (var di in dirtyItems)
+                {
+                    EditorCoroutine.Start(SaveItem(di, nextSeconds));
+                    nextSeconds += 1f;
+                }
+
+                foreach (var item in items)
+                    item.CleanItem();
+            }
+        }
+
+        private IEnumerator SaveItem(KeyValuePair<string, string> dirtyItem, float seconds)
+        {
+            yield return new EditorCoroutine.EditorWaitForSeconds(seconds);
+            //Debug.LogFormat("{0} - Co-Start: {1}", dirtyItem.Key, seconds);
+            var itemToUpdateDic = new Dictionary<string, string> { { dirtyItem.Key, dirtyItem.Value } };
+            PlayFabEditorApi.SetTitleData(itemToUpdateDic, null, PlayFabEditorHelper.SharedErrorCallback);
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ad7e0dc91e68fad4925f2b6ea5c38c8763c8334d
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleDataViewer.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 667b18201be5e4597bd623f2314cf2bd
+timeCreated: 1468948626
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs
new file mode 100644
index 0000000000000000000000000000000000000000..b0a090bb5e527db9f2c30fc26262a11c95fa8fbf
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs
@@ -0,0 +1,55 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class TitleInternalDataEditor : UnityEditor.EditorWindow
+    {
+        public string key = string.Empty;
+        public string Value = string.Empty;
+#if !UNITY_5_3_OR_NEWER
+        public GUIContent titleContent;
+#endif
+
+        public Vector2 scrollPos = Vector2.zero;
+
+        void OnGUI()
+        {
+            // The actual window code goes here
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                EditorGUILayout.LabelField(string.Format("Editing: {0}", key), PlayFabEditorHelper.uiStyle.GetStyle("orTitle"), GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+
+            scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+            Value = EditorGUILayout.TextArea(Value, PlayFabEditorHelper.uiStyle.GetStyle("editTxt"));
+            GUILayout.EndScrollView();
+
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                GUILayout.FlexibleSpace();
+                if (GUILayout.Button("Save", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(200)))
+                {
+                    for (int z = 0; z < PlayFabEditorDataMenu.tdInternalViewer.items.Count; z++)
+                    {
+                        if (PlayFabEditorDataMenu.tdInternalViewer.items[z].Key == key)
+                        {
+                            PlayFabEditorDataMenu.tdInternalViewer.items[z].Value = Value;
+                            PlayFabEditorDataMenu.tdInternalViewer.items[z].isDirty = true;
+                        }
+                    }
+                    Close();
+
+                }
+                GUILayout.FlexibleSpace();
+            }
+
+            Repaint();
+        }
+
+        public void LoadData(string k, string v)
+        {
+            key = k;
+            Value = v;
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..fbf55cfe65cee166859b28d65b20b2b50bca467a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataEditor.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: df195403c2c124d3992a79d9622ce809
+timeCreated: 1471216768
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs
new file mode 100644
index 0000000000000000000000000000000000000000..833535e053270c694ca2e143c8cee59b1970524a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs
@@ -0,0 +1,147 @@
+using PlayFab.PfEditor.EditorModels;
+using System;
+using System.Collections.Generic;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    // TODO: Clean up the copy paste between this and TitleDataViewer
+    public class TitleInternalDataViewer : UnityEditor.Editor
+    {
+        public readonly List<KvpItem> items = new List<KvpItem>();
+        public static TitleInternalDataEditor tdEditor;
+        public Vector2 scrollPos = Vector2.zero;
+        private bool showSave = false;
+
+        // this gets called after the Base draw loop
+        public void Draw()
+        {
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                EditorGUILayout.LabelField("Internal TitleData provides Key-Value storage available only to Admin & Server API sets. This is useful for storing configuration data that should be hidden from players.", PlayFabEditorHelper.uiStyle.GetStyle("genTxt"));
+
+            using (new UnityHorizontal())
+            {
+                GUILayout.FlexibleSpace();
+                if (GUILayout.Button("REFRESH", PlayFabEditorHelper.uiStyle.GetStyle("Button")))
+                {
+                    RefreshInternalTitleData();
+                }
+
+                if (GUILayout.Button("+", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(25)))
+                {
+                    AddRecord();
+                }
+            }
+
+            if (items.Count > 0)
+            {
+                scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+                var keyInputBoxWidth = EditorGUIUtility.currentViewWidth > 200 ? 170 : (EditorGUIUtility.currentViewWidth - 100) / 2;
+                var valueInputBoxWidth = EditorGUIUtility.currentViewWidth > 200 ? EditorGUIUtility.currentViewWidth - 290 : (EditorGUIUtility.currentViewWidth - 100) / 2;
+
+                for (var z = 0; z < items.Count; z++)
+                {
+                    items[z].DataEditedCheck();
+                    if (items[z].isDirty)
+                    {
+                        showSave = true;
+                    }
+
+                    if (items[z].Value != null)
+                    {
+                        var keyStyle = items[z].isDirty ? PlayFabEditorHelper.uiStyle.GetStyle("listKey_dirty") : PlayFabEditorHelper.uiStyle.GetStyle("listKey");
+                        var valStyle = items[z].isDirty ? PlayFabEditorHelper.uiStyle.GetStyle("listValue_dirty") : PlayFabEditorHelper.uiStyle.GetStyle("listValue");
+
+                        using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        {
+                            items[z].Key = EditorGUILayout.TextField(items[z].Key, keyStyle, GUILayout.Width(keyInputBoxWidth));
+
+                            EditorGUILayout.LabelField(":", GUILayout.MaxWidth(10));
+                            EditorGUILayout.LabelField("" + items[z].Value, valStyle, GUILayout.MaxWidth(valueInputBoxWidth), GUILayout.MaxHeight(25));
+
+                            if (GUILayout.Button("EDIT", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxHeight(19), GUILayout.MinWidth(35)))
+                            {
+                                if (tdEditor == null)
+                                {
+                                    tdEditor = EditorWindow.GetWindow<TitleInternalDataEditor>();
+                                    tdEditor.titleContent = new GUIContent("Internal Title Data");
+                                    tdEditor.minSize = new Vector2(300, 400);
+                                }
+
+                                tdEditor.LoadData(items[z].Key, items[z].Value);
+                                tdEditor.Show();
+                            }
+                            if (GUILayout.Button("X", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxHeight(19), GUILayout.MinWidth(20)))
+                            {
+                                items[z].isDirty = true;
+                                items[z].Value = null;
+                            }
+                        }
+                    }
+                }
+
+                GUILayout.EndScrollView();
+
+                if (showSave)
+                {
+                    using (new UnityHorizontal())
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("SAVE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(200)))
+                        {
+                            SaveRecords();
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+            }
+        }
+
+        public void AddRecord()
+        {
+            items.Add(new KvpItem("", "NewValue") { isDirty = true });
+        }
+
+        public void RefreshInternalTitleData()
+        {
+            Action<PlayFab.PfEditor.EditorModels.GetTitleDataResult> cb = (result) =>
+            {
+                items.Clear();
+                showSave = false;
+                foreach (var kvp in result.Data)
+                {
+                    items.Add(new KvpItem(kvp.Key, kvp.Value));
+                }
+
+                PlayFabEditorPrefsSO.Instance.InternalTitleDataCache.Clear();
+                foreach (var pair in result.Data)
+                    PlayFabEditorPrefsSO.Instance.InternalTitleDataCache.Add(pair.Key, pair.Value);
+                PlayFabEditorDataService.SaveEnvDetails();
+            };
+
+            PlayFabEditorApi.GetTitleInternalData(cb, PlayFabEditorHelper.SharedErrorCallback);
+        }
+
+        public void SaveRecords()
+        {
+            //reset dirty status.
+            showSave = false;
+            Dictionary<string, string> dirtyItems = new Dictionary<string, string>();
+            foreach (var item in items)
+                if (item.isDirty)
+                    dirtyItems.Add(item.Key, item.Value);
+
+            if (dirtyItems.Count > 0)
+            {
+                PlayFabEditorApi.SetTitleInternalData(dirtyItems, (result) =>
+                {
+                    foreach (var item in items)
+                    {
+                        item.CleanItem();
+                    }
+                }, PlayFabEditorHelper.SharedErrorCallback);
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..694ba7b6c2e2e9938465c775232ecd3df81cfb88
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Components/TitleInternalDataViewer.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 63d2e11a466c94865aac7fbd7aafd302
+timeCreated: 1473957357
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels.meta
new file mode 100644
index 0000000000000000000000000000000000000000..26c9cd0e8380c25727224d58513bb1dcd998e617
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: a1c77c7ceb0334bb19f90b5abac164b4
+folderAsset: yes
+timeCreated: 1471296116
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs
new file mode 100644
index 0000000000000000000000000000000000000000..37b9c2c7cb167960386f5e8015ebe96a3b32706f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs
@@ -0,0 +1,326 @@
+using PlayFab.PfEditor.EditorModels;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorAuthenticate : UnityEditor.Editor
+    {
+        #region panel variables
+        private static string _userEmail = string.Empty;
+        private static string _userPass = string.Empty;
+        private static string _userPass2 = string.Empty;
+        private static string _2FaCode = string.Empty;
+        private static string _studio = string.Empty;
+
+        private static bool isInitialized = false;
+
+        public enum PanelDisplayStates { Register, Login, TwoFactorPrompt }
+        private static PanelDisplayStates activeState = PanelDisplayStates.Login;
+        #endregion
+
+        #region draw calls
+        public static void DrawAuthPanels()
+        {
+            //capture enter input for login
+            var e = Event.current;
+            if (e.type == EventType.KeyUp && e.keyCode == KeyCode.Return)
+            {
+                switch (activeState)
+                {
+                    case PanelDisplayStates.Login:
+                        OnLoginButtonClicked();
+                        break;
+                    case PanelDisplayStates.Register:
+                        OnRegisterClicked();
+                        break;
+                    case PanelDisplayStates.TwoFactorPrompt:
+                        OnContinueButtonClicked();
+                        break;
+                }
+            }
+
+            if (PlayFabEditorHelper.uiStyle == null)
+                return;
+
+            if (activeState == PanelDisplayStates.TwoFactorPrompt)
+            {
+                using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                {
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        EditorGUILayout.LabelField("Enter your 2-factor authorization code.", PlayFabEditorHelper.uiStyle.GetStyle("cGenTxt"), GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                    {
+                        GUILayout.FlexibleSpace();
+                        _2FaCode = EditorGUILayout.TextField(_2FaCode, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25), GUILayout.MinWidth(200));
+                        GUILayout.FlexibleSpace();
+                    }
+
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")))
+                    {
+                        var buttonWidth = 100;
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("CONTINUE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.MaxWidth(buttonWidth)))
+                        {
+                            OnContinueButtonClicked();
+                            _2FaCode = string.Empty;
+
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")))
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("CANCEL", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                        {
+                            activeState = PanelDisplayStates.Login;
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+                return;
+            }
+
+            if (!string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.DevAccountEmail) && !isInitialized)
+            {
+                _userEmail = PlayFabEditorPrefsSO.Instance.DevAccountEmail;
+                PlayFabEditorPrefsSO.Save();
+                isInitialized = true;
+            }
+            else if (!isInitialized)
+            {
+                activeState = PanelDisplayStates.Register;
+                isInitialized = true;
+            }
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                EditorGUILayout.LabelField("Welcome to PlayFab!", PlayFabEditorHelper.uiStyle.GetStyle("titleLabel"), GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+
+            if (activeState == PanelDisplayStates.Login)
+            {
+                // login mode, this state either logged out, or did not have auto-login checked.
+                DrawLogin();
+
+            }
+            else if (activeState == PanelDisplayStates.Register)
+            {
+                // register mode
+                DrawRegister();
+            }
+            else
+            {
+                DrawRegister();
+            }
+
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("VIEW README", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                    {
+                        Application.OpenURL("https://github.com/PlayFab/UnityEditorExtensions#setup");
+                    }
+                    GUILayout.FlexibleSpace();
+                }
+            }
+        }
+
+        private static void DrawLogin()
+        {
+            float labelWidth = 120;
+
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                using (var fwl = new FixedWidthLabel("EMAIL: "))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _userEmail = EditorGUILayout.TextField(_userEmail, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (var fwl = new FixedWidthLabel("PASSWORD: "))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _userPass = EditorGUILayout.PasswordField(_userPass, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")))
+                {
+                    if (GUILayout.Button("CREATE AN ACCOUNT", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MaxWidth(100)))
+                    {
+                        activeState = PanelDisplayStates.Register;
+                    }
+
+                    var buttonWidth = 100;
+                    GUILayout.Space(EditorGUIUtility.currentViewWidth - buttonWidth * 2);
+
+                    if (GUILayout.Button("LOG IN", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.MaxWidth(buttonWidth)))
+                    {
+                        OnLoginButtonClicked();
+                    }
+                }
+            }
+        }
+
+        private static void DrawRegister()
+        {
+            float labelWidth = 150;
+
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                using (var fwl = new FixedWidthLabel("EMAIL:"))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _userEmail = EditorGUILayout.TextField(_userEmail, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (var fwl = new FixedWidthLabel("PASSWORD:"))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _userPass = EditorGUILayout.PasswordField(_userPass, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (var fwl = new FixedWidthLabel("CONFIRM PASSWORD:  "))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _userPass2 = EditorGUILayout.PasswordField(_userPass2, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (var fwl = new FixedWidthLabel("STUDIO NAME:  "))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    _studio = EditorGUILayout.TextField(_studio, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    if (GUILayout.Button("LOG IN", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(32)))
+                    {
+                        activeState = PanelDisplayStates.Login;
+                    }
+
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("  CREATE AN ACCOUNT  ", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32)))
+                    {
+                        OnRegisterClicked();
+                    }
+                }
+
+            }
+        }
+        #endregion
+
+        #region menu and helper methods
+        public static bool IsAuthenticated()
+        {
+            return !string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.DevAccountToken);
+        }
+
+        public static void Logout()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnLogout);
+
+            PlayFabEditorApi.Logout(new LogoutRequest
+            {
+                DeveloperClientToken = PlayFabEditorPrefsSO.Instance.DevAccountToken
+            }, null, PlayFabEditorHelper.SharedErrorCallback);
+
+            _userPass = string.Empty;
+            _userPass2 = string.Empty;
+
+            activeState = PanelDisplayStates.Login;
+
+            PlayFabEditorPrefsSO.Instance.StudioList = null;
+            PlayFabEditorPrefsSO.Instance.DevAccountToken = string.Empty;
+            PlayFabEditorPrefsSO.Save();
+
+            PlayFabEditorPrefsSO.Instance.TitleDataCache.Clear();
+            PlayFabEditorDataService.SaveEnvDetails();
+        }
+
+        private static void OnRegisterClicked()
+        {
+            if (_userPass != _userPass2)
+            {
+                Debug.LogError("PlayFab developer account passwords must match.");
+                return;
+            }
+
+            PlayFabEditorApi.RegisterAccount(new RegisterAccountRequest()
+            {
+                DeveloperToolProductName = PlayFabEditorHelper.EDEX_NAME,
+                DeveloperToolProductVersion = PlayFabEditorHelper.EDEX_VERSION,
+                Email = _userEmail,
+                Password = _userPass,
+                StudioName = _studio
+            }, (result) =>
+            {
+                PlayFabEditorPrefsSO.Instance.DevAccountToken = result.DeveloperClientToken;
+                PlayFabEditorPrefsSO.Instance.DevAccountEmail = _userEmail;
+
+                PlayFabEditorDataService.RefreshStudiosList();
+
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnLogin);
+                PlayFabEditorMenu._menuState = PlayFabEditorMenu.MenuStates.Sdks;
+                PlayFabEditorPrefsSO.Save();
+            }, PlayFabEditorHelper.SharedErrorCallback);
+        }
+
+        private static void OnLoginButtonClicked()
+        {
+            PlayFabEditorApi.Login(new LoginRequest()
+            {
+                DeveloperToolProductName = PlayFabEditorHelper.EDEX_NAME,
+                DeveloperToolProductVersion = PlayFabEditorHelper.EDEX_VERSION,
+                Email = _userEmail,
+                Password = _userPass
+            }, (result) =>
+            {
+                PlayFabEditorPrefsSO.Instance.DevAccountToken = result.DeveloperClientToken;
+                PlayFabEditorPrefsSO.Instance.DevAccountEmail = _userEmail;
+                PlayFabEditorDataService.RefreshStudiosList();
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnLogin);
+                PlayFabEditorPrefsSO.Save();
+                PlayFabEditorMenu._menuState = PlayFabEditorMenu.MenuStates.Sdks;
+
+            }, (error) =>
+            {
+                if ((int)error.Error == 1246 || error.ErrorMessage.Contains("TwoFactor"))
+                {
+                    // pop 2FA dialog
+                    PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnWarning, "This account requires 2-Factor Authentication.");
+                    activeState = PanelDisplayStates.TwoFactorPrompt;
+                }
+                else
+                {
+                    PlayFabEditorHelper.SharedErrorCallback(error);
+                }
+            });
+        }
+
+        private static void OnContinueButtonClicked()
+        {
+            PlayFabEditorApi.Login(new LoginRequest()
+            {
+                DeveloperToolProductName = PlayFabEditorHelper.EDEX_NAME,
+                DeveloperToolProductVersion = PlayFabEditorHelper.EDEX_VERSION,
+                TwoFactorAuth = _2FaCode,
+                Email = _userEmail,
+                Password = _userPass
+            }, (result) =>
+            {
+                PlayFabEditorPrefsSO.Instance.DevAccountToken = result.DeveloperClientToken;
+                PlayFabEditorPrefsSO.Instance.DevAccountEmail = _userEmail;
+                PlayFabEditorDataService.RefreshStudiosList();
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnLogin);
+                PlayFabEditorPrefsSO.Save();
+                PlayFabEditorMenu._menuState = PlayFabEditorMenu.MenuStates.Sdks;
+
+            }, PlayFabEditorHelper.SharedErrorCallback);
+        }
+        #endregion
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..212ac76220b6aa9f699b2edff8c0535ea9b9fb46
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorAuthenticate.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 5391580e006220946a84ab25acd7096e
+timeCreated: 1465867542
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs
new file mode 100644
index 0000000000000000000000000000000000000000..ad4993810ae91154147a6309675a11c83d42d6cb
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs
@@ -0,0 +1,123 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    [InitializeOnLoad]
+    public class PlayFabEditorDataMenu : UnityEditor.Editor
+    {
+        #region panel variables
+        public static TitleDataViewer tdViewer;
+        public static TitleInternalDataViewer tdInternalViewer;
+
+        public static SubMenuComponent menu = null;
+
+        public enum DataMenuStates { TitleData, TitleDataInternal }
+        public static DataMenuStates currentState = DataMenuStates.TitleData;
+
+        private static Vector2 scrollPos = Vector2.zero;
+
+        #endregion
+
+        #region draw calls
+        public static void DrawDataPanel()
+        {
+            if (menu == null)
+            {
+                RegisterMenu();
+                return;
+            }
+
+            menu.DrawMenu();
+            switch ((DataMenuStates)PlayFabEditorPrefsSO.Instance.curSubMenuIdx)
+            {
+                case DataMenuStates.TitleData:
+                    if (tdViewer == null)
+                    {
+                        tdViewer = CreateInstance<TitleDataViewer>();
+                        tdViewer.RefreshTitleData();
+                    }
+                    scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+                    tdViewer.Draw();
+                    GUILayout.EndScrollView();
+                    break;
+
+                case DataMenuStates.TitleDataInternal:
+                    if (tdInternalViewer == null)
+                    {
+                        tdInternalViewer = CreateInstance<TitleInternalDataViewer>();
+                        tdInternalViewer.RefreshInternalTitleData();
+                    }
+                    scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+                    tdInternalViewer.Draw();
+                    GUILayout.EndScrollView();
+                    break;
+
+                default:
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                    {
+                        EditorGUILayout.LabelField("Coming Soon!", PlayFabEditorHelper.uiStyle.GetStyle("titleLabel"), GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+                    }
+                    break;
+            }
+        }
+        #endregion
+
+        #region unity loops
+        static PlayFabEditorDataMenu()
+        {
+            if (!PlayFabEditor.IsEventHandlerRegistered(StateUpdateHandler))
+            {
+                PlayFabEditor.EdExStateUpdate += StateUpdateHandler;
+            }
+
+            RegisterMenu();
+        }
+
+        public void OnDestroy()
+        {
+            if (PlayFabEditor.IsEventHandlerRegistered(StateUpdateHandler))
+            {
+                PlayFabEditor.EdExStateUpdate -= StateUpdateHandler;
+            }
+        }
+        #endregion
+
+        #region menu and helper methods
+        public static void RegisterMenu()
+        {
+            if (menu != null)
+                return;
+
+            menu = CreateInstance<SubMenuComponent>();
+            menu.RegisterMenuItem("TITLE", OnTitleDataClicked);
+            menu.RegisterMenuItem("INTERNAL", OnInternalTitleDataClicked);
+        }
+
+        public static void StateUpdateHandler(PlayFabEditor.EdExStates state, string status, string json)
+        {
+            switch (state)
+            {
+                case PlayFabEditor.EdExStates.OnMenuItemClicked:
+                    break;
+                case PlayFabEditor.EdExStates.OnLogout:
+                    if (tdViewer != null)
+                    {
+                        tdViewer.items.Clear();
+                    }
+                    break;
+            }
+        }
+
+        public static void OnTitleDataClicked()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSubmenuItemClicked, DataMenuStates.TitleData.ToString(), "" + (int)DataMenuStates.TitleData);
+        }
+
+        public static void OnInternalTitleDataClicked()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSubmenuItemClicked, DataMenuStates.TitleDataInternal.ToString(), "" + (int)DataMenuStates.TitleDataInternal);
+        }
+    }
+    #endregion
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..8df239454694b570b0a5bb9a3e06067b453993df
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorDataMenu.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 473b8182a10e24fd0aebe832f98f7779
+timeCreated: 1470329258
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs
new file mode 100644
index 0000000000000000000000000000000000000000..c7778d6de6a5f9d78cb30c989f46f2326ded5eb8
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs
@@ -0,0 +1,69 @@
+using UnityEngine;
+using UnityEditor;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorHeader : UnityEditor.Editor
+    {
+        public static void DrawHeader(float progress = 0f)
+        {
+            if (PlayFabEditorHelper.uiStyle == null)
+                return;
+
+            //using Begin Vertical as our container.
+            using (new UnityHorizontal(GUILayout.Height(52)))
+            {
+                //Set the image in the container
+                if (EditorGUIUtility.currentViewWidth < 375)
+                {
+                    EditorGUILayout.LabelField("", PlayFabEditorHelper.uiStyle.GetStyle("pfLogo"), GUILayout.MaxHeight(40), GUILayout.Width(186));
+                }
+                else
+                {
+                    EditorGUILayout.LabelField("", PlayFabEditorHelper.uiStyle.GetStyle("pfLogo"), GUILayout.MaxHeight(50), GUILayout.Width(233));
+                }
+
+                float gmAnchor = EditorGUIUtility.currentViewWidth - 30;
+
+
+                if (EditorGUIUtility.currentViewWidth > 375)
+                {
+                    gmAnchor = EditorGUIUtility.currentViewWidth - 140;
+                    GUILayout.BeginArea(new Rect(gmAnchor, 10, 140, 42));
+                    GUILayout.BeginHorizontal();
+                    if (GUILayout.Button("GAME MANAGER", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MaxWidth(105)))
+                    {
+                        OnDashbaordClicked();
+                    }
+                }
+                else
+                {
+                    GUILayout.BeginArea(new Rect(gmAnchor, 10, EditorGUIUtility.currentViewWidth * .25f, 42));
+                    GUILayout.BeginHorizontal();
+                }
+
+                if (GUILayout.Button("", PlayFabEditorHelper.uiStyle.GetStyle("gmIcon")))
+                {
+                    OnDashbaordClicked();
+                }
+                GUILayout.EndHorizontal();
+                GUILayout.EndArea();
+
+                //end the vertical container
+            }
+
+            ProgressBar.Draw();
+
+        }
+
+
+        private static void OnDashbaordClicked()
+        {
+            Help.BrowseURL(PlayFabEditorDataService.ActiveTitle != null ? PlayFabEditorDataService.ActiveTitle.GameManagerUrl : PlayFabEditorHelper.GAMEMANAGER_URL);
+        }
+
+    }
+}
+
+
+
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f163ed448c6a31180336e6bb325aa6f45da9e5d0
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHeader.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: cd7bce14a0a4b2a4a827a4ffd4d24849
+timeCreated: 1465798284
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs
new file mode 100644
index 0000000000000000000000000000000000000000..ac4c66d37a0f26a8f185edd327098c5df6c6e90f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs
@@ -0,0 +1,100 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorHelpMenu : UnityEditor.Editor
+    {
+        public static float buttonWidth = 200;
+        public static Vector2 scrollPos = Vector2.zero;
+
+        public static void DrawHelpPanel()
+        {
+            scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+            buttonWidth = EditorGUIUtility.currentViewWidth > 400 ? EditorGUIUtility.currentViewWidth / 2 : 200;
+
+            using (new UnityVertical())
+            {
+                EditorGUILayout.LabelField("LEARN PLAYFAB:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"));
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("BEGINNERS GUIDE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("https://api.playfab.com/docs/beginners-guide");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("RECIPES", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("https://api.playfab.com/docs/recipe-index");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("TUTORIALS", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("https://api.playfab.com/docs/tutorials");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("API REFERENCE", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("https://api.playfab.com/documentation");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+            }
+
+            using (new UnityVertical())
+            {
+                EditorGUILayout.LabelField("TROUBLESHOOTING:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"));
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("ASK QUESTIONS", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("https://community.playfab.com/index.html");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button("VIEW SERVICE AVAILABILITY", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        Application.OpenURL("http://status.playfab.com/");
+                    }
+
+                    GUILayout.FlexibleSpace();
+                }
+            }
+            GUILayout.EndScrollView();
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..98c17477ad03bd217de710120377abe7ff281854
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorHelpMenu.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: ef5d79e80acc44a588d53dea61dcfc83
+timeCreated: 1470347876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs
new file mode 100644
index 0000000000000000000000000000000000000000..a7570b10c45d6248f035b7be21fb2b2e00f4c2c3
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs
@@ -0,0 +1,132 @@
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorMenu : UnityEditor.Editor
+    {
+        #region panel variables
+        internal enum MenuStates
+        {
+            Sdks = 0,
+            Settings = 1,
+            Data = 2,
+            Help = 3,
+            Tools = 4,
+            Packages = 5,
+            Logout = 6
+        }
+
+        internal static MenuStates _menuState = MenuStates.Sdks;
+        #endregion
+
+        public static void DrawMenu()
+        {
+            if (PlayFabEditorSDKTools.IsInstalled && PlayFabEditorSDKTools.isSdkSupported)
+                _menuState = (MenuStates)PlayFabEditorPrefsSO.Instance.curMainMenuIdx;
+
+            var sdksButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var settingsButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var dataButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var helpButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var logoutButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var toolsButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+            var packagesButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton");
+
+            if (_menuState == MenuStates.Sdks)
+                sdksButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Settings)
+                settingsButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Logout)
+                logoutButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Data)
+                dataButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Help)
+                helpButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Packages)
+                packagesButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+            if (_menuState == MenuStates.Tools)
+                toolsButtonStyle = PlayFabEditorHelper.uiStyle.GetStyle("textButton_selected");
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"), GUILayout.Height(25), GUILayout.ExpandWidth(true)))
+            {
+                GUILayout.Space(5);
+
+                if (GUILayout.Button("SDK", sdksButtonStyle, GUILayout.MaxWidth(35)))
+                {
+                    OnSdKsClicked();
+                }
+
+                if (PlayFabEditorSDKTools.IsInstalled && PlayFabEditorSDKTools.isSdkSupported)
+                {
+                    if (GUILayout.Button("SETTINGS", settingsButtonStyle, GUILayout.MaxWidth(65)))
+                        OnSettingsClicked();
+                    if (GUILayout.Button("DATA", dataButtonStyle, GUILayout.MaxWidth(45)))
+                        OnDataClicked();
+                    if (GUILayout.Button("TOOLS", toolsButtonStyle, GUILayout.MaxWidth(45)))
+                        OnToolsClicked();
+                    if(GUILayout.Button("PACKAGES", packagesButtonStyle, GUILayout.MaxWidth(72)))
+                        OnPackagesClicked();
+                }
+
+                if (GUILayout.Button("HELP", helpButtonStyle, GUILayout.MaxWidth(45)))
+                    OnHelpClicked();
+                GUILayout.FlexibleSpace();
+
+                if (GUILayout.Button("LOGOUT", logoutButtonStyle, GUILayout.MaxWidth(55)))
+                    OnLogoutClicked();
+            }
+        }
+
+        public static void OnToolsClicked()
+        {
+            _menuState = MenuStates.Tools;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Tools.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnDataClicked()
+        {
+            _menuState = MenuStates.Data;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Data.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnHelpClicked()
+        {
+            _menuState = MenuStates.Help;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Help.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnSdKsClicked()
+        {
+            _menuState = MenuStates.Sdks;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Sdks.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnSettingsClicked()
+        {
+            _menuState = MenuStates.Settings;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Settings.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnPackagesClicked()
+        {
+            _menuState = MenuStates.Packages;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Packages.ToString());
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+
+        public static void OnLogoutClicked()
+        {
+            _menuState = MenuStates.Logout;
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnMenuItemClicked, MenuStates.Logout.ToString());
+            PlayFabEditorAuthenticate.Logout();
+
+            _menuState = MenuStates.Sdks;
+            PlayFabEditorPrefsSO.Instance.curMainMenuIdx = (int)_menuState;
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d0ad35c8b740237429836177d07c83c4fb6f7aa8
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorMenu.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: f299dcbf6b977c446a02dfe5885393bd
+timeCreated: 1465798447
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs
new file mode 100644
index 0000000000000000000000000000000000000000..f98f606981f72f51070b98f4c61c1704d6139898
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs
@@ -0,0 +1,113 @@
+using UnityEditor;
+using UnityEngine;
+using System;
+using System.Reflection;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorPackages : UnityEditor.Editor
+    {
+        private const int buttonWidth = 150;
+
+        public static bool IsPubSubPresent { get { return GetIsPubSubTypePresent(); } }
+
+        public static void DrawPackagesMenu()
+        {
+#if ENABLE_PLAYFABPUBSUB_API
+            var labelStyle = new GUIStyle(PlayFabEditorHelper.uiStyle.GetStyle("label"));
+            if (Environment.Version.Major < 4)
+            {
+                EditorGUILayout.LabelField(" PersistentSockets is only supported with dot Net 4\n\n Please change your Project build settings", labelStyle, GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+            }
+            else if (!IsPubSubPresent)
+            {
+                DrawPubSubPrivatePreviewWarning();
+                GUILayout.BeginHorizontal();
+                GUILayout.Label(" PubSub: ");
+                if (GUILayout.Button("Install From GitHub", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(buttonWidth), GUILayout.MinHeight(32)))
+                {
+                    string possibleNewtonsoftPath = "";
+                    if (GetIsNewtonsoftInstalled(out possibleNewtonsoftPath))
+                    {
+                        EditorUtility.DisplayDialog("Newtonsoft is already installed.",
+                            "Please delete your version of Netwonsoft.json.dll in \n\n" + possibleNewtonsoftPath + " \n and retry the install.\n\n Compiler conflicts will occur if this package is installed and Newtonsoft already exists.", "Continue", "Cancel");
+                    }
+                    else
+                    {
+                        ImportPubSubSDK();
+                    }
+                }
+
+                GUILayout.EndHorizontal();
+            }
+            else
+            {
+                EditorGUILayout.LabelField(" PersistentSockets is Installed", labelStyle, GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+            }
+#endif
+        }
+
+        private static void DrawPubSubPrivatePreviewWarning()
+        {
+            GUILayout.BeginHorizontal();
+            GUILayout.Label(" PUBSUB IS IN PRIVATE PREVIEW.");
+            GUILayout.EndHorizontal();
+            GUILayout.BeginHorizontal();
+            GUILayout.Label(" If you are a Professional or Enterprise tier customer and wish to try this feature out, Please contact devrel@playfab.com for more information.");
+            GUILayout.EndHorizontal();
+            GUILayout.BeginHorizontal();
+            GUILayout.Label(" User MUST be currently signed into GitHub (with their default browser) to successfully install the unitypackage");
+            GUILayout.EndHorizontal();
+        }
+
+        public static void ImportPubSubSDK()
+        {
+            var link = "https://api.playfab.com/downloads/unity-signalr";
+            System.Diagnostics.Process.Start(link);
+        }
+
+        public static bool GetIsNewtonsoftInstalled(out string path)
+        {
+            var allAssemblies = AppDomain.CurrentDomain.GetAssemblies();
+            foreach (var assembly in allAssemblies)
+            {
+                if (assembly.FullName.Contains("Newtonsoft.Json"))
+                {
+                    path = assembly.Location;
+                    return true;
+                }
+
+                foreach (var eachType in assembly.GetTypes())
+                {
+                    if (eachType.Name.Contains("Newtonsoft"))
+                    {
+                        path = assembly.Location;
+                        return true;
+                    }
+                }
+            }
+            path = "N/A";
+            return false;
+        }
+
+        // TODO: move this function to a shared location
+        // and CACHE the results so we don't need to loop multiple times.
+        public static bool GetIsPubSubTypePresent()
+        {
+            var allAssemblies = AppDomain.CurrentDomain.GetAssemblies();
+
+            foreach (var assembly in allAssemblies)
+            {
+                foreach (var eachType in assembly.GetTypes())
+                {
+                    if (eachType.Name.Contains("PubSub"))
+                    {
+                        return true;
+                    }
+                }
+            }
+
+            return false;
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..cf6fa81c3f76d41192decf126e678919125419aa
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorPackages.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: d82ae6e4704d39945b28d49f4f084d9d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs
new file mode 100644
index 0000000000000000000000000000000000000000..81899f8ca1310141972277dacf73f59b78b05679
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs
@@ -0,0 +1,410 @@
+using System;
+using System.Collections.Generic;
+using System.IO;
+using System.Reflection;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorSDKTools : UnityEditor.Editor
+    {
+        private const int buttonWidth = 150;
+        public static bool IsInstalled { get { return GetPlayFabSettings() != null; } }
+
+        private static Type playFabSettingsType = null;
+        private static string installedSdkVersion = string.Empty;
+        private static string latestSdkVersion = string.Empty;
+        private static UnityEngine.Object sdkFolder;
+        private static UnityEngine.Object _previousSdkFolderPath;
+        private static bool isObjectFieldActive;
+        private static bool isInitialized; //used to check once, gets reset after each compile;
+        public static bool isSdkSupported = true;
+
+        public static void DrawSdkPanel()
+        {
+            if (!isInitialized)
+            {
+                //SDK is installed.
+                CheckSdkVersion();
+                isInitialized = true;
+                GetLatestSdkVersion();
+                sdkFolder = FindSdkAsset();
+
+                if (sdkFolder != null)
+                {
+                    PlayFabEditorPrefsSO.Instance.SdkPath = AssetDatabase.GetAssetPath(sdkFolder);
+                    PlayFabEditorDataService.SaveEnvDetails();
+                }
+            }
+
+            if (IsInstalled)
+                ShowSdkInstalledMenu();
+            else
+                ShowSdkNotInstalledMenu();
+        }
+
+        private static void ShowSdkInstalledMenu()
+        {
+            isObjectFieldActive = sdkFolder == null;
+
+            if (_previousSdkFolderPath != sdkFolder)
+            {
+                // something changed, better save the result.
+                _previousSdkFolderPath = sdkFolder;
+
+                PlayFabEditorPrefsSO.Instance.SdkPath = (AssetDatabase.GetAssetPath(sdkFolder));
+                PlayFabEditorDataService.SaveEnvDetails();
+
+                isObjectFieldActive = false;
+            }
+
+            var labelStyle = new GUIStyle(PlayFabEditorHelper.uiStyle.GetStyle("titleLabel"));
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                EditorGUILayout.LabelField(string.Format("SDK {0} is installed", string.IsNullOrEmpty(installedSdkVersion) ? "Unknown" : installedSdkVersion),
+                    labelStyle, GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+
+                if (!isObjectFieldActive)
+                {
+                    GUI.enabled = false;
+                }
+                else
+                {
+                    EditorGUILayout.LabelField(
+                        "An SDK was detected, but we were unable to find the directory. Drag-and-drop the top-level PlayFab SDK folder below.",
+                        PlayFabEditorHelper.uiStyle.GetStyle("orTxt"));
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+                    sdkFolder = EditorGUILayout.ObjectField(sdkFolder, typeof(UnityEngine.Object), false, GUILayout.MaxWidth(200));
+                    GUILayout.FlexibleSpace();
+                }
+
+                if (!isObjectFieldActive)
+                {
+                    // this is a hack to prevent our "block while loading technique" from breaking up at this point.
+                    GUI.enabled = !EditorApplication.isCompiling && PlayFabEditor.blockingRequests.Count == 0;
+                }
+
+                if (isSdkSupported && sdkFolder != null)
+                {
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                    {
+
+                        GUILayout.FlexibleSpace();
+
+                        if (GUILayout.Button("REMOVE SDK", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(32), GUILayout.MinWidth(200)))
+                        {
+                            RemoveSdk();
+                        }
+
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+
+            }
+
+            if (sdkFolder != null)
+            {
+                using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                {
+                    isSdkSupported = false;
+                    string[] versionNumber = !string.IsNullOrEmpty(installedSdkVersion) ? installedSdkVersion.Split('.') : new string[0];
+
+                    var numerical = 0;
+                    if (string.IsNullOrEmpty(installedSdkVersion) || versionNumber == null || versionNumber.Length == 0 ||
+                        (versionNumber.Length > 0 && int.TryParse(versionNumber[0], out numerical) && numerical < 2))
+                    {
+                        //older version of the SDK
+                        using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        {
+                            EditorGUILayout.LabelField("Most of the Editor Extensions depend on SDK versions >2.0. Consider upgrading to the get most features.", PlayFabEditorHelper.uiStyle.GetStyle("orTxt"));
+                        }
+
+                        using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        {
+                            GUILayout.FlexibleSpace();
+                            if (GUILayout.Button("READ THE UPGRADE GUIDE", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(32)))
+                            {
+                                Application.OpenURL("https://github.com/PlayFab/UnitySDK/blob/master/UPGRADE.md");
+                            }
+                            GUILayout.FlexibleSpace();
+                        }
+                    }
+                    else if (numerical >= 2)
+                    {
+                        isSdkSupported = true;
+                    }
+
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                    {
+                        if (ShowSDKUpgrade() && isSdkSupported)
+                        {
+                            GUILayout.FlexibleSpace();
+                            if (GUILayout.Button("Upgrade to " + latestSdkVersion, PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32)))
+                            {
+                                UpgradeSdk();
+                            }
+                            GUILayout.FlexibleSpace();
+                        }
+                        else if (isSdkSupported)
+                        {
+                            GUILayout.FlexibleSpace();
+                            EditorGUILayout.LabelField("You have the latest SDK!", labelStyle, GUILayout.MinHeight(32));
+                            GUILayout.FlexibleSpace();
+                        }
+                    }
+                }
+            }
+
+            if (isSdkSupported && string.IsNullOrEmpty(PlayFabEditorDataService.SharedSettings.TitleId))
+            {
+                using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                {
+                    EditorGUILayout.LabelField("Before making PlayFab API calls, the SDK must be configured to your PlayFab Title.", PlayFabEditorHelper.uiStyle.GetStyle("orTxt"));
+                    using (new UnityHorizontal())
+                    {
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("SET MY TITLE", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                        {
+                            PlayFabEditorMenu.OnSettingsClicked();
+                        }
+                        GUILayout.FlexibleSpace();
+                    }
+                }
+            }
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                GUILayout.FlexibleSpace();
+
+                if (GUILayout.Button("VIEW RELEASE NOTES", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(32), GUILayout.MinWidth(200)))
+                {
+                    Application.OpenURL("https://api.playfab.com/releaseNotes/");
+                }
+
+                GUILayout.FlexibleSpace();
+            }
+        }
+
+        private static void ShowSdkNotInstalledMenu()
+        {
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                var labelStyle = new GUIStyle(PlayFabEditorHelper.uiStyle.GetStyle("titleLabel"));
+
+                EditorGUILayout.LabelField("No SDK is installed.", labelStyle, GUILayout.MinWidth(EditorGUIUtility.currentViewWidth));
+                GUILayout.Space(20);
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+                {
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("Refresh", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(buttonWidth), GUILayout.MinHeight(32)))
+                        playFabSettingsType = null;
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("Install PlayFab SDK", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MaxWidth(buttonWidth), GUILayout.MinHeight(32)))
+                        ImportLatestSDK();
+
+                    GUILayout.FlexibleSpace();
+                }
+            }
+        }
+
+        public static void ImportLatestSDK()
+        {
+            PlayFabEditorHttp.MakeDownloadCall("https://api.playfab.com/sdks/download/unity-via-edex", (fileName) =>
+            {
+                Debug.Log("PlayFab SDK Install: Complete");
+                AssetDatabase.ImportPackage(fileName, false);
+
+                // attempts to re-import any changed assets (which ImportPackage doesn't implicitly do)
+                AssetDatabase.Refresh();
+
+                PlayFabEditorPrefsSO.Instance.SdkPath = PlayFabEditorHelper.DEFAULT_SDK_LOCATION;
+                PlayFabEditorDataService.SaveEnvDetails();
+
+            });
+        }
+
+        public static Type GetPlayFabSettings()
+        {
+            if (playFabSettingsType == typeof(object))
+                return null; // Sentinel value to indicate that PlayFabSettings doesn't exist
+            if (playFabSettingsType != null)
+                return playFabSettingsType;
+
+            playFabSettingsType = typeof(object); // Sentinel value to indicate that PlayFabSettings doesn't exist
+            var allAssemblies = AppDomain.CurrentDomain.GetAssemblies();
+            foreach (var assembly in allAssemblies)
+            {
+                Type[] assemblyTypes;
+                try
+                {
+                    assemblyTypes = assembly.GetTypes();
+                }
+                catch (ReflectionTypeLoadException e)
+                {
+                    assemblyTypes = e.Types;
+                }
+
+                foreach (var eachType in assemblyTypes)
+                    if (eachType != null)
+                        if (eachType.Name == PlayFabEditorHelper.PLAYFAB_SETTINGS_TYPENAME)
+                            playFabSettingsType = eachType;
+            }
+	    
+            //if (playFabSettingsType == typeof(object))
+            //    Debug.LogWarning("Should not have gotten here: "  + allAssemblies.Length);
+            //else
+            //    Debug.Log("Found Settings: " + allAssemblies.Length + ", " + playFabSettingsType.Assembly.FullName);
+            return playFabSettingsType == typeof(object) ? null : playFabSettingsType;
+        }
+
+        private static void CheckSdkVersion()
+        {
+            if (!string.IsNullOrEmpty(installedSdkVersion))
+                return;
+
+            var types = new List<Type>();
+            foreach (var assembly in AppDomain.CurrentDomain.GetAssemblies())
+            {
+                try
+                {
+                    foreach (var type in assembly.GetTypes())
+                        if (type.Name == "PlayFabVersion" || type.Name == PlayFabEditorHelper.PLAYFAB_SETTINGS_TYPENAME)
+                            types.Add(type);
+                }
+                catch (ReflectionTypeLoadException)
+                {
+                    // For this failure, silently skip this assembly unless we have some expectation that it contains PlayFab
+                    if (assembly.FullName.StartsWith("Assembly-CSharp")) // The standard "source-code in unity proj" assembly name
+                        Debug.LogWarning("PlayFab EdEx Error, failed to access the main CSharp assembly that probably contains PlayFab. Please report this on the PlayFab Forums");
+                    continue;
+                }
+            }
+
+            foreach (var type in types)
+            {
+                foreach (var property in type.GetProperties())
+                    if (property.Name == "SdkVersion" || property.Name == "SdkRevision")
+                        installedSdkVersion += property.GetValue(property, null).ToString();
+                foreach (var field in type.GetFields())
+                    if (field.Name == "SdkVersion" || field.Name == "SdkRevision")
+                        installedSdkVersion += field.GetValue(field).ToString();
+            }
+        }
+
+        private static UnityEngine.Object FindSdkAsset()
+        {
+            UnityEngine.Object sdkAsset = null;
+
+            // look in editor prefs
+            if (PlayFabEditorPrefsSO.Instance.SdkPath != null)
+            {
+                sdkAsset = AssetDatabase.LoadAssetAtPath(PlayFabEditorPrefsSO.Instance.SdkPath, typeof(UnityEngine.Object));
+            }
+            if (sdkAsset != null)
+                return sdkAsset;
+
+            sdkAsset = AssetDatabase.LoadAssetAtPath(PlayFabEditorHelper.DEFAULT_SDK_LOCATION, typeof(UnityEngine.Object));
+            if (sdkAsset != null)
+                return sdkAsset;
+
+            var fileList = Directory.GetDirectories(Application.dataPath, "*PlayFabSdk", SearchOption.AllDirectories);
+            if (fileList.Length == 0)
+                return null;
+
+            var relPath = fileList[0].Substring(fileList[0].LastIndexOf("Assets"));
+            return AssetDatabase.LoadAssetAtPath(relPath, typeof(UnityEngine.Object));
+        }
+
+        private static bool ShowSDKUpgrade()
+        {
+            if (string.IsNullOrEmpty(latestSdkVersion) || latestSdkVersion == "Unknown")
+            {
+                return false;
+            }
+
+            if (string.IsNullOrEmpty(installedSdkVersion) || installedSdkVersion == "Unknown")
+            {
+                return true;
+            }
+
+            string[] currrent = installedSdkVersion.Split('.');
+            string[] latest = latestSdkVersion.Split('.');
+
+            if (int.Parse(currrent[0]) < 2)
+            {
+                return false;
+            }
+
+            return int.Parse(latest[0]) > int.Parse(currrent[0])
+                || int.Parse(latest[1]) > int.Parse(currrent[1])
+                || int.Parse(latest[2]) > int.Parse(currrent[2]);
+        }
+
+        private static void UpgradeSdk()
+        {
+            if (EditorUtility.DisplayDialog("Confirm SDK Upgrade", "This action will remove the current PlayFab SDK and install the lastet version. Related plug-ins will need to be manually upgraded.", "Confirm", "Cancel"))
+            {
+                RemoveSdk(false);
+                ImportLatestSDK();
+            }
+        }
+
+        private static void RemoveSdk(bool prompt = true)
+        {
+            if (prompt && !EditorUtility.DisplayDialog("Confirm SDK Removal", "This action will remove the current PlayFab SDK. Related plug-ins will need to be manually removed.", "Confirm", "Cancel"))
+                return;
+
+            //try to clean-up the plugin dirs
+            if (Directory.Exists(Application.dataPath + "/Plugins"))
+            {
+                var folders = Directory.GetDirectories(Application.dataPath + "/Plugins", "PlayFabShared", SearchOption.AllDirectories);
+                foreach (var folder in folders)
+                    FileUtil.DeleteFileOrDirectory(folder);
+
+                //try to clean-up the plugin files (if anything is left)
+                var files = Directory.GetFiles(Application.dataPath + "/Plugins", "PlayFabErrors.cs", SearchOption.AllDirectories);
+                foreach (var file in files)
+                    FileUtil.DeleteFileOrDirectory(file);
+            }
+
+            if (FileUtil.DeleteFileOrDirectory(PlayFabEditorPrefsSO.Instance.SdkPath))
+            {
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSuccess, "PlayFab SDK Removed!");
+
+                // HACK for 5.4, AssetDatabase.Refresh(); seems to cause the install to fail.
+                if (prompt)
+                {
+                    AssetDatabase.Refresh();
+                }
+            }
+            else
+            {
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, "An unknown error occured and the PlayFab SDK could not be removed.");
+            }
+        }
+
+        private static void GetLatestSdkVersion()
+        {
+            var threshold = PlayFabEditorPrefsSO.Instance.EdSet_lastSdkVersionCheck != DateTime.MinValue ? PlayFabEditorPrefsSO.Instance.EdSet_lastSdkVersionCheck.AddHours(1) : DateTime.MinValue;
+
+            if (DateTime.Today > threshold)
+            {
+                PlayFabEditorHttp.MakeGitHubApiCall("https://api.github.com/repos/PlayFab/UnitySDK/git/refs/tags", (version) =>
+                {
+                    latestSdkVersion = version ?? "Unknown";
+                    PlayFabEditorPrefsSO.Instance.EdSet_latestSdkVersion = latestSdkVersion;
+                });
+            }
+            else
+            {
+                latestSdkVersion = PlayFabEditorPrefsSO.Instance.EdSet_latestSdkVersion;
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..aee8a92715ec421c9d22b597dffe179aaac43821
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSDKTools.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 808d230e8f7859f4a9c84f6653a2ba1c
+timeCreated: 1465798472
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs
new file mode 100644
index 0000000000000000000000000000000000000000..5d8c504d30cb83849af18f4b9f47086437c7cce9
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs
@@ -0,0 +1,364 @@
+using PlayFab.PfEditor.EditorModels;
+using System;
+using System.Collections.Generic;
+using System.Text;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    [InitializeOnLoad]
+    public class PlayFabEditorSettings : UnityEditor.Editor
+    {
+        #region panel variables
+        public enum SubMenuStates
+        {
+            StandardSettings,
+            TitleSettings,
+            ApiSettings,
+        }
+
+        public enum WebRequestType
+        {
+            UnityWww, // High compatability Unity api calls
+            HttpWebRequest, // High performance multi-threaded api calls
+#if UNITY_2017_2_OR_NEWER
+            UnityWebRequest, // Modern unity HTTP component
+#endif
+        }
+
+        private static float LABEL_WIDTH = 180;
+
+        private static readonly StringBuilder Sb = new StringBuilder();
+
+        private static SubMenuComponent _menu = null;
+
+        private static readonly Dictionary<string, StudioDisplaySet> StudioFoldOutStates = new Dictionary<string, StudioDisplaySet>();
+        private static Vector2 _titleScrollPos = Vector2.zero;
+        #endregion
+
+        #region draw calls
+        private static void DrawApiSubPanel()
+        {
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1")))
+            {
+                var curDefines = PlayerSettings.GetScriptingDefineSymbolsForGroup(EditorUserBuildSettings.selectedBuildTargetGroup);
+                var changedFlags = false;
+                var allFlags = new Dictionary<string, PfDefineFlag>(PlayFabEditorHelper.FLAG_LABELS);
+                var extraDefines = new HashSet<string>(curDefines.Split(' ', ';'));
+                foreach (var eachFlag in extraDefines)
+                    if (!string.IsNullOrEmpty(eachFlag) && !allFlags.ContainsKey(eachFlag))
+                        allFlags.Add(eachFlag, new PfDefineFlag { Flag = eachFlag, Label = eachFlag, Category = PfDefineFlag.FlagCategory.Other, isInverted = false, isSafe = false });
+                var allowUnsafe = extraDefines.Contains(PlayFabEditorHelper.ENABLE_BETA_FETURES);
+
+                foreach (PfDefineFlag.FlagCategory activeFlagCategory in Enum.GetValues(typeof(PfDefineFlag.FlagCategory)))
+                {
+                    if (activeFlagCategory == PfDefineFlag.FlagCategory.Other && !allowUnsafe)
+                        continue;
+
+                    using (var fwl = new FixedWidthLabel(activeFlagCategory.ToString())) { }
+
+                    foreach (var eachDefinePair in allFlags)
+                    {
+                        PfDefineFlag eachFlag = eachDefinePair.Value;
+                        if (eachFlag.Category == activeFlagCategory && (eachFlag.isSafe || allowUnsafe))
+                            DisplayDefineToggle(eachFlag.Label + ": ", eachFlag.isInverted, eachFlag.Flag, ref curDefines, ref changedFlags);
+                    }
+                }
+
+                if (changedFlags)
+                {
+                    PlayerSettings.SetScriptingDefineSymbolsForGroup(EditorUserBuildSettings.selectedBuildTargetGroup, curDefines);
+                    Debug.Log("Updating Defines: " + curDefines);
+                    AssetDatabase.Refresh();
+                }
+            }
+        }
+
+        private static void DisplayDefineToggle(string label, bool invertDisplay, string displayedDefine, ref string curDefines, ref bool changedFlag)
+        {
+            bool flagSet, flagGet = curDefines.Contains(displayedDefine);
+            using (var fwl = new FixedWidthLabel(label))
+            {
+                GUILayout.Space(LABEL_WIDTH - fwl.fieldWidth);
+                flagSet = EditorGUILayout.Toggle(invertDisplay ? !flagGet : flagGet, PlayFabEditorHelper.uiStyle.GetStyle("Toggle"), GUILayout.MinHeight(25));
+                if (invertDisplay)
+                    flagSet = !flagSet;
+            }
+            changedFlag |= flagSet != flagGet;
+
+            Sb.Length = 0;
+            if (flagSet && !flagGet)
+            {
+                Sb.Append(curDefines);
+                if (Sb.Length > 0)
+                    Sb.Append(";");
+                Sb.Append(displayedDefine);
+                curDefines = Sb.ToString();
+            }
+            else if (!flagSet && flagGet)
+            {
+                Sb.Append(curDefines);
+                Sb.Replace(displayedDefine, "").Replace(";;", ";");
+                if (Sb.Length > 0 && Sb[0] == ';')
+                    Sb.Remove(0, 1);
+                if (Sb.Length > 0 && Sb[Sb.Length - 1] == ';')
+                    Sb.Remove(Sb.Length - 1, 1);
+                curDefines = Sb.ToString();
+            }
+        }
+
+        public static void DrawSettingsPanel()
+        {
+            if (_menu != null)
+            {
+                _menu.DrawMenu();
+                switch ((SubMenuStates)PlayFabEditorPrefsSO.Instance.curSubMenuIdx)
+                {
+                    case SubMenuStates.StandardSettings:
+                        DrawStandardSettingsSubPanel();
+                        break;
+                    case SubMenuStates.ApiSettings:
+                        DrawApiSubPanel();
+                        break;
+                    case SubMenuStates.TitleSettings:
+                        DrawTitleSettingsSubPanel();
+                        break;
+                }
+            }
+            else
+            {
+                RegisterMenu();
+            }
+        }
+
+        private static void DrawTitleSettingsSubPanel()
+        {
+            float labelWidth = 100;
+
+            if (PlayFabEditorPrefsSO.Instance.StudioList != null && PlayFabEditorPrefsSO.Instance.StudioList.Count != StudioFoldOutStates.Count + 1)
+            {
+                StudioFoldOutStates.Clear();
+                foreach (var studio in PlayFabEditorPrefsSO.Instance.StudioList)
+                {
+                    if (string.IsNullOrEmpty(studio.Id))
+                        continue;
+                    if (!StudioFoldOutStates.ContainsKey(studio.Id))
+                        StudioFoldOutStates.Add(studio.Id, new StudioDisplaySet { Studio = studio });
+                    foreach (var title in studio.Titles)
+                        if (!StudioFoldOutStates[studio.Id].titleFoldOutStates.ContainsKey(title.Id))
+                            StudioFoldOutStates[studio.Id].titleFoldOutStates.Add(title.Id, new TitleDisplaySet { Title = title });
+                }
+            }
+
+            _titleScrollPos = GUILayout.BeginScrollView(_titleScrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField("STUDIOS:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                GUILayout.FlexibleSpace();
+                if (GUILayout.Button("REFRESH", PlayFabEditorHelper.uiStyle.GetStyle("Button")))
+                    PlayFabEditorDataService.RefreshStudiosList();
+            }
+
+            foreach (var studio in StudioFoldOutStates)
+            {
+                var style = new GUIStyle(EditorStyles.foldout);
+                if (studio.Value.isCollapsed)
+                    style.fontStyle = FontStyle.Normal;
+
+                studio.Value.isCollapsed = EditorGUI.Foldout(EditorGUILayout.GetControlRect(), studio.Value.isCollapsed, string.Format("{0} ({1})", studio.Value.Studio.Name, studio.Value.Studio.Titles.Length), true, PlayFabEditorHelper.uiStyle.GetStyle("foldOut_std"));
+                if (studio.Value.isCollapsed)
+                    continue;
+
+                EditorGUI.indentLevel = 2;
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    EditorGUILayout.LabelField("TITLES:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                }
+                GUILayout.Space(5);
+
+                // draw title foldouts
+                foreach (var title in studio.Value.titleFoldOutStates)
+                {
+                    title.Value.isCollapsed = EditorGUI.Foldout(EditorGUILayout.GetControlRect(), title.Value.isCollapsed, string.Format("{0} [{1}]", title.Value.Title.Name, title.Value.Title.Id), true, PlayFabEditorHelper.uiStyle.GetStyle("foldOut_std"));
+                    if (title.Value.isCollapsed)
+                        continue;
+
+                    EditorGUI.indentLevel = 3;
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                    {
+                        EditorGUILayout.LabelField("SECRET KEY:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                        EditorGUILayout.TextField("" + title.Value.Title.SecretKey);
+                    }
+
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                    {
+                        EditorGUILayout.LabelField("URL:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                        GUILayout.FlexibleSpace();
+                        if (GUILayout.Button("VIEW IN GAME MANAGER", PlayFabEditorHelper.uiStyle.GetStyle("textButton")))
+                            Application.OpenURL(title.Value.Title.GameManagerUrl);
+                        GUILayout.FlexibleSpace();
+                    }
+                    EditorGUI.indentLevel = 2;
+                }
+
+                EditorGUI.indentLevel = 0;
+            }
+            GUILayout.EndScrollView();
+        }
+
+        private static Studio GetStudioForTitleId(string titleId)
+        {
+            if (PlayFabEditorPrefsSO.Instance.StudioList == null)
+                return Studio.OVERRIDE;
+            foreach (var eachStudio in PlayFabEditorPrefsSO.Instance.StudioList)
+                if (eachStudio.Titles != null)
+                    foreach (var eachTitle in eachStudio.Titles)
+                        if (eachTitle.Id == titleId)
+                            return eachStudio;
+            return Studio.OVERRIDE;
+        }
+
+        private static void DrawStandardSettingsSubPanel()
+        {
+            float labelWidth = 160;
+
+            using (new UnityVertical(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"), GUILayout.ExpandWidth(true)))
+            {
+                var studio = GetStudioForTitleId(PlayFabEditorDataService.SharedSettings.TitleId);
+                if (string.IsNullOrEmpty(studio.Id))
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                        EditorGUILayout.LabelField("You are using a TitleId to which you are not a member. A title administrator can approve access for your account.", PlayFabEditorHelper.uiStyle.GetStyle("orTxt"));
+
+                PlayFabGuiFieldHelper.SuperFancyDropdown(labelWidth, "STUDIO: ", studio, PlayFabEditorPrefsSO.Instance.StudioList, eachStudio => eachStudio.Name, OnStudioChange, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear"));
+                studio = GetStudioForTitleId(PlayFabEditorDataService.SharedSettings.TitleId); // This might have changed above, so refresh it
+
+                if (string.IsNullOrEmpty(studio.Id))
+                {
+                    // Override studio lets you set your own titleId
+                    using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                    {
+                        EditorGUILayout.LabelField("TITLE ID: ", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+
+                        var newTitleId = EditorGUILayout.TextField(PlayFabEditorDataService.SharedSettings.TitleId, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                        if (newTitleId != PlayFabEditorDataService.SharedSettings.TitleId)
+                            OnTitleIdChange(newTitleId);
+                    }
+                }
+                else
+                {
+                    PlayFabGuiFieldHelper.SuperFancyDropdown(labelWidth, "TITLE ID: ", studio.GetTitle(PlayFabEditorDataService.SharedSettings.TitleId), studio.Titles, GetTitleDisplayString, OnTitleChange, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear"));
+                }
+
+                DrawPfSharedSettingsOptions(labelWidth);
+            }
+        }
+
+        private static string GetTitleDisplayString(Title title)
+        {
+            return string.Format("[{0}] {1}", title.Id, title.Name);
+        }
+
+        private static void DrawPfSharedSettingsOptions(float labelWidth)
+        {
+#if ENABLE_PLAYFABADMIN_API || ENABLE_PLAYFABSERVER_API || UNITY_EDITOR
+            // Set the title secret key, if we're using the dropdown
+            var studio = GetStudioForTitleId(PlayFabEditorDataService.SharedSettings.TitleId);
+            var correctKey = studio.GetTitleSecretKey(PlayFabEditorDataService.SharedSettings.TitleId);
+            var setKey = !string.IsNullOrEmpty(studio.Id) && !string.IsNullOrEmpty(correctKey);
+            if (setKey)
+                PlayFabEditorDataService.SharedSettings.DeveloperSecretKey = correctKey;
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField("DEVELOPER SECRET KEY: ", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                using (new UnityGuiToggler(!setKey))
+                    PlayFabEditorDataService.SharedSettings.DeveloperSecretKey = EditorGUILayout.TextField(PlayFabEditorDataService.SharedSettings.DeveloperSecretKey, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+            }
+#endif
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField("REQUEST TYPE: ", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.MaxWidth(labelWidth));
+                PlayFabEditorDataService.SharedSettings.WebRequestType = (WebRequestType)EditorGUILayout.EnumPopup(PlayFabEditorDataService.SharedSettings.WebRequestType, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.Height(25));
+            }
+
+            if (PlayFabEditorDataService.SharedSettings.WebRequestType == WebRequestType.HttpWebRequest)
+            {
+                using (var fwl = new FixedWidthLabel(new GUIContent("REQUEST TIMEOUT: "), PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    PlayFabEditorDataService.SharedSettings.TimeOut = EditorGUILayout.IntField(PlayFabEditorDataService.SharedSettings.TimeOut, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                }
+
+                using (var fwl = new FixedWidthLabel(new GUIContent("KEEP ALIVE: "), PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")))
+                {
+                    GUILayout.Space(labelWidth - fwl.fieldWidth);
+                    PlayFabEditorDataService.SharedSettings.KeepAlive = EditorGUILayout.Toggle(PlayFabEditorDataService.SharedSettings.KeepAlive, PlayFabEditorHelper.uiStyle.GetStyle("Toggle"), GUILayout.MinHeight(25));
+                }
+            }
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField("COMPRESS API DATA: ", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.MaxWidth(labelWidth));
+                PlayFabEditorDataService.SharedSettings.CompressApiData = EditorGUILayout.Toggle(PlayFabEditorDataService.SharedSettings.CompressApiData, PlayFabEditorHelper.uiStyle.GetStyle("Toggle"), GUILayout.MinHeight(25));
+            }
+        }
+        #endregion
+
+        #region menu and helper methods
+        private static void RegisterMenu()
+        {
+            if (_menu != null)
+                return;
+
+            _menu = CreateInstance<SubMenuComponent>();
+            _menu.RegisterMenuItem("PROJECT", OnStandardSetttingsClicked);
+            _menu.RegisterMenuItem("STUDIOS", OnTitleSettingsClicked);
+            _menu.RegisterMenuItem("API", OnApiSettingsClicked);
+        }
+
+        private static void OnApiSettingsClicked()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSubmenuItemClicked, SubMenuStates.ApiSettings.ToString(), "" + (int)SubMenuStates.ApiSettings);
+        }
+
+        private static void OnStandardSetttingsClicked()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSubmenuItemClicked, SubMenuStates.StandardSettings.ToString(), "" + (int)SubMenuStates.StandardSettings);
+        }
+
+        private static void OnTitleSettingsClicked()
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSubmenuItemClicked, SubMenuStates.TitleSettings.ToString(), "" + (int)SubMenuStates.TitleSettings);
+        }
+
+        private static void OnStudioChange(Studio newStudio)
+        {
+            var newTitleId = (newStudio.Titles == null || newStudio.Titles.Length == 0) ? "" : newStudio.Titles[0].Id;
+            OnTitleIdChange(newTitleId);
+        }
+
+        private static void OnTitleChange(Title newTitle)
+        {
+            OnTitleIdChange(newTitle.Id);
+        }
+
+        private static void OnTitleIdChange(string newTitleId)
+        {
+            var studio = GetStudioForTitleId(newTitleId);
+            PlayFabEditorPrefsSO.Instance.SelectedStudio = studio.Name;
+            PlayFabEditorDataService.SharedSettings.TitleId = newTitleId;
+#if ENABLE_PLAYFABADMIN_API || ENABLE_PLAYFABSERVER_API || UNITY_EDITOR
+            PlayFabEditorDataService.SharedSettings.DeveloperSecretKey = studio.GetTitleSecretKey(newTitleId);
+#endif
+            PlayFabEditorPrefsSO.Instance.TitleDataCache.Clear();
+            if (PlayFabEditorDataMenu.tdViewer != null)
+                PlayFabEditorDataMenu.tdViewer.items.Clear();
+            PlayFabEditorDataService.SaveEnvDetails();
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnSuccess);
+        }
+        #endregion
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..48627ff6dc68679ed832cae90bb58b6d950d8093
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorSettings.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: cab05e4a89850364e8979904f46d0433
+timeCreated: 1466458580
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs
new file mode 100644
index 0000000000000000000000000000000000000000..5a02d10e79e3f17941cd2ab4253ed11facedd9fe
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs
@@ -0,0 +1,184 @@
+using PlayFab.PfEditor.EditorModels;
+using System;
+using System.Collections.Generic;
+using System.IO;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorToolsMenu : UnityEditor.Editor
+    {
+        public static float buttonWidth = 200;
+        public static Vector2 scrollPos = Vector2.zero;
+
+        public static void DrawToolsPanel()
+        {
+            scrollPos = GUILayout.BeginScrollView(scrollPos, PlayFabEditorHelper.uiStyle.GetStyle("gpStyleGray1"));
+            buttonWidth = EditorGUIUtility.currentViewWidth > 400 ? EditorGUIUtility.currentViewWidth / 2 : 200;
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField("CLOUD SCRIPT:", PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"));
+                GUILayout.Space(10);
+                if (GUILayout.Button("IMPORT", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(30)))
+                {
+                    ImportCloudScript();
+                }
+                GUILayout.Space(10);
+                if (File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath))
+                {
+                    if (GUILayout.Button("REMOVE", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(30)))
+                    {
+                        PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath = string.Empty;
+                        PlayFabEditorDataService.SaveEnvDetails();
+                    }
+                    GUILayout.Space(10);
+                    if (GUILayout.Button("EDIT", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinHeight(30)))
+                    {
+                        EditorUtility.OpenWithDefaultApp(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath);
+                    }
+                }
+            }
+
+            if (File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath))
+            {
+                var path = File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath) ? PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath : PlayFabEditorHelper.CLOUDSCRIPT_PATH;
+                var shortPath = "..." + path.Substring(path.LastIndexOf('/'));
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+
+                    if (GUILayout.Button(shortPath, PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinWidth(110), GUILayout.MinHeight(20)))
+                    {
+                        EditorUtility.RevealInFinder(path);
+                    }
+                    //                            GUILayout.Space(10);
+                    //                            if (GUILayout.Button("EDIT LOCALLY", PlayFabEditorHelper.uiStyle.GetStyle("textButton"), GUILayout.MinWidth(90), GUILayout.MinHeight(20)))
+                    //                            {
+                    //                                EditorUtility.OpenWithDefaultApp(path);
+                    //                            }
+                    GUILayout.FlexibleSpace();
+                }
+
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+                    if (GUILayout.Button("SAVE TO PLAYFAB", PlayFabEditorHelper.uiStyle.GetStyle("Button"), GUILayout.MinHeight(32), GUILayout.Width(buttonWidth)))
+                    {
+                        if (EditorUtility.DisplayDialog("Deployment Confirmation", "This action will upload your local Cloud Script changes to PlayFab?", "Continue", "Cancel"))
+                        {
+                            BeginCloudScriptUpload();
+                        }
+                    }
+                    GUILayout.FlexibleSpace();
+                }
+            }
+            else
+            {
+                using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+                {
+                    GUILayout.FlexibleSpace();
+                    EditorGUILayout.LabelField("No Cloud Script files added. Import your file to get started.", PlayFabEditorHelper.uiStyle.GetStyle("orTxt"));
+                    GUILayout.FlexibleSpace();
+                }
+            }
+
+            GUILayout.EndScrollView();
+        }
+
+        private static void ImportCloudScript()
+        {
+            var dialogResponse = EditorUtility.DisplayDialogComplex("Selcet an Import Option", "What Cloud Script file do you want to import?", "Use my latest PlayFab revision", "Cancel", "Use my local file");
+            switch (dialogResponse)
+            {
+                case 0:
+                    // use PlayFab
+                    GetCloudScriptRevision();
+                    break;
+                case 1:
+                    // cancel
+                    return;
+                case 2:
+                    //use local
+                    SelectLocalFile();
+                    break;
+            }
+        }
+
+        private static void GetCloudScriptRevision()
+        {
+            // empty request object gets latest versions
+            PlayFabEditorApi.GetCloudScriptRevision(new EditorModels.GetCloudScriptRevisionRequest(), (GetCloudScriptRevisionResult result) =>
+            {
+                var csPath = PlayFabEditorHelper.CLOUDSCRIPT_PATH;
+                var location = Path.GetDirectoryName(csPath);
+                try
+                {
+                    if (!Directory.Exists(location))
+                        Directory.CreateDirectory(location);
+                    if (!File.Exists(csPath))
+                        using (var newfile = File.Create(csPath)) { }
+                    File.WriteAllText(csPath, result.Files[0].FileContents);
+                    Debug.Log("CloudScript uploaded successfully!");
+                    PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath = csPath;
+                    PlayFabEditorDataService.SaveEnvDetails();
+                    AssetDatabase.Refresh();
+                }
+                catch (Exception ex)
+                {
+                    Debug.LogException(ex);
+                    // PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, ex.Message);
+                    return;
+                }
+            }, PlayFabEditorHelper.SharedErrorCallback);
+        }
+
+        private static void SelectLocalFile()
+        {
+            var starterPath = File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath) ? Application.dataPath : PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath;
+            var cloudScriptPath = string.Empty;
+            cloudScriptPath = EditorUtility.OpenFilePanel("Select your Cloud Script file", starterPath, "js");
+
+            if (!string.IsNullOrEmpty(cloudScriptPath))
+            {
+                PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath = cloudScriptPath;
+                PlayFabEditorDataService.SaveEnvDetails();
+            }
+        }
+
+        private static void BeginCloudScriptUpload()
+        {
+            var filePath = File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath) ? PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath : PlayFabEditorHelper.CLOUDSCRIPT_PATH;
+
+            if (!File.Exists(PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath) && !File.Exists(PlayFabEditorHelper.CLOUDSCRIPT_PATH))
+            {
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, "Cloud Script Upload Failed: null or corrupt file at path(" + filePath + ").");
+                return;
+            }
+
+            var s = File.OpenText(filePath);
+            var contents = s.ReadToEnd();
+            s.Close();
+
+            var request = new UpdateCloudScriptRequest();
+            request.Publish = EditorUtility.DisplayDialog("Deployment Options", "Do you want to make this Cloud Script live after uploading?", "Yes", "No");
+            request.Files = new List<CloudScriptFile>(){
+                new CloudScriptFile() {
+                    Filename = PlayFabEditorHelper.CLOUDSCRIPT_FILENAME,
+                    FileContents = contents
+                }
+            };
+
+            PlayFabEditorApi.UpdateCloudScript(request, (UpdateCloudScriptResult result) =>
+            {
+                PlayFabEditorPrefsSO.Instance.LocalCloudScriptPath = filePath;
+                PlayFabEditorDataService.SaveEnvDetails();
+
+                Debug.Log("CloudScript uploaded successfully!");
+
+            }, PlayFabEditorHelper.SharedErrorCallback);
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..bb7038fa17958617dbbcf197c4e1727973db4daa
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Panels/PlayFabEditorToolsMenu.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 656ebe473a0de47c885424ad7816f408
+timeCreated: 1474039500
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs
new file mode 100644
index 0000000000000000000000000000000000000000..68f6dc4747c6c0838a98bd8c5e0829d2f99f88e9
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs
@@ -0,0 +1,80 @@
+namespace PlayFab.PfEditor.Json
+{
+    public interface ISerializer
+    {
+        T DeserializeObject<T>(string json);
+        T DeserializeObject<T>(string json, object jsonSerializerStrategy);
+        object DeserializeObject(string json);
+
+        string SerializeObject(object json);
+        string SerializeObject(object json, object jsonSerializerStrategy);
+    }
+
+    public class JsonWrapper
+    {
+        private static ISerializer _instance = new SimpleJsonInstance();
+
+        /// <summary>
+        /// Use this property to override the Serialization for the SDK.
+        /// </summary>
+        public static ISerializer Instance
+        {
+            get { return _instance; }
+            set { _instance = value; }
+        }
+
+        public static T DeserializeObject<T>(string json)
+        {
+            return _instance.DeserializeObject<T>(json);
+        }
+
+        public static T DeserializeObject<T>(string json, object jsonSerializerStrategy)
+        {
+            return _instance.DeserializeObject<T>(json, jsonSerializerStrategy);
+        }
+
+        public static object DeserializeObject(string json)
+        {
+            return _instance.DeserializeObject(json);
+        }
+
+        public static string SerializeObject(object json)
+        {
+            return _instance.SerializeObject(json);
+        }
+
+        public static string SerializeObject(object json, object jsonSerializerStrategy)
+        {
+            return _instance.SerializeObject(json, jsonSerializerStrategy);
+        }
+    }
+
+    public class SimpleJsonInstance : ISerializer
+    {
+        public T DeserializeObject<T>(string json)
+        {
+            return PlayFabSimpleJson.DeserializeObject<T>(json);
+        }
+
+        public T DeserializeObject<T>(string json, object jsonSerializerStrategy)
+        {
+            return PlayFabSimpleJson.DeserializeObject<T>(json, (IJsonSerializerStrategy)jsonSerializerStrategy);
+        }
+
+        public object DeserializeObject(string json)
+        {
+            return PlayFabSimpleJson.DeserializeObject(json);
+        }
+
+        public string SerializeObject(object json)
+        {
+            return PlayFabSimpleJson.SerializeObject(json);
+        }
+
+        public string SerializeObject(object json, object jsonSerializerStrategy)
+        {
+            return PlayFabSimpleJson.SerializeObject(json, (IJsonSerializerStrategy)jsonSerializerStrategy);
+        }
+    }
+}
+
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..592b6d3b1e38f5a673bb73835697c1d1a3a7809c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/ISerializer.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: f326e8a2f3464f246b1f3b5edd7ea59c
+timeCreated: 1467153640
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs
new file mode 100644
index 0000000000000000000000000000000000000000..6959a717ad2ed145432247189fa692a9f876f0dc
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs
@@ -0,0 +1,94 @@
+using PlayFab.PfEditor.EditorModels;
+using System;
+using System.Collections.Generic;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorApi
+    {
+        #region FROM EDITOR API SETS ----------------------------------------------------------------------------------------------------------------------------------------
+        public static void RegisterAccount(RegisterAccountRequest request, Action<RegisterAccountResult> resultCallback, Action<EditorModels.PlayFabError> errorCb)
+        {
+            PlayFabEditorHttp.MakeApiCall("/DeveloperTools/User/RegisterAccount", PlayFabEditorHelper.DEV_API_ENDPOINT, request, resultCallback, errorCb);
+        }
+
+        public static void Login(LoginRequest request, Action<LoginResult> resultCallback, Action<EditorModels.PlayFabError> errorCb)
+        {
+            PlayFabEditorHttp.MakeApiCall("/DeveloperTools/User/Login", PlayFabEditorHelper.DEV_API_ENDPOINT, request, resultCallback, errorCb);
+        }
+
+        public static void Logout(LogoutRequest request, Action<LogoutResult> resultCallback,
+            Action<EditorModels.PlayFabError> errorCb)
+        {
+            PlayFabEditorHttp.MakeApiCall("/DeveloperTools/User/Logout", PlayFabEditorHelper.DEV_API_ENDPOINT, request, resultCallback, errorCb);
+        }
+
+        public static void GetStudios(GetStudiosRequest request, Action<GetStudiosResult> resultCallback, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var token = PlayFabEditorPrefsSO.Instance.DevAccountToken;
+            request.DeveloperClientToken = token;
+            PlayFabEditorHttp.MakeApiCall("/DeveloperTools/User/GetStudios", PlayFabEditorHelper.DEV_API_ENDPOINT, request, resultCallback, errorCb);
+        }
+
+        public static void CreateTitle(CreateTitleRequest request, Action<RegisterAccountResult> resultCallback, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var token = PlayFabEditorPrefsSO.Instance.DevAccountToken;
+            request.DeveloperClientToken = token;
+            PlayFabEditorHttp.MakeApiCall("/DeveloperTools/User/CreateTitle", PlayFabEditorHelper.DEV_API_ENDPOINT, request, resultCallback, errorCb);
+        }
+        #endregion
+
+        #region FROM ADMIN / SERVER API SETS ----------------------------------------------------------------------------------------------------------------------------------------
+        public static void GetTitleData(Action<GetTitleDataResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+            var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+            PlayFabEditorHttp.MakeApiCall("/Admin/GetTitleData", apiEndpoint, new GetTitleDataRequest(), resultCb, errorCb);
+        }
+
+        public static void SetTitleData(Dictionary<string, string> keys, Action<SetTitleDataResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            foreach (var pair in keys)
+            {
+                var req = new SetTitleDataRequest { Key = pair.Key, Value = pair.Value };
+
+                var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+                var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+                PlayFabEditorHttp.MakeApiCall("/Admin/SetTitleData", apiEndpoint, req, resultCb, errorCb);
+            }
+        }
+        public static void GetTitleInternalData(Action<GetTitleDataResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+            var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+            PlayFabEditorHttp.MakeApiCall("/Admin/GetTitleInternalData", apiEndpoint, new GetTitleDataRequest(), resultCb, errorCb);
+        }
+
+        public static void SetTitleInternalData(Dictionary<string, string> keys, Action<SetTitleDataResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            foreach (var pair in keys)
+            {
+                var req = new SetTitleDataRequest { Key = pair.Key, Value = pair.Value };
+
+                var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+                var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+                PlayFabEditorHttp.MakeApiCall("/Admin/SetTitleInternalData", apiEndpoint, req, resultCb, errorCb);
+            }
+        }
+
+        public static void UpdateCloudScript(UpdateCloudScriptRequest request, Action<UpdateCloudScriptResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+            var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+            PlayFabEditorHttp.MakeApiCall("/Admin/UpdateCloudScript", apiEndpoint, request, resultCb, errorCb);
+        }
+
+        public static void GetCloudScriptRevision(GetCloudScriptRevisionRequest request, Action<GetCloudScriptRevisionResult> resultCb, Action<EditorModels.PlayFabError> errorCb)
+        {
+            var titleId = PlayFabEditorDataService.SharedSettings.TitleId;
+            var apiEndpoint = "https://" + titleId + PlayFabEditorHelper.TITLE_ENDPOINT;
+            PlayFabEditorHttp.MakeApiCall("/Admin/GetCloudScriptRevision", apiEndpoint, request, resultCb, errorCb);
+        }
+        #endregion
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..6d8591e8b375121bd6ffcad98e3b1ba25430d0a7
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorApi.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 78d90281a98aa9c47af733ae62f11a73
+timeCreated: 1466719777
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs
new file mode 100644
index 0000000000000000000000000000000000000000..bd9eed7e51b04d1f13dd50475fc6ee3611fa2896
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs
@@ -0,0 +1,227 @@
+using UnityEngine;
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using System.IO;
+using PlayFab.PfEditor.Json;
+using PlayFab.PfEditor.EditorModels;
+using UnityEngine.Networking;
+
+namespace PlayFab.PfEditor
+{
+    public class PlayFabEditorHttp : UnityEditor.Editor
+    {
+        internal static void MakeDownloadCall(string url, Action<string> resultCallback)
+        {
+#if UNITY_2018_2_OR_NEWER
+            UnityWebRequest www = UnityWebRequest.Get(url);
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpReq, url, PlayFabEditorHelper.MSG_SPIN_BLOCK);
+            EditorCoroutine.Start(PostDownload(www, (response) => { WriteResultFile(url, resultCallback, response); }, PlayFabEditorHelper.SharedErrorCallback), www);
+#else
+            var www = new WWW(url);
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpReq, url, PlayFabEditorHelper.MSG_SPIN_BLOCK);
+            EditorCoroutine.Start(PostDownload(www, (response) => { WriteResultFile(url, resultCallback, response); }, PlayFabEditorHelper.SharedErrorCallback), www);
+#endif
+        }
+
+        private static void WriteResultFile(string url, Action<string> resultCallback, byte[] response)
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpRes, url);
+
+            string fileName;
+            if (url.IndexOf("unity-edex") > -1)
+                fileName = PlayFabEditorHelper.EDEX_UPGRADE_PATH;
+            else if (url.IndexOf("unity-via-edex") > -1)
+                fileName = PlayFabEditorHelper.SDK_DOWNLOAD_PATH;
+            else
+                fileName = PlayFabEditorHelper.EDEX_PACKAGES_PATH;
+
+            var fileSaveLocation = PlayFabEditorHelper.EDEX_ROOT + fileName;
+            var fileSaveDirectory = Path.GetDirectoryName(fileSaveLocation);
+            Debug.Log("Saving " + response.Length + " bytes to: " + fileSaveLocation);
+            if (!Directory.Exists(fileSaveDirectory))
+                Directory.CreateDirectory(fileSaveDirectory);
+            File.WriteAllBytes(fileSaveLocation, response);
+            resultCallback(fileSaveLocation);
+        }
+
+        internal static void MakeApiCall<TRequestType, TResultType>(string api, string apiEndpoint, TRequestType request, Action<TResultType> resultCallback, Action<EditorModels.PlayFabError> errorCallback) where TResultType : class
+        {
+            var url = apiEndpoint + api;
+            var req = JsonWrapper.SerializeObject(request, PlayFabEditorUtil.ApiSerializerStrategy);
+            //Set headers
+            var headers = new Dictionary<string, string>
+            {
+                {"Content-Type", "application/json"},
+                {"X-ReportErrorAsSuccess", "true"},
+                {"X-PlayFabSDK", PlayFabEditorHelper.EDEX_NAME + "_" + PlayFabEditorHelper.EDEX_VERSION}
+            };
+
+            if (api.Contains("/Server/") || api.Contains("/Admin/"))
+            {
+                if (PlayFabEditorDataService.ActiveTitle == null || string.IsNullOrEmpty(PlayFabEditorDataService.ActiveTitle.SecretKey))
+                {
+                    PlayFabEditorDataService.RefreshStudiosList();
+                    return;
+                }
+
+                headers.Add("X-SecretKey", PlayFabEditorDataService.ActiveTitle.SecretKey);
+            }
+
+            //Encode Payload
+            var payload = System.Text.Encoding.UTF8.GetBytes(req.Trim());
+#if UNITY_2018_2_OR_NEWER
+            var www = new UnityWebRequest(url)
+            {
+                uploadHandler = new UploadHandlerRaw(payload),
+                downloadHandler = new DownloadHandlerBuffer(),
+                method = "POST"
+            };
+
+            foreach (var header in headers)
+            {
+                if (!string.IsNullOrEmpty(header.Key) && !string.IsNullOrEmpty(header.Value))
+                {
+                    www.SetRequestHeader(header.Key, header.Value);
+                }
+                else
+                {
+                    UnityEngine.Debug.LogWarning("Null header");
+                }
+            }
+
+
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpReq, api, PlayFabEditorHelper.MSG_SPIN_BLOCK);
+            EditorCoroutine.Start(Post(www, (response) => { OnWwwSuccess(api, resultCallback, errorCallback, response); }, (error) => { OnWwwError(errorCallback, error); }), www);
+#else
+            var www = new WWW(url, payload, headers);
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpReq, api, PlayFabEditorHelper.MSG_SPIN_BLOCK);
+            EditorCoroutine.Start(Post(www, (response) => { OnWwwSuccess(api, resultCallback, errorCallback, response); }, (error) => { OnWwwError(errorCallback, error); }), www);
+#endif
+        }
+
+        private static void OnWwwSuccess<TResultType>(string api, Action<TResultType> resultCallback, Action<PlayFab.PfEditor.EditorModels.PlayFabError> errorCallback, string response) where TResultType : class
+        {
+            var httpResult = JsonWrapper.DeserializeObject<HttpResponseObject>(response, PlayFabEditorUtil.ApiSerializerStrategy);
+            if (httpResult.code != 200)
+            {
+                OnWwwError(errorCallback, response);
+                return;
+            }
+
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnHttpRes, api);
+            if (resultCallback == null)
+                return;
+
+            TResultType result = null;
+            var resultAssigned = false;
+
+            var dataJson = JsonWrapper.SerializeObject(httpResult.data, PlayFabEditorUtil.ApiSerializerStrategy);
+            result = JsonWrapper.DeserializeObject<TResultType>(dataJson, PlayFabEditorUtil.ApiSerializerStrategy);
+            resultAssigned = true;
+
+            if (resultAssigned)
+                resultCallback(result);
+        }
+
+        private static void OnWwwError(Action<PlayFab.PfEditor.EditorModels.PlayFabError> errorCallback, string error)
+        {
+            if (errorCallback != null)
+                errorCallback(PlayFabEditorHelper.GeneratePlayFabError(error));
+            else
+                PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, "OnWwwError" + error);
+        }
+
+        internal static void MakeGitHubApiCall(string url, Action<string> resultCallback)
+        {
+#if UNITY_2018_2_OR_NEWER
+            UnityWebRequest webReq = UnityWebRequest.Get(url);
+            EditorCoroutine.Start(Post(webReq, (response) => { OnGitHubSuccess(resultCallback, response); }, PlayFabEditorHelper.SharedErrorCallback), webReq);
+#else
+            var www = new WWW(url);
+            EditorCoroutine.Start(Post(www, (response) => { OnGitHubSuccess(resultCallback, response); }, PlayFabEditorHelper.SharedErrorCallback), www);
+#endif
+        }
+
+        private static void OnGitHubSuccess(Action<string> resultCallback, string response)
+        {
+            if (resultCallback == null)
+                return;
+
+            var jsonResponse = JsonWrapper.DeserializeObject<List<object>>(response);
+            if (jsonResponse == null || jsonResponse.Count == 0)
+                return;
+
+            // list seems to come back in ascending order (oldest -> newest)
+            var latestSdkTag = (JsonObject)jsonResponse[jsonResponse.Count - 1];
+            object tag;
+            if (latestSdkTag.TryGetValue("ref", out tag))
+            {
+                var startIndex = tag.ToString().LastIndexOf('/') + 1;
+                var length = tag.ToString().Length - startIndex;
+                resultCallback(tag.ToString().Substring(startIndex, length));
+            }
+            else
+            {
+                resultCallback(null);
+            }
+        }
+#if UNITY_2018_2_OR_NEWER
+        private static IEnumerator Post(UnityWebRequest www, Action<string> callBack, Action<string> errorCallback)
+        {
+            if (www != null)
+            {
+                yield return www.SendWebRequest();
+
+                if (!string.IsNullOrEmpty(www.error))
+                    errorCallback(www.error);
+                else
+                    callBack(www.downloadHandler.text);
+            }
+            else
+            {
+                UnityEngine.Debug.Log("UnityWebRequest was null");
+                errorCallback("UnityWebRequest Object was null");
+            }
+        }
+
+        private static IEnumerator PostDownload(UnityWebRequest www, Action<byte[]> callBack, Action<string> errorCallback)
+        {
+            if (www != null)
+            {
+                yield return www.SendWebRequest();
+
+                if (!string.IsNullOrEmpty(www.error) || www.isHttpError)
+                    errorCallback(www.error);
+                else
+                    callBack(www.downloadHandler.data);
+            }
+            else
+            {
+                UnityEngine.Debug.Log("UnityWebRequest was null");
+                errorCallback("UnityWebRequest Object was null");
+            }
+        }
+#else 
+        private static IEnumerator Post(WWW www, Action<string> callBack, Action<string> errorCallback)
+        {
+            yield return www;
+
+            if (!string.IsNullOrEmpty(www.error))
+                errorCallback(www.error);
+            else
+                callBack(www.text);
+        }
+
+        private static IEnumerator PostDownload(WWW www, Action<byte[]> callBack, Action<string> errorCallback)
+        {
+            yield return www;
+
+            if (!string.IsNullOrEmpty(www.error))
+                errorCallback(www.error);
+            else
+                callBack(www.bytes);
+        }
+#endif
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..07e443c5bd87fb55ecf8e95272800f10dab8ea13
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorHttp.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: f495d2bd2522f354d82ab4c043cbc727
+timeCreated: 1466703757
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..231050d0805d5b1c97e9eb16ba97f75256ee939a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs
@@ -0,0 +1,463 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace PlayFab.PfEditor.EditorModels
+{
+    public class RegisterAccountRequest
+    {
+        public string Email;
+        public string Password;
+        public string StudioName;
+        public string DeveloperToolProductName;
+        public string DeveloperToolProductVersion;
+    }
+
+    public class RegisterAccountResult
+    {
+        public string DeveloperClientToken;
+    }
+
+    public class LoginRequest
+    {
+        public string Email;
+        public string Password;
+        public string TwoFactorAuth;
+        public string DeveloperToolProductName;
+        public string DeveloperToolProductVersion;
+    }
+
+    public class LoginResult
+    {
+        public string DeveloperClientToken;
+    }
+
+    public class LogoutRequest
+    {
+        public string DeveloperClientToken;
+    }
+
+    public class LogoutResult
+    {
+    }
+
+    public class GetStudiosRequest
+    {
+        public string DeveloperClientToken;
+    }
+
+    public class GetStudiosResult
+    {
+        public Studio[] Studios;
+    }
+
+    public class CreateTitleRequest
+    {
+        public string DeveloperClientToken;
+        public string Name;
+        public string StudioId;
+    }
+
+    public class CreateTitleResult
+    {
+        public Title Title;
+    }
+
+    public class Title
+    {
+        public string Id;
+        public string Name;
+        public string SecretKey;
+        public string GameManagerUrl;
+    }
+
+    public class Studio
+    {
+        public static Studio OVERRIDE = new Studio { Id = "", Name = PlayFabEditorHelper.STUDIO_OVERRIDE, Titles = null };
+
+        public string Id;
+        public string Name;
+
+        public Title[] Titles;
+
+        public Title GetTitle(string titleId)
+        {
+            if (Titles == null)
+                return null;
+            for (var i = 0; i < Titles.Length; i++)
+                if (Titles[i].Id == titleId)
+                    return Titles[i];
+            return null;
+        }
+
+        public string GetTitleSecretKey(string titleId)
+        {
+            var title = GetTitle(titleId);
+            return title == null ? "" : title.SecretKey;
+        }
+    }
+
+    public class GetTitleDataRequest
+    {
+        public List<string> Keys;
+    }
+
+    public class GetTitleDataResult
+    {
+        public Dictionary<string, string> Data;
+    }
+
+    public class SetTitleDataRequest
+    {
+        public string Key;
+        public string Value;
+    }
+
+    public class SetTitleDataResult
+    {
+    }
+
+    public class CloudScriptFile
+    {
+        public string Filename;
+        public string FileContents;
+    }
+
+    public class UpdateCloudScriptRequest
+    {
+        public List<CloudScriptFile> Files;
+        public bool Publish;
+        public string DeveloperPlayFabId;
+    }
+
+    public class UpdateCloudScriptResult
+    {
+        public int Version;
+        public int Revision;
+    }
+
+    public class GetCloudScriptRevisionRequest
+    {
+        public int? Version;
+        public int? Revision;
+    }
+
+    public class GetCloudScriptRevisionResult
+    {
+        public int Version;
+        public int Revision;
+        public System.DateTime CreatedAt;
+        public List<CloudScriptFile> Files;
+        public bool IsPublished;
+    }
+
+    public class PlayFabError
+    {
+        public int HttpCode;
+        public string HttpStatus;
+        public PlayFabErrorCode Error;
+        public string ErrorMessage;
+        public Dictionary<string, List<string>> ErrorDetails;
+        public object CustomData;
+
+        [ThreadStatic]
+        private static StringBuilder _tempSb;
+        public string GenerateErrorReport()
+        {
+            if (_tempSb == null)
+                _tempSb = new StringBuilder();
+            _tempSb.Length = 0;
+            _tempSb.Append(ErrorMessage);
+            if (ErrorDetails != null)
+                foreach (var pair in ErrorDetails)
+                    foreach (var msg in pair.Value)
+                        _tempSb.Append("\n").Append(pair.Key).Append(": ").Append(msg);
+            return _tempSb.ToString();
+        }
+    }
+
+    public class HttpResponseObject
+    {
+        public int code;
+        public string status;
+        public object data;
+    }
+
+    public enum PlayFabErrorCode
+    {
+        Unknown = 1,
+        Success = 0,
+        InvalidParams = 1000,
+        AccountNotFound = 1001,
+        AccountBanned = 1002,
+        InvalidUsernameOrPassword = 1003,
+        InvalidTitleId = 1004,
+        InvalidEmailAddress = 1005,
+        EmailAddressNotAvailable = 1006,
+        InvalidUsername = 1007,
+        InvalidPassword = 1008,
+        UsernameNotAvailable = 1009,
+        InvalidSteamTicket = 1010,
+        AccountAlreadyLinked = 1011,
+        LinkedAccountAlreadyClaimed = 1012,
+        InvalidFacebookToken = 1013,
+        AccountNotLinked = 1014,
+        FailedByPaymentProvider = 1015,
+        CouponCodeNotFound = 1016,
+        InvalidContainerItem = 1017,
+        ContainerNotOwned = 1018,
+        KeyNotOwned = 1019,
+        InvalidItemIdInTable = 1020,
+        InvalidReceipt = 1021,
+        ReceiptAlreadyUsed = 1022,
+        ReceiptCancelled = 1023,
+        GameNotFound = 1024,
+        GameModeNotFound = 1025,
+        InvalidGoogleToken = 1026,
+        UserIsNotPartOfDeveloper = 1027,
+        InvalidTitleForDeveloper = 1028,
+        TitleNameConflicts = 1029,
+        UserisNotValid = 1030,
+        ValueAlreadyExists = 1031,
+        BuildNotFound = 1032,
+        PlayerNotInGame = 1033,
+        InvalidTicket = 1034,
+        InvalidDeveloper = 1035,
+        InvalidOrderInfo = 1036,
+        RegistrationIncomplete = 1037,
+        InvalidPlatform = 1038,
+        UnknownError = 1039,
+        SteamApplicationNotOwned = 1040,
+        WrongSteamAccount = 1041,
+        TitleNotActivated = 1042,
+        RegistrationSessionNotFound = 1043,
+        NoSuchMod = 1044,
+        FileNotFound = 1045,
+        DuplicateEmail = 1046,
+        ItemNotFound = 1047,
+        ItemNotOwned = 1048,
+        ItemNotRecycleable = 1049,
+        ItemNotAffordable = 1050,
+        InvalidVirtualCurrency = 1051,
+        WrongVirtualCurrency = 1052,
+        WrongPrice = 1053,
+        NonPositiveValue = 1054,
+        InvalidRegion = 1055,
+        RegionAtCapacity = 1056,
+        ServerFailedToStart = 1057,
+        NameNotAvailable = 1058,
+        InsufficientFunds = 1059,
+        InvalidDeviceID = 1060,
+        InvalidPushNotificationToken = 1061,
+        NoRemainingUses = 1062,
+        InvalidPaymentProvider = 1063,
+        PurchaseInitializationFailure = 1064,
+        DuplicateUsername = 1065,
+        InvalidBuyerInfo = 1066,
+        NoGameModeParamsSet = 1067,
+        BodyTooLarge = 1068,
+        ReservedWordInBody = 1069,
+        InvalidTypeInBody = 1070,
+        InvalidRequest = 1071,
+        ReservedEventName = 1072,
+        InvalidUserStatistics = 1073,
+        NotAuthenticated = 1074,
+        StreamAlreadyExists = 1075,
+        ErrorCreatingStream = 1076,
+        StreamNotFound = 1077,
+        InvalidAccount = 1078,
+        PurchaseDoesNotExist = 1080,
+        InvalidPurchaseTransactionStatus = 1081,
+        APINotEnabledForGameClientAccess = 1082,
+        NoPushNotificationARNForTitle = 1083,
+        BuildAlreadyExists = 1084,
+        BuildPackageDoesNotExist = 1085,
+        CustomAnalyticsEventsNotEnabledForTitle = 1087,
+        InvalidSharedGroupId = 1088,
+        NotAuthorized = 1089,
+        MissingTitleGoogleProperties = 1090,
+        InvalidItemProperties = 1091,
+        InvalidPSNAuthCode = 1092,
+        InvalidItemId = 1093,
+        PushNotEnabledForAccount = 1094,
+        PushServiceError = 1095,
+        ReceiptDoesNotContainInAppItems = 1096,
+        ReceiptContainsMultipleInAppItems = 1097,
+        InvalidBundleID = 1098,
+        JavascriptException = 1099,
+        InvalidSessionTicket = 1100,
+        UnableToConnectToDatabase = 1101,
+        InternalServerError = 1110,
+        InvalidReportDate = 1111,
+        ReportNotAvailable = 1112,
+        DatabaseThroughputExceeded = 1113,
+        InvalidLobbyId = 1114,
+        InvalidGameTicket = 1115,
+        ExpiredGameTicket = 1116,
+        GameTicketDoesNotMatchLobby = 1117,
+        LinkedDeviceAlreadyClaimed = 1118,
+        DeviceAlreadyLinked = 1119,
+        DeviceNotLinked = 1120,
+        PartialFailure = 1121,
+        PublisherNotSet = 1122,
+        ServiceUnavailable = 1123,
+        VersionNotFound = 1124,
+        RevisionNotFound = 1125,
+        InvalidPublisherId = 1126,
+        DownstreamServiceUnavailable = 1127,
+        APINotIncludedInTitleUsageTier = 1128,
+        DAULimitExceeded = 1129,
+        APIRequestLimitExceeded = 1130,
+        InvalidAPIEndpoint = 1131,
+        BuildNotAvailable = 1132,
+        ConcurrentEditError = 1133,
+        ContentNotFound = 1134,
+        CharacterNotFound = 1135,
+        CloudScriptNotFound = 1136,
+        ContentQuotaExceeded = 1137,
+        InvalidCharacterStatistics = 1138,
+        PhotonNotEnabledForTitle = 1139,
+        PhotonApplicationNotFound = 1140,
+        PhotonApplicationNotAssociatedWithTitle = 1141,
+        InvalidEmailOrPassword = 1142,
+        FacebookAPIError = 1143,
+        InvalidContentType = 1144,
+        KeyLengthExceeded = 1145,
+        DataLengthExceeded = 1146,
+        TooManyKeys = 1147,
+        FreeTierCannotHaveVirtualCurrency = 1148,
+        MissingAmazonSharedKey = 1149,
+        AmazonValidationError = 1150,
+        InvalidPSNIssuerId = 1151,
+        PSNInaccessible = 1152,
+        ExpiredAuthToken = 1153,
+        FailedToGetEntitlements = 1154,
+        FailedToConsumeEntitlement = 1155,
+        TradeAcceptingUserNotAllowed = 1156,
+        TradeInventoryItemIsAssignedToCharacter = 1157,
+        TradeInventoryItemIsBundle = 1158,
+        TradeStatusNotValidForCancelling = 1159,
+        TradeStatusNotValidForAccepting = 1160,
+        TradeDoesNotExist = 1161,
+        TradeCancelled = 1162,
+        TradeAlreadyFilled = 1163,
+        TradeWaitForStatusTimeout = 1164,
+        TradeInventoryItemExpired = 1165,
+        TradeMissingOfferedAndAcceptedItems = 1166,
+        TradeAcceptedItemIsBundle = 1167,
+        TradeAcceptedItemIsStackable = 1168,
+        TradeInventoryItemInvalidStatus = 1169,
+        TradeAcceptedCatalogItemInvalid = 1170,
+        TradeAllowedUsersInvalid = 1171,
+        TradeInventoryItemDoesNotExist = 1172,
+        TradeInventoryItemIsConsumed = 1173,
+        TradeInventoryItemIsStackable = 1174,
+        TradeAcceptedItemsMismatch = 1175,
+        InvalidKongregateToken = 1176,
+        FeatureNotConfiguredForTitle = 1177,
+        NoMatchingCatalogItemForReceipt = 1178,
+        InvalidCurrencyCode = 1179,
+        NoRealMoneyPriceForCatalogItem = 1180,
+        TradeInventoryItemIsNotTradable = 1181,
+        TradeAcceptedCatalogItemIsNotTradable = 1182,
+        UsersAlreadyFriends = 1183,
+        LinkedIdentifierAlreadyClaimed = 1184,
+        CustomIdNotLinked = 1185,
+        TotalDataSizeExceeded = 1186,
+        DeleteKeyConflict = 1187,
+        InvalidXboxLiveToken = 1188,
+        ExpiredXboxLiveToken = 1189,
+        ResettableStatisticVersionRequired = 1190,
+        NotAuthorizedByTitle = 1191,
+        NoPartnerEnabled = 1192,
+        InvalidPartnerResponse = 1193,
+        APINotEnabledForGameServerAccess = 1194,
+        StatisticNotFound = 1195,
+        StatisticNameConflict = 1196,
+        StatisticVersionClosedForWrites = 1197,
+        StatisticVersionInvalid = 1198,
+        APIClientRequestRateLimitExceeded = 1199,
+        InvalidJSONContent = 1200,
+        InvalidDropTable = 1201,
+        StatisticVersionAlreadyIncrementedForScheduledInterval = 1202,
+        StatisticCountLimitExceeded = 1203,
+        StatisticVersionIncrementRateExceeded = 1204,
+        ContainerKeyInvalid = 1205,
+        CloudScriptExecutionTimeLimitExceeded = 1206,
+        NoWritePermissionsForEvent = 1207,
+        CloudScriptFunctionArgumentSizeExceeded = 1208,
+        CloudScriptAPIRequestCountExceeded = 1209,
+        CloudScriptAPIRequestError = 1210,
+        CloudScriptHTTPRequestError = 1211,
+        InsufficientGuildRole = 1212,
+        GuildNotFound = 1213,
+        OverLimit = 1214,
+        EventNotFound = 1215,
+        InvalidEventField = 1216,
+        InvalidEventName = 1217,
+        CatalogNotConfigured = 1218,
+        OperationNotSupportedForPlatform = 1219,
+        SegmentNotFound = 1220,
+        StoreNotFound = 1221,
+        InvalidStatisticName = 1222,
+        TitleNotQualifiedForLimit = 1223,
+        InvalidServiceLimitLevel = 1224,
+        ServiceLimitLevelInTransition = 1225,
+        CouponAlreadyRedeemed = 1226,
+        GameServerBuildSizeLimitExceeded = 1227,
+        GameServerBuildCountLimitExceeded = 1228,
+        VirtualCurrencyCountLimitExceeded = 1229,
+        VirtualCurrencyCodeExists = 1230,
+        TitleNewsItemCountLimitExceeded = 1231,
+        InvalidTwitchToken = 1232,
+        TwitchResponseError = 1233,
+        ProfaneDisplayName = 1234,
+        TwoFactorAuthenticationTokenRequired = 1246
+    }
+
+    #region Misc UI Models
+    public class StudioDisplaySet
+    {
+        public PlayFab.PfEditor.EditorModels.Studio Studio;
+        public bool isCollapsed = true;
+        public Dictionary<string, TitleDisplaySet> titleFoldOutStates = new Dictionary<string, TitleDisplaySet>();
+    }
+
+    public class TitleDisplaySet
+    {
+        public PlayFab.PfEditor.EditorModels.Title Title;
+        public bool isCollapsed = true;
+    }
+
+    public class KvpItem
+    {
+        public string Key;
+        public string Value;
+        public string _prvKey;
+        public string _prvValue;
+        public bool isDirty;
+
+        public KvpItem(string k, string v)
+        {
+            Key = k;
+            Value = v;
+
+            _prvKey = k;
+            _prvValue = v;
+        }
+
+        public void CleanItem()
+        {
+            _prvKey = Key;
+            _prvValue = Value;
+            isDirty = false;
+        }
+
+        public void DataEditedCheck()
+        {
+            if (Key != _prvKey || Value != _prvValue)
+                isDirty = true;
+        }
+    }
+    #endregion
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ac216148059c08f11b7ee461253066db2a3ce1eb
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/PlayFabEditorModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 9115cedc892e0c845941e0cb3f98bd3b
+timeCreated: 1466719838
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs
new file mode 100644
index 0000000000000000000000000000000000000000..05d65f24bd25c36c4cf987839829dfdfa3462848
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs
@@ -0,0 +1,2047 @@
+//-----------------------------------------------------------------------
+// <copyright file="SimpleJson.cs" company="The Outercurve Foundation">
+//    Copyright (c) 2011, The Outercurve Foundation.
+//
+//    Licensed under the MIT License (the "License");
+//    you may not use this file except in compliance with the License.
+//    You may obtain a copy of the License at
+//      http://www.opensource.org/licenses/mit-license.php
+//
+//    Unless required by applicable law or agreed to in writing, software
+//    distributed under the License is distributed on an "AS IS" BASIS,
+//    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+//    See the License for the specific language governing permissions and
+//    limitations under the License.
+// </copyright>
+// <author>Nathan Totten (ntotten.com), Jim Zimmerman (jimzimmerman.com) and Prabir Shrestha (prabir.me)</author>
+// <website>https://github.com/facebook-csharp-sdk/simple-json</website>
+//-----------------------------------------------------------------------
+
+// VERSION:
+
+// NOTE: uncomment the following line to make SimpleJson class internal.
+//#define SIMPLE_JSON_INTERNAL
+
+// NOTE: uncomment the following line to make JsonArray and JsonObject class internal.
+//#define SIMPLE_JSON_OBJARRAYINTERNAL
+
+// NOTE: uncomment the following line to enable dynamic support.
+//#define SIMPLE_JSON_DYNAMIC
+
+// NOTE: uncomment the following line to enable DataContract support.
+//#define SIMPLE_JSON_DATACONTRACT
+
+// NOTE: uncomment the following line to enable IReadOnlyCollection<T> and IReadOnlyList<T> support.
+//#define SIMPLE_JSON_READONLY_COLLECTIONS
+
+// NOTE: uncomment the following line if you are compiling under Window Metro style application/library.
+// usually already defined in properties
+#if UNITY_WSA && UNITY_WP8
+#define NETFX_CORE
+#endif
+
+// If you are targetting WinStore, WP8 and NET4.5+ PCL make sure to
+#if UNITY_WP8 || UNITY_WP8_1 || UNITY_WSA
+// #define SIMPLE_JSON_TYPEINFO
+#endif
+
+// original json parsing code from http://techblog.procurios.nl/k/618/news/view/14605/14863/How-do-I-write-my-own-parser-for-JSON.html
+
+#if NETFX_CORE
+#define SIMPLE_JSON_TYPEINFO
+#endif
+
+using System;
+using System.CodeDom.Compiler;
+using System.Collections;
+using System.Collections.Generic;
+using System.ComponentModel;
+using System.Diagnostics.CodeAnalysis;
+#if SIMPLE_JSON_DYNAMIC
+using System.Dynamic;
+#endif
+using System.Globalization;
+using System.Reflection;
+using System.Runtime.CompilerServices;
+using System.Runtime.Serialization;
+using System.Text;
+
+// ReSharper disable LoopCanBeConvertedToQuery
+// ReSharper disable RedundantExplicitArrayCreation
+// ReSharper disable SuggestUseVarKeywordEvident
+namespace PlayFab.PfEditor.Json
+{
+    /// <summary>
+    /// Represents the json array.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+    [EditorBrowsable(EditorBrowsableState.Never)]
+    [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")]
+#if SIMPLE_JSON_OBJARRAYINTERNAL
+    internal
+#else
+    public
+#endif
+ class JsonArray : List<object>
+    {
+        /// <summary>
+        /// Initializes a new instance of the <see cref="JsonArray"/> class. 
+        /// </summary>
+        public JsonArray() { }
+
+        /// <summary>
+        /// Initializes a new instance of the <see cref="JsonArray"/> class. 
+        /// </summary>
+        /// <param name="capacity">The capacity of the json array.</param>
+        public JsonArray(int capacity) : base(capacity) { }
+
+        /// <summary>
+        /// The json representation of the array.
+        /// </summary>
+        /// <returns>The json representation of the array.</returns>
+        public override string ToString()
+        {
+            return PlayFabSimpleJson.SerializeObject(this) ?? string.Empty;
+        }
+    }
+
+    /// <summary>
+    /// Represents the json object.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+    [EditorBrowsable(EditorBrowsableState.Never)]
+    [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")]
+#if SIMPLE_JSON_OBJARRAYINTERNAL
+    internal
+#else
+    public
+#endif
+ class JsonObject :
+#if SIMPLE_JSON_DYNAMIC
+ DynamicObject,
+#endif
+ IDictionary<string, object>
+    {
+        /// <summary>
+        /// The internal member dictionary.
+        /// </summary>
+        private readonly Dictionary<string, object> _members;
+
+        /// <summary>
+        /// Initializes a new instance of <see cref="JsonObject"/>.
+        /// </summary>
+        public JsonObject()
+        {
+            _members = new Dictionary<string, object>();
+        }
+
+        /// <summary>
+        /// Initializes a new instance of <see cref="JsonObject"/>.
+        /// </summary>
+        /// <param name="comparer">The <see cref="T:System.Collections.Generic.IEqualityComparer`1"/> implementation to use when comparing keys, or null to use the default <see cref="T:System.Collections.Generic.EqualityComparer`1"/> for the type of the key.</param>
+        public JsonObject(IEqualityComparer<string> comparer)
+        {
+            _members = new Dictionary<string, object>(comparer);
+        }
+
+        /// <summary>
+        /// Gets the <see cref="System.Object"/> at the specified index.
+        /// </summary>
+        /// <value></value>
+        public object this[int index]
+        {
+            get { return GetAtIndex(_members, index); }
+        }
+
+        internal static object GetAtIndex(IDictionary<string, object> obj, int index)
+        {
+            if (obj == null)
+                throw new ArgumentNullException("obj");
+            if (index >= obj.Count)
+                throw new ArgumentOutOfRangeException("index");
+            int i = 0;
+            foreach (KeyValuePair<string, object> o in obj)
+                if (i++ == index) return o.Value;
+            return null;
+        }
+
+        /// <summary>
+        /// Adds the specified key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <param name="value">The value.</param>
+        public void Add(string key, object value)
+        {
+            _members.Add(key, value);
+        }
+
+        /// <summary>
+        /// Determines whether the specified key contains key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <returns>
+        ///   <c>true</c> if the specified key contains key; otherwise, <c>false</c>.
+        /// </returns>
+        public bool ContainsKey(string key)
+        {
+            return _members.ContainsKey(key);
+        }
+
+        /// <summary>
+        /// Gets the keys.
+        /// </summary>
+        /// <value>The keys.</value>
+        public ICollection<string> Keys
+        {
+            get { return _members.Keys; }
+        }
+
+        /// <summary>
+        /// Removes the specified key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <returns></returns>
+        public bool Remove(string key)
+        {
+            return _members.Remove(key);
+        }
+
+        /// <summary>
+        /// Tries the get value.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <param name="value">The value.</param>
+        /// <returns></returns>
+        public bool TryGetValue(string key, out object value)
+        {
+            return _members.TryGetValue(key, out value);
+        }
+
+        /// <summary>
+        /// Gets the values.
+        /// </summary>
+        /// <value>The values.</value>
+        public ICollection<object> Values
+        {
+            get { return _members.Values; }
+        }
+
+        /// <summary>
+        /// Gets or sets the <see cref="System.Object"/> with the specified key.
+        /// </summary>
+        /// <value></value>
+        public object this[string key]
+        {
+            get { return _members[key]; }
+            set { _members[key] = value; }
+        }
+
+        /// <summary>
+        /// Adds the specified item.
+        /// </summary>
+        /// <param name="item">The item.</param>
+        public void Add(KeyValuePair<string, object> item)
+        {
+            _members.Add(item.Key, item.Value);
+        }
+
+        /// <summary>
+        /// Clears this instance.
+        /// </summary>
+        public void Clear()
+        {
+            _members.Clear();
+        }
+
+        /// <summary>
+        /// Determines whether [contains] [the specified item].
+        /// </summary>
+        /// <param name="item">The item.</param>
+        /// <returns>
+        ///   <c>true</c> if [contains] [the specified item]; otherwise, <c>false</c>.
+        /// </returns>
+        public bool Contains(KeyValuePair<string, object> item)
+        {
+            return _members.ContainsKey(item.Key) && _members[item.Key] == item.Value;
+        }
+
+        /// <summary>
+        /// Copies to.
+        /// </summary>
+        /// <param name="array">The array.</param>
+        /// <param name="arrayIndex">Index of the array.</param>
+        public void CopyTo(KeyValuePair<string, object>[] array, int arrayIndex)
+        {
+            if (array == null) throw new ArgumentNullException("array");
+            int num = Count;
+            foreach (KeyValuePair<string, object> kvp in this)
+            {
+                array[arrayIndex++] = kvp;
+                if (--num <= 0)
+                    return;
+            }
+        }
+
+        /// <summary>
+        /// Gets the count.
+        /// </summary>
+        /// <value>The count.</value>
+        public int Count
+        {
+            get { return _members.Count; }
+        }
+
+        /// <summary>
+        /// Gets a value indicating whether this instance is read only.
+        /// </summary>
+        /// <value>
+        ///   <c>true</c> if this instance is read only; otherwise, <c>false</c>.
+        /// </value>
+        public bool IsReadOnly
+        {
+            get { return false; }
+        }
+
+        /// <summary>
+        /// Removes the specified item.
+        /// </summary>
+        /// <param name="item">The item.</param>
+        /// <returns></returns>
+        public bool Remove(KeyValuePair<string, object> item)
+        {
+            return _members.Remove(item.Key);
+        }
+
+        /// <summary>
+        /// Gets the enumerator.
+        /// </summary>
+        /// <returns></returns>
+        public IEnumerator<KeyValuePair<string, object>> GetEnumerator()
+        {
+            return _members.GetEnumerator();
+        }
+
+        /// <summary>
+        /// Returns an enumerator that iterates through a collection.
+        /// </summary>
+        /// <returns>
+        /// An <see cref="T:System.Collections.IEnumerator"/> object that can be used to iterate through the collection.
+        /// </returns>
+        IEnumerator IEnumerable.GetEnumerator()
+        {
+            return _members.GetEnumerator();
+        }
+
+        /// <summary>
+        /// Returns a json <see cref="T:System.String"/> that represents the current <see cref="T:System.Object"/>.
+        /// </summary>
+        /// <returns>
+        /// A json <see cref="T:System.String"/> that represents the current <see cref="T:System.Object"/>.
+        /// </returns>
+        public override string ToString()
+        {
+            return PlayFabSimpleJson.SerializeObject(this);
+        }
+
+#if SIMPLE_JSON_DYNAMIC
+        /// <summary>
+        /// Provides implementation for type conversion operations. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations that convert an object from one type to another.
+        /// </summary>
+        /// <param name="binder">Provides information about the conversion operation. The binder.Type property provides the type to which the object must be converted. For example, for the statement (String)sampleObject in C# (CType(sampleObject, Type) in Visual Basic), where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Type returns the <see cref="T:System.String"/> type. The binder.Explicit property provides information about the kind of conversion that occurs. It returns true for explicit conversion and false for implicit conversion.</param>
+        /// <param name="result">The result of the type conversion operation.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryConvert(ConvertBinder binder, out object result)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            Type targetType = binder.Type;
+
+            if ((targetType == typeof(IEnumerable)) ||
+                (targetType == typeof(IEnumerable<KeyValuePair<string, object>>)) ||
+                (targetType == typeof(IDictionary<string, object>)) ||
+                (targetType == typeof(IDictionary)))
+            {
+                result = this;
+                return true;
+            }
+
+            return base.TryConvert(binder, out result);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that delete an object member. This method is not intended for use in C# or Visual Basic.
+        /// </summary>
+        /// <param name="binder">Provides information about the deletion.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryDeleteMember(DeleteMemberBinder binder)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            return _members.Remove(binder.Name);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that get a value by index. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for indexing operations.
+        /// </summary>
+        /// <param name="binder">Provides information about the operation.</param>
+        /// <param name="indexes">The indexes that are used in the operation. For example, for the sampleObject[3] operation in C# (sampleObject(3) in Visual Basic), where sampleObject is derived from the DynamicObject class, <paramref name="indexes"/> is equal to 3.</param>
+        /// <param name="result">The result of the index operation.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryGetIndex(GetIndexBinder binder, object[] indexes, out object result)
+        {
+            if (indexes == null) throw new ArgumentNullException("indexes");
+            if (indexes.Length == 1)
+            {
+                result = ((IDictionary<string, object>)this)[(string)indexes[0]];
+                return true;
+            }
+            result = null;
+            return true;
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that get member values. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations such as getting a value for a property.
+        /// </summary>
+        /// <param name="binder">Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.</param>
+        /// <param name="result">The result of the get operation. For example, if the method is called for a property, you can assign the property value to <paramref name="result"/>.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryGetMember(GetMemberBinder binder, out object result)
+        {
+            object value;
+            if (_members.TryGetValue(binder.Name, out value))
+            {
+                result = value;
+                return true;
+            }
+            result = null;
+            return true;
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that set a value by index. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations that access objects by a specified index.
+        /// </summary>
+        /// <param name="binder">Provides information about the operation.</param>
+        /// <param name="indexes">The indexes that are used in the operation. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, <paramref name="indexes"/> is equal to 3.</param>
+        /// <param name="value">The value to set to the object that has the specified index. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, <paramref name="value"/> is equal to 10.</param>
+        /// <returns>
+        /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.
+        /// </returns>
+        public override bool TrySetIndex(SetIndexBinder binder, object[] indexes, object value)
+        {
+            if (indexes == null) throw new ArgumentNullException("indexes");
+            if (indexes.Length == 1)
+            {
+                ((IDictionary<string, object>)this)[(string)indexes[0]] = value;
+                return true;
+            }
+            return base.TrySetIndex(binder, indexes, value);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that set member values. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations such as setting a value for a property.
+        /// </summary>
+        /// <param name="binder">Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member to which the value is being assigned. For example, for the statement sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.</param>
+        /// <param name="value">The value to set to the member. For example, for sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, the <paramref name="value"/> is "Test".</param>
+        /// <returns>
+        /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.)
+        /// </returns>
+        public override bool TrySetMember(SetMemberBinder binder, object value)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            _members[binder.Name] = value;
+            return true;
+        }
+
+        /// <summary>
+        /// Returns the enumeration of all dynamic member names.
+        /// </summary>
+        /// <returns>
+        /// A sequence that contains dynamic member names.
+        /// </returns>
+        public override IEnumerable<string> GetDynamicMemberNames()
+        {
+            foreach (var key in Keys)
+                yield return key;
+        }
+#endif
+    }
+
+    /// <summary>
+    /// This class encodes and decodes JSON strings.
+    /// Spec. details, see http://www.json.org/
+    /// 
+    /// JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList&lt;object>) and JsonObject(IDictionary&lt;string,object>).
+    /// All numbers are parsed to doubles.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ static class PlayFabSimpleJson
+    {
+        private enum TokenType : byte
+        {
+            NONE = 0,
+            CURLY_OPEN = 1,
+            CURLY_CLOSE = 2,
+            SQUARED_OPEN = 3,
+            SQUARED_CLOSE = 4,
+            COLON = 5,
+            COMMA = 6,
+            STRING = 7,
+            NUMBER = 8,
+            TRUE = 9,
+            FALSE = 10,
+            NULL = 11,
+        }
+        private const int BUILDER_INIT = 2000;
+
+        private static readonly char[] EscapeTable;
+        private static readonly char[] EscapeCharacters = new char[] { '"', '\\', '\b', '\f', '\n', '\r', '\t' };
+        // private static readonly string EscapeCharactersString = new string(EscapeCharacters);
+        internal static readonly List<Type> NumberTypes = new List<Type> {
+            typeof(bool), typeof(byte), typeof(ushort), typeof(uint), typeof(ulong), typeof(sbyte), typeof(short), typeof(int), typeof(long), typeof(double), typeof(float), typeof(decimal)
+        };
+
+        // Performance stuff
+        [ThreadStatic]
+        private static StringBuilder _serializeObjectBuilder;
+        [ThreadStatic]
+        private static StringBuilder _parseStringBuilder;
+
+        static PlayFabSimpleJson()
+        {
+            EscapeTable = new char[93];
+            EscapeTable['"'] = '"';
+            EscapeTable['\\'] = '\\';
+            EscapeTable['\b'] = 'b';
+            EscapeTable['\f'] = 'f';
+            EscapeTable['\n'] = 'n';
+            EscapeTable['\r'] = 'r';
+            EscapeTable['\t'] = 't';
+        }
+
+        /// <summary>
+        /// Parses the string json into a value
+        /// </summary>
+        /// <param name="json">A JSON string.</param>
+        /// <returns>An IList&lt;object>, a IDictionary&lt;string,object>, a double, a string, null, true, or false</returns>
+        public static object DeserializeObject(string json)
+        {
+            object obj;
+            if (TryDeserializeObject(json, out obj))
+                return obj;
+            throw new SerializationException("Invalid JSON string");
+        }
+
+        /// <summary>
+        /// Try parsing the json string into a value.
+        /// </summary>
+        /// <param name="json">
+        /// A JSON string.
+        /// </param>
+        /// <param name="obj">
+        /// The object.
+        /// </param>
+        /// <returns>
+        /// Returns true if successfull otherwise false.
+        /// </returns>
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        public static bool TryDeserializeObject(string json, out object obj)
+        {
+            bool success = true;
+            if (json != null)
+            {
+                char[] charArray = json.ToCharArray();
+                int index = 0;
+                obj = ParseValue(charArray, ref index, ref success);
+            }
+            else
+                obj = null;
+
+            return success;
+        }
+
+        public static object DeserializeObject(string json, Type type, IJsonSerializerStrategy jsonSerializerStrategy)
+        {
+            object jsonObject = DeserializeObject(json);
+            return type == null || jsonObject != null && ReflectionUtils.IsAssignableFrom(jsonObject.GetType(), type)
+                       ? jsonObject
+                       : (jsonSerializerStrategy ?? CurrentJsonSerializerStrategy).DeserializeObject(jsonObject, type);
+        }
+
+        public static object DeserializeObject(string json, Type type)
+        {
+            return DeserializeObject(json, type, null);
+        }
+
+        public static T DeserializeObject<T>(string json, IJsonSerializerStrategy jsonSerializerStrategy)
+        {
+            return (T)DeserializeObject(json, typeof(T), jsonSerializerStrategy);
+        }
+
+        public static T DeserializeObject<T>(string json)
+        {
+            return (T)DeserializeObject(json, typeof(T), null);
+        }
+
+        /// <summary>
+        /// Converts a IDictionary&lt;string,object> / IList&lt;object> object into a JSON string
+        /// </summary>
+        /// <param name="json">A IDictionary&lt;string,object> / IList&lt;object></param>
+        /// <param name="jsonSerializerStrategy">Serializer strategy to use</param>
+        /// <returns>A JSON encoded string, or null if object 'json' is not serializable</returns>
+        public static string SerializeObject(object json, IJsonSerializerStrategy jsonSerializerStrategy = null)
+        {
+            if (_serializeObjectBuilder == null)
+                _serializeObjectBuilder = new StringBuilder(BUILDER_INIT);
+            _serializeObjectBuilder.Length = 0;
+
+            if (jsonSerializerStrategy == null)
+                jsonSerializerStrategy = CurrentJsonSerializerStrategy;
+
+            bool success = SerializeValue(jsonSerializerStrategy, json, _serializeObjectBuilder);
+            return (success ? _serializeObjectBuilder.ToString() : null);
+        }
+
+        public static string EscapeToJavascriptString(string jsonString)
+        {
+            if (string.IsNullOrEmpty(jsonString))
+                return jsonString;
+
+            StringBuilder sb = new StringBuilder();
+            char c;
+
+            for (int i = 0; i < jsonString.Length;)
+            {
+                c = jsonString[i++];
+
+                if (c == '\\')
+                {
+                    int remainingLength = jsonString.Length - i;
+                    if (remainingLength >= 2)
+                    {
+                        char lookahead = jsonString[i];
+                        if (lookahead == '\\')
+                        {
+                            sb.Append('\\');
+                            ++i;
+                        }
+                        else if (lookahead == '"')
+                        {
+                            sb.Append("\"");
+                            ++i;
+                        }
+                        else if (lookahead == 't')
+                        {
+                            sb.Append('\t');
+                            ++i;
+                        }
+                        else if (lookahead == 'b')
+                        {
+                            sb.Append('\b');
+                            ++i;
+                        }
+                        else if (lookahead == 'n')
+                        {
+                            sb.Append('\n');
+                            ++i;
+                        }
+                        else if (lookahead == 'r')
+                        {
+                            sb.Append('\r');
+                            ++i;
+                        }
+                    }
+                }
+                else
+                {
+                    sb.Append(c);
+                }
+            }
+            return sb.ToString();
+        }
+
+        static IDictionary<string, object> ParseObject(char[] json, ref int index, ref bool success)
+        {
+            IDictionary<string, object> table = new JsonObject();
+            TokenType token;
+
+            // {
+            NextToken(json, ref index);
+
+            bool done = false;
+            while (!done)
+            {
+                token = LookAhead(json, index);
+                if (token == TokenType.NONE)
+                {
+                    success = false;
+                    return null;
+                }
+                else if (token == TokenType.COMMA)
+                    NextToken(json, ref index);
+                else if (token == TokenType.CURLY_CLOSE)
+                {
+                    NextToken(json, ref index);
+                    return table;
+                }
+                else
+                {
+                    // name
+                    string name = ParseString(json, ref index, ref success);
+                    if (!success)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    // :
+                    token = NextToken(json, ref index);
+                    if (token != TokenType.COLON)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    // value
+                    object value = ParseValue(json, ref index, ref success);
+                    if (!success)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    table[name] = value;
+                }
+            }
+            return table;
+        }
+
+        static JsonArray ParseArray(char[] json, ref int index, ref bool success)
+        {
+            JsonArray array = new JsonArray();
+
+            // [
+            NextToken(json, ref index);
+
+            bool done = false;
+            while (!done)
+            {
+                TokenType token = LookAhead(json, index);
+                if (token == TokenType.NONE)
+                {
+                    success = false;
+                    return null;
+                }
+                else if (token == TokenType.COMMA)
+                    NextToken(json, ref index);
+                else if (token == TokenType.SQUARED_CLOSE)
+                {
+                    NextToken(json, ref index);
+                    break;
+                }
+                else
+                {
+                    object value = ParseValue(json, ref index, ref success);
+                    if (!success)
+                        return null;
+                    array.Add(value);
+                }
+            }
+            return array;
+        }
+
+        static object ParseValue(char[] json, ref int index, ref bool success)
+        {
+            switch (LookAhead(json, index))
+            {
+                case TokenType.STRING:
+                    return ParseString(json, ref index, ref success);
+                case TokenType.NUMBER:
+                    return ParseNumber(json, ref index, ref success);
+                case TokenType.CURLY_OPEN:
+                    return ParseObject(json, ref index, ref success);
+                case TokenType.SQUARED_OPEN:
+                    return ParseArray(json, ref index, ref success);
+                case TokenType.TRUE:
+                    NextToken(json, ref index);
+                    return true;
+                case TokenType.FALSE:
+                    NextToken(json, ref index);
+                    return false;
+                case TokenType.NULL:
+                    NextToken(json, ref index);
+                    return null;
+                case TokenType.NONE:
+                    break;
+            }
+            success = false;
+            return null;
+        }
+
+        static string ParseString(char[] json, ref int index, ref bool success)
+        {
+            if (_parseStringBuilder == null)
+                _parseStringBuilder = new StringBuilder(BUILDER_INIT);
+            _parseStringBuilder.Length = 0;
+
+            EatWhitespace(json, ref index);
+
+            // "
+            char c = json[index++];
+            bool complete = false;
+            while (!complete)
+            {
+                if (index == json.Length)
+                    break;
+
+                c = json[index++];
+                if (c == '"')
+                {
+                    complete = true;
+                    break;
+                }
+                else if (c == '\\')
+                {
+                    if (index == json.Length)
+                        break;
+                    c = json[index++];
+                    if (c == '"')
+                        _parseStringBuilder.Append('"');
+                    else if (c == '\\')
+                        _parseStringBuilder.Append('\\');
+                    else if (c == '/')
+                        _parseStringBuilder.Append('/');
+                    else if (c == 'b')
+                        _parseStringBuilder.Append('\b');
+                    else if (c == 'f')
+                        _parseStringBuilder.Append('\f');
+                    else if (c == 'n')
+                        _parseStringBuilder.Append('\n');
+                    else if (c == 'r')
+                        _parseStringBuilder.Append('\r');
+                    else if (c == 't')
+                        _parseStringBuilder.Append('\t');
+                    else if (c == 'u')
+                    {
+                        int remainingLength = json.Length - index;
+                        if (remainingLength >= 4)
+                        {
+                            // parse the 32 bit hex into an integer codepoint
+                            uint codePoint;
+                            if (!(success = UInt32.TryParse(new string(json, index, 4), NumberStyles.HexNumber, CultureInfo.InvariantCulture, out codePoint)))
+                                return "";
+
+                            // convert the integer codepoint to a unicode char and add to string
+                            if (0xD800 <= codePoint && codePoint <= 0xDBFF)  // if high surrogate
+                            {
+                                index += 4; // skip 4 chars
+                                remainingLength = json.Length - index;
+                                if (remainingLength >= 6)
+                                {
+                                    uint lowCodePoint;
+                                    if (new string(json, index, 2) == "\\u" && UInt32.TryParse(new string(json, index + 2, 4), NumberStyles.HexNumber, CultureInfo.InvariantCulture, out lowCodePoint))
+                                    {
+                                        if (0xDC00 <= lowCodePoint && lowCodePoint <= 0xDFFF)    // if low surrogate
+                                        {
+                                            _parseStringBuilder.Append((char)codePoint);
+                                            _parseStringBuilder.Append((char)lowCodePoint);
+                                            index += 6; // skip 6 chars
+                                            continue;
+                                        }
+                                    }
+                                }
+                                success = false;    // invalid surrogate pair
+                                return "";
+                            }
+                            _parseStringBuilder.Append(ConvertFromUtf32((int)codePoint));
+                            // skip 4 chars
+                            index += 4;
+                        }
+                        else
+                            break;
+                    }
+                }
+                else
+                    _parseStringBuilder.Append(c);
+            }
+            if (!complete)
+            {
+                success = false;
+                return null;
+            }
+            return _parseStringBuilder.ToString();
+        }
+
+        private static string ConvertFromUtf32(int utf32)
+        {
+            // http://www.java2s.com/Open-Source/CSharp/2.6.4-mono-.net-core/System/System/Char.cs.htm
+            if (utf32 < 0 || utf32 > 0x10FFFF)
+                throw new ArgumentOutOfRangeException("utf32", "The argument must be from 0 to 0x10FFFF.");
+            if (0xD800 <= utf32 && utf32 <= 0xDFFF)
+                throw new ArgumentOutOfRangeException("utf32", "The argument must not be in surrogate pair range.");
+            if (utf32 < 0x10000)
+                return new string((char)utf32, 1);
+            utf32 -= 0x10000;
+            return new string(new char[] { (char)((utf32 >> 10) + 0xD800), (char)(utf32 % 0x0400 + 0xDC00) });
+        }
+
+        static object ParseNumber(char[] json, ref int index, ref bool success)
+        {
+            EatWhitespace(json, ref index);
+            int lastIndex = GetLastIndexOfNumber(json, index);
+            int charLength = (lastIndex - index) + 1;
+            object returnNumber;
+            string str = new string(json, index, charLength);
+            if (str.IndexOf(".", StringComparison.OrdinalIgnoreCase) != -1 || str.IndexOf("e", StringComparison.OrdinalIgnoreCase) != -1)
+            {
+                double number;
+                success = double.TryParse(new string(json, index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            else if (str.IndexOf("-", StringComparison.OrdinalIgnoreCase) == -1)
+            {
+                ulong number;
+                success = ulong.TryParse(new string(json, index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            else
+            {
+                long number;
+                success = long.TryParse(new string(json, index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            index = lastIndex + 1;
+            return returnNumber;
+        }
+
+        static int GetLastIndexOfNumber(char[] json, int index)
+        {
+            int lastIndex;
+            for (lastIndex = index; lastIndex < json.Length; lastIndex++)
+                if ("0123456789+-.eE".IndexOf(json[lastIndex]) == -1) break;
+            return lastIndex - 1;
+        }
+
+        static void EatWhitespace(char[] json, ref int index)
+        {
+            for (; index < json.Length; index++)
+                if (" \t\n\r\b\f".IndexOf(json[index]) == -1) break;
+        }
+
+        static TokenType LookAhead(char[] json, int index)
+        {
+            int saveIndex = index;
+            return NextToken(json, ref saveIndex);
+        }
+
+        [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
+        static TokenType NextToken(char[] json, ref int index)
+        {
+            EatWhitespace(json, ref index);
+            if (index == json.Length)
+                return TokenType.NONE;
+            char c = json[index];
+            index++;
+            switch (c)
+            {
+                case '{':
+                    return TokenType.CURLY_OPEN;
+                case '}':
+                    return TokenType.CURLY_CLOSE;
+                case '[':
+                    return TokenType.SQUARED_OPEN;
+                case ']':
+                    return TokenType.SQUARED_CLOSE;
+                case ',':
+                    return TokenType.COMMA;
+                case '"':
+                    return TokenType.STRING;
+                case '0':
+                case '1':
+                case '2':
+                case '3':
+                case '4':
+                case '5':
+                case '6':
+                case '7':
+                case '8':
+                case '9':
+                case '-':
+                    return TokenType.NUMBER;
+                case ':':
+                    return TokenType.COLON;
+            }
+            index--;
+            int remainingLength = json.Length - index;
+            // false
+            if (remainingLength >= 5)
+            {
+                if (json[index] == 'f' && json[index + 1] == 'a' && json[index + 2] == 'l' && json[index + 3] == 's' && json[index + 4] == 'e')
+                {
+                    index += 5;
+                    return TokenType.FALSE;
+                }
+            }
+            // true
+            if (remainingLength >= 4)
+            {
+                if (json[index] == 't' && json[index + 1] == 'r' && json[index + 2] == 'u' && json[index + 3] == 'e')
+                {
+                    index += 4;
+                    return TokenType.TRUE;
+                }
+            }
+            // null
+            if (remainingLength >= 4)
+            {
+                if (json[index] == 'n' && json[index + 1] == 'u' && json[index + 2] == 'l' && json[index + 3] == 'l')
+                {
+                    index += 4;
+                    return TokenType.NULL;
+                }
+            }
+            return TokenType.NONE;
+        }
+
+        static bool SerializeValue(IJsonSerializerStrategy jsonSerializerStrategy, object value, StringBuilder builder)
+        {
+            bool success = true;
+            string stringValue = value as string;
+            if (value == null)
+                builder.Append("null");
+            else if (stringValue != null)
+                success = SerializeString(stringValue, builder);
+            else
+            {
+                IDictionary<string, object> dict = value as IDictionary<string, object>;
+                Type type = value.GetType();
+                Type[] genArgs = ReflectionUtils.GetGenericTypeArguments(type);
+#if NETFX_CORE
+                var isStringKeyDictionary = type.GetTypeInfo().IsGenericType && type.GetGenericTypeDefinition() == typeof(Dictionary<,>) && genArgs[0] == typeof(string);
+#else
+                var isStringKeyDictionary = type.IsGenericType && type.GetGenericTypeDefinition() == typeof(Dictionary<,>) && genArgs[0] == typeof(string);
+#endif
+                if (isStringKeyDictionary)
+                {
+                    var strDictValue = value as IDictionary;
+                    success = SerializeObject(jsonSerializerStrategy, strDictValue.Keys, strDictValue.Values, builder);
+                }
+                else if (dict != null)
+                {
+                    success = SerializeObject(jsonSerializerStrategy, dict.Keys, dict.Values, builder);
+                }
+                else
+                {
+                    IDictionary<string, string> stringDictionary = value as IDictionary<string, string>;
+                    if (stringDictionary != null)
+                    {
+                        success = SerializeObject(jsonSerializerStrategy, stringDictionary.Keys, stringDictionary.Values, builder);
+                    }
+                    else
+                    {
+                        IEnumerable enumerableValue = value as IEnumerable;
+                        if (enumerableValue != null)
+                            success = SerializeArray(jsonSerializerStrategy, enumerableValue, builder);
+                        else if (IsNumeric(value))
+                            success = SerializeNumber(value, builder);
+                        else if (value is bool)
+                            builder.Append((bool)value ? "true" : "false");
+                        else
+                        {
+                            object serializedObject;
+                            success = jsonSerializerStrategy.TrySerializeNonPrimitiveObject(value, out serializedObject);
+                            if (success)
+                                SerializeValue(jsonSerializerStrategy, serializedObject, builder);
+                        }
+                    }
+                }
+            }
+            return success;
+        }
+
+        static bool SerializeObject(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable keys, IEnumerable values, StringBuilder builder)
+        {
+            builder.Append("{");
+            IEnumerator ke = keys.GetEnumerator();
+            IEnumerator ve = values.GetEnumerator();
+            bool first = true;
+            while (ke.MoveNext() && ve.MoveNext())
+            {
+                object key = ke.Current;
+                object value = ve.Current;
+                if (!first)
+                    builder.Append(",");
+                string stringKey = key as string;
+                if (stringKey != null)
+                    SerializeString(stringKey, builder);
+                else
+                    if (!SerializeValue(jsonSerializerStrategy, value, builder)) return false;
+                builder.Append(":");
+                if (!SerializeValue(jsonSerializerStrategy, value, builder))
+                    return false;
+                first = false;
+            }
+            builder.Append("}");
+            return true;
+        }
+
+        static bool SerializeArray(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable anArray, StringBuilder builder)
+        {
+            builder.Append("[");
+            bool first = true;
+            foreach (object value in anArray)
+            {
+                if (!first)
+                    builder.Append(",");
+                if (!SerializeValue(jsonSerializerStrategy, value, builder))
+                    return false;
+                first = false;
+            }
+            builder.Append("]");
+            return true;
+        }
+
+        static bool SerializeString(string aString, StringBuilder builder)
+        {
+            // Happy path if there's nothing to be escaped. IndexOfAny is highly optimized (and unmanaged)
+            if (aString.IndexOfAny(EscapeCharacters) == -1)
+            {
+                builder.Append('"');
+                builder.Append(aString);
+                builder.Append('"');
+
+                return true;
+            }
+
+            builder.Append('"');
+            int safeCharacterCount = 0;
+            char[] charArray = aString.ToCharArray();
+
+            for (int i = 0; i < charArray.Length; i++)
+            {
+                char c = charArray[i];
+
+                // Non ascii characters are fine, buffer them up and send them to the builder
+                // in larger chunks if possible. The escape table is a 1:1 translation table
+                // with \0 [default(char)] denoting a safe character.
+                if (c >= EscapeTable.Length || EscapeTable[c] == default(char))
+                {
+                    safeCharacterCount++;
+                }
+                else
+                {
+                    if (safeCharacterCount > 0)
+                    {
+                        builder.Append(charArray, i - safeCharacterCount, safeCharacterCount);
+                        safeCharacterCount = 0;
+                    }
+
+                    builder.Append('\\');
+                    builder.Append(EscapeTable[c]);
+                }
+            }
+
+            if (safeCharacterCount > 0)
+            {
+                builder.Append(charArray, charArray.Length - safeCharacterCount, safeCharacterCount);
+            }
+
+            builder.Append('"');
+            return true;
+        }
+
+        static bool SerializeNumber(object number, StringBuilder builder)
+        {
+            if (number is decimal)
+                builder.Append(((decimal)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (number is double)
+                builder.Append(((double)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (number is float)
+                builder.Append(((float)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (NumberTypes.IndexOf(number.GetType()) != -1)
+                builder.Append(number);
+            return true;
+        }
+
+        /// <summary>
+        /// Determines if a given object is numeric in any way
+        /// (can be integer, double, null, etc).
+        /// </summary>
+        static bool IsNumeric(object value)
+        {
+            if (value is sbyte) return true;
+            if (value is byte) return true;
+            if (value is short) return true;
+            if (value is ushort) return true;
+            if (value is int) return true;
+            if (value is uint) return true;
+            if (value is long) return true;
+            if (value is ulong) return true;
+            if (value is float) return true;
+            if (value is double) return true;
+            if (value is decimal) return true;
+            return false;
+        }
+
+        private static IJsonSerializerStrategy _currentJsonSerializerStrategy;
+        public static IJsonSerializerStrategy CurrentJsonSerializerStrategy
+        {
+            get
+            {
+                return _currentJsonSerializerStrategy ??
+                    (_currentJsonSerializerStrategy =
+#if SIMPLE_JSON_DATACONTRACT
+ DataContractJsonSerializerStrategy
+#else
+ PocoJsonSerializerStrategy
+#endif
+);
+            }
+            set
+            {
+                _currentJsonSerializerStrategy = value;
+            }
+        }
+
+        private static PocoJsonSerializerStrategy _pocoJsonSerializerStrategy;
+        [EditorBrowsable(EditorBrowsableState.Advanced)]
+        public static PocoJsonSerializerStrategy PocoJsonSerializerStrategy
+        {
+            get
+            {
+                return _pocoJsonSerializerStrategy ?? (_pocoJsonSerializerStrategy = new PocoJsonSerializerStrategy());
+            }
+        }
+
+#if SIMPLE_JSON_DATACONTRACT
+
+        private static DataContractJsonSerializerStrategy _dataContractJsonSerializerStrategy;
+        [System.ComponentModel.EditorBrowsable(EditorBrowsableState.Advanced)]
+        public static DataContractJsonSerializerStrategy DataContractJsonSerializerStrategy
+        {
+            get
+            {
+                return _dataContractJsonSerializerStrategy ?? (_dataContractJsonSerializerStrategy = new DataContractJsonSerializerStrategy());
+            }
+        }
+
+#endif
+    }
+
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ interface IJsonSerializerStrategy
+    {
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        bool TrySerializeNonPrimitiveObject(object input, out object output);
+        object DeserializeObject(object value, Type type);
+    }
+
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ class PocoJsonSerializerStrategy : IJsonSerializerStrategy
+    {
+        internal IDictionary<Type, ReflectionUtils.ConstructorDelegate> ConstructorCache;
+        internal IDictionary<Type, IDictionary<string, ReflectionUtils.GetDelegate>> GetCache;
+        internal IDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>> SetCache;
+
+        internal static readonly Type[] EmptyTypes = new Type[0];
+        internal static readonly Type[] ArrayConstructorParameterTypes = new Type[] { typeof(int) };
+
+        private static readonly string[] Iso8601Format = new string[]
+                                                             {
+                                                                 @"yyyy-MM-dd\THH:mm:ss.FFFFFFF\Z",
+                                                                 @"yyyy-MM-dd\THH:mm:ss\Z",
+                                                                 @"yyyy-MM-dd\THH:mm:ssK"
+                                                             };
+
+        public PocoJsonSerializerStrategy()
+        {
+            ConstructorCache = new ReflectionUtils.ThreadSafeDictionary<Type, ReflectionUtils.ConstructorDelegate>(ContructorDelegateFactory);
+            GetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, ReflectionUtils.GetDelegate>>(GetterValueFactory);
+            SetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>>(SetterValueFactory);
+        }
+
+        protected virtual string MapClrMemberNameToJsonFieldName(string clrPropertyName)
+        {
+            return clrPropertyName;
+        }
+
+        internal virtual ReflectionUtils.ConstructorDelegate ContructorDelegateFactory(Type key)
+        {
+            return ReflectionUtils.GetContructor(key, key.IsArray ? ArrayConstructorParameterTypes : EmptyTypes);
+        }
+
+        internal virtual IDictionary<string, ReflectionUtils.GetDelegate> GetterValueFactory(Type type)
+        {
+            IDictionary<string, ReflectionUtils.GetDelegate> result = new Dictionary<string, ReflectionUtils.GetDelegate>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanRead)
+                {
+                    MethodInfo getMethod = ReflectionUtils.GetGetterMethodInfo(propertyInfo);
+                    if (getMethod.IsStatic || !getMethod.IsPublic)
+                        continue;
+                    result[MapClrMemberNameToJsonFieldName(propertyInfo.Name)] = ReflectionUtils.GetGetMethod(propertyInfo);
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (fieldInfo.IsStatic || !fieldInfo.IsPublic)
+                    continue;
+                result[MapClrMemberNameToJsonFieldName(fieldInfo.Name)] = ReflectionUtils.GetGetMethod(fieldInfo);
+            }
+            return result;
+        }
+
+        internal virtual IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> SetterValueFactory(Type type)
+        {
+            IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> result = new Dictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanWrite)
+                {
+                    MethodInfo setMethod = ReflectionUtils.GetSetterMethodInfo(propertyInfo);
+                    if (setMethod.IsStatic || !setMethod.IsPublic)
+                        continue;
+                    result[MapClrMemberNameToJsonFieldName(propertyInfo.Name)] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(propertyInfo.PropertyType, ReflectionUtils.GetSetMethod(propertyInfo));
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (fieldInfo.IsInitOnly || fieldInfo.IsStatic || !fieldInfo.IsPublic)
+                    continue;
+                result[MapClrMemberNameToJsonFieldName(fieldInfo.Name)] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(fieldInfo.FieldType, ReflectionUtils.GetSetMethod(fieldInfo));
+            }
+            return result;
+        }
+
+        public virtual bool TrySerializeNonPrimitiveObject(object input, out object output)
+        {
+            return TrySerializeKnownTypes(input, out output) || TrySerializeUnknownTypes(input, out output);
+        }
+
+        [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
+        public virtual object DeserializeObject(object value, Type type)
+        {
+            if (type == null) throw new ArgumentNullException("type");
+            string str = value as string;
+
+            if (type == typeof(Guid) && string.IsNullOrEmpty(str))
+                return default(Guid);
+
+            if (value == null)
+                return null;
+
+            object obj = null;
+
+            if (str != null)
+            {
+                if (str.Length != 0) // We know it can't be null now.
+                {
+                    if (type == typeof(DateTime) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(DateTime)))
+                        return DateTime.ParseExact(str, Iso8601Format, CultureInfo.InvariantCulture, DateTimeStyles.AssumeUniversal | DateTimeStyles.AdjustToUniversal);
+                    if (type == typeof(DateTimeOffset) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(DateTimeOffset)))
+                        return DateTimeOffset.ParseExact(str, Iso8601Format, CultureInfo.InvariantCulture, DateTimeStyles.AssumeUniversal | DateTimeStyles.AdjustToUniversal);
+                    if (type == typeof(Guid) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid)))
+                        return new Guid(str);
+                    if (type == typeof(Uri))
+                    {
+                        bool isValid = Uri.IsWellFormedUriString(str, UriKind.RelativeOrAbsolute);
+
+                        Uri result;
+                        if (isValid && Uri.TryCreate(str, UriKind.RelativeOrAbsolute, out result))
+                            return result;
+
+                        return null;
+                    }
+
+                    if (type == typeof(string))
+                        return str;
+
+                    return Convert.ChangeType(str, type, CultureInfo.InvariantCulture);
+                }
+                else
+                {
+                    if (type == typeof(Guid))
+                        obj = default(Guid);
+                    else if (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid))
+                        obj = null;
+                    else
+                        obj = str;
+                }
+                // Empty string case
+                if (!ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid))
+                    return str;
+            }
+            else if (value is bool)
+                return value;
+
+            bool valueIsLong = value is long;
+            bool valueIsUlong = value is ulong;
+            bool valueIsDouble = value is double;
+            Type nullableType = Nullable.GetUnderlyingType(type);
+            if (nullableType != null && PlayFabSimpleJson.NumberTypes.IndexOf(nullableType) != -1)
+                type = nullableType; // Just use the regular type for the conversion
+            bool isNumberType = PlayFabSimpleJson.NumberTypes.IndexOf(type) != -1;
+#if NETFX_CORE
+            bool isEnumType = type.GetTypeInfo().IsEnum;
+#else
+            bool isEnumType = type.IsEnum; //type.GetType;
+#endif
+            if ((valueIsLong && type == typeof(long)) || (valueIsUlong && type == typeof(ulong)) || (valueIsDouble && type == typeof(double)))
+                return value;
+            if ((valueIsLong || valueIsUlong || valueIsDouble) && isEnumType)
+                return Enum.ToObject(type, Convert.ChangeType(value, Enum.GetUnderlyingType(type), CultureInfo.InvariantCulture));
+            if ((valueIsLong || valueIsUlong || valueIsDouble) && isNumberType)
+                return Convert.ChangeType(value, type, CultureInfo.InvariantCulture);
+
+            IDictionary<string, object> objects = value as IDictionary<string, object>;
+            if (objects != null)
+            {
+                IDictionary<string, object> jsonObject = objects;
+
+                if (ReflectionUtils.IsTypeDictionary(type))
+                {
+                    // if dictionary then
+                    Type[] types = ReflectionUtils.GetGenericTypeArguments(type);
+                    Type keyType = types[0];
+                    Type valueType = types[1];
+
+                    Type genericType = typeof(Dictionary<,>).MakeGenericType(keyType, valueType);
+
+                    IDictionary dict = (IDictionary)ConstructorCache[genericType]();
+
+                    foreach (KeyValuePair<string, object> kvp in jsonObject)
+                        dict.Add(kvp.Key, DeserializeObject(kvp.Value, valueType));
+
+                    obj = dict;
+                }
+                else
+                {
+                    if (type == typeof(object))
+                        obj = value;
+                    else
+                    {
+                        obj = ConstructorCache[type]();
+                        foreach (KeyValuePair<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> setter in SetCache[type])
+                        {
+                            object jsonValue;
+                            if (jsonObject.TryGetValue(setter.Key, out jsonValue))
+                            {
+                                jsonValue = DeserializeObject(jsonValue, setter.Value.Key);
+                                setter.Value.Value(obj, jsonValue);
+                            }
+                        }
+                    }
+                }
+            }
+            else
+            {
+                IList<object> valueAsList = value as IList<object>;
+                if (valueAsList != null)
+                {
+                    IList<object> jsonObject = valueAsList;
+                    IList list = null;
+
+                    if (type.IsArray)
+                    {
+                        list = (IList)ConstructorCache[type](jsonObject.Count);
+                        int i = 0;
+                        foreach (object o in jsonObject)
+                            list[i++] = DeserializeObject(o, type.GetElementType());
+                    }
+                    else if (ReflectionUtils.IsTypeGenericeCollectionInterface(type) || ReflectionUtils.IsAssignableFrom(typeof(IList), type))
+                    {
+                        Type innerType = ReflectionUtils.GetGenericListElementType(type);
+                        list = (IList)(ConstructorCache[type] ?? ConstructorCache[typeof(List<>).MakeGenericType(innerType)])();
+                        foreach (object o in jsonObject)
+                            list.Add(DeserializeObject(o, innerType));
+                    }
+                    obj = list;
+                }
+                return obj;
+            }
+            if (ReflectionUtils.IsNullableType(type))
+                return ReflectionUtils.ToNullableType(obj, type);
+            return obj;
+        }
+
+        protected virtual object SerializeEnum(Enum p)
+        {
+            return Convert.ToDouble(p, CultureInfo.InvariantCulture);
+        }
+
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        protected virtual bool TrySerializeKnownTypes(object input, out object output)
+        {
+            bool returnValue = true;
+            if (input is DateTime)
+                output = ((DateTime)input).ToUniversalTime().ToString(Iso8601Format[0], CultureInfo.InvariantCulture);
+            else if (input is DateTimeOffset)
+                output = ((DateTimeOffset)input).ToUniversalTime().ToString(Iso8601Format[0], CultureInfo.InvariantCulture);
+            else if (input is Guid)
+                output = ((Guid)input).ToString("D");
+            else if (input is Uri)
+                output = input.ToString();
+            else
+            {
+                Enum inputEnum = input as Enum;
+                if (inputEnum != null)
+                    output = SerializeEnum(inputEnum);
+                else
+                {
+                    returnValue = false;
+                    output = null;
+                }
+            }
+            return returnValue;
+        }
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        protected virtual bool TrySerializeUnknownTypes(object input, out object output)
+        {
+            if (input == null) throw new ArgumentNullException("input");
+            output = null;
+            Type type = input.GetType();
+            if (type.FullName == null)
+                return false;
+            IDictionary<string, object> obj = new JsonObject();
+            IDictionary<string, ReflectionUtils.GetDelegate> getters = GetCache[type];
+            foreach (KeyValuePair<string, ReflectionUtils.GetDelegate> getter in getters)
+            {
+                if (getter.Value != null)
+                    obj.Add(MapClrMemberNameToJsonFieldName(getter.Key), getter.Value(input));
+            }
+            output = obj;
+            return true;
+        }
+    }
+
+#if SIMPLE_JSON_DATACONTRACT
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ class DataContractJsonSerializerStrategy : PocoJsonSerializerStrategy
+    {
+        public DataContractJsonSerializerStrategy()
+        {
+            GetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, ReflectionUtils.GetDelegate>>(GetterValueFactory);
+            SetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>>(SetterValueFactory);
+        }
+
+        internal override IDictionary<string, ReflectionUtils.GetDelegate> GetterValueFactory(Type type)
+        {
+            bool hasDataContract = ReflectionUtils.GetAttribute(type, typeof(DataContractAttribute)) != null;
+            if (!hasDataContract)
+                return base.GetterValueFactory(type);
+            string jsonKey;
+            IDictionary<string, ReflectionUtils.GetDelegate> result = new Dictionary<string, ReflectionUtils.GetDelegate>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanRead)
+                {
+                    MethodInfo getMethod = ReflectionUtils.GetGetterMethodInfo(propertyInfo);
+                    if (!getMethod.IsStatic && CanAdd(propertyInfo, out jsonKey))
+                        result[jsonKey] = ReflectionUtils.GetGetMethod(propertyInfo);
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (!fieldInfo.IsStatic && CanAdd(fieldInfo, out jsonKey))
+                    result[jsonKey] = ReflectionUtils.GetGetMethod(fieldInfo);
+            }
+            return result;
+        }
+
+        internal override IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> SetterValueFactory(Type type)
+        {
+            bool hasDataContract = ReflectionUtils.GetAttribute(type, typeof(DataContractAttribute)) != null;
+            if (!hasDataContract)
+                return base.SetterValueFactory(type);
+            string jsonKey;
+            IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> result = new Dictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanWrite)
+                {
+                    MethodInfo setMethod = ReflectionUtils.GetSetterMethodInfo(propertyInfo);
+                    if (!setMethod.IsStatic && CanAdd(propertyInfo, out jsonKey))
+                        result[jsonKey] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(propertyInfo.PropertyType, ReflectionUtils.GetSetMethod(propertyInfo));
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (!fieldInfo.IsInitOnly && !fieldInfo.IsStatic && CanAdd(fieldInfo, out jsonKey))
+                    result[jsonKey] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(fieldInfo.FieldType, ReflectionUtils.GetSetMethod(fieldInfo));
+            }
+            // todo implement sorting for DATACONTRACT.
+            return result;
+        }
+
+        private static bool CanAdd(MemberInfo info, out string jsonKey)
+        {
+            jsonKey = null;
+            if (ReflectionUtils.GetAttribute(info, typeof(IgnoreDataMemberAttribute)) != null)
+                return false;
+            DataMemberAttribute dataMemberAttribute = (DataMemberAttribute)ReflectionUtils.GetAttribute(info, typeof(DataMemberAttribute));
+            if (dataMemberAttribute == null)
+                return false;
+            jsonKey = string.IsNullOrEmpty(dataMemberAttribute.Name) ? info.Name : dataMemberAttribute.Name;
+            return true;
+        }
+    }
+
+#endif
+
+    // This class is meant to be copied into other libraries. So we want to exclude it from Code Analysis rules
+    // that might be in place in the target project.
+    [GeneratedCode("reflection-utils", "1.0.0")]
+#if SIMPLE_JSON_REFLECTION_UTILS_PUBLIC
+        public
+#else
+    internal
+#endif
+ class ReflectionUtils
+    {
+        private static readonly object[] EmptyObjects = new object[0];
+
+        public delegate object GetDelegate(object source);
+        public delegate void SetDelegate(object source, object value);
+        public delegate object ConstructorDelegate(params object[] args);
+
+        public delegate TValue ThreadSafeDictionaryValueFactory<TKey, TValue>(TKey key);
+
+        [ThreadStatic]
+        private static object[] _1ObjArray;
+
+#if SIMPLE_JSON_TYPEINFO
+            public static TypeInfo GetTypeInfo(Type type)
+            {
+                return type.GetTypeInfo();
+            }
+#else
+        public static Type GetTypeInfo(Type type)
+        {
+            return type;
+        }
+#endif
+
+        public static Attribute GetAttribute(MemberInfo info, Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                if (info == null || type == null || !info.IsDefined(type))
+                    return null;
+                return info.GetCustomAttribute(type);
+#else
+            if (info == null || type == null || !Attribute.IsDefined(info, type))
+                return null;
+            return Attribute.GetCustomAttribute(info, type);
+#endif
+        }
+
+        public static Type GetGenericListElementType(Type type)
+        {
+            IEnumerable<Type> interfaces;
+#if SIMPLE_JSON_TYPEINFO
+                interfaces = type.GetTypeInfo().ImplementedInterfaces;
+#else
+            interfaces = type.GetInterfaces();
+#endif
+            foreach (Type implementedInterface in interfaces)
+            {
+                if (IsTypeGeneric(implementedInterface) &&
+                    implementedInterface.GetGenericTypeDefinition() == typeof(IList<>))
+                {
+                    return GetGenericTypeArguments(implementedInterface)[0];
+                }
+            }
+            return GetGenericTypeArguments(type)[0];
+        }
+
+        public static Attribute GetAttribute(Type objectType, Type attributeType)
+        {
+
+#if SIMPLE_JSON_TYPEINFO
+                if (objectType == null || attributeType == null || !objectType.GetTypeInfo().IsDefined(attributeType))
+                    return null;
+                return objectType.GetTypeInfo().GetCustomAttribute(attributeType);
+#else
+            if (objectType == null || attributeType == null || !Attribute.IsDefined(objectType, attributeType))
+                return null;
+            return Attribute.GetCustomAttribute(objectType, attributeType);
+#endif
+        }
+
+        public static Type[] GetGenericTypeArguments(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return type.GetTypeInfo().GenericTypeArguments;
+#else
+            return type.GetGenericArguments();
+#endif
+        }
+
+        public static bool IsTypeGeneric(Type type)
+        {
+            return GetTypeInfo(type).IsGenericType;
+        }
+
+        public static bool IsTypeGenericeCollectionInterface(Type type)
+        {
+            if (!IsTypeGeneric(type))
+                return false;
+
+            Type genericDefinition = type.GetGenericTypeDefinition();
+
+            return (genericDefinition == typeof(IList<>)
+                || genericDefinition == typeof(ICollection<>)
+                || genericDefinition == typeof(IEnumerable<>)
+#if SIMPLE_JSON_READONLY_COLLECTIONS
+                    || genericDefinition == typeof(IReadOnlyCollection<>)
+                    || genericDefinition == typeof(IReadOnlyList<>)
+#endif
+);
+        }
+
+        public static bool IsAssignableFrom(Type type1, Type type2)
+        {
+            return GetTypeInfo(type1).IsAssignableFrom(GetTypeInfo(type2));
+        }
+
+        public static bool IsTypeDictionary(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                if (typeof(IDictionary<,>).GetTypeInfo().IsAssignableFrom(type.GetTypeInfo()))
+                    return true;
+#else
+            if (typeof(System.Collections.IDictionary).IsAssignableFrom(type))
+                return true;
+#endif
+            if (!GetTypeInfo(type).IsGenericType)
+                return false;
+
+            Type genericDefinition = type.GetGenericTypeDefinition();
+            return genericDefinition == typeof(IDictionary<,>);
+        }
+
+        public static bool IsNullableType(Type type)
+        {
+            return GetTypeInfo(type).IsGenericType && type.GetGenericTypeDefinition() == typeof(Nullable<>);
+        }
+
+        public static object ToNullableType(object obj, Type nullableType)
+        {
+            return obj == null ? null : Convert.ChangeType(obj, Nullable.GetUnderlyingType(nullableType), CultureInfo.InvariantCulture);
+        }
+
+        public static bool IsValueType(Type type)
+        {
+            return GetTypeInfo(type).IsValueType;
+        }
+
+        public static IEnumerable<ConstructorInfo> GetConstructors(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return type.GetTypeInfo().DeclaredConstructors;
+#else
+            return type.GetConstructors();
+#endif
+        }
+
+        public static ConstructorInfo GetConstructorInfo(Type type, params Type[] argsType)
+        {
+            IEnumerable<ConstructorInfo> constructorInfos = GetConstructors(type);
+            int i;
+            bool matches;
+            foreach (ConstructorInfo constructorInfo in constructorInfos)
+            {
+                ParameterInfo[] parameters = constructorInfo.GetParameters();
+                if (argsType.Length != parameters.Length)
+                    continue;
+
+                i = 0;
+                matches = true;
+                foreach (ParameterInfo parameterInfo in constructorInfo.GetParameters())
+                {
+                    if (parameterInfo.ParameterType != argsType[i])
+                    {
+                        matches = false;
+                        break;
+                    }
+                }
+
+                if (matches)
+                    return constructorInfo;
+            }
+
+            return null;
+        }
+
+        public static IEnumerable<PropertyInfo> GetProperties(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return type.GetRuntimeProperties();
+#else
+            return type.GetProperties(BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Static);
+#endif
+        }
+
+        public static IEnumerable<FieldInfo> GetFields(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return type.GetRuntimeFields();
+#else
+            return type.GetFields(BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Static);
+#endif
+        }
+
+        public static MethodInfo GetGetterMethodInfo(PropertyInfo propertyInfo)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return propertyInfo.GetMethod;
+#else
+            return propertyInfo.GetGetMethod(true);
+#endif
+        }
+
+        public static MethodInfo GetSetterMethodInfo(PropertyInfo propertyInfo)
+        {
+#if SIMPLE_JSON_TYPEINFO
+                return propertyInfo.SetMethod;
+#else
+            return propertyInfo.GetSetMethod(true);
+#endif
+        }
+
+        public static ConstructorDelegate GetContructor(ConstructorInfo constructorInfo)
+        {
+            return GetConstructorByReflection(constructorInfo);
+        }
+
+        public static ConstructorDelegate GetContructor(Type type, params Type[] argsType)
+        {
+            return GetConstructorByReflection(type, argsType);
+        }
+
+        public static ConstructorDelegate GetConstructorByReflection(ConstructorInfo constructorInfo)
+        {
+            return delegate (object[] args)
+            {
+                var x = constructorInfo;
+                return x.Invoke(args);
+            };
+        }
+
+        public static ConstructorDelegate GetConstructorByReflection(Type type, params Type[] argsType)
+        {
+            ConstructorInfo constructorInfo = GetConstructorInfo(type, argsType);
+            return constructorInfo == null ? null : GetConstructorByReflection(constructorInfo);
+        }
+
+        public static GetDelegate GetGetMethod(PropertyInfo propertyInfo)
+        {
+            return GetGetMethodByReflection(propertyInfo);
+        }
+
+        public static GetDelegate GetGetMethod(FieldInfo fieldInfo)
+        {
+            return GetGetMethodByReflection(fieldInfo);
+        }
+
+        public static GetDelegate GetGetMethodByReflection(PropertyInfo propertyInfo)
+        {
+            MethodInfo methodInfo = GetGetterMethodInfo(propertyInfo);
+            return delegate (object source) { return methodInfo.Invoke(source, EmptyObjects); };
+        }
+
+        public static GetDelegate GetGetMethodByReflection(FieldInfo fieldInfo)
+        {
+            return delegate (object source) { return fieldInfo.GetValue(source); };
+        }
+
+        public static SetDelegate GetSetMethod(PropertyInfo propertyInfo)
+        {
+            return GetSetMethodByReflection(propertyInfo);
+        }
+
+        public static SetDelegate GetSetMethod(FieldInfo fieldInfo)
+        {
+            return GetSetMethodByReflection(fieldInfo);
+        }
+
+        public static SetDelegate GetSetMethodByReflection(PropertyInfo propertyInfo)
+        {
+            MethodInfo methodInfo = GetSetterMethodInfo(propertyInfo);
+            return delegate (object source, object value)
+            {
+                if (_1ObjArray == null)
+                    _1ObjArray = new object[1];
+                _1ObjArray[0] = value;
+                methodInfo.Invoke(source, _1ObjArray);
+            };
+        }
+
+        public static SetDelegate GetSetMethodByReflection(FieldInfo fieldInfo)
+        {
+            return delegate (object source, object value) { fieldInfo.SetValue(source, value); };
+        }
+
+        public sealed class ThreadSafeDictionary<TKey, TValue> : IDictionary<TKey, TValue>
+        {
+            private readonly object _lock = new object();
+            private readonly ThreadSafeDictionaryValueFactory<TKey, TValue> _valueFactory;
+            private Dictionary<TKey, TValue> _dictionary;
+
+            public ThreadSafeDictionary(ThreadSafeDictionaryValueFactory<TKey, TValue> valueFactory)
+            {
+                _valueFactory = valueFactory;
+            }
+
+            private TValue Get(TKey key)
+            {
+                if (_dictionary == null)
+                    return AddValue(key);
+                TValue value;
+                if (!_dictionary.TryGetValue(key, out value))
+                    return AddValue(key);
+                return value;
+            }
+
+            private TValue AddValue(TKey key)
+            {
+                TValue value = _valueFactory(key);
+                lock (_lock)
+                {
+                    if (_dictionary == null)
+                    {
+                        _dictionary = new Dictionary<TKey, TValue>();
+                        _dictionary[key] = value;
+                    }
+                    else
+                    {
+                        TValue val;
+                        if (_dictionary.TryGetValue(key, out val))
+                            return val;
+                        Dictionary<TKey, TValue> dict = new Dictionary<TKey, TValue>(_dictionary);
+                        dict[key] = value;
+                        _dictionary = dict;
+                    }
+                }
+                return value;
+            }
+
+            public void Add(TKey key, TValue value)
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool ContainsKey(TKey key)
+            {
+                return _dictionary.ContainsKey(key);
+            }
+
+            public ICollection<TKey> Keys
+            {
+                get { return _dictionary.Keys; }
+            }
+
+            public bool Remove(TKey key)
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool TryGetValue(TKey key, out TValue value)
+            {
+                value = this[key];
+                return true;
+            }
+
+            public ICollection<TValue> Values
+            {
+                get { return _dictionary.Values; }
+            }
+
+            public TValue this[TKey key]
+            {
+                get { return Get(key); }
+                set { throw new NotImplementedException(); }
+            }
+
+            public void Add(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public void Clear()
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool Contains(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public void CopyTo(KeyValuePair<TKey, TValue>[] array, int arrayIndex)
+            {
+                throw new NotImplementedException();
+            }
+
+            public int Count
+            {
+                get { return _dictionary.Count; }
+            }
+
+            public bool IsReadOnly
+            {
+                get { throw new NotImplementedException(); }
+            }
+
+            public bool Remove(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public IEnumerator<KeyValuePair<TKey, TValue>> GetEnumerator()
+            {
+                return _dictionary.GetEnumerator();
+            }
+
+            System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
+            {
+                return _dictionary.GetEnumerator();
+            }
+        }
+    }
+}
+
+// ReSharper restore LoopCanBeConvertedToQuery
+// ReSharper restore RedundantExplicitArrayCreation
+// ReSharper restore SuggestUseVarKeywordEvident
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..83a076913ceaba7ab5f38cb84ccc7764a7060851
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK/SimpleJson.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 0f0d14c9d506300479e2ab23ae3af45f
+timeCreated: 1466707367
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e8597d752ef4746d35570b194f88d3088fdca999
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 71cec03dd8d77ee489008fa915e3b3a2
+folderAsset: yes
+timeCreated: 1466715484
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0a0324b1fd8da102bf5275a444985ce641e8bedb
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs
@@ -0,0 +1,144 @@
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using UnityEditor;
+using UnityEngine;
+using UnityEngine.Networking;
+
+namespace PlayFab.PfEditor
+{
+    public class EditorCoroutine
+    {
+        public string Id;
+        public class EditorWaitForSeconds : YieldInstruction
+        {
+            public float Seconds;
+
+            public EditorWaitForSeconds(float seconds)
+            {
+                this.Seconds = seconds;
+            }
+        }
+
+        private SortedList<float, IEnumerator> shouldRunAfterTimes = new SortedList<float, IEnumerator>();
+        private const float _tick = .02f;
+
+        public static EditorCoroutine Start(IEnumerator _routine)
+        {
+            var coroutine = new EditorCoroutine(_routine);
+            coroutine.Id = Guid.NewGuid().ToString();
+            coroutine.Start();
+            return coroutine;
+        }
+
+#if UNITY_2018_2_OR_NEWER
+        public static EditorCoroutine Start(IEnumerator _routine, UnityWebRequest www)
+        {
+            var coroutine = new EditorCoroutine(_routine);
+            coroutine.Id = Guid.NewGuid().ToString();
+            coroutine._www = www;
+            coroutine.Start();
+            return coroutine;
+        }
+#else
+        public static EditorCoroutine Start(IEnumerator _routine, WWW www)
+        {
+            var coroutine = new EditorCoroutine(_routine);
+            coroutine.Id = Guid.NewGuid().ToString();
+            coroutine._www = www;
+            coroutine.Start();
+            return coroutine;
+        }
+#endif
+
+
+        readonly IEnumerator routine;
+
+
+#if UNITY_2018_2_OR_NEWER
+        private UnityWebRequest _www;
+        private bool _sent = false;
+#else
+        private WWW _www;
+#endif
+
+        EditorCoroutine(IEnumerator _routine)
+        {
+            routine = _routine;
+        }
+
+        void Start()
+        {
+            EditorApplication.update += Update;
+        }
+        private void Stop()
+        {
+            EditorApplication.update -= Update;
+        }
+
+        private float _timeCounter = 0;
+        void Update()
+        {
+            _timeCounter += _tick;
+            //Debug.LogFormat("ID:{0}  TimeCounter:{1}", this.Id, _timeCounter);
+
+            try
+            {
+                if (_www != null)
+                {
+#if UNITY_2018_2_OR_NEWER
+                    if (!_sent)
+                    {
+                        try
+                        {
+                            routine.MoveNext();
+                            _sent = true;
+                        }
+                        catch (ArgumentNullException)
+                        {
+                        }
+                    }
+#endif
+
+                    if (_www.isDone && !routine.MoveNext())
+                    {
+                        Stop();
+                    }
+                }
+                else
+                {
+                    var seconds = routine.Current as EditorWaitForSeconds;
+                    if (seconds != null)
+                    {
+                        var wait = seconds;
+                        shouldRunAfterTimes.Add(_timeCounter + wait.Seconds, routine);
+                    }
+                    else if (!routine.MoveNext())
+                    {
+                        Stop();
+                    }
+                }
+
+                var shouldRun = shouldRunAfterTimes;
+                var index = 0;
+                foreach (var runAfterSeconds in shouldRun)
+                {
+                    if (_timeCounter >= runAfterSeconds.Key)
+                    {
+                        //Debug.LogFormat("RunAfterSeconds: {0} >= {1}", runAfterSeconds.Key, _timeCounter);
+                        shouldRunAfterTimes.RemoveAt(index);
+                        if (!runAfterSeconds.Value.MoveNext())
+                        {
+                            Stop();
+                        }
+                    }
+                    index++;
+                }
+            }
+            catch (Exception ex)
+            {
+                Debug.LogException(ex);
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..224da8969158f91e2d08eeb99158e149d3166971
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/EditorCoroutine.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 4bfb5aeb6a8516445b2f97249ab88f62
+timeCreated: 1466530674
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs
new file mode 100644
index 0000000000000000000000000000000000000000..a2b735092ef9d51e55bddd820d724c9f4039be44
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs
@@ -0,0 +1,209 @@
+using PlayFab.PfEditor.EditorModels;
+using PlayFab.PfEditor.Json;
+using System.Collections.Generic;
+using System.Reflection;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    [InitializeOnLoad]
+    public class PlayFabEditorDataService : UnityEditor.Editor
+    {
+        #region EditorPref data classes
+        public class PlayFab_SharedSettingsProxy
+        {
+            private readonly Dictionary<string, PropertyInfo> _settingProps = new Dictionary<string, PropertyInfo>();
+            private readonly string[] expectedProps = new[] { "titleid", "developersecretkey", "requesttype", "compressapidata", "requestkeepalive", "requesttimeout" };
+
+            public string TitleId { get { return Get<string>("titleid"); } set { Set("titleid", value); } }
+            public string DeveloperSecretKey { get { return Get<string>("developersecretkey"); } set { Set("developersecretkey", value); } }
+            public PlayFabEditorSettings.WebRequestType WebRequestType { get { return Get<PlayFabEditorSettings.WebRequestType>("requesttype"); } set { Set("requesttype", (int)value); } }
+            public bool CompressApiData { get { return Get<bool>("compressapidata"); } set { Set("compressapidata", value); } }
+            public bool KeepAlive { get { return Get<bool>("requestkeepalive"); } set { Set("requestkeepalive", value); } }
+            public int TimeOut { get { return Get<int>("requesttimeout"); } set { Set("requesttimeout", value); } }
+
+            public PlayFab_SharedSettingsProxy()
+            {
+                LoadProps();
+            }
+
+            private PropertyInfo LoadProps(string name = null)
+            {
+                var playFabSettingsType = PlayFabEditorSDKTools.GetPlayFabSettings();
+                if (playFabSettingsType == null)
+                    return null;
+
+                if (string.IsNullOrEmpty(name))
+                {
+                    for (var i = 0; i < expectedProps.Length; i++)
+                        LoadProps(expectedProps[i]);
+                    return null;
+                }
+                else
+                {
+                    var eachProperty = playFabSettingsType.GetProperty(name, BindingFlags.IgnoreCase | BindingFlags.Public | BindingFlags.Static);
+                    if (eachProperty != null)
+                        _settingProps[name.ToLowerInvariant()] = eachProperty;
+                    return eachProperty;
+                }
+            }
+
+            private T Get<T>(string name)
+            {
+                PropertyInfo propInfo;
+                var success = _settingProps.TryGetValue(name.ToLowerInvariant(), out propInfo);
+                T output = !success ? default(T) : (T)propInfo.GetValue(null, null);
+                return output;
+            }
+
+            private void Set<T>(string name, T value)
+            {
+                PropertyInfo propInfo;
+                if (!_settingProps.TryGetValue(name.ToLowerInvariant(), out propInfo))
+                    propInfo = LoadProps(name);
+                if (propInfo != null)
+                    propInfo.SetValue(null, value, null);
+                else
+                    Debug.LogWarning("Could not save " + name + " because PlayFabSettings could not be found.");
+            }
+        }
+        #endregion EditorPref data classes
+
+        public static PlayFab_SharedSettingsProxy SharedSettings = new PlayFab_SharedSettingsProxy();
+
+        private static string KeyPrefix
+        {
+            get
+            {
+                var dataPath = Application.dataPath;
+                var lastIndex = dataPath.LastIndexOf('/');
+                var secondToLastIndex = dataPath.LastIndexOf('/', lastIndex - 1);
+                return dataPath.Substring(secondToLastIndex, lastIndex - secondToLastIndex);
+            }
+        }
+
+        public static bool IsDataLoaded = false;
+
+        public static Title ActiveTitle
+        {
+            get
+            {
+                if (PlayFabEditorPrefsSO.Instance.StudioList != null && PlayFabEditorPrefsSO.Instance.StudioList.Count > 0)
+                {
+                    if (string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.SelectedStudio) || PlayFabEditorPrefsSO.Instance.SelectedStudio == PlayFabEditorHelper.STUDIO_OVERRIDE)
+                        return new Title { Id = SharedSettings.TitleId, SecretKey = SharedSettings.DeveloperSecretKey, GameManagerUrl = PlayFabEditorHelper.GAMEMANAGER_URL };
+
+                    if (string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.SelectedStudio) || string.IsNullOrEmpty(SharedSettings.TitleId))
+                        return null;
+
+                    int studioIndex; int titleIndex;
+                    if (DoesTitleExistInStudios(SharedSettings.TitleId, out studioIndex, out titleIndex))
+                        return PlayFabEditorPrefsSO.Instance.StudioList[studioIndex].Titles[titleIndex];
+                }
+                return null;
+            }
+        }
+
+        public static void SaveEnvDetails(bool updateToScriptableObj = true)
+        {
+            UpdateScriptableObject();
+        }
+
+        private static TResult LoadFromEditorPrefs<TResult>(string key) where TResult : class, new()
+        {
+            if (!EditorPrefs.HasKey(KeyPrefix + key))
+                return new TResult();
+
+            var serialized = EditorPrefs.GetString(KeyPrefix + key);
+            var result = JsonWrapper.DeserializeObject<TResult>(serialized);
+            if (result != null)
+                return JsonWrapper.DeserializeObject<TResult>(serialized);
+            return new TResult();
+        }
+
+        private static void UpdateScriptableObject()
+        {
+            var playfabSettingsType = PlayFabEditorSDKTools.GetPlayFabSettings();
+            if (playfabSettingsType == null || !PlayFabEditorSDKTools.IsInstalled || !PlayFabEditorSDKTools.isSdkSupported)
+                return;
+
+            var props = playfabSettingsType.GetProperties();
+            foreach (var property in props)
+            {
+                switch (property.Name.ToLowerInvariant())
+                {
+                    case "productionenvironmenturl":
+                        property.SetValue(null, PlayFabEditorHelper.TITLE_ENDPOINT, null); break;
+                }
+            }
+
+            var getSoMethod = playfabSettingsType.GetMethod("GetSharedSettingsObjectPrivate", BindingFlags.NonPublic | BindingFlags.Static);
+            if (getSoMethod != null)
+            {
+                var so = getSoMethod.Invoke(null, new object[0]) as ScriptableObject;
+                if (so != null)
+                    EditorUtility.SetDirty(so);
+            }
+            PlayFabEditorPrefsSO.Save();
+            AssetDatabase.SaveAssets();
+        }
+
+        public static bool DoesTitleExistInStudios(string searchFor) //out Studio studio
+        {
+            if (PlayFabEditorPrefsSO.Instance.StudioList == null)
+                return false;
+            searchFor = searchFor.ToLower();
+            foreach (var studio in PlayFabEditorPrefsSO.Instance.StudioList)
+                if (studio.Titles != null)
+                    foreach (var title in studio.Titles)
+                        if (title.Id.ToLower() == searchFor)
+                            return true;
+            return false;
+        }
+
+        private static bool DoesTitleExistInStudios(string searchFor, out int studioIndex, out int titleIndex) //out Studio studio
+        {
+            studioIndex = 0; // corresponds to our _OVERRIDE_
+            titleIndex = -1;
+
+            if (PlayFabEditorPrefsSO.Instance.StudioList == null)
+                return false;
+
+            for (var studioIdx = 0; studioIdx < PlayFabEditorPrefsSO.Instance.StudioList.Count; studioIdx++)
+            {
+                for (var titleIdx = 0; titleIdx < PlayFabEditorPrefsSO.Instance.StudioList[studioIdx].Titles.Length; titleIdx++)
+                {
+                    if (PlayFabEditorPrefsSO.Instance.StudioList[studioIdx].Titles[titleIdx].Id.ToLower() == searchFor.ToLower())
+                    {
+                        studioIndex = studioIdx;
+                        titleIndex = titleIdx;
+                        return true;
+                    }
+                }
+            }
+
+            return false;
+        }
+
+        public static void RefreshStudiosList(bool onlyIfNull = false)
+        {
+            if (string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.DevAccountToken))
+                return; // Can't load studios when not logged in
+            if (onlyIfNull && PlayFabEditorPrefsSO.Instance.StudioList != null)
+                return; // Don't spam load this, only load it the first time
+
+            if (PlayFabEditorPrefsSO.Instance.StudioList != null)
+                PlayFabEditorPrefsSO.Instance.StudioList.Clear();
+            PlayFabEditorApi.GetStudios(new GetStudiosRequest(), (getStudioResult) =>
+            {
+                if (PlayFabEditorPrefsSO.Instance.StudioList == null)
+                    PlayFabEditorPrefsSO.Instance.StudioList = new List<Studio>();
+                foreach (var eachStudio in getStudioResult.Studios)
+                    PlayFabEditorPrefsSO.Instance.StudioList.Add(eachStudio);
+                PlayFabEditorPrefsSO.Instance.StudioList.Add(Studio.OVERRIDE);
+                PlayFabEditorPrefsSO.Save();
+            }, PlayFabEditorHelper.SharedErrorCallback);
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e237b3e24f626c0bcd81f72106a47e8870cae8ea
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorDataService.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: c4c398f1711644e79aae821d377e572e
+timeCreated: 1470851203
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs
new file mode 100644
index 0000000000000000000000000000000000000000..59556bef7ad73a8efbb2d59c327cc54b6c283f96
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs
@@ -0,0 +1,223 @@
+using UnityEditor;
+using UnityEngine;
+using System;
+using System.Collections.Generic;
+using System.IO;
+using PlayFab.PfEditor.Json;
+
+namespace PlayFab.PfEditor
+{
+    [InitializeOnLoad]
+    public static partial class PlayFabEditorHelper
+    {
+        #region EDITOR_STRINGS
+        public static string EDEX_VERSION_TEMPLATE = "namespace PlayFab.PfEditor { public static partial class PlayFabEditorHelper { public static string EDEX_VERSION = \"{sdkVersion}\"; } }\n";
+        public static string EDEX_NAME = "PlayFab_EditorExtensions";
+        public static string EDEX_ROOT = Application.dataPath + "/PlayFabEditorExtensions/Editor";
+        public static string DEV_API_ENDPOINT = "https://editor.playfabapi.com";
+        public static string TITLE_ENDPOINT = ".playfabapi.com";
+        public static string GAMEMANAGER_URL = "https://developer.playfab.com";
+        public static string PLAYFAB_SETTINGS_TYPENAME = "PlayFabSettings";
+        public static string PLAYFAB_EDEX_MAINFILE = "PlayFabEditor.cs";
+        public static string SDK_DOWNLOAD_PATH = "/Resources/PlayFabUnitySdk.unitypackage";
+        public static string EDEX_UPGRADE_PATH = "/Resources/PlayFabUnityEditorExtensions.unitypackage";
+        public static string EDEX_PACKAGES_PATH = "/Resources/MostRecentPackage.unitypackage";
+
+        public static string CLOUDSCRIPT_FILENAME = ".CloudScript.js";  //prefixed with a '.' to exclude this code from Unity's compiler
+        public static string CLOUDSCRIPT_PATH = EDEX_ROOT + "/Resources/" + CLOUDSCRIPT_FILENAME;
+
+        public static string ADMIN_API = "ENABLE_PLAYFABADMIN_API";
+        public static string CLIENT_API = "DISABLE_PLAYFABCLIENT_API";
+        public static string ENTITY_API = "DISABLE_PLAYFABENTITY_API";
+        public static string SERVER_API = "ENABLE_PLAYFABSERVER_API";
+        public static string DEBUG_REQUEST_TIMING = "PLAYFAB_REQUEST_TIMING";
+        public static string ENABLE_PLAYFABPLAYSTREAM_API = "ENABLE_PLAYFABPLAYSTREAM_API";
+        public static string ENABLE_BETA_FETURES = "ENABLE_PLAYFAB_BETA";
+        public static string ENABLE_PLAYFABPUBSUB_API = "ENABLE_PLAYFABPUBSUB_API";
+        public static Dictionary<string, PfDefineFlag> FLAG_LABELS = new Dictionary<string, PfDefineFlag> {
+            { ADMIN_API, new PfDefineFlag { Flag = ADMIN_API, Label = "ENABLE ADMIN API", Category = PfDefineFlag.FlagCategory.Api, isInverted = false, isSafe = true } },
+            { CLIENT_API, new PfDefineFlag { Flag = CLIENT_API, Label = "ENABLE CLIENT API", Category = PfDefineFlag.FlagCategory.Api, isInverted = true, isSafe = true } },
+            { ENTITY_API, new PfDefineFlag { Flag = ENTITY_API, Label = "ENABLE ENTITY API", Category = PfDefineFlag.FlagCategory.Api, isInverted = true, isSafe = true } },
+            { SERVER_API, new PfDefineFlag { Flag = SERVER_API, Label = "ENABLE SERVER API", Category = PfDefineFlag.FlagCategory.Api, isInverted = false, isSafe = true } },
+
+            { DEBUG_REQUEST_TIMING, new PfDefineFlag { Flag = DEBUG_REQUEST_TIMING, Label = "ENABLE REQUEST TIMES", Category = PfDefineFlag.FlagCategory.Feature, isInverted = false, isSafe = true } },
+            { ENABLE_BETA_FETURES, new PfDefineFlag { Flag = ENABLE_BETA_FETURES, Label = "ENABLE UNSTABLE FEATURES", Category = PfDefineFlag.FlagCategory.Feature, isInverted = false, isSafe = true } },
+            { ENABLE_PLAYFABPUBSUB_API, new PfDefineFlag { Flag = ENABLE_PLAYFABPUBSUB_API, Label = "ENABLE PubSub", Category = PfDefineFlag.FlagCategory.Feature, isInverted = false, isSafe = false } },
+        };
+
+        public static string DEFAULT_SDK_LOCATION = "Assets/PlayFabSdk";
+        public static string STUDIO_OVERRIDE = "_OVERRIDE_";
+
+        public static string MSG_SPIN_BLOCK = "{\"useSpinner\":true, \"blockUi\":true }";
+        #endregion
+
+        private static GUISkin _uiStyle;
+        public static GUISkin uiStyle
+        {
+            get
+            {
+                if (_uiStyle != null)
+                    return _uiStyle;
+                _uiStyle = GetUiStyle();
+                return _uiStyle;
+            }
+        }
+
+        static PlayFabEditorHelper()
+        {
+            // scan for changes to the editor folder / structure.
+            if (uiStyle == null)
+            {
+                string[] rootFiles = new string[0];
+                bool relocatedEdEx = false;
+                _uiStyle = null;
+
+                try
+                {
+                    if (!string.IsNullOrEmpty(PlayFabEditorPrefsSO.Instance.EdExPath))
+                        EDEX_ROOT = PlayFabEditorPrefsSO.Instance.EdExPath;
+                    rootFiles = Directory.GetDirectories(EDEX_ROOT);
+                }
+                catch
+                {
+
+                    if (rootFiles.Length == 0)
+                    {
+                        // this probably means the editor folder was moved.
+                        // see if we can locate the moved root and reload the assets
+
+                        var movedRootFiles = Directory.GetFiles(Application.dataPath, PLAYFAB_EDEX_MAINFILE, SearchOption.AllDirectories);
+                        if (movedRootFiles.Length > 0)
+                        {
+                            relocatedEdEx = true;
+                            EDEX_ROOT = movedRootFiles[0].Substring(0, movedRootFiles[0].LastIndexOf(PLAYFAB_EDEX_MAINFILE) - 1);
+                            PlayFabEditorPrefsSO.Instance.EdExPath = EDEX_ROOT;
+                            PlayFabEditorDataService.SaveEnvDetails();
+                        }
+                    }
+                }
+                finally
+                {
+                    if (relocatedEdEx && rootFiles.Length == 0)
+                    {
+                        Debug.Log("Found new EdEx root: " + EDEX_ROOT);
+                    }
+                    else if (rootFiles.Length == 0)
+                    {
+                        Debug.Log("Could not relocate the PlayFab Editor Extension");
+                        EDEX_ROOT = string.Empty;
+                    }
+                }
+            }
+        }
+
+        private static GUISkin GetUiStyle()
+        {
+            var searchRootAssetFolder = Application.dataPath;
+            var pfGuiPaths = Directory.GetFiles(searchRootAssetFolder, "PlayFabStyles.guiskin", SearchOption.AllDirectories);
+            foreach (var eachPath in pfGuiPaths)
+            {
+                var loadPath = eachPath.Substring(eachPath.LastIndexOf("Assets"));
+                return (GUISkin)AssetDatabase.LoadAssetAtPath(loadPath, typeof(GUISkin));
+            }
+            return null;
+        }
+
+        public static void SharedErrorCallback(EditorModels.PlayFabError error)
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, error.GenerateErrorReport());
+        }
+
+        public static void SharedErrorCallback(string error)
+        {
+            PlayFabEditor.RaiseStateUpdate(PlayFabEditor.EdExStates.OnError, "SharedErrorCallback" + error);
+        }
+
+        public static EditorModels.PlayFabError GeneratePlayFabError(string json, object customData = null)
+        {
+            JsonObject errorDict = null;
+            Dictionary<string, List<string>> errorDetails = null;
+            try
+            {
+                //deserialize the error
+                errorDict = JsonWrapper.DeserializeObject<JsonObject>(json, PlayFabEditorUtil.ApiSerializerStrategy);
+
+
+                if (errorDict.ContainsKey("errorDetails"))
+                {
+                    var ed = JsonWrapper.DeserializeObject<Dictionary<string, List<string>>>(errorDict["errorDetails"].ToString());
+                    errorDetails = ed;
+                }
+            }
+            catch (Exception e)
+            {
+                return new EditorModels.PlayFabError()
+                {
+                    ErrorMessage = e.Message
+                };
+            }
+
+            //create new error object
+            return new EditorModels.PlayFabError
+            {
+                HttpCode = errorDict.ContainsKey("code") ? Convert.ToInt32(errorDict["code"]) : 400,
+                HttpStatus = errorDict.ContainsKey("status")
+                    ? (string)errorDict["status"]
+                    : "BadRequest",
+                Error = errorDict.ContainsKey("errorCode")
+                    ? (EditorModels.PlayFabErrorCode)Convert.ToInt32(errorDict["errorCode"])
+                    : EditorModels.PlayFabErrorCode.ServiceUnavailable,
+                ErrorMessage = errorDict.ContainsKey("errorMessage")
+                    ? (string)errorDict["errorMessage"]
+                    : string.Empty,
+                ErrorDetails = errorDetails,
+                CustomData = customData ?? new object()
+            };
+        }
+
+        #region unused, but could be useful
+
+        /// <summary>
+        /// Tool to create a color background texture
+        /// </summary>
+        /// <param name="width"></param>
+        /// <param name="height"></param>
+        /// <param name="col"></param>
+        /// <returns>Texture2D</returns>
+        public static Texture2D MakeTex(int width, int height, Color col)
+        {
+            var pix = new Color[width * height];
+
+            for (var i = 0; i < pix.Length; i++)
+                pix[i] = col;
+
+            var result = new Texture2D(width, height);
+            result.SetPixels(pix);
+            result.Apply();
+
+            return result;
+        }
+
+        public static Vector3 GetColorVector(int colorValue)
+        {
+            return new Vector3((colorValue / 255f), (colorValue / 255f), (colorValue / 255f));
+        }
+        #endregion
+    }
+
+    public class PfDefineFlag
+    {
+        public enum FlagCategory
+        {
+            Api,
+            Feature,
+            Other,
+        }
+
+        public string Flag; // Also doubles as the dictionary key
+        public string Label;
+        public FlagCategory Category;
+        public bool isInverted;
+        public bool isSafe;
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..98bf0b4026cbeb92da4446e229d571d8197f804c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorHelper.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: b7a0580bf951d2f46861fe4785bf74f6
+timeCreated: 1465794484
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs
new file mode 100644
index 0000000000000000000000000000000000000000..4ae22c6191bf24c529ed78ad942a8555e412e946
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs
@@ -0,0 +1,77 @@
+using PlayFab.PfEditor.EditorModels;
+using System.Collections.Generic;
+using UnityEditor;
+using UnityEngine;
+using System;
+using System.IO;
+
+namespace PlayFab.PfEditor
+{
+#if UNITY_5_3_OR_NEWER
+    [CreateAssetMenu(fileName = "PlayFabEditorPrefsSO", menuName = "PlayFab/Make Prefs SO", order = 1)]
+#endif
+    public class PlayFabEditorPrefsSO : ScriptableObject
+    {
+        private static PlayFabEditorPrefsSO _instance;
+        public static PlayFabEditorPrefsSO Instance
+        {
+            get
+            {
+                if (_instance != null)
+                    return _instance;
+
+                var settingsList = Resources.LoadAll<PlayFabEditorPrefsSO>("PlayFabEditorPrefsSO");
+                if (settingsList.Length == 1)
+                    _instance = settingsList[0];
+                if (_instance != null)
+                    return _instance;
+
+                _instance = CreateInstance<PlayFabEditorPrefsSO>();
+                if (!Directory.Exists(Path.Combine(Application.dataPath, "PlayFabEditorExtensions/Editor/Resources")))
+                    Directory.CreateDirectory(Path.Combine(Application.dataPath, "PlayFabEditorExtensions/Editor/Resources"));
+
+                // TODO: we know the location of this file will be under  PlayFabEditorExtensions/Editor/ 
+                // just need to pull that files path, and append /Resrouces/ and boom you have the below path.
+                // consider moving this above the if directory exists so we can do the same logic beforehand.
+                Directory.GetFiles(Application.dataPath, "PlayFabEditor.cs");
+
+                AssetDatabase.CreateAsset(_instance, "Assets/PlayFabEditorExtensions/Editor/Resources/PlayFabEditorPrefsSO.asset");
+                AssetDatabase.SaveAssets();
+                Debug.LogWarning("Created missing PlayFabEditorPrefsSO file");
+                return _instance;
+            }
+        }
+
+        public static void Save()
+        {
+            EditorUtility.SetDirty(_instance);
+            AssetDatabase.SaveAssets();
+        }
+
+        public string DevAccountEmail;
+        public string DevAccountToken;
+
+        public List<Studio> StudioList = null; // Null means not fetched, empty is a possible return result from GetStudios
+        public string SelectedStudio;
+
+        public readonly Dictionary<string, string> TitleDataCache = new Dictionary<string, string>();
+        public readonly Dictionary<string, string> InternalTitleDataCache = new Dictionary<string, string>();
+
+        public string SdkPath;
+        public string EdExPath;
+        public string LocalCloudScriptPath;
+
+        private string _latestSdkVersion;
+        private string _latestEdExVersion;
+        private DateTime _lastSdkVersionCheck;
+        private DateTime _lastEdExVersionCheck;
+        public bool PanelIsShown;
+        public string EdSet_latestSdkVersion { get { return _latestSdkVersion; } set { _latestSdkVersion = value; _lastSdkVersionCheck = DateTime.UtcNow; } }
+        public string EdSet_latestEdExVersion { get { return _latestEdExVersion; } set { _latestEdExVersion = value; _lastEdExVersionCheck = DateTime.UtcNow; } }
+        public DateTime EdSet_lastSdkVersionCheck { get { return _lastSdkVersionCheck; } }
+        public DateTime EdSet_lastEdExVersionCheck { get { return _lastEdExVersionCheck; } }
+
+        public int curMainMenuIdx;
+        public int curSubMenuIdx;
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..63be678d8e7c3afd0a3ff0a1397dc8fb35321976
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorPrefsSO.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 5d0199c11aa6f514784c5c69cd8378d8
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs
new file mode 100644
index 0000000000000000000000000000000000000000..90e41d5c3db3e98231eea829e89b716053ac3cac
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs
@@ -0,0 +1,118 @@
+using PlayFab.PfEditor.Json;
+using System;
+using System.Globalization;
+
+namespace PlayFab.PfEditor
+{
+    internal static class PlayFabEditorUtil
+    {
+        public static readonly string[] _defaultDateTimeFormats = new string[]{ // All parseable ISO 8601 formats for DateTime.[Try]ParseExact - Lets us deserialize any legacy timestamps in one of these formats
+            // These are the standard format with ISO 8601 UTC markers (T/Z)
+            "yyyy-MM-ddTHH:mm:ss.FFFFFFZ",
+            "yyyy-MM-ddTHH:mm:ss.FFFFZ",
+            "yyyy-MM-ddTHH:mm:ss.FFFZ", // DEFAULT_UTC_OUTPUT_INDEX
+            "yyyy-MM-ddTHH:mm:ss.FFZ",
+            "yyyy-MM-ddTHH:mm:ssZ",
+
+            // These are the standard format without ISO 8601 UTC markers (T/Z)
+            "yyyy-MM-dd HH:mm:ss.FFFFFF",
+            "yyyy-MM-dd HH:mm:ss.FFFF",
+            "yyyy-MM-dd HH:mm:ss.FFF",
+            "yyyy-MM-dd HH:mm:ss.FF", // DEFAULT_LOCAL_OUTPUT_INDEX
+            "yyyy-MM-dd HH:mm:ss",
+
+            // These are the result of an input bug, which we now have to support as long as the db has entries formatted like this
+            "yyyy-MM-dd HH:mm.ss.FFFF",
+            "yyyy-MM-dd HH:mm.ss.FFF",
+            "yyyy-MM-dd HH:mm.ss.FF",
+            "yyyy-MM-dd HH:mm.ss",
+        };
+
+        public const int DEFAULT_UTC_OUTPUT_INDEX = 2; // The default format everybody should use
+        public const int DEFAULT_LOCAL_OUTPUT_INDEX = 8; // The default format if you want to use local time (This doesn't have universal support in all PlayFab code)
+        private static DateTimeStyles _dateTimeStyles = DateTimeStyles.RoundtripKind;
+
+        public static string timeStamp
+        {
+            get { return DateTime.Now.ToString(_defaultDateTimeFormats[DEFAULT_LOCAL_OUTPUT_INDEX]); }
+        }
+
+
+        public static string utcTimeStamp
+        {
+            get { return DateTime.UtcNow.ToString(_defaultDateTimeFormats[DEFAULT_UTC_OUTPUT_INDEX]); }
+        }
+
+        public static string Format(string text, params object[] args)
+        {
+            return args.Length > 0 ? string.Format(text, args) : text;
+        }
+
+        public static MyJsonSerializerStrategy ApiSerializerStrategy = new MyJsonSerializerStrategy();
+        public class MyJsonSerializerStrategy : PocoJsonSerializerStrategy
+        {
+            /// <summary>
+            /// Convert the json value into the destination field/property
+            /// </summary>
+            public override object DeserializeObject(object value, Type type)
+            {
+                string valueStr = value as string;
+                if (valueStr == null) // For all of our custom conversions, value is a string
+                    return base.DeserializeObject(value, type);
+
+                Type underType = Nullable.GetUnderlyingType(type);
+                if (underType != null)
+                    return DeserializeObject(value, underType);
+#if NETFX_CORE
+                else if (type.GetTypeInfo().IsEnum)
+#else
+                else if (type.IsEnum)
+#endif
+                    return Enum.Parse(type, (string)value, true);
+                else if (type == typeof(DateTime))
+                {
+                    DateTime output;
+                    bool result = DateTime.TryParseExact(valueStr, _defaultDateTimeFormats, CultureInfo.CurrentCulture, _dateTimeStyles, out output);
+                    if (result)
+                        return output;
+                }
+                else if (type == typeof(DateTimeOffset))
+                {
+                    DateTimeOffset output;
+                    bool result = DateTimeOffset.TryParseExact(valueStr, _defaultDateTimeFormats, CultureInfo.CurrentCulture, _dateTimeStyles, out output);
+                    if (result)
+                        return output;
+                }
+                return base.DeserializeObject(value, type);
+            }
+
+            /// <summary>
+            /// Set output to a string that represents the input object
+            /// </summary>
+            protected override bool TrySerializeKnownTypes(object input, out object output)
+            {
+#if NETFX_CORE
+                if (input.GetType().GetTypeInfo().IsEnum)
+#else
+                if (input.GetType().IsEnum)
+#endif
+                {
+                    output = input.ToString();
+                    return true;
+                }
+                else if (input is DateTime)
+                {
+                    output = ((DateTime)input).ToString(_defaultDateTimeFormats[DEFAULT_UTC_OUTPUT_INDEX], CultureInfo.CurrentCulture);
+                    return true;
+                }
+                else if (input is DateTimeOffset)
+                {
+                    output = ((DateTimeOffset)input).ToString(_defaultDateTimeFormats[DEFAULT_UTC_OUTPUT_INDEX], CultureInfo.CurrentCulture);
+                    return true;
+                }
+                return base.TrySerializeKnownTypes(input, out output);
+            }
+        }
+       
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ee8468a1d00b318e4392f9d483b6d1ef6897ccbd
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorUtils.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: b422838f8121dc44ca79ceeea8582a50
+timeCreated: 1466715484
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs
new file mode 100644
index 0000000000000000000000000000000000000000..54f3b776b2b3e0ea81845e84d796d18439a7529f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs
@@ -0,0 +1 @@
+namespace PlayFab.PfEditor { public static partial class PlayFabEditorHelper { public static string EDEX_VERSION = "2.67.190520"; } }
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..5d858a8fbeb37c30e35dd2440d94cdef0a65960f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabEditorVersion.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 24ef2cb033a5dfd4588226fe1447bf5a
+timeCreated: 1465794484
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs
new file mode 100644
index 0000000000000000000000000000000000000000..ac7bb2186ddc69ee32dd95ed56c2cd320ddde1af
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs
@@ -0,0 +1,149 @@
+using System;
+using System.Collections.Generic;
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public static class PlayFabGuiFieldHelper
+    {
+        private static int IndexOf(string[] elements, string element)
+        {
+            if (elements == null)
+                return -1;
+            for (var i = 0; i < elements.Length; i++)
+                if (elements[i].Equals(element))
+                    return i;
+            return -1;
+        }
+
+        /// <summary>
+        /// Build a dropdown menu from a list of arbitrary elements.
+        /// </summary>
+        public static void SuperFancyDropdown<T>(float labelWidth, string label, T activeElement, IList<T> elements, Func<T, string> getElementKey, Action<T> OnChangeTo, GUIStyle style, params GUILayoutOption[] options)
+        {
+            if (elements == null || elements.Count == 0)
+                return; // Nothing to show
+
+            string[] namesList = new string[elements.Count];
+            for (var i = 0; i < elements.Count; i++)
+                namesList[i] = getElementKey(elements[i]);
+
+            using (new UnityHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")))
+            {
+                EditorGUILayout.LabelField(label, PlayFabEditorHelper.uiStyle.GetStyle("labelStyle"), GUILayout.Width(labelWidth));
+                var prevIndex = IndexOf(namesList, getElementKey(activeElement));
+                var newIndex = EditorGUILayout.Popup(prevIndex, namesList, PlayFabEditorHelper.uiStyle.GetStyle("TextField"), GUILayout.MinHeight(25));
+                if (newIndex != prevIndex)
+                    OnChangeTo(elements[newIndex]);
+            }
+        }
+    }
+
+    /// <summary>
+    /// A disposable wrapper for enabled/disabled which sets it to one way or another and restores when finished
+    /// </summary>
+    public class UnityGuiToggler : IDisposable
+    {
+        private bool previous;
+
+        public UnityGuiToggler(bool isEnabled = false)
+        {
+            previous = GUI.enabled;
+            GUI.enabled = isEnabled;
+        }
+
+        public void Dispose()
+        {
+            GUI.enabled = previous;
+        }
+    }
+
+    /// <summary>
+    /// A disposable wrapper for Verticals, to ensure they're paired properly, and to make the code visually block together within them
+    /// </summary>
+    public class UnityHorizontal : IDisposable
+    {
+        public UnityHorizontal(params GUILayoutOption[] options)
+        {
+            EditorGUILayout.BeginHorizontal(options);
+        }
+
+        public UnityHorizontal(GUIStyle style, params GUILayoutOption[] options)
+        {
+            EditorGUILayout.BeginHorizontal(style, options);
+        }
+
+        public void Dispose()
+        {
+            EditorGUILayout.EndHorizontal();
+        }
+    }
+
+    /// <summary>
+    /// A disposable wrapper for Horizontals, to ensure they're paired properly, and to make the code visually block together within them
+    /// </summary>
+    public class UnityVertical : IDisposable
+    {
+        public UnityVertical(params GUILayoutOption[] options)
+        {
+            EditorGUILayout.BeginVertical(options);
+        }
+
+        public UnityVertical(GUIStyle style, params GUILayoutOption[] options)
+        {
+            EditorGUILayout.BeginVertical(style, options);
+        }
+
+        public void Dispose()
+        {
+            EditorGUILayout.EndVertical();
+        }
+    }
+
+    //FixedWidthLabel class. Extends IDisposable, so that it can be used with the "using" keyword.
+    public class FixedWidthLabel : IDisposable
+    {
+        private readonly ZeroIndent indentReset; //helper class to reset and restore indentation
+        public float fieldWidth = 0;
+
+        public FixedWidthLabel(GUIContent label, GUIStyle style) // constructor.
+        {
+            //state changes are applied here.
+
+            this.fieldWidth = style.CalcSize(label).x + 9 * EditorGUI.indentLevel;
+            EditorGUILayout.BeginHorizontal(PlayFabEditorHelper.uiStyle.GetStyle("gpStyleClear")); // create a new horizontal group
+            EditorGUILayout.LabelField(label, style, GUILayout.Width(fieldWidth));
+            // indentation from the left side. It's 9 pixels per indent level
+
+            indentReset = new ZeroIndent(); //helper class to have no indentation after the label
+        }
+
+        public FixedWidthLabel(string label)
+            : this(new GUIContent(label), PlayFabEditorHelper.uiStyle.GetStyle("labelStyle")) //alternative constructor, if we don't want to deal with GUIContents
+        {
+        }
+
+        public void Dispose() //restore GUI state
+        {
+            indentReset.Dispose(); //restore indentation
+            EditorGUILayout.EndHorizontal(); //finish horizontal group
+        }
+    }
+
+    class ZeroIndent : IDisposable //helper class to clear indentation
+    {
+        private readonly int originalIndent; //the original indentation value before we change the GUI state
+
+        public ZeroIndent()
+        {
+            originalIndent = EditorGUI.indentLevel; //save original indentation
+            EditorGUI.indentLevel = 0; //clear indentation
+        }
+
+        public void Dispose()
+        {
+            EditorGUI.indentLevel = originalIndent; //restore original indentation
+        }
+    }
+}
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs.meta b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..116dfd459a79f7034825a299dfef12fba787836f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/Scripts/Utils/PlayFabGuiFieldHelper.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 286b8f4cdeaad154ea11e3bca31b955f
+timeCreated: 1465870728
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI.meta b/Assets/PlayFabEditorExtensions/Editor/UI.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c23149c31da4dfbe4b5e36bbaecdbaee2543f673
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: a3ba3e0b8bdd64d44b530b3ba1d603e0
+folderAsset: yes
+timeCreated: 1469033493
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Fonts.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts.meta
new file mode 100644
index 0000000000000000000000000000000000000000..fd3625775ee53ea68a219ab92696bb8b6b6012e1
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 93b8e49ffe6415343be5de01de7c23c1
+folderAsset: yes
+timeCreated: 1465800950
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf
new file mode 100644
index 0000000000000000000000000000000000000000..70cfe31d521228b780f5d889f2991f6d4d756653
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b92f5ae2a843f12c51c50d7f4dae14399c80aa9f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon Bold.ttf.meta	
@@ -0,0 +1,19 @@
+fileFormatVersion: 2
+guid: 96e17474f840a01459f0cc936c5d4d9b
+timeCreated: 1465800940
+licenseType: Pro
+TrueTypeFontImporter:
+  serializedVersion: 3
+  fontSize: 16
+  forceTextureCase: -2
+  characterSpacing: 1
+  characterPadding: 0
+  includeFontData: 1
+  fontNames: []
+  fallbackFontReferences: []
+  customCharacters: 
+  fontRenderingMode: 0
+  ascentCalculationMode: 1
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf
new file mode 100644
index 0000000000000000000000000000000000000000..a5e767b9e85b4169cf3a242d2f786172b912743d
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1316245cbee9fcdaff099c0b9f995f733aa550b1
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Fonts/Avalon.ttf.meta
@@ -0,0 +1,19 @@
+fileFormatVersion: 2
+guid: 436664d726292a54fa79d2168f4541ac
+timeCreated: 1465800973
+licenseType: Pro
+TrueTypeFontImporter:
+  serializedVersion: 3
+  fontSize: 16
+  forceTextureCase: -2
+  characterSpacing: 1
+  characterPadding: 0
+  includeFontData: 1
+  fontNames: []
+  fallbackFontReferences: []
+  customCharacters: 
+  fontRenderingMode: 0
+  ascentCalculationMode: 1
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images.meta
new file mode 100644
index 0000000000000000000000000000000000000000..8af8ba0ace117cfcc50c3c666e72dd6c2575c30a
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: bcd1f2f077e925c418ed3eac3526988c
+folderAsset: yes
+timeCreated: 1465796980
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png
new file mode 100644
index 0000000000000000000000000000000000000000..2c14419c259eebc1c68924523b2fd6c487c8af40
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..7b3929bfada011f6a0d9ed4dc6c5252587e92bd7
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Black.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 66d3ceb5fa86d498891e23dd5303a8f7
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png
new file mode 100644
index 0000000000000000000000000000000000000000..7dfa3aa6c9462ef89fbf159e6470e45a99517a7e
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..778b4df7f5835a72e08af3565746e2ea71788d80
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Clear.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: d03222342209e43daaf2ca8d1364e47a
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 1
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png
new file mode 100644
index 0000000000000000000000000000000000000000..b32e7a45a234f8393c9775b757de504f7cfddc06
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..6e6058fa22752d245f236f6c0f48b00d183d7136
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_base.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 9427eaf0703a74a008e9f9353562df39
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png
new file mode 100644
index 0000000000000000000000000000000000000000..3f54b0df2fbf36219fd11c97ee08a3862880e8f4
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..53e9a3bd11468051200d3d0c97e4f8c6d7284e0c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_dk1.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 1c8aa345bd7fe44b88cf00b2f6b82579
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png
new file mode 100644
index 0000000000000000000000000000000000000000..eff3d42d5769e65dbcaff472804ea55199dc54a9
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..7c83a6de5544033b67f49544de60af2cf20b665c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt1.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 2e064f0948b52496983fa0597fa61a0a
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png
new file mode 100644
index 0000000000000000000000000000000000000000..7c99ec6ab3ffb19001cdc9dcefe9cbc9ba84d4d3
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c3e378e1360a16a31d24fa00a84f297494f7d604
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Gray_lt2.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 14a4e823a9ef94dc18a71decc8453380
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png
new file mode 100644
index 0000000000000000000000000000000000000000..a7ea8c5b8a620fed39730ec25dfa628b5ea71e2e
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..211ad8929f6e8f7fe04be9fc073ae4eb4e56a92b
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Orange.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 83fd25cf40b81429ca784df9d37d32ba
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png
new file mode 100644
index 0000000000000000000000000000000000000000..8eb1b1ecc13b6e1d2375151866134cd7a040340c
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..2381ac5c432a5c420a049341db47ca6f53c2b2ff
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/Square.png.meta
@@ -0,0 +1,61 @@
+fileFormatVersion: 2
+guid: 1f9be0de996bb4832a474ecd28c9f0fc
+timeCreated: 1468016831
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: 0
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline:
+    - - {x: 0, y: 0}
+      - {x: 0, y: 4}
+      - {x: 4, y: 4}
+      - {x: 4, y: 0}
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png
new file mode 100644
index 0000000000000000000000000000000000000000..068c0bd85e503874578259ac44ab581d19cadbd9
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f10c123f388960c230eac9b2e690a73215d196ff
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/White.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 5f32aedbadeff4790a54248a66f0b89d
+timeCreated: 1468018889
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -3
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: 0
+    mipBias: -1
+    wrapMode: 0
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 0.001
+  alphaIsTransparency: 0
+  textureType: 0
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png
new file mode 100644
index 0000000000000000000000000000000000000000..de1c72b6fb124cdb2519c08f31599bf5ee57e262
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b32639aa06f7557bf1b996db32f260510f93a85c
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: 1f806a850e4ff264eafc4935f65793b8
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png
new file mode 100644
index 0000000000000000000000000000000000000000..55b2bf9f60965001f362ff4bea5fbb4775de7cf4
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a045f640df572f0f6fbd78bfea556fc28b3a121f
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_off.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: d20c53c8cad21024091aeed0b9bf2a0e
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png
new file mode 100644
index 0000000000000000000000000000000000000000..a53beb629d205ca3103c6687a94ab9e743e1d7f9
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d2bb2ce1f5dc645ebb4e62c7677d8344cfb19b84
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/checkmark_on.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: a2f13c216f2649d49b892cade7f4e5f0
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png
new file mode 100644
index 0000000000000000000000000000000000000000..6cbb6c2a1c2e0a748b309b8b9ea7f2af0817f0bc
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..42d6cc60c0c260ffbc7eeb016227d8f01430c955
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIcon.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: 4f1db872b2efa324c806fcbb54e19e1c
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png
new file mode 100644
index 0000000000000000000000000000000000000000..070261ff39f4cb2542460509ab2ce783f0f45eb5
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..64d51d5a7ef1b0125bab99387190acbacd9dab92
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dashboardIconHover.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: b43817ee9dda16c41a628a705526a021
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png
new file mode 100644
index 0000000000000000000000000000000000000000..0722053691a64f96c24746b5438e57a3694beae4
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..9dc795e0532cc264e1ad7fb11f8fce0b910bd82b
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_colored.png.meta
@@ -0,0 +1,59 @@
+fileFormatVersion: 2
+guid: d396473974f984567a8e398f1ebd9ec9
+timeCreated: 1472083701
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png
new file mode 100644
index 0000000000000000000000000000000000000000..a89ecdc1a133b8070b736b896a8d02a02e9fbf08
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d1feecaf4d109cfe71b4d26739c0835f3a603032
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/dn_gray.png.meta
@@ -0,0 +1,59 @@
+fileFormatVersion: 2
+guid: 677a55eab8f234e688ec4c6be70208bb
+timeCreated: 1472083701
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png
new file mode 100644
index 0000000000000000000000000000000000000000..8bc4ecbab1895e0a9b72722756d5e4220cbc556f
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0fc544df2d80219d9b314f15396102f057bbdeb6
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/green.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: f30842e29e3a14ecea9b07a2e8f04c55
+timeCreated: 1470788290
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 64
+  textureSettings:
+    filterMode: -1
+    aniso: -1
+    mipBias: -1
+    wrapMode: -1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 0
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png
new file mode 100644
index 0000000000000000000000000000000000000000..c88c5f9990f6d7d0fe7f64ffb7f22b71024ef5fc
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..598213b6f688eee82acd100011a0836fa2a44226
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_O.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: 597788bebb59e4cec8318947e1a3da3e
+timeCreated: 1468254721
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 512
+  textureSettings:
+    filterMode: -1
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png
new file mode 100644
index 0000000000000000000000000000000000000000..e72685fbe8abdd90a58f45df2c50e4b666a313c2
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..beca62d30bc4dc298743e255c0587d61d96b298d
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/pfFullLogo_W.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: b108cf8dccf424419ad69d9354b1d234
+timeCreated: 1468254716
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 512
+  textureSettings:
+    filterMode: -1
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png
new file mode 100644
index 0000000000000000000000000000000000000000..1e8fa8de5fdb19b6f56c2e854bd5dff4f1e4f774
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..29fb861945b0f3363e671bc4de4e5d31114ab90d
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/playfablogo.png.meta
@@ -0,0 +1,96 @@
+fileFormatVersion: 2
+guid: 77e37f7fe73c7db4d9a1702eb4ad411b
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 11
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  vTOnly: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 2048
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: -1
+    mipBias: -100
+    wrapU: 1
+    wrapV: 1
+    wrapW: 1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  flipbookRows: 1
+  flipbookColumns: 1
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  ignorePngGamma: 0
+  applyGammaDecoding: 1
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 2048
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png
new file mode 100644
index 0000000000000000000000000000000000000000..23034255e4e0ee060ab82781e273bfcdd6f8139c
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..bef660370a1739065bc0c78405acf86ea45ad469
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_colored.png.meta
@@ -0,0 +1,59 @@
+fileFormatVersion: 2
+guid: 93e56b7e753794953939a50df2c9c323
+timeCreated: 1472083701
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png
new file mode 100644
index 0000000000000000000000000000000000000000..a1e433c2c9bf257a26cf89eb8a4182343fccba04
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..afec6eadb9f73de5ca72921ecd497039cc274bf5
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/r_gray.png.meta
@@ -0,0 +1,59 @@
+fileFormatVersion: 2
+guid: 43f13eb24deac4ae5a86c25189272a74
+timeCreated: 1472083701
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 32
+  textureSettings:
+    filterMode: 0
+    aniso: -1
+    mipBias: -1
+    wrapMode: 1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png
new file mode 100644
index 0000000000000000000000000000000000000000..59b2be99a023891bd4244697f79761a7d46e5efa
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..43a1aeda6bf2296e508f0f3adc4fe78283741c23
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/red.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: ba384a3c945464600a4046641bb57ca3
+timeCreated: 1470788284
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 64
+  textureSettings:
+    filterMode: -1
+    aniso: -1
+    mipBias: -1
+    wrapMode: -1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 0
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png b/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png
new file mode 100644
index 0000000000000000000000000000000000000000..baf1eb3c6a4934924f0e1aec008dec06f6768849
Binary files /dev/null and b/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png differ
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png.meta b/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f2af5e334b86c18a78d7389f9f254b1ce33e419d
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/Images/yellow.png.meta
@@ -0,0 +1,57 @@
+fileFormatVersion: 2
+guid: a50d8da0637a640dda5e2018b972cade
+timeCreated: 1470788288
+licenseType: Pro
+TextureImporter:
+  fileIDToRecycleName: {}
+  serializedVersion: 2
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    linearTexture: 0
+    correctGamma: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 0
+  cubemapConvolution: 0
+  cubemapConvolutionSteps: 7
+  cubemapConvolutionExponent: 1.5
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 64
+  textureSettings:
+    filterMode: -1
+    aniso: -1
+    mipBias: -1
+    wrapMode: -1
+  nPOTScale: 1
+  lightmap: 0
+  rGBM: 0
+  compressionQuality: 50
+  allowsAlphaSplitting: 0
+  spriteMode: 0
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spritePixelsToUnits: 100
+  alphaIsTransparency: 0
+  textureType: -1
+  buildTargetSettings: []
+  spriteSheet:
+    sprites: []
+    outline: []
+  spritePackingTag: 
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin b/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin
new file mode 100644
index 0000000000000000000000000000000000000000..2ae981675e03d935838a25d68a827e5f094bfa55
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin
@@ -0,0 +1,3539 @@
+%YAML 1.1
+%TAG !u! tag:unity3d.com,2011:
+--- !u!114 &11400000
+MonoBehaviour:
+  m_ObjectHideFlags: 0
+  m_PrefabParentObject: {fileID: 0}
+  m_PrefabInternal: {fileID: 0}
+  m_GameObject: {fileID: 0}
+  m_Enabled: 1
+  m_EditorHideFlags: 1
+  m_Script: {fileID: 12001, guid: 0000000000000000e000000000000000, type: 0}
+  m_Name: PlayFabStyles
+  m_EditorClassIdentifier: 
+  m_Font: {fileID: 10102, guid: 0000000000000000e000000000000000, type: 0}
+  m_box:
+    m_Name: box
+    m_Normal:
+      m_Background: {fileID: 11001, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.79999995, g: 0.79999995, b: 0.79999995, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 6
+      m_Right: 6
+      m_Top: 6
+      m_Bottom: 6
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 1
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_button:
+    m_Name: button
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 83fd25cf40b81429ca784df9d37d32ba, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: 2e064f0948b52496983fa0597fa61a0a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 11005, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.9019608, g: 0.9019608, b: 0.9019608, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 11004, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 11002, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.9, g: 0.9, b: 0.9, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 6
+      m_Right: 6
+      m_Top: 6
+      m_Bottom: 4
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 2
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 3
+      m_Right: 3
+      m_Top: 3
+      m_Bottom: 3
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  m_toggle:
+    m_Name: toggle
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d20c53c8cad21024091aeed0b9bf2a0e, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.89112896, g: 0.89112896, b: 0.89112896, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d20c53c8cad21024091aeed0b9bf2a0e, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: d20c53c8cad21024091aeed0b9bf2a0e, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 2800000, guid: a2f13c216f2649d49b892cade7f4e5f0, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.8901961, g: 0.8901961, b: 0.8901961, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 2800000, guid: a2f13c216f2649d49b892cade7f4e5f0, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 2800000, guid: a2f13c216f2649d49b892cade7f4e5f0, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 15
+      m_Right: 0
+      m_Top: 3
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 20
+    m_FixedHeight: 20
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  m_label:
+    m_Name: label
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.9, g: 0.9, b: 0.9, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 3
+      m_Bottom: 3
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 1
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_textField:
+    m_Name: textfield
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.24264705, g: 0.24264705, b: 0.24264705, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 3
+      m_Right: 3
+      m_Top: 3
+      m_Bottom: 3
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_textArea:
+    m_Name: textarea
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.24264705, g: 0.24264705, b: 0.24264705, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: 14a4e823a9ef94dc18a71decc8453380, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.5586207, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 11025, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 3
+      m_Right: 3
+      m_Top: 3
+      m_Bottom: 3
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_window:
+    m_Name: window
+    m_Normal:
+      m_Background: {fileID: 11023, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 11022, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 8
+      m_Right: 8
+      m_Top: 18
+      m_Bottom: 8
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 10
+      m_Right: 10
+      m_Top: 20
+      m_Bottom: 10
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 1
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: -18}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_horizontalSlider:
+    m_Name: horizontalslider
+    m_Normal:
+      m_Background: {fileID: 11009, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 3
+      m_Right: 3
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: -1
+      m_Right: -1
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: -2
+      m_Bottom: -3
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 12
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_horizontalSliderThumb:
+    m_Name: horizontalsliderthumb
+    m_Normal:
+      m_Background: {fileID: 11011, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 11012, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 11010, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 7
+      m_Right: 7
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: -1
+      m_Right: -1
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 12
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_verticalSlider:
+    m_Name: verticalslider
+    m_Normal:
+      m_Background: {fileID: 11021, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 3
+      m_Bottom: 3
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: -1
+      m_Bottom: -1
+    m_Overflow:
+      m_Left: -2
+      m_Right: -3
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 0
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 12
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 1
+  m_verticalSliderThumb:
+    m_Name: verticalsliderthumb
+    m_Normal:
+      m_Background: {fileID: 11011, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 11012, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 11010, guid: 0000000000000000e000000000000000, type: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 7
+      m_Bottom: 7
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: -1
+      m_Bottom: -1
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 12
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 1
+  m_horizontalScrollbar:
+    m_Name: horizontalscrollbar
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 9
+      m_Right: 9
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 4
+      m_Right: 4
+      m_Top: 1
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 10
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_horizontalScrollbarThumb:
+    m_Name: horizontalscrollbarthumb
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 6
+      m_Right: 6
+      m_Top: 6
+      m_Bottom: 6
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 6
+      m_Right: 6
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: -1
+      m_Bottom: 1
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 8
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_horizontalScrollbarLeftButton:
+    m_Name: horizontalscrollbarleftbutton
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_horizontalScrollbarRightButton:
+    m_Name: horizontalscrollbarrightbutton
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_verticalScrollbar:
+    m_Name: verticalscrollbar
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 9
+      m_Bottom: 9
+    m_Margin:
+      m_Left: 1
+      m_Right: 4
+      m_Top: 4
+      m_Bottom: 4
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 1
+      m_Bottom: 1
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 10
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_verticalScrollbarThumb:
+    m_Name: verticalscrollbarthumb
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 6
+      m_Right: 6
+      m_Top: 6
+      m_Bottom: 6
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 6
+      m_Bottom: 6
+    m_Overflow:
+      m_Left: -1
+      m_Right: -1
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 8
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 1
+  m_verticalScrollbarUpButton:
+    m_Name: verticalscrollbarupbutton
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_verticalScrollbarDownButton:
+    m_Name: verticalscrollbardownbutton
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_ScrollView:
+    m_Name: scrollview
+    m_Normal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 1
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  m_CustomStyles:
+  - m_Name: enabledButton
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: textButton
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: textButtonOr
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: textButton_selected
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: pfLogo
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 77e37f7fe73c7db4d9a1702eb4ad411b, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: listDisplay
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 20
+      m_Right: 20
+      m_Top: 20
+      m_Bottom: 20
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: listDisplayBox
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 10
+      m_Bottom: 10
+    m_Padding:
+      m_Left: 10
+      m_Right: 5
+      m_Top: 10
+      m_Bottom: 10
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: progressBarBg
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 2
+      m_Bottom: 2
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 1
+      m_Bottom: 1
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 6
+    m_StretchWidth: 1
+    m_StretchHeight: 0
+  - m_Name: progressBarFg
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 83fd25cf40b81429ca784df9d37d32ba, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 4
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: progressBarError
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: ba384a3c945464600a4046641bb57ca3, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 4
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: progressBarWarn
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: a50d8da0637a640dda5e2018b972cade, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 4
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: progressBarSuccess
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: f30842e29e3a14ecea9b07a2e8f04c55, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 4
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: progressBarClear
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 6
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gmIcon
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 4f1db872b2efa324c806fcbb54e19e1c, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: b43817ee9dda16c41a628a705526a021, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: b43817ee9dda16c41a628a705526a021, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 0}
+    m_FontSize: 0
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 2
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 25
+    m_FixedHeight: 25
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: labelStyle
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: genTxt
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 16
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: editTxt
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 14a4e823a9ef94dc18a71decc8453380, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.24264705, g: 0.24264705, b: 0.24264705, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Padding:
+      m_Left: 10
+      m_Right: 10
+      m_Top: 10
+      m_Bottom: 10
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 1
+    m_RichText: 1
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 1
+  - m_Name: listKey
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 14a4e823a9ef94dc18a71decc8453380, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.2, g: 0.2, b: 0.2, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: 2e064f0948b52496983fa0597fa61a0a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Focused:
+      m_Background: {fileID: 2800000, guid: 5f32aedbadeff4790a54248a66f0b89d, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 2
+      m_Right: 2
+      m_Top: 2
+      m_Bottom: 2
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: listKey_dirty
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.36764705, g: 0.36764705, b: 0.36764705, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Focused:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 2
+      m_Right: 2
+      m_Top: 2
+      m_Bottom: 2
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: listValue
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 2
+      m_Right: 2
+      m_Top: 5
+      m_Bottom: 2
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: listValue_dirty
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9427eaf0703a74a008e9f9353562df39, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 1, b: 1, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 2
+      m_Right: 2
+      m_Top: 6
+      m_Bottom: 2
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 0
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: cGenTxt
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 16
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: orTxt
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.9921569, g: 0.41960788, b: 0.050980397, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.9921569, g: 0.41960788, b: 0.050980397, a: 1}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 1
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: titleLabel
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 20
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: orTitle
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 1, g: 0.427451, b: 0.12941177, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 20
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: versionText
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 436664d726292a54fa79d2168f4541ac, type: 3}
+    m_FontSize: 12
+    m_FontStyle: 0
+    m_Alignment: 4
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleGray1
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 3
+      m_Bottom: 3
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleGray2
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 5
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleGray3
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 5
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleGray4
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 1c8aa345bd7fe44b88cf00b2f6b82579, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 5
+      m_Bottom: 5
+    m_Padding:
+      m_Left: 5
+      m_Right: 5
+      m_Top: 5
+      m_Bottom: 5
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleClear
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: d03222342209e43daaf2ca8d1364e47a, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 2
+      m_Right: 2
+      m_Top: 2
+      m_Bottom: 2
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  - m_Name: gpStyleBlur
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 9de03259c3d2e43fc91ef7dc9054b186, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Active:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Focused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnNormal:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnHover:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnActive:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_OnFocused:
+      m_Background: {fileID: 0}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0, g: 0, b: 0, a: 0}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 12800000, guid: 96e17474f840a01459f0cc936c5d4d9b, type: 3}
+    m_FontSize: 14
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 1
+    m_ImagePosition: 3
+    m_ContentOffset: {x: 0, y: 0}
+    m_FixedWidth: 0
+    m_FixedHeight: 0
+    m_StretchWidth: 1
+    m_StretchHeight: 1
+  - m_Name: foldOut_std
+    m_Normal:
+      m_Background: {fileID: 2800000, guid: 677a55eab8f234e688ec4c6be70208bb, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Hover:
+      m_Background: {fileID: 2800000, guid: d396473974f984567a8e398f1ebd9ec9, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Active:
+      m_Background: {fileID: 2800000, guid: 677a55eab8f234e688ec4c6be70208bb, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_Focused:
+      m_Background: {fileID: 2800000, guid: d396473974f984567a8e398f1ebd9ec9, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_OnNormal:
+      m_Background: {fileID: 2800000, guid: 43f13eb24deac4ae5a86c25189272a74, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_OnHover:
+      m_Background: {fileID: 2800000, guid: 93e56b7e753794953939a50df2c9c323, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_OnActive:
+      m_Background: {fileID: 2800000, guid: 93e56b7e753794953939a50df2c9c323, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
+    m_OnFocused:
+      m_Background: {fileID: 2800000, guid: 93e56b7e753794953939a50df2c9c323, type: 3}
+      m_ScaledBackgrounds: []
+      m_TextColor: {r: 0.09411765, g: 0.7058824, b: 0.7607843, a: 1}
+    m_Border:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Margin:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Padding:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Overflow:
+      m_Left: 0
+      m_Right: 0
+      m_Top: 0
+      m_Bottom: 0
+    m_Font: {fileID: 10102, guid: 0000000000000000e000000000000000, type: 0}
+    m_FontSize: 11
+    m_FontStyle: 0
+    m_Alignment: 3
+    m_WordWrap: 0
+    m_RichText: 0
+    m_TextClipping: 0
+    m_ImagePosition: 0
+    m_ContentOffset: {x: 15, y: 0}
+    m_FixedWidth: 10
+    m_FixedHeight: 10
+    m_StretchWidth: 0
+    m_StretchHeight: 0
+  m_Settings:
+    m_DoubleClickSelectsWord: 1
+    m_TripleClickSelectsLine: 1
+    m_CursorColor: {r: 0, g: 0, b: 0, a: 1}
+    m_CursorFlashSpeed: -1
+    m_SelectionColor: {r: 0.58431375, g: 0.6, b: 0.58431375, a: 1}
diff --git a/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin.meta b/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin.meta
new file mode 100644
index 0000000000000000000000000000000000000000..50ac5747ffedd6be14f39544c7c001563b2fd7d3
--- /dev/null
+++ b/Assets/PlayFabEditorExtensions/Editor/UI/PlayFabStyles.guiskin.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: d04ab90b288304956b142858114b4310
+timeCreated: 1468007030
+licenseType: Pro
+NativeFormatImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK.meta b/Assets/PlayFabSDK.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0f7c1908c421af62735a31b67c69534c64e3aebc
--- /dev/null
+++ b/Assets/PlayFabSDK.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: e53d5e839d5caa945b9b859abe15689b
+folderAsset: yes
+timeCreated: 1558474635
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Admin.meta b/Assets/PlayFabSDK/Admin.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a865e687ef2dc68212a7c47700152a50042dc6e8
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: f80b73ed5fc053a409c5e9347d9c609a
+folderAsset: yes
+timeCreated: 1468524875
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs b/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..f75c4bb783b9e0e127e1b5d517a1be281ae51913
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs
@@ -0,0 +1,1575 @@
+#if ENABLE_PLAYFABADMIN_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.AdminModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs for managing title configurations, uploaded Game Server code executables, and user data
+    /// </summary>
+    public static class PlayFabAdminAPI
+    {
+        static PlayFabAdminAPI() {}
+
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Abort an ongoing task instance.
+        /// </summary>
+        public static void AbortTaskInstance(AbortTaskInstanceRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AbortTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Update news item to include localized version
+        /// </summary>
+        public static void AddLocalizedNews(AddLocalizedNewsRequest request, Action<AddLocalizedNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddLocalizedNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds a new news item to the title's news feed
+        /// </summary>
+        public static void AddNews(AddNewsRequest request, Action<AddNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds a given tag to a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public static void AddPlayerTag(AddPlayerTagRequest request, Action<AddPlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddPlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the game server executable specified (previously uploaded - see GetServerBuildUploadUrl) to the set of those a
+        /// client is permitted to request in a call to StartGame
+        /// </summary>
+        public static void AddServerBuild(AddServerBuildRequest request, Action<AddServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Increments the specified virtual currency by the stated amount
+        /// </summary>
+        public static void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds one or more virtual currencies to the set defined for the title. Virtual Currencies have a maximum value of
+        /// 2,147,483,647 when granted to a player. Any value over that will be discarded.
+        /// </summary>
+        public static void AddVirtualCurrencyTypes(AddVirtualCurrencyTypesRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/AddVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Bans users by PlayFab ID with optional IP address, or MAC address for the provided game.
+        /// </summary>
+        public static void BanUsers(BanUsersRequest request, Action<BanUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/BanUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Checks the global count for the limited edition item.
+        /// </summary>
+        public static void CheckLimitedEditionItemAvailability(CheckLimitedEditionItemAvailabilityRequest request, Action<CheckLimitedEditionItemAvailabilityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CheckLimitedEditionItemAvailability", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create an ActionsOnPlayersInSegment task, which iterates through all players in a segment to execute action.
+        /// </summary>
+        public static void CreateActionsOnPlayersInSegmentTask(CreateActionsOnPlayerSegmentTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreateActionsOnPlayersInSegmentTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create a CloudScript task, which can run a CloudScript on a schedule.
+        /// </summary>
+        public static void CreateCloudScriptTask(CreateCloudScriptTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreateCloudScriptTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create a Insights Scheduled Scaling task, which can scale Insights Performance Units on a schedule
+        /// </summary>
+        public static void CreateInsightsScheduledScalingTask(CreateInsightsScheduledScalingTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreateInsightsScheduledScalingTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers a relationship between a title and an Open ID Connect provider.
+        /// </summary>
+        public static void CreateOpenIdConnection(CreateOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreateOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new Player Shared Secret Key. It may take up to 5 minutes for this key to become generally available after
+        /// this API returns.
+        /// </summary>
+        public static void CreatePlayerSharedSecret(CreatePlayerSharedSecretRequest request, Action<CreatePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreatePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds a new player statistic configuration to the title, optionally allowing the developer to specify a reset interval
+        /// and an aggregation method.
+        /// </summary>
+        public static void CreatePlayerStatisticDefinition(CreatePlayerStatisticDefinitionRequest request, Action<CreatePlayerStatisticDefinitionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreatePlayerStatisticDefinition", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new player segment by defining the conditions on player properties. Also, create actions to target the player
+        /// segments for a title.
+        /// </summary>
+        public static void CreateSegment(CreateSegmentRequest request, Action<CreateSegmentResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/CreateSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Delete a content file from the title. When deleting a file that does not exist, it returns success.
+        /// </summary>
+        public static void DeleteContent(DeleteContentRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteContent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a master player account entirely from all titles and deletes all associated data
+        /// </summary>
+        public static void DeleteMasterPlayerAccount(DeleteMasterPlayerAccountRequest request, Action<DeleteMasterPlayerAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteMasterPlayerAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a relationship between a title and an OpenID Connect provider.
+        /// </summary>
+        public static void DeleteOpenIdConnection(DeleteOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a user's player account from a title and deletes all associated data
+        /// </summary>
+        public static void DeletePlayer(DeletePlayerRequest request, Action<DeletePlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeletePlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing Player Shared Secret Key. It may take up to 5 minutes for this delete to be reflected after this API
+        /// returns.
+        /// </summary>
+        public static void DeletePlayerSharedSecret(DeletePlayerSharedSecretRequest request, Action<DeletePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeletePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing player segment and its associated action(s) for a title.
+        /// </summary>
+        public static void DeleteSegment(DeleteSegmentRequest request, Action<DeleteSegmentsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing virtual item store
+        /// </summary>
+        public static void DeleteStore(DeleteStoreRequest request, Action<DeleteStoreResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteStore", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Delete a task.
+        /// </summary>
+        public static void DeleteTask(DeleteTaskRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Permanently deletes a title and all associated configuration
+        /// </summary>
+        public static void DeleteTitle(DeleteTitleRequest request, Action<DeleteTitleResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTitle", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a specified set of title data overrides.
+        /// </summary>
+        public static void DeleteTitleDataOverride(DeleteTitleDataOverrideRequest request, Action<DeleteTitleDataOverrideResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTitleDataOverride", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Exports all associated data of a master player account
+        /// </summary>
+        public static void ExportMasterPlayerData(ExportMasterPlayerDataRequest request, Action<ExportMasterPlayerDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ExportMasterPlayerData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get information about a ActionsOnPlayersInSegment task instance.
+        /// </summary>
+        public static void GetActionsOnPlayersInSegmentTaskInstance(GetTaskInstanceRequest request, Action<GetActionsOnPlayersInSegmentTaskInstanceResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetActionsOnPlayersInSegmentTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves an array of player segment definitions. Results from this can be used in subsequent API calls such as
+        /// GetPlayersInSegment which requires a Segment ID. While segment names can change the ID for that segment will not change.
+        /// </summary>
+        public static void GetAllSegments(GetAllSegmentsRequest request, Action<GetAllSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetAllSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public static void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the contents and information of a specific Cloud Script revision.
+        /// </summary>
+        public static void GetCloudScriptRevision(GetCloudScriptRevisionRequest request, Action<GetCloudScriptRevisionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptRevision", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get detail information about a CloudScript task instance.
+        /// </summary>
+        public static void GetCloudScriptTaskInstance(GetTaskInstanceRequest request, Action<GetCloudScriptTaskInstanceResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all the current cloud script versions. For each version, information about the current published and latest
+        /// revisions is also listed.
+        /// </summary>
+        public static void GetCloudScriptVersions(GetCloudScriptVersionsRequest request, Action<GetCloudScriptVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all contents of the title and get statistics such as size
+        /// </summary>
+        public static void GetContentList(GetContentListRequest request, Action<GetContentListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetContentList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the pre-signed URL for uploading a content file. A subsequent HTTP PUT to the returned URL uploads the
+        /// content. Also, please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN
+        /// rates apply.
+        /// </summary>
+        public static void GetContentUploadUrl(GetContentUploadUrlRequest request, Action<GetContentUploadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetContentUploadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a download URL for the requested report
+        /// </summary>
+        public static void GetDataReport(GetDataReportRequest request, Action<GetDataReportResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetDataReport", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the details for a specific completed session, including links to standard out and standard error logs
+        /// </summary>
+        public static void GetMatchmakerGameInfo(GetMatchmakerGameInfoRequest request, Action<GetMatchmakerGameInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetMatchmakerGameInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the details of defined game modes for the specified game server executable
+        /// </summary>
+        public static void GetMatchmakerGameModes(GetMatchmakerGameModesRequest request, Action<GetMatchmakerGameModesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetMatchmakerGameModes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get the list of titles that the player has played
+        /// </summary>
+        public static void GetPlayedTitleList(GetPlayedTitleListRequest request, Action<GetPlayedTitleListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayedTitleList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a player's ID from an auth token.
+        /// </summary>
+        public static void GetPlayerIdFromAuthToken(GetPlayerIdFromAuthTokenRequest request, Action<GetPlayerIdFromAuthTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerIdFromAuthToken", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public static void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerProfile", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public static void GetPlayerSegments(GetPlayersSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Returns all Player Shared Secret Keys including disabled and expired.
+        /// </summary>
+        public static void GetPlayerSharedSecrets(GetPlayerSharedSecretsRequest request, Action<GetPlayerSharedSecretsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerSharedSecrets", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Allows for paging through all players in a given segment. This API creates a snapshot of all player profiles that match
+        /// the segment definition at the time of its creation and lives through the Total Seconds to Live, refreshing its life span
+        /// on each subsequent use of the Continuation Token. Profiles that change during the course of paging will not be reflected
+        /// in the results. AB Test segments are currently not supported by this operation. NOTE: This API is limited to being
+        /// called 30 times in one minute. You will be returned an error if you exceed this threshold.
+        /// </summary>
+        public static void GetPlayersInSegment(GetPlayersInSegmentRequest request, Action<GetPlayersInSegmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayersInSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the configuration information for all player statistics defined in the title, regardless of whether they have
+        /// a reset interval.
+        /// </summary>
+        public static void GetPlayerStatisticDefinitions(GetPlayerStatisticDefinitionsRequest request, Action<GetPlayerStatisticDefinitionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerStatisticDefinitions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public static void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerStatisticVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public static void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the requested policy.
+        /// </summary>
+        public static void GetPolicy(GetPolicyRequest request, Action<GetPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPolicy", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public static void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the random drop table configuration for the title
+        /// </summary>
+        public static void GetRandomResultTables(GetRandomResultTablesRequest request, Action<GetRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get detail information of a segment and its associated definition(s) and action(s) for a title.
+        /// </summary>
+        public static void GetSegments(GetSegmentsRequest request, Action<GetSegmentsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the build details for the specified game server executable
+        /// </summary>
+        public static void GetServerBuildInfo(GetServerBuildInfoRequest request, Action<GetServerBuildInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetServerBuildInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the pre-authorized URL for uploading a game server package containing a build (does not enable the build for
+        /// use - see AddServerBuild)
+        /// </summary>
+        public static void GetServerBuildUploadUrl(GetServerBuildUploadURLRequest request, Action<GetServerBuildUploadURLResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetServerBuildUploadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined
+        /// </summary>
+        public static void GetStoreItems(GetStoreItemsRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Query for task instances by task, status, or time range.
+        /// </summary>
+        public static void GetTaskInstances(GetTaskInstancesRequest request, Action<GetTaskInstancesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetTaskInstances", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get definition information on a specified task or all tasks within a title.
+        /// </summary>
+        public static void GetTasks(GetTasksRequest request, Action<GetTasksResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetTasks", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings which can be read by the client
+        /// </summary>
+        public static void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings which cannot be read by the client
+        /// </summary>
+        public static void GetTitleInternalData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user, based upon a match against a supplied unique identifier
+        /// </summary>
+        public static void GetUserAccountInfo(LookupUserAccountInfoRequest request, Action<LookupUserAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserAccountInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets all bans for a user.
+        /// </summary>
+        public static void GetUserBans(GetUserBansRequest request, Action<GetUserBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void GetUserInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified user's current inventory of virtual goods
+        /// </summary>
+        public static void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void GetUserPublisherInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GetUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user inventories
+        /// </summary>
+        public static void GrantItemsToUsers(GrantItemsToUsersRequest request, Action<GrantItemsToUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/GrantItemsToUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Increases the global count for the given scarce resource.
+        /// </summary>
+        public static void IncrementLimitedEditionItemAvailability(IncrementLimitedEditionItemAvailabilityRequest request, Action<IncrementLimitedEditionItemAvailabilityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/IncrementLimitedEditionItemAvailability", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Resets the indicated statistic, removing all player entries for it and backing up the old values.
+        /// </summary>
+        public static void IncrementPlayerStatisticVersion(IncrementPlayerStatisticVersionRequest request, Action<IncrementPlayerStatisticVersionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/IncrementPlayerStatisticVersion", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all Open ID Connect providers registered to a title.
+        /// </summary>
+        public static void ListOpenIdConnection(ListOpenIdConnectionRequest request, Action<ListOpenIdConnectionResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ListOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the build details for all game server executables which are currently defined for the title
+        /// </summary>
+        public static void ListServerBuilds(ListBuildsRequest request, Action<ListBuildsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ListServerBuilds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retuns the list of all defined virtual currencies for the title
+        /// </summary>
+        public static void ListVirtualCurrencyTypes(ListVirtualCurrencyTypesRequest request, Action<ListVirtualCurrencyTypesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ListVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the game server mode details for the specified game server executable
+        /// </summary>
+        public static void ModifyMatchmakerGameModes(ModifyMatchmakerGameModesRequest request, Action<ModifyMatchmakerGameModesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ModifyMatchmakerGameModes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the build details for the specified game server executable
+        /// </summary>
+        public static void ModifyServerBuild(ModifyServerBuildRequest request, Action<ModifyServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ModifyServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Attempts to process an order refund through the original real money payment provider.
+        /// </summary>
+        public static void RefundPurchase(RefundPurchaseRequest request, Action<RefundPurchaseResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RefundPurchase", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Remove a given tag from a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public static void RemovePlayerTag(RemovePlayerTagRequest request, Action<RemovePlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RemovePlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes the game server executable specified from the set of those a client is permitted to request in a call to
+        /// StartGame
+        /// </summary>
+        public static void RemoveServerBuild(RemoveServerBuildRequest request, Action<RemoveServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RemoveServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes one or more virtual currencies from the set defined for the title.
+        /// </summary>
+        public static void RemoveVirtualCurrencyTypes(RemoveVirtualCurrencyTypesRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RemoveVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Completely removes all statistics for the specified character, for the current game
+        /// </summary>
+        public static void ResetCharacterStatistics(ResetCharacterStatisticsRequest request, Action<ResetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ResetCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Reset a player's password for a given title.
+        /// </summary>
+        public static void ResetPassword(ResetPasswordRequest request, Action<ResetPasswordResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ResetPassword", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Completely removes all statistics for the specified user, for the current game
+        /// </summary>
+        public static void ResetUserStatistics(ResetUserStatisticsRequest request, Action<ResetUserStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ResetUserStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Attempts to resolve a dispute with the original order's payment provider.
+        /// </summary>
+        public static void ResolvePurchaseDispute(ResolvePurchaseDisputeRequest request, Action<ResolvePurchaseDisputeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/ResolvePurchaseDispute", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revoke all active bans for a user.
+        /// </summary>
+        public static void RevokeAllBansForUser(RevokeAllBansForUserRequest request, Action<RevokeAllBansForUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RevokeAllBansForUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revoke all active bans specified with BanId.
+        /// </summary>
+        public static void RevokeBans(RevokeBansRequest request, Action<RevokeBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RevokeBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revokes access to an item in a user's inventory
+        /// </summary>
+        public static void RevokeInventoryItem(RevokeInventoryItemRequest request, Action<RevokeInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RevokeInventoryItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revokes access for up to 25 items across multiple users and characters.
+        /// </summary>
+        public static void RevokeInventoryItems(RevokeInventoryItemsRequest request, Action<RevokeInventoryItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RevokeInventoryItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Run a task immediately regardless of its schedule.
+        /// </summary>
+        public static void RunTask(RunTaskRequest request, Action<RunTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/RunTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered email address for the user's account, with a link allowing the user to
+        /// change the password.If an account recovery email template ID is provided, an email using the custom email template will
+        /// be used.
+        /// </summary>
+        public static void SendAccountRecoveryEmail(SendAccountRecoveryEmailRequest request, Action<SendAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SendAccountRecoveryEmail", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates the catalog configuration of all virtual goods for the specified catalog version
+        /// </summary>
+        public static void SetCatalogItems(UpdateCatalogItemsRequest request, Action<UpdateCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets or resets the player's secret. Player secrets are used to sign API requests.
+        /// </summary>
+        public static void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetPlayerSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the currently published revision of a title Cloud Script
+        /// </summary>
+        public static void SetPublishedRevision(SetPublishedRevisionRequest request, Action<SetPublishedRevisionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetPublishedRevision", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom publisher settings
+        /// </summary>
+        public static void SetPublisherData(SetPublisherDataRequest request, Action<SetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets all the items in one virtual store
+        /// </summary>
+        public static void SetStoreItems(UpdateStoreItemsRequest request, Action<UpdateStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates and updates the key-value store of custom title settings which can be read by the client
+        /// </summary>
+        public static void SetTitleData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Set and delete key-value pairs in a title data override instance.
+        /// </summary>
+        public static void SetTitleDataAndOverrides(SetTitleDataAndOverridesRequest request, Action<SetTitleDataAndOverridesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleDataAndOverrides", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings which cannot be read by the client
+        /// </summary>
+        public static void SetTitleInternalData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the Amazon Resource Name (ARN) for iOS and Android push notifications. Documentation on the exact restrictions can
+        /// be found at: http://docs.aws.amazon.com/sns/latest/api/API_CreatePlatformApplication.html. Currently, Amazon device
+        /// Messaging is not supported.
+        /// </summary>
+        public static void SetupPushNotification(SetupPushNotificationRequest request, Action<SetupPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SetupPushNotification", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Decrements the specified virtual currency by the stated amount
+        /// </summary>
+        public static void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/SubtractUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates information of a list of existing bans specified with Ban Ids.
+        /// </summary>
+        public static void UpdateBans(UpdateBansRequest request, Action<UpdateBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the catalog configuration for virtual goods in the specified catalog version
+        /// </summary>
+        public static void UpdateCatalogItems(UpdateCatalogItemsRequest request, Action<UpdateCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new Cloud Script revision and uploads source code to it. Note that at this time, only one file should be
+        /// submitted in the revision.
+        /// </summary>
+        public static void UpdateCloudScript(UpdateCloudScriptRequest request, Action<UpdateCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateCloudScript", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Modifies data and credentials for an existing relationship between a title and an Open ID Connect provider
+        /// </summary>
+        public static void UpdateOpenIdConnection(UpdateOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates a existing Player Shared Secret Key. It may take up to 5 minutes for this update to become generally available
+        /// after this API returns.
+        /// </summary>
+        public static void UpdatePlayerSharedSecret(UpdatePlayerSharedSecretRequest request, Action<UpdatePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates a player statistic configuration for the title, optionally allowing the developer to specify a reset interval.
+        /// </summary>
+        public static void UpdatePlayerStatisticDefinition(UpdatePlayerStatisticDefinitionRequest request, Action<UpdatePlayerStatisticDefinitionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePlayerStatisticDefinition", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Changes a policy for a title
+        /// </summary>
+        public static void UpdatePolicy(UpdatePolicyRequest request, Action<UpdatePolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePolicy", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the random drop table configuration for the title
+        /// </summary>
+        public static void UpdateRandomResultTables(UpdateRandomResultTablesRequest request, Action<UpdateRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates an existing player segment and its associated definition(s) and action(s) for a title.
+        /// </summary>
+        public static void UpdateSegment(UpdateSegmentRequest request, Action<UpdateSegmentResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates an existing virtual item store with new or modified items
+        /// </summary>
+        public static void UpdateStoreItems(UpdateStoreItemsRequest request, Action<UpdateStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Update an existing task.
+        /// </summary>
+        public static void UpdateTask(UpdateTaskRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void UpdateUserInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void UpdateUserPublisherInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void UpdateUserPublisherReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void UpdateUserReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title specific display name for a user
+        /// </summary>
+        public static void UpdateUserTitleDisplayName(UpdateUserTitleDisplayNameRequest request, Action<UpdateUserTitleDisplayNameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserTitleDisplayName", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs.meta b/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ec37b6e1ddc95488b67a9cfb976ae3b3c788116d
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminAPI.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 98aa7d0b4d53fe24392fc8cc52120845
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs b/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..5f2a3e1f2515e02c94dce7ea2ad5abe0d7969f9c
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs
@@ -0,0 +1,1362 @@
+#if ENABLE_PLAYFABADMIN_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.AdminModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs for managing title configurations, uploaded Game Server code executables, and user data
+    /// </summary>
+    public class PlayFabAdminInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabAdminInstanceAPI() { }
+
+        public PlayFabAdminInstanceAPI(PlayFabApiSettings settings)
+        {
+            apiSettings = settings;
+        }
+
+        public PlayFabAdminInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            authenticationContext = context;
+        }
+
+        public PlayFabAdminInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Abort an ongoing task instance.
+        /// </summary>
+        public void AbortTaskInstance(AbortTaskInstanceRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AbortTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Update news item to include localized version
+        /// </summary>
+        public void AddLocalizedNews(AddLocalizedNewsRequest request, Action<AddLocalizedNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddLocalizedNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds a new news item to the title's news feed
+        /// </summary>
+        public void AddNews(AddNewsRequest request, Action<AddNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds a given tag to a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public void AddPlayerTag(AddPlayerTagRequest request, Action<AddPlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddPlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the game server executable specified (previously uploaded - see GetServerBuildUploadUrl) to the set of those a
+        /// client is permitted to request in a call to StartGame
+        /// </summary>
+        public void AddServerBuild(AddServerBuildRequest request, Action<AddServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Increments the specified virtual currency by the stated amount
+        /// </summary>
+        public void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds one or more virtual currencies to the set defined for the title. Virtual Currencies have a maximum value of
+        /// 2,147,483,647 when granted to a player. Any value over that will be discarded.
+        /// </summary>
+        public void AddVirtualCurrencyTypes(AddVirtualCurrencyTypesRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/AddVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Bans users by PlayFab ID with optional IP address, or MAC address for the provided game.
+        /// </summary>
+        public void BanUsers(BanUsersRequest request, Action<BanUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/BanUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Checks the global count for the limited edition item.
+        /// </summary>
+        public void CheckLimitedEditionItemAvailability(CheckLimitedEditionItemAvailabilityRequest request, Action<CheckLimitedEditionItemAvailabilityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CheckLimitedEditionItemAvailability", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create an ActionsOnPlayersInSegment task, which iterates through all players in a segment to execute action.
+        /// </summary>
+        public void CreateActionsOnPlayersInSegmentTask(CreateActionsOnPlayerSegmentTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreateActionsOnPlayersInSegmentTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create a CloudScript task, which can run a CloudScript on a schedule.
+        /// </summary>
+        public void CreateCloudScriptTask(CreateCloudScriptTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreateCloudScriptTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create a Insights Scheduled Scaling task, which can scale Insights Performance Units on a schedule
+        /// </summary>
+        public void CreateInsightsScheduledScalingTask(CreateInsightsScheduledScalingTaskRequest request, Action<CreateTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreateInsightsScheduledScalingTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers a relationship between a title and an Open ID Connect provider.
+        /// </summary>
+        public void CreateOpenIdConnection(CreateOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreateOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new Player Shared Secret Key. It may take up to 5 minutes for this key to become generally available after
+        /// this API returns.
+        /// </summary>
+        public void CreatePlayerSharedSecret(CreatePlayerSharedSecretRequest request, Action<CreatePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreatePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds a new player statistic configuration to the title, optionally allowing the developer to specify a reset interval
+        /// and an aggregation method.
+        /// </summary>
+        public void CreatePlayerStatisticDefinition(CreatePlayerStatisticDefinitionRequest request, Action<CreatePlayerStatisticDefinitionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreatePlayerStatisticDefinition", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new player segment by defining the conditions on player properties. Also, create actions to target the player
+        /// segments for a title.
+        /// </summary>
+        public void CreateSegment(CreateSegmentRequest request, Action<CreateSegmentResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/CreateSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Delete a content file from the title. When deleting a file that does not exist, it returns success.
+        /// </summary>
+        public void DeleteContent(DeleteContentRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteContent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a master player account entirely from all titles and deletes all associated data
+        /// </summary>
+        public void DeleteMasterPlayerAccount(DeleteMasterPlayerAccountRequest request, Action<DeleteMasterPlayerAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteMasterPlayerAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a relationship between a title and an OpenID Connect provider.
+        /// </summary>
+        public void DeleteOpenIdConnection(DeleteOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a user's player account from a title and deletes all associated data
+        /// </summary>
+        public void DeletePlayer(DeletePlayerRequest request, Action<DeletePlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeletePlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing Player Shared Secret Key. It may take up to 5 minutes for this delete to be reflected after this API
+        /// returns.
+        /// </summary>
+        public void DeletePlayerSharedSecret(DeletePlayerSharedSecretRequest request, Action<DeletePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeletePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing player segment and its associated action(s) for a title.
+        /// </summary>
+        public void DeleteSegment(DeleteSegmentRequest request, Action<DeleteSegmentsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing virtual item store
+        /// </summary>
+        public void DeleteStore(DeleteStoreRequest request, Action<DeleteStoreResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteStore", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Delete a task.
+        /// </summary>
+        public void DeleteTask(DeleteTaskRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Permanently deletes a title and all associated configuration
+        /// </summary>
+        public void DeleteTitle(DeleteTitleRequest request, Action<DeleteTitleResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTitle", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a specified set of title data overrides.
+        /// </summary>
+        public void DeleteTitleDataOverride(DeleteTitleDataOverrideRequest request, Action<DeleteTitleDataOverrideResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/DeleteTitleDataOverride", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Exports all associated data of a master player account
+        /// </summary>
+        public void ExportMasterPlayerData(ExportMasterPlayerDataRequest request, Action<ExportMasterPlayerDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ExportMasterPlayerData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get information about a ActionsOnPlayersInSegment task instance.
+        /// </summary>
+        public void GetActionsOnPlayersInSegmentTaskInstance(GetTaskInstanceRequest request, Action<GetActionsOnPlayersInSegmentTaskInstanceResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetActionsOnPlayersInSegmentTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves an array of player segment definitions. Results from this can be used in subsequent API calls such as
+        /// GetPlayersInSegment which requires a Segment ID. While segment names can change the ID for that segment will not change.
+        /// </summary>
+        public void GetAllSegments(GetAllSegmentsRequest request, Action<GetAllSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetAllSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the contents and information of a specific Cloud Script revision.
+        /// </summary>
+        public void GetCloudScriptRevision(GetCloudScriptRevisionRequest request, Action<GetCloudScriptRevisionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptRevision", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get detail information about a CloudScript task instance.
+        /// </summary>
+        public void GetCloudScriptTaskInstance(GetTaskInstanceRequest request, Action<GetCloudScriptTaskInstanceResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptTaskInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all the current cloud script versions. For each version, information about the current published and latest
+        /// revisions is also listed.
+        /// </summary>
+        public void GetCloudScriptVersions(GetCloudScriptVersionsRequest request, Action<GetCloudScriptVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetCloudScriptVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all contents of the title and get statistics such as size
+        /// </summary>
+        public void GetContentList(GetContentListRequest request, Action<GetContentListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetContentList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the pre-signed URL for uploading a content file. A subsequent HTTP PUT to the returned URL uploads the
+        /// content. Also, please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN
+        /// rates apply.
+        /// </summary>
+        public void GetContentUploadUrl(GetContentUploadUrlRequest request, Action<GetContentUploadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetContentUploadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a download URL for the requested report
+        /// </summary>
+        public void GetDataReport(GetDataReportRequest request, Action<GetDataReportResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetDataReport", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the details for a specific completed session, including links to standard out and standard error logs
+        /// </summary>
+        public void GetMatchmakerGameInfo(GetMatchmakerGameInfoRequest request, Action<GetMatchmakerGameInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetMatchmakerGameInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the details of defined game modes for the specified game server executable
+        /// </summary>
+        public void GetMatchmakerGameModes(GetMatchmakerGameModesRequest request, Action<GetMatchmakerGameModesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetMatchmakerGameModes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get the list of titles that the player has played
+        /// </summary>
+        public void GetPlayedTitleList(GetPlayedTitleListRequest request, Action<GetPlayedTitleListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayedTitleList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a player's ID from an auth token.
+        /// </summary>
+        public void GetPlayerIdFromAuthToken(GetPlayerIdFromAuthTokenRequest request, Action<GetPlayerIdFromAuthTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerIdFromAuthToken", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerProfile", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public void GetPlayerSegments(GetPlayersSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Returns all Player Shared Secret Keys including disabled and expired.
+        /// </summary>
+        public void GetPlayerSharedSecrets(GetPlayerSharedSecretsRequest request, Action<GetPlayerSharedSecretsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerSharedSecrets", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Allows for paging through all players in a given segment. This API creates a snapshot of all player profiles that match
+        /// the segment definition at the time of its creation and lives through the Total Seconds to Live, refreshing its life span
+        /// on each subsequent use of the Continuation Token. Profiles that change during the course of paging will not be reflected
+        /// in the results. AB Test segments are currently not supported by this operation. NOTE: This API is limited to being
+        /// called 30 times in one minute. You will be returned an error if you exceed this threshold.
+        /// </summary>
+        public void GetPlayersInSegment(GetPlayersInSegmentRequest request, Action<GetPlayersInSegmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayersInSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the configuration information for all player statistics defined in the title, regardless of whether they have
+        /// a reset interval.
+        /// </summary>
+        public void GetPlayerStatisticDefinitions(GetPlayerStatisticDefinitionsRequest request, Action<GetPlayerStatisticDefinitionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerStatisticDefinitions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerStatisticVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPlayerTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the requested policy.
+        /// </summary>
+        public void GetPolicy(GetPolicyRequest request, Action<GetPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPolicy", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the random drop table configuration for the title
+        /// </summary>
+        public void GetRandomResultTables(GetRandomResultTablesRequest request, Action<GetRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get detail information of a segment and its associated definition(s) and action(s) for a title.
+        /// </summary>
+        public void GetSegments(GetSegmentsRequest request, Action<GetSegmentsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the build details for the specified game server executable
+        /// </summary>
+        public void GetServerBuildInfo(GetServerBuildInfoRequest request, Action<GetServerBuildInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetServerBuildInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the pre-authorized URL for uploading a game server package containing a build (does not enable the build for
+        /// use - see AddServerBuild)
+        /// </summary>
+        public void GetServerBuildUploadUrl(GetServerBuildUploadURLRequest request, Action<GetServerBuildUploadURLResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetServerBuildUploadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined
+        /// </summary>
+        public void GetStoreItems(GetStoreItemsRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Query for task instances by task, status, or time range.
+        /// </summary>
+        public void GetTaskInstances(GetTaskInstancesRequest request, Action<GetTaskInstancesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetTaskInstances", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get definition information on a specified task or all tasks within a title.
+        /// </summary>
+        public void GetTasks(GetTasksRequest request, Action<GetTasksResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetTasks", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings which can be read by the client
+        /// </summary>
+        public void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings which cannot be read by the client
+        /// </summary>
+        public void GetTitleInternalData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user, based upon a match against a supplied unique identifier
+        /// </summary>
+        public void GetUserAccountInfo(LookupUserAccountInfoRequest request, Action<LookupUserAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserAccountInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets all bans for a user.
+        /// </summary>
+        public void GetUserBans(GetUserBansRequest request, Action<GetUserBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void GetUserInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified user's current inventory of virtual goods
+        /// </summary>
+        public void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void GetUserPublisherInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GetUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user inventories
+        /// </summary>
+        public void GrantItemsToUsers(GrantItemsToUsersRequest request, Action<GrantItemsToUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/GrantItemsToUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Increases the global count for the given scarce resource.
+        /// </summary>
+        public void IncrementLimitedEditionItemAvailability(IncrementLimitedEditionItemAvailabilityRequest request, Action<IncrementLimitedEditionItemAvailabilityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/IncrementLimitedEditionItemAvailability", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Resets the indicated statistic, removing all player entries for it and backing up the old values.
+        /// </summary>
+        public void IncrementPlayerStatisticVersion(IncrementPlayerStatisticVersionRequest request, Action<IncrementPlayerStatisticVersionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/IncrementPlayerStatisticVersion", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all Open ID Connect providers registered to a title.
+        /// </summary>
+        public void ListOpenIdConnection(ListOpenIdConnectionRequest request, Action<ListOpenIdConnectionResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ListOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the build details for all game server executables which are currently defined for the title
+        /// </summary>
+        public void ListServerBuilds(ListBuildsRequest request, Action<ListBuildsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ListServerBuilds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retuns the list of all defined virtual currencies for the title
+        /// </summary>
+        public void ListVirtualCurrencyTypes(ListVirtualCurrencyTypesRequest request, Action<ListVirtualCurrencyTypesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ListVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the game server mode details for the specified game server executable
+        /// </summary>
+        public void ModifyMatchmakerGameModes(ModifyMatchmakerGameModesRequest request, Action<ModifyMatchmakerGameModesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ModifyMatchmakerGameModes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the build details for the specified game server executable
+        /// </summary>
+        public void ModifyServerBuild(ModifyServerBuildRequest request, Action<ModifyServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ModifyServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Attempts to process an order refund through the original real money payment provider.
+        /// </summary>
+        public void RefundPurchase(RefundPurchaseRequest request, Action<RefundPurchaseResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RefundPurchase", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Remove a given tag from a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public void RemovePlayerTag(RemovePlayerTagRequest request, Action<RemovePlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RemovePlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes the game server executable specified from the set of those a client is permitted to request in a call to
+        /// StartGame
+        /// </summary>
+        public void RemoveServerBuild(RemoveServerBuildRequest request, Action<RemoveServerBuildResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RemoveServerBuild", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes one or more virtual currencies from the set defined for the title.
+        /// </summary>
+        public void RemoveVirtualCurrencyTypes(RemoveVirtualCurrencyTypesRequest request, Action<BlankResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RemoveVirtualCurrencyTypes", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Completely removes all statistics for the specified character, for the current game
+        /// </summary>
+        public void ResetCharacterStatistics(ResetCharacterStatisticsRequest request, Action<ResetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ResetCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Reset a player's password for a given title.
+        /// </summary>
+        public void ResetPassword(ResetPasswordRequest request, Action<ResetPasswordResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ResetPassword", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Completely removes all statistics for the specified user, for the current game
+        /// </summary>
+        public void ResetUserStatistics(ResetUserStatisticsRequest request, Action<ResetUserStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ResetUserStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Attempts to resolve a dispute with the original order's payment provider.
+        /// </summary>
+        public void ResolvePurchaseDispute(ResolvePurchaseDisputeRequest request, Action<ResolvePurchaseDisputeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/ResolvePurchaseDispute", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revoke all active bans for a user.
+        /// </summary>
+        public void RevokeAllBansForUser(RevokeAllBansForUserRequest request, Action<RevokeAllBansForUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RevokeAllBansForUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revoke all active bans specified with BanId.
+        /// </summary>
+        public void RevokeBans(RevokeBansRequest request, Action<RevokeBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RevokeBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revokes access to an item in a user's inventory
+        /// </summary>
+        public void RevokeInventoryItem(RevokeInventoryItemRequest request, Action<RevokeInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RevokeInventoryItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revokes access for up to 25 items across multiple users and characters.
+        /// </summary>
+        public void RevokeInventoryItems(RevokeInventoryItemsRequest request, Action<RevokeInventoryItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RevokeInventoryItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Run a task immediately regardless of its schedule.
+        /// </summary>
+        public void RunTask(RunTaskRequest request, Action<RunTaskResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/RunTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered email address for the user's account, with a link allowing the user to
+        /// change the password.If an account recovery email template ID is provided, an email using the custom email template will
+        /// be used.
+        /// </summary>
+        public void SendAccountRecoveryEmail(SendAccountRecoveryEmailRequest request, Action<SendAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SendAccountRecoveryEmail", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates the catalog configuration of all virtual goods for the specified catalog version
+        /// </summary>
+        public void SetCatalogItems(UpdateCatalogItemsRequest request, Action<UpdateCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets or resets the player's secret. Player secrets are used to sign API requests.
+        /// </summary>
+        public void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetPlayerSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the currently published revision of a title Cloud Script
+        /// </summary>
+        public void SetPublishedRevision(SetPublishedRevisionRequest request, Action<SetPublishedRevisionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetPublishedRevision", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom publisher settings
+        /// </summary>
+        public void SetPublisherData(SetPublisherDataRequest request, Action<SetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets all the items in one virtual store
+        /// </summary>
+        public void SetStoreItems(UpdateStoreItemsRequest request, Action<UpdateStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates and updates the key-value store of custom title settings which can be read by the client
+        /// </summary>
+        public void SetTitleData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Set and delete key-value pairs in a title data override instance.
+        /// </summary>
+        public void SetTitleDataAndOverrides(SetTitleDataAndOverridesRequest request, Action<SetTitleDataAndOverridesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleDataAndOverrides", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings which cannot be read by the client
+        /// </summary>
+        public void SetTitleInternalData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the Amazon Resource Name (ARN) for iOS and Android push notifications. Documentation on the exact restrictions can
+        /// be found at: http://docs.aws.amazon.com/sns/latest/api/API_CreatePlatformApplication.html. Currently, Amazon device
+        /// Messaging is not supported.
+        /// </summary>
+        public void SetupPushNotification(SetupPushNotificationRequest request, Action<SetupPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SetupPushNotification", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Decrements the specified virtual currency by the stated amount
+        /// </summary>
+        public void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/SubtractUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates information of a list of existing bans specified with Ban Ids.
+        /// </summary>
+        public void UpdateBans(UpdateBansRequest request, Action<UpdateBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the catalog configuration for virtual goods in the specified catalog version
+        /// </summary>
+        public void UpdateCatalogItems(UpdateCatalogItemsRequest request, Action<UpdateCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new Cloud Script revision and uploads source code to it. Note that at this time, only one file should be
+        /// submitted in the revision.
+        /// </summary>
+        public void UpdateCloudScript(UpdateCloudScriptRequest request, Action<UpdateCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateCloudScript", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Modifies data and credentials for an existing relationship between a title and an Open ID Connect provider
+        /// </summary>
+        public void UpdateOpenIdConnection(UpdateOpenIdConnectionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateOpenIdConnection", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates a existing Player Shared Secret Key. It may take up to 5 minutes for this update to become generally available
+        /// after this API returns.
+        /// </summary>
+        public void UpdatePlayerSharedSecret(UpdatePlayerSharedSecretRequest request, Action<UpdatePlayerSharedSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePlayerSharedSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates a player statistic configuration for the title, optionally allowing the developer to specify a reset interval.
+        /// </summary>
+        public void UpdatePlayerStatisticDefinition(UpdatePlayerStatisticDefinitionRequest request, Action<UpdatePlayerStatisticDefinitionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePlayerStatisticDefinition", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Changes a policy for a title
+        /// </summary>
+        public void UpdatePolicy(UpdatePolicyRequest request, Action<UpdatePolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdatePolicy", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the random drop table configuration for the title
+        /// </summary>
+        public void UpdateRandomResultTables(UpdateRandomResultTablesRequest request, Action<UpdateRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates an existing player segment and its associated definition(s) and action(s) for a title.
+        /// </summary>
+        public void UpdateSegment(UpdateSegmentRequest request, Action<UpdateSegmentResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates an existing virtual item store with new or modified items
+        /// </summary>
+        public void UpdateStoreItems(UpdateStoreItemsRequest request, Action<UpdateStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Update an existing task.
+        /// </summary>
+        public void UpdateTask(UpdateTaskRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateTask", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void UpdateUserInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void UpdateUserPublisherInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void UpdateUserPublisherReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void UpdateUserReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title specific display name for a user
+        /// </summary>
+        public void UpdateUserTitleDisplayName(UpdateUserTitleDisplayNameRequest request, Action<UpdateUserTitleDisplayNameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Admin/UpdateUserTitleDisplayName", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs.meta b/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..dfaa93b4c30eb7d324e227b8496835ce4662efae
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 942c3c5d808dfed49b4c4369cc282d49
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs b/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..a84dd41ffbdc0570f8facaddaa3f466b95cb2621
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs
@@ -0,0 +1,7387 @@
+#if ENABLE_PLAYFABADMIN_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.AdminModels
+{
+    /// <summary>
+    /// If the task instance has already completed, there will be no-op.
+    /// </summary>
+    [Serializable]
+    public class AbortTaskInstanceRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// ID of a task instance that is being aborted.
+        /// </summary>
+        public string TaskInstanceId;
+    }
+
+    [Serializable]
+    public class ActionsOnPlayersInSegmentTaskParameter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ID of the action to perform on each player in segment.
+        /// </summary>
+        public string ActionId;
+        /// <summary>
+        /// ID of the segment to perform actions on.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    [Serializable]
+    public class ActionsOnPlayersInSegmentTaskSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC timestamp when the task completed.
+        /// </summary>
+        public DateTime? CompletedAt;
+        /// <summary>
+        /// Error message for last processing attempt, if an error occured.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// Flag indicating if the error was fatal, if false job will be retried.
+        /// </summary>
+        public bool? ErrorWasFatal;
+        /// <summary>
+        /// Estimated time remaining in seconds.
+        /// </summary>
+        public double? EstimatedSecondsRemaining;
+        /// <summary>
+        /// Progress represented as percentage.
+        /// </summary>
+        public double? PercentComplete;
+        /// <summary>
+        /// If manually scheduled, ID of user who scheduled the task.
+        /// </summary>
+        public string ScheduledByUserId;
+        /// <summary>
+        /// UTC timestamp when the task started.
+        /// </summary>
+        public DateTime StartedAt;
+        /// <summary>
+        /// Current status of the task instance.
+        /// </summary>
+        public TaskInstanceStatus? Status;
+        /// <summary>
+        /// Identifier of the task this instance belongs to.
+        /// </summary>
+        public NameIdentifier TaskIdentifier;
+        /// <summary>
+        /// ID of the task instance.
+        /// </summary>
+        public string TaskInstanceId;
+        /// <summary>
+        /// Total players in segment when task was started.
+        /// </summary>
+        public int? TotalPlayersInSegment;
+        /// <summary>
+        /// Total number of players that have had the actions applied to.
+        /// </summary>
+        public int? TotalPlayersProcessed;
+    }
+
+    [Serializable]
+    public class AdCampaignAttribution : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    [Serializable]
+    public class AdCampaignAttributionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    [Serializable]
+    public class AdCampaignSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Campaign id.
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Campaign source.
+        /// </summary>
+        public string CampaignSource;
+        /// <summary>
+        /// Campaign comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+    }
+
+    [Serializable]
+    public class AddLocalizedNewsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Localized body text of the news.
+        /// </summary>
+        public string Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Language of the news item.
+        /// </summary>
+        public string Language;
+        /// <summary>
+        /// Unique id of the updated news item.
+        /// </summary>
+        public string NewsId;
+        /// <summary>
+        /// Localized title (headline) of the news item.
+        /// </summary>
+        public string Title;
+    }
+
+    [Serializable]
+    public class AddLocalizedNewsResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddNewsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Default body text of the news.
+        /// </summary>
+        public string Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Time this news was published. If not set, defaults to now.
+        /// </summary>
+        public DateTime? Timestamp;
+        /// <summary>
+        /// Default title (headline) of the news item.
+        /// </summary>
+        public string Title;
+    }
+
+    [Serializable]
+    public class AddNewsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique id of the new news item
+        /// </summary>
+        public string NewsId;
+    }
+
+    /// <summary>
+    /// This API will trigger a player_tag_added event and add a tag with the given TagName and PlayFabID to the corresponding
+    /// player profile. TagName can be used for segmentation and it is limited to 256 characters. Also there is a limit on the
+    /// number of tags a title can have.
+    /// </summary>
+    [Serializable]
+    public class AddPlayerTagRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique tag for player profile.
+        /// </summary>
+        public string TagName;
+    }
+
+    [Serializable]
+    public class AddPlayerTagResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddServerBuildRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// server host regions in which this build should be running and available
+        /// </summary>
+        public List<Region> ActiveRegions;
+        /// <summary>
+        /// unique identifier for the build executable
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// appended to the end of the command line when starting game servers
+        /// </summary>
+        public string CommandLineTemplate;
+        /// <summary>
+        /// developer comment(s) for this build
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// path to the game server executable. Defaults to gameserver.exe
+        /// </summary>
+        public string ExecutablePath;
+        /// <summary>
+        /// maximum number of game server instances that can run on a single host machine
+        /// </summary>
+        public int MaxGamesPerHost;
+        /// <summary>
+        /// minimum capacity of additional game server instances that can be started before the autoscaling service starts new host
+        /// machines (given the number of current running host machines and game server instances)
+        /// </summary>
+        public int MinFreeGameSlots;
+    }
+
+    [Serializable]
+    public class AddServerBuildResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of regions where this build can used, when it is active
+        /// </summary>
+        public List<Region> ActiveRegions;
+        /// <summary>
+        /// unique identifier for this build executable
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// appended to the end of the command line when starting game servers
+        /// </summary>
+        public string CommandLineTemplate;
+        /// <summary>
+        /// developer comment(s) for this build
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// path to the game server executable. Defaults to gameserver.exe
+        /// </summary>
+        public string ExecutablePath;
+        /// <summary>
+        /// maximum number of game server instances that can run on a single host machine
+        /// </summary>
+        public int MaxGamesPerHost;
+        /// <summary>
+        /// minimum capacity of additional game server instances that can be started before the autoscaling service starts new host
+        /// machines (given the number of current running host machines and game server instances)
+        /// </summary>
+        public int MinFreeGameSlots;
+        /// <summary>
+        /// the current status of the build validation and processing steps
+        /// </summary>
+        public GameBuildStatus? Status;
+        /// <summary>
+        /// time this build was last modified (or uploaded, if this build has never been modified)
+        /// </summary>
+        public DateTime Timestamp;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class AddUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be added to the user balance of the specified virtual currency. Maximum VC balance is Int32 (2,147,483,647).
+        /// Any increase over this value will be discarded.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose virtual currency balance is to be increased.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be incremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// This operation is additive. Any new currencies defined in the array will be added to the set of those available for the
+    /// title, while any CurrencyCode identifiers matching existing ones in the game will be overwritten with the new values.
+    /// </summary>
+    [Serializable]
+    public class AddVirtualCurrencyTypesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of virtual currencies and their initial deposits (the amount a user is granted when signing in for the first time)
+        /// to the title
+        /// </summary>
+        public List<VirtualCurrencyData> VirtualCurrencies;
+    }
+
+    [Serializable]
+    public class AllPlayersSegmentFilter : PlayFabBaseModel
+    {
+    }
+
+    [Serializable]
+    public class ApiCondition : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Require that API calls contain an RSA encrypted payload or signed headers.
+        /// </summary>
+        public Conditionals? HasSignatureOrEncryption;
+    }
+
+    public enum AuthTokenType
+    {
+        Email
+    }
+
+    /// <summary>
+    /// Contains information for a ban.
+    /// </summary>
+    [Serializable]
+    public class BanInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The active state of this ban. Expired bans may still have this value set to true but they will have no effect.
+        /// </summary>
+        public bool Active;
+        /// <summary>
+        /// The unique Ban Id associated with this ban.
+        /// </summary>
+        public string BanId;
+        /// <summary>
+        /// The time when this ban was applied.
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// The time when this ban expires. Permanent bans do not have expiration date.
+        /// </summary>
+        public DateTime? Expires;
+        /// <summary>
+        /// The IP address on which the ban was applied. May affect multiple players.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// The MAC address on which the ban was applied. May affect multiple players.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The reason why this ban was applied.
+        /// </summary>
+        public string Reason;
+    }
+
+    [Serializable]
+    public class BanPlayerSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Ban hours duration.
+        /// </summary>
+        public uint? BanHours;
+        /// <summary>
+        /// Reason for ban.
+        /// </summary>
+        public string ReasonForBan;
+    }
+
+    /// <summary>
+    /// Represents a single ban request.
+    /// </summary>
+    [Serializable]
+    public class BanRequest : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The duration in hours for the ban. Leave this blank for a permanent ban.
+        /// </summary>
+        public uint? DurationInHours;
+        /// <summary>
+        /// IP address to be banned. May affect multiple players.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// MAC address to be banned. May affect multiple players.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The reason for this ban. Maximum 140 characters.
+        /// </summary>
+        public string Reason;
+    }
+
+    /// <summary>
+    /// The existence of each user will not be verified. When banning by IP or MAC address, multiple players may be affected, so
+    /// use this feature with caution. Returns information about the new bans.
+    /// </summary>
+    [Serializable]
+    public class BanUsersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of ban requests to be applied. Maximum 100.
+        /// </summary>
+        public List<BanRequest> Bans;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class BanUsersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were applied
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    [Serializable]
+    public class BlankResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// A purchasable item from the item catalog
+    /// </summary>
+    [Serializable]
+    public class CatalogItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// defines the bundle properties for the item - bundles are items which contain other items, including random drop tables
+        /// and virtual currencies
+        /// </summary>
+        public CatalogItemBundleInfo Bundle;
+        /// <summary>
+        /// if true, then an item instance of this type can be used to grant a character to a user.
+        /// </summary>
+        public bool CanBecomeCharacter;
+        /// <summary>
+        /// catalog version for this item
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// defines the consumable properties (number of uses, timeout) for the item
+        /// </summary>
+        public CatalogItemConsumableInfo Consumable;
+        /// <summary>
+        /// defines the container properties for the item - what items it contains, including random drop tables and virtual
+        /// currencies, and what item (if any) is required to open it via the UnlockContainerItem API
+        /// </summary>
+        public CatalogItemContainerInfo Container;
+        /// <summary>
+        /// game specific custom data
+        /// </summary>
+        public string CustomData;
+        /// <summary>
+        /// text description of item, to show in-game
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// text name for the item, to show in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// If the item has IsLImitedEdition set to true, and this is the first time this ItemId has been defined as a limited
+        /// edition item, this value determines the total number of instances to allocate for the title. Once this limit has been
+        /// reached, no more instances of this ItemId can be created, and attempts to purchase or grant it will return a Result of
+        /// false for that ItemId. If the item has already been defined to have a limited edition count, or if this value is less
+        /// than zero, it will be ignored.
+        /// </summary>
+        public int InitialLimitedEditionCount;
+        /// <summary>
+        /// BETA: If true, then only a fixed number can ever be granted.
+        /// </summary>
+        public bool IsLimitedEdition;
+        /// <summary>
+        /// if true, then only one item instance of this type will exist and its remaininguses will be incremented instead.
+        /// RemainingUses will cap out at Int32.Max (2,147,483,647). All subsequent increases will be discarded
+        /// </summary>
+        public bool IsStackable;
+        /// <summary>
+        /// if true, then an item instance of this type can be traded between players using the trading APIs
+        /// </summary>
+        public bool IsTradable;
+        /// <summary>
+        /// class to which the item belongs
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// unique identifier for this item
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// URL to the item image. For Facebook purchase to display the image on the item purchase page, this must be set to an HTTP
+        /// URL.
+        /// </summary>
+        public string ItemImageUrl;
+        /// <summary>
+        /// override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// list of item tags
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// price of this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    [Serializable]
+    public class CatalogItemBundleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public List<string> BundledItems;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the bundle (random tables will be resolved and
+        /// add the relevant items to the player inventory when the bundle is added)
+        /// </summary>
+        public List<string> BundledResultTables;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public Dictionary<string,uint> BundledVirtualCurrencies;
+    }
+
+    [Serializable]
+    public class CatalogItemConsumableInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// number of times this object can be used, after which it will be removed from the player inventory
+        /// </summary>
+        public uint? UsageCount;
+        /// <summary>
+        /// duration in seconds for how long the item will remain in the player inventory - once elapsed, the item will be removed
+        /// (recommended minimum value is 5 seconds, as lower values can cause the item to expire before operations depending on
+        /// this item's details have completed)
+        /// </summary>
+        public uint? UsagePeriod;
+        /// <summary>
+        /// all inventory item instances in the player inventory sharing a non-null UsagePeriodGroup have their UsagePeriod values
+        /// added together, and share the result - when that period has elapsed, all the items in the group will be removed
+        /// </summary>
+        public string UsagePeriodGroup;
+    }
+
+    /// <summary>
+    /// Containers are inventory items that can hold other items defined in the catalog, as well as virtual currency, which is
+    /// added to the player inventory when the container is unlocked, using the UnlockContainerItem API. The items can be
+    /// anything defined in the catalog, as well as RandomResultTable objects which will be resolved when the container is
+    /// unlocked. Containers and their keys should be defined as Consumable (having a limited number of uses) in their catalog
+    /// defintiions, unless the intent is for the player to be able to re-use them infinitely.
+    /// </summary>
+    [Serializable]
+    public class CatalogItemContainerInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory, once the container has been unlocked
+        /// </summary>
+        public List<string> ItemContents;
+        /// <summary>
+        /// ItemId for the catalog item used to unlock the container, if any (if not specified, a call to UnlockContainerItem will
+        /// open the container, adding the contents to the player inventory and currency balances)
+        /// </summary>
+        public string KeyItemId;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the container (once unlocked, random tables
+        /// will be resolved and add the relevant items to the player inventory)
+        /// </summary>
+        public List<string> ResultTableContents;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the container is unlocked
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyContents;
+    }
+
+    /// <summary>
+    /// This returns the total number of these items available.
+    /// </summary>
+    [Serializable]
+    public class CheckLimitedEditionItemAvailabilityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Which catalog is being updated. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The item to check for.
+        /// </summary>
+        public string ItemId;
+    }
+
+    [Serializable]
+    public class CheckLimitedEditionItemAvailabilityResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The amount of the specified resource remaining.
+        /// </summary>
+        public int Amount;
+    }
+
+    [Serializable]
+    public class CloudScriptFile : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Contents of the Cloud Script javascript. Must be string-escaped javascript.
+        /// </summary>
+        public string FileContents;
+        /// <summary>
+        /// Name of the javascript file. These names are not used internally by the server, they are only for developer
+        /// organizational purposes.
+        /// </summary>
+        public string Filename;
+    }
+
+    [Serializable]
+    public class CloudScriptTaskParameter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Argument to pass to the CloudScript function.
+        /// </summary>
+        public object Argument;
+        /// <summary>
+        /// Name of the CloudScript function to execute.
+        /// </summary>
+        public string FunctionName;
+    }
+
+    [Serializable]
+    public class CloudScriptTaskSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC timestamp when the task completed.
+        /// </summary>
+        public DateTime? CompletedAt;
+        /// <summary>
+        /// Estimated time remaining in seconds.
+        /// </summary>
+        public double? EstimatedSecondsRemaining;
+        /// <summary>
+        /// Progress represented as percentage.
+        /// </summary>
+        public double? PercentComplete;
+        /// <summary>
+        /// Result of CloudScript execution
+        /// </summary>
+        public ExecuteCloudScriptResult Result;
+        /// <summary>
+        /// If manually scheduled, ID of user who scheduled the task.
+        /// </summary>
+        public string ScheduledByUserId;
+        /// <summary>
+        /// UTC timestamp when the task started.
+        /// </summary>
+        public DateTime StartedAt;
+        /// <summary>
+        /// Current status of the task instance.
+        /// </summary>
+        public TaskInstanceStatus? Status;
+        /// <summary>
+        /// Identifier of the task this instance belongs to.
+        /// </summary>
+        public NameIdentifier TaskIdentifier;
+        /// <summary>
+        /// ID of the task instance.
+        /// </summary>
+        public string TaskInstanceId;
+    }
+
+    [Serializable]
+    public class CloudScriptVersionStatus : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Most recent revision for this Cloud Script version
+        /// </summary>
+        public int LatestRevision;
+        /// <summary>
+        /// Published code revision for this Cloud Script version
+        /// </summary>
+        public int PublishedRevision;
+        /// <summary>
+        /// Version number
+        /// </summary>
+        public int Version;
+    }
+
+    public enum Conditionals
+    {
+        Any,
+        True,
+        False
+    }
+
+    [Serializable]
+    public class ContactEmailInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    [Serializable]
+    public class ContactEmailInfoModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    [Serializable]
+    public class ContentInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Key of the content
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// Last modified time
+        /// </summary>
+        public DateTime LastModified;
+        /// <summary>
+        /// Size of the content in bytes
+        /// </summary>
+        public double Size;
+    }
+
+    public enum ContinentCode
+    {
+        AF,
+        AN,
+        AS,
+        EU,
+        NA,
+        OC,
+        SA
+    }
+
+    public enum CountryCode
+    {
+        AF,
+        AX,
+        AL,
+        DZ,
+        AS,
+        AD,
+        AO,
+        AI,
+        AQ,
+        AG,
+        AR,
+        AM,
+        AW,
+        AU,
+        AT,
+        AZ,
+        BS,
+        BH,
+        BD,
+        BB,
+        BY,
+        BE,
+        BZ,
+        BJ,
+        BM,
+        BT,
+        BO,
+        BQ,
+        BA,
+        BW,
+        BV,
+        BR,
+        IO,
+        BN,
+        BG,
+        BF,
+        BI,
+        KH,
+        CM,
+        CA,
+        CV,
+        KY,
+        CF,
+        TD,
+        CL,
+        CN,
+        CX,
+        CC,
+        CO,
+        KM,
+        CG,
+        CD,
+        CK,
+        CR,
+        CI,
+        HR,
+        CU,
+        CW,
+        CY,
+        CZ,
+        DK,
+        DJ,
+        DM,
+        DO,
+        EC,
+        EG,
+        SV,
+        GQ,
+        ER,
+        EE,
+        ET,
+        FK,
+        FO,
+        FJ,
+        FI,
+        FR,
+        GF,
+        PF,
+        TF,
+        GA,
+        GM,
+        GE,
+        DE,
+        GH,
+        GI,
+        GR,
+        GL,
+        GD,
+        GP,
+        GU,
+        GT,
+        GG,
+        GN,
+        GW,
+        GY,
+        HT,
+        HM,
+        VA,
+        HN,
+        HK,
+        HU,
+        IS,
+        IN,
+        ID,
+        IR,
+        IQ,
+        IE,
+        IM,
+        IL,
+        IT,
+        JM,
+        JP,
+        JE,
+        JO,
+        KZ,
+        KE,
+        KI,
+        KP,
+        KR,
+        KW,
+        KG,
+        LA,
+        LV,
+        LB,
+        LS,
+        LR,
+        LY,
+        LI,
+        LT,
+        LU,
+        MO,
+        MK,
+        MG,
+        MW,
+        MY,
+        MV,
+        ML,
+        MT,
+        MH,
+        MQ,
+        MR,
+        MU,
+        YT,
+        MX,
+        FM,
+        MD,
+        MC,
+        MN,
+        ME,
+        MS,
+        MA,
+        MZ,
+        MM,
+        NA,
+        NR,
+        NP,
+        NL,
+        NC,
+        NZ,
+        NI,
+        NE,
+        NG,
+        NU,
+        NF,
+        MP,
+        NO,
+        OM,
+        PK,
+        PW,
+        PS,
+        PA,
+        PG,
+        PY,
+        PE,
+        PH,
+        PN,
+        PL,
+        PT,
+        PR,
+        QA,
+        RE,
+        RO,
+        RU,
+        RW,
+        BL,
+        SH,
+        KN,
+        LC,
+        MF,
+        PM,
+        VC,
+        WS,
+        SM,
+        ST,
+        SA,
+        SN,
+        RS,
+        SC,
+        SL,
+        SG,
+        SX,
+        SK,
+        SI,
+        SB,
+        SO,
+        ZA,
+        GS,
+        SS,
+        ES,
+        LK,
+        SD,
+        SR,
+        SJ,
+        SZ,
+        SE,
+        CH,
+        SY,
+        TW,
+        TJ,
+        TZ,
+        TH,
+        TL,
+        TG,
+        TK,
+        TO,
+        TT,
+        TN,
+        TR,
+        TM,
+        TC,
+        TV,
+        UG,
+        UA,
+        AE,
+        GB,
+        US,
+        UM,
+        UY,
+        UZ,
+        VU,
+        VE,
+        VN,
+        VG,
+        VI,
+        WF,
+        EH,
+        YE,
+        ZM,
+        ZW
+    }
+
+    /// <summary>
+    /// Task name is unique within a title. Using a task name that's already taken will cause a name conflict error. Too many
+    /// create-task requests within a short time will cause a create conflict error.
+    /// </summary>
+    [Serializable]
+    public class CreateActionsOnPlayerSegmentTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description the task
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Whether the schedule is active. Inactive schedule will not trigger task execution.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// Name of the task. This is a unique identifier for tasks in the title.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Task details related to segment and action
+        /// </summary>
+        public ActionsOnPlayersInSegmentTaskParameter Parameter;
+        /// <summary>
+        /// Cron expression for the run schedule of the task. The expression should be in UTC.
+        /// </summary>
+        public string Schedule;
+    }
+
+    /// <summary>
+    /// Task name is unique within a title. Using a task name that's already taken will cause a name conflict error. Too many
+    /// create-task requests within a short time will cause a create conflict error.
+    /// </summary>
+    [Serializable]
+    public class CreateCloudScriptTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description the task
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Whether the schedule is active. Inactive schedule will not trigger task execution.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// Name of the task. This is a unique identifier for tasks in the title.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Task details related to CloudScript
+        /// </summary>
+        public CloudScriptTaskParameter Parameter;
+        /// <summary>
+        /// Cron expression for the run schedule of the task. The expression should be in UTC.
+        /// </summary>
+        public string Schedule;
+    }
+
+    /// <summary>
+    /// Task name is unique within a title. Using a task name that's already taken will cause a name conflict error. Too many
+    /// create-task requests within a short time will cause a create conflict error.
+    /// </summary>
+    [Serializable]
+    public class CreateInsightsScheduledScalingTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description the task
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Whether the schedule is active. Inactive schedule will not trigger task execution.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// Name of the task. This is a unique identifier for tasks in the title.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Task details related to Insights Scaling
+        /// </summary>
+        public InsightsScalingTaskParameter Parameter;
+        /// <summary>
+        /// Cron expression for the run schedule of the task. The expression should be in UTC.
+        /// </summary>
+        public string Schedule;
+    }
+
+    [Serializable]
+    public class CreateOpenIdConnectionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The client ID given by the ID provider.
+        /// </summary>
+        public string ClientId;
+        /// <summary>
+        /// The client secret given by the ID provider.
+        /// </summary>
+        public string ClientSecret;
+        /// <summary>
+        /// A name for the connection that identifies it within the title.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// Ignore 'nonce' claim in identity tokens.
+        /// </summary>
+        public bool? IgnoreNonce;
+        /// <summary>
+        /// The discovery document URL to read issuer information from. This must be the absolute URL to the JSON OpenId
+        /// Configuration document and must be accessible from the internet. If you don't know it, try your issuer URL followed by
+        /// "/.well-known/openid-configuration". For example, if the issuer is https://example.com, try
+        /// https://example.com/.well-known/openid-configuration
+        /// </summary>
+        public string IssuerDiscoveryUrl;
+        /// <summary>
+        /// Manually specified information for an OpenID Connect issuer.
+        /// </summary>
+        public OpenIdIssuerInformation IssuerInformation;
+    }
+
+    /// <summary>
+    /// Player Shared Secret Keys are used for the call to Client/GetTitlePublicKey, which exchanges the shared secret for an
+    /// RSA CSP blob to be used to encrypt the payload of account creation requests when that API requires a signature header.
+    /// </summary>
+    [Serializable]
+    public class CreatePlayerSharedSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Friendly name for this key
+        /// </summary>
+        public string FriendlyName;
+    }
+
+    [Serializable]
+    public class CreatePlayerSharedSecretResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The player shared secret to use when calling Client/GetTitlePublicKey
+        /// </summary>
+        public string SecretKey;
+    }
+
+    /// <summary>
+    /// Statistics are numeric values, with each statistic in the title also generating a leaderboard. The ResetInterval enables
+    /// automatically resetting leaderboards on a specified interval. Upon reset, the statistic updates to a new version with no
+    /// values (effectively removing all players from the leaderboard). The previous version's statistic values are also
+    /// archived for retrieval, if needed (see GetPlayerStatisticVersions). Statistics not created via a call to
+    /// CreatePlayerStatisticDefinition by default have a VersionChangeInterval of Never, meaning they do not reset on a
+    /// schedule, but they can be set to do so via a call to UpdatePlayerStatisticDefinition. Once a statistic has been reset
+    /// (sometimes referred to as versioned or incremented), the now-previous version can still be written to for up a short,
+    /// pre-defined period (currently 10 seconds), to prevent issues with levels completing around the time of the reset. Also,
+    /// once reset, the historical statistics for players in the title may be retrieved using the URL specified in the version
+    /// information (GetPlayerStatisticVersions). The AggregationMethod determines what action is taken when a new statistic
+    /// value is submitted - always update with the new value (Last), use the highest of the old and new values (Max), use the
+    /// smallest (Min), or add them together (Sum).
+    /// </summary>
+    [Serializable]
+    public class CreatePlayerStatisticDefinitionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// the aggregation method to use in updating the statistic (defaults to last)
+        /// </summary>
+        public StatisticAggregationMethod? AggregationMethod;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// interval at which the values of the statistic for all players are reset (resets begin at the next interval boundary)
+        /// </summary>
+        public StatisticResetIntervalOption? VersionChangeInterval;
+    }
+
+    [Serializable]
+    public class CreatePlayerStatisticDefinitionResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// created statistic definition
+        /// </summary>
+        public PlayerStatisticDefinition Statistic;
+    }
+
+    /// <summary>
+    /// Send all the segment details part of CreateSegmentRequest
+    /// </summary>
+    [Serializable]
+    public class CreateSegmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Segment model with all of the segment properties data.
+        /// </summary>
+        public SegmentModel SegmentModel;
+    }
+
+    [Serializable]
+    public class CreateSegmentResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error message.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// Segment id.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    [Serializable]
+    public class CreateTaskResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// ID of the task
+        /// </summary>
+        public string TaskId;
+    }
+
+    public enum Currency
+    {
+        AED,
+        AFN,
+        ALL,
+        AMD,
+        ANG,
+        AOA,
+        ARS,
+        AUD,
+        AWG,
+        AZN,
+        BAM,
+        BBD,
+        BDT,
+        BGN,
+        BHD,
+        BIF,
+        BMD,
+        BND,
+        BOB,
+        BRL,
+        BSD,
+        BTN,
+        BWP,
+        BYR,
+        BZD,
+        CAD,
+        CDF,
+        CHF,
+        CLP,
+        CNY,
+        COP,
+        CRC,
+        CUC,
+        CUP,
+        CVE,
+        CZK,
+        DJF,
+        DKK,
+        DOP,
+        DZD,
+        EGP,
+        ERN,
+        ETB,
+        EUR,
+        FJD,
+        FKP,
+        GBP,
+        GEL,
+        GGP,
+        GHS,
+        GIP,
+        GMD,
+        GNF,
+        GTQ,
+        GYD,
+        HKD,
+        HNL,
+        HRK,
+        HTG,
+        HUF,
+        IDR,
+        ILS,
+        IMP,
+        INR,
+        IQD,
+        IRR,
+        ISK,
+        JEP,
+        JMD,
+        JOD,
+        JPY,
+        KES,
+        KGS,
+        KHR,
+        KMF,
+        KPW,
+        KRW,
+        KWD,
+        KYD,
+        KZT,
+        LAK,
+        LBP,
+        LKR,
+        LRD,
+        LSL,
+        LYD,
+        MAD,
+        MDL,
+        MGA,
+        MKD,
+        MMK,
+        MNT,
+        MOP,
+        MRO,
+        MUR,
+        MVR,
+        MWK,
+        MXN,
+        MYR,
+        MZN,
+        NAD,
+        NGN,
+        NIO,
+        NOK,
+        NPR,
+        NZD,
+        OMR,
+        PAB,
+        PEN,
+        PGK,
+        PHP,
+        PKR,
+        PLN,
+        PYG,
+        QAR,
+        RON,
+        RSD,
+        RUB,
+        RWF,
+        SAR,
+        SBD,
+        SCR,
+        SDG,
+        SEK,
+        SGD,
+        SHP,
+        SLL,
+        SOS,
+        SPL,
+        SRD,
+        STD,
+        SVC,
+        SYP,
+        SZL,
+        THB,
+        TJS,
+        TMT,
+        TND,
+        TOP,
+        TRY,
+        TTD,
+        TVD,
+        TWD,
+        TZS,
+        UAH,
+        UGX,
+        USD,
+        UYU,
+        UZS,
+        VEF,
+        VND,
+        VUV,
+        WST,
+        XAF,
+        XCD,
+        XDR,
+        XOF,
+        XPF,
+        YER,
+        ZAR,
+        ZMW,
+        ZWD
+    }
+
+    [Serializable]
+    public class DeleteContentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Key of the content item to be deleted
+        /// </summary>
+        public string Key;
+    }
+
+    /// <summary>
+    /// Deletes all data associated with the master player account, including data from all titles the player has played, such
+    /// as statistics, custom data, inventory, purchases, virtual currency balances, characters, group memberships, publisher
+    /// data, credential data, account linkages, friends list and PlayStream event history. Removes the player from all
+    /// leaderboards and player search indexes. Note, this API queues the player for deletion and returns a receipt immediately.
+    /// Record the receipt ID for future reference. It may take some time before all player data is fully deleted. Upon
+    /// completion of the deletion, an email will be sent to the notification email address configured for the title confirming
+    /// the deletion. Until the player data is fully deleted, attempts to recreate the player with the same user account in the
+    /// same title will fail with the 'AccountDeleted' error. It is highly recommended to know the impact of the deletion by
+    /// calling GetPlayedTitleList, before calling this API.
+    /// </summary>
+    [Serializable]
+    public class DeleteMasterPlayerAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Developer created string to identify a user without PlayFab ID
+        /// </summary>
+        public string MetaData;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class DeleteMasterPlayerAccountResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// A notification email with this job receipt Id will be sent to the title notification email address when deletion is
+        /// complete.
+        /// </summary>
+        public string JobReceiptId;
+        /// <summary>
+        /// List of titles from which the player's data will be deleted.
+        /// </summary>
+        public List<string> TitleIds;
+    }
+
+    [Serializable]
+    public class DeleteOpenIdConnectionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// unique name of the connection
+        /// </summary>
+        public string ConnectionId;
+    }
+
+    /// <summary>
+    /// Deletes all data associated with the player, including statistics, custom data, inventory, purchases, virtual currency
+    /// balances, characters and shared group memberships. Removes the player from all leaderboards and player search indexes.
+    /// Does not delete PlayStream event history associated with the player. Does not delete the publisher user account that
+    /// created the player in the title nor associated data such as username, password, email address, account linkages, or
+    /// friends list. Note, this API queues the player for deletion and returns immediately. It may take several minutes or more
+    /// before all player data is fully deleted. Until the player data is fully deleted, attempts to recreate the player with
+    /// the same user account in the same title will fail with the 'AccountDeleted' error.
+    /// </summary>
+    [Serializable]
+    public class DeletePlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class DeletePlayerResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class DeletePlayerSegmentAction : PlayFabBaseModel
+    {
+    }
+
+    /// <summary>
+    /// Player Shared Secret Keys are used for the call to Client/GetTitlePublicKey, which exchanges the shared secret for an
+    /// RSA CSP blob to be used to encrypt the payload of account creation requests when that API requires a signature header.
+    /// </summary>
+    [Serializable]
+    public class DeletePlayerSharedSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The shared secret key to delete
+        /// </summary>
+        public string SecretKey;
+    }
+
+    [Serializable]
+    public class DeletePlayerSharedSecretResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class DeletePlayerStatisticSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic name.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Send segment id planning to delete part of DeleteSegmentRequest object
+    /// </summary>
+    [Serializable]
+    public class DeleteSegmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Segment id.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    [Serializable]
+    public class DeleteSegmentsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error message.
+        /// </summary>
+        public string ErrorMessage;
+    }
+
+    /// <summary>
+    /// This non-reversible operation will permanently delete the requested store.
+    /// </summary>
+    [Serializable]
+    public class DeleteStoreRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// catalog version of the store to delete. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unqiue identifier for the store which is to be deleted
+        /// </summary>
+        public string StoreId;
+    }
+
+    [Serializable]
+    public class DeleteStoreResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// After a task is deleted, for tracking purposes, the task instances belonging to this task will still remain. They will
+    /// become orphaned and does not belongs to any task. Executions of any in-progress task instances will continue. If the
+    /// task specified does not exist, the deletion is considered a success.
+    /// </summary>
+    [Serializable]
+    public class DeleteTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specify either the task ID or the name of task to be deleted.
+        /// </summary>
+        public NameIdentifier Identifier;
+    }
+
+    /// <summary>
+    /// Will delete all the title data associated with the given override label.
+    /// </summary>
+    [Serializable]
+    public class DeleteTitleDataOverrideRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Name of the override.
+        /// </summary>
+        public string OverrideLabel;
+    }
+
+    [Serializable]
+    public class DeleteTitleDataOverrideResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Deletes all data associated with the title, including catalog, virtual currencies, leaderboard statistics, Cloud Script
+    /// revisions, segment definitions, event rules, tasks, add-ons, secret keys, data encryption keys, and permission policies.
+    /// Removes the title from its studio and removes all associated developer roles and permissions. Does not delete PlayStream
+    /// event history associated with the title. Note, this API queues the title for deletion and returns immediately. It may
+    /// take several hours or more before all title data is fully deleted. All player accounts in the title must be deleted
+    /// before deleting the title. If any player accounts exist, the API will return a 'TitleContainsUserAccounts' error. Until
+    /// the title data is fully deleted, attempts to call APIs with the title will fail with the 'TitleDeleted' error.
+    /// </summary>
+    [Serializable]
+    public class DeleteTitleRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class DeleteTitleResult : PlayFabResultCommon
+    {
+    }
+
+    public enum EffectType
+    {
+        Allow,
+        Deny
+    }
+
+    [Serializable]
+    public class EmailNotificationSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Email template id.
+        /// </summary>
+        public string EmailTemplateId;
+        /// <summary>
+        /// Email template name.
+        /// </summary>
+        public string EmailTemplateName;
+    }
+
+    public enum EmailVerificationStatus
+    {
+        Unverified,
+        Pending,
+        Confirmed
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class ExecuteAzureFunctionSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Azure function.
+        /// </summary>
+        public string AzureFunction;
+        /// <summary>
+        /// Azure function parameter.
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Generate play stream event.
+        /// </summary>
+        public bool GenerateFunctionExecutedEvents;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Number of PlayFab API requests issued by the CloudScript function
+        /// </summary>
+        public int APIRequestsIssued;
+        /// <summary>
+        /// Information about the error, if any, that occurred during execution
+        /// </summary>
+        public ScriptExecutionError Error;
+        public double ExecutionTimeSeconds;
+        /// <summary>
+        /// The name of the function that executed
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The object returned from the CloudScript function, if any
+        /// </summary>
+        public object FunctionResult;
+        /// <summary>
+        /// Flag indicating if the FunctionResult was too large and was subsequently dropped from this event. This only occurs if
+        /// the total event size is larger than 350KB.
+        /// </summary>
+        public bool? FunctionResultTooLarge;
+        /// <summary>
+        /// Number of external HTTP requests issued by the CloudScript function
+        /// </summary>
+        public int HttpRequestsIssued;
+        /// <summary>
+        /// Entries logged during the function execution. These include both entries logged in the function code using log.info()
+        /// and log.error() and error entries for API and HTTP request failures.
+        /// </summary>
+        public List<LogStatement> Logs;
+        /// <summary>
+        /// Flag indicating if the logs were too large and were subsequently dropped from this event. This only occurs if the total
+        /// event size is larger than 350KB after the FunctionResult was removed.
+        /// </summary>
+        public bool? LogsTooLarge;
+        public uint MemoryConsumedBytes;
+        /// <summary>
+        /// Processor time consumed while executing the function. This does not include time spent waiting on API calls or HTTP
+        /// requests.
+        /// </summary>
+        public double ProcessorTimeSeconds;
+        /// <summary>
+        /// The revision of the CloudScript that executed
+        /// </summary>
+        public int Revision;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Cloud script function.
+        /// </summary>
+        public string CloudScriptFunction;
+        /// <summary>
+        /// Generate play stream event.
+        /// </summary>
+        public bool CloudScriptPublishResultsToPlayStream;
+        /// <summary>
+        /// Cloud script function parameter.
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Cloud script function parameter json text.
+        /// </summary>
+        public string FunctionParameterJson;
+    }
+
+    /// <summary>
+    /// Exports all data associated with the master player account, including data from all titles the player has played, such
+    /// as statistics, custom data, inventory, purchases, virtual currency balances, characters, group memberships, publisher
+    /// data, credential data, account linkages, friends list and PlayStream event history. Note, this API queues the player for
+    /// export and returns a receipt immediately. Record the receipt ID for future reference. It may take some time before the
+    /// export is available for download. Upon completion of the export, an email containing the URL to download the export dump
+    /// will be sent to the notification email address configured for the title.
+    /// </summary>
+    [Serializable]
+    public class ExportMasterPlayerDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ExportMasterPlayerDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// An email with this job receipt Id containing the export download link will be sent to the title notification email
+        /// address when the export is complete.
+        /// </summary>
+        public string JobReceiptId;
+    }
+
+    [Serializable]
+    public class FirstLoginDateSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// First player login date comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// First player login date.
+        /// </summary>
+        public DateTime LogInDate;
+    }
+
+    [Serializable]
+    public class FirstLoginTimespanSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// First player login duration comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// First player login duration.
+        /// </summary>
+        public double DurationInMinutes;
+    }
+
+    public enum GameBuildStatus
+    {
+        Available,
+        Validating,
+        InvalidBuildPackage,
+        Processing,
+        FailedToProcess
+    }
+
+    [Serializable]
+    public class GameModeInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// specific game mode type
+        /// </summary>
+        public string Gamemode;
+        /// <summary>
+        /// maximum user count a specific Game Server Instance can support
+        /// </summary>
+        public uint MaxPlayerCount;
+        /// <summary>
+        /// minimum user count required for this Game Server Instance to continue (usually 1)
+        /// </summary>
+        public uint MinPlayerCount;
+        /// <summary>
+        /// whether to start as an open session, meaning that players can matchmake into it (defaults to true)
+        /// </summary>
+        public bool? StartOpen;
+    }
+
+    public enum GenericErrorCodes
+    {
+        Success,
+        UnkownError,
+        InvalidParams,
+        AccountNotFound,
+        AccountBanned,
+        InvalidUsernameOrPassword,
+        InvalidTitleId,
+        InvalidEmailAddress,
+        EmailAddressNotAvailable,
+        InvalidUsername,
+        InvalidPassword,
+        UsernameNotAvailable,
+        InvalidSteamTicket,
+        AccountAlreadyLinked,
+        LinkedAccountAlreadyClaimed,
+        InvalidFacebookToken,
+        AccountNotLinked,
+        FailedByPaymentProvider,
+        CouponCodeNotFound,
+        InvalidContainerItem,
+        ContainerNotOwned,
+        KeyNotOwned,
+        InvalidItemIdInTable,
+        InvalidReceipt,
+        ReceiptAlreadyUsed,
+        ReceiptCancelled,
+        GameNotFound,
+        GameModeNotFound,
+        InvalidGoogleToken,
+        UserIsNotPartOfDeveloper,
+        InvalidTitleForDeveloper,
+        TitleNameConflicts,
+        UserisNotValid,
+        ValueAlreadyExists,
+        BuildNotFound,
+        PlayerNotInGame,
+        InvalidTicket,
+        InvalidDeveloper,
+        InvalidOrderInfo,
+        RegistrationIncomplete,
+        InvalidPlatform,
+        UnknownError,
+        SteamApplicationNotOwned,
+        WrongSteamAccount,
+        TitleNotActivated,
+        RegistrationSessionNotFound,
+        NoSuchMod,
+        FileNotFound,
+        DuplicateEmail,
+        ItemNotFound,
+        ItemNotOwned,
+        ItemNotRecycleable,
+        ItemNotAffordable,
+        InvalidVirtualCurrency,
+        WrongVirtualCurrency,
+        WrongPrice,
+        NonPositiveValue,
+        InvalidRegion,
+        RegionAtCapacity,
+        ServerFailedToStart,
+        NameNotAvailable,
+        InsufficientFunds,
+        InvalidDeviceID,
+        InvalidPushNotificationToken,
+        NoRemainingUses,
+        InvalidPaymentProvider,
+        PurchaseInitializationFailure,
+        DuplicateUsername,
+        InvalidBuyerInfo,
+        NoGameModeParamsSet,
+        BodyTooLarge,
+        ReservedWordInBody,
+        InvalidTypeInBody,
+        InvalidRequest,
+        ReservedEventName,
+        InvalidUserStatistics,
+        NotAuthenticated,
+        StreamAlreadyExists,
+        ErrorCreatingStream,
+        StreamNotFound,
+        InvalidAccount,
+        PurchaseDoesNotExist,
+        InvalidPurchaseTransactionStatus,
+        APINotEnabledForGameClientAccess,
+        NoPushNotificationARNForTitle,
+        BuildAlreadyExists,
+        BuildPackageDoesNotExist,
+        CustomAnalyticsEventsNotEnabledForTitle,
+        InvalidSharedGroupId,
+        NotAuthorized,
+        MissingTitleGoogleProperties,
+        InvalidItemProperties,
+        InvalidPSNAuthCode,
+        InvalidItemId,
+        PushNotEnabledForAccount,
+        PushServiceError,
+        ReceiptDoesNotContainInAppItems,
+        ReceiptContainsMultipleInAppItems,
+        InvalidBundleID,
+        JavascriptException,
+        InvalidSessionTicket,
+        UnableToConnectToDatabase,
+        InternalServerError,
+        InvalidReportDate,
+        ReportNotAvailable,
+        DatabaseThroughputExceeded,
+        InvalidGameTicket,
+        ExpiredGameTicket,
+        GameTicketDoesNotMatchLobby,
+        LinkedDeviceAlreadyClaimed,
+        DeviceAlreadyLinked,
+        DeviceNotLinked,
+        PartialFailure,
+        PublisherNotSet,
+        ServiceUnavailable,
+        VersionNotFound,
+        RevisionNotFound,
+        InvalidPublisherId,
+        DownstreamServiceUnavailable,
+        APINotIncludedInTitleUsageTier,
+        DAULimitExceeded,
+        APIRequestLimitExceeded,
+        InvalidAPIEndpoint,
+        BuildNotAvailable,
+        ConcurrentEditError,
+        ContentNotFound,
+        CharacterNotFound,
+        CloudScriptNotFound,
+        ContentQuotaExceeded,
+        InvalidCharacterStatistics,
+        PhotonNotEnabledForTitle,
+        PhotonApplicationNotFound,
+        PhotonApplicationNotAssociatedWithTitle,
+        InvalidEmailOrPassword,
+        FacebookAPIError,
+        InvalidContentType,
+        KeyLengthExceeded,
+        DataLengthExceeded,
+        TooManyKeys,
+        FreeTierCannotHaveVirtualCurrency,
+        MissingAmazonSharedKey,
+        AmazonValidationError,
+        InvalidPSNIssuerId,
+        PSNInaccessible,
+        ExpiredAuthToken,
+        FailedToGetEntitlements,
+        FailedToConsumeEntitlement,
+        TradeAcceptingUserNotAllowed,
+        TradeInventoryItemIsAssignedToCharacter,
+        TradeInventoryItemIsBundle,
+        TradeStatusNotValidForCancelling,
+        TradeStatusNotValidForAccepting,
+        TradeDoesNotExist,
+        TradeCancelled,
+        TradeAlreadyFilled,
+        TradeWaitForStatusTimeout,
+        TradeInventoryItemExpired,
+        TradeMissingOfferedAndAcceptedItems,
+        TradeAcceptedItemIsBundle,
+        TradeAcceptedItemIsStackable,
+        TradeInventoryItemInvalidStatus,
+        TradeAcceptedCatalogItemInvalid,
+        TradeAllowedUsersInvalid,
+        TradeInventoryItemDoesNotExist,
+        TradeInventoryItemIsConsumed,
+        TradeInventoryItemIsStackable,
+        TradeAcceptedItemsMismatch,
+        InvalidKongregateToken,
+        FeatureNotConfiguredForTitle,
+        NoMatchingCatalogItemForReceipt,
+        InvalidCurrencyCode,
+        NoRealMoneyPriceForCatalogItem,
+        TradeInventoryItemIsNotTradable,
+        TradeAcceptedCatalogItemIsNotTradable,
+        UsersAlreadyFriends,
+        LinkedIdentifierAlreadyClaimed,
+        CustomIdNotLinked,
+        TotalDataSizeExceeded,
+        DeleteKeyConflict,
+        InvalidXboxLiveToken,
+        ExpiredXboxLiveToken,
+        ResettableStatisticVersionRequired,
+        NotAuthorizedByTitle,
+        NoPartnerEnabled,
+        InvalidPartnerResponse,
+        APINotEnabledForGameServerAccess,
+        StatisticNotFound,
+        StatisticNameConflict,
+        StatisticVersionClosedForWrites,
+        StatisticVersionInvalid,
+        APIClientRequestRateLimitExceeded,
+        InvalidJSONContent,
+        InvalidDropTable,
+        StatisticVersionAlreadyIncrementedForScheduledInterval,
+        StatisticCountLimitExceeded,
+        StatisticVersionIncrementRateExceeded,
+        ContainerKeyInvalid,
+        CloudScriptExecutionTimeLimitExceeded,
+        NoWritePermissionsForEvent,
+        CloudScriptFunctionArgumentSizeExceeded,
+        CloudScriptAPIRequestCountExceeded,
+        CloudScriptAPIRequestError,
+        CloudScriptHTTPRequestError,
+        InsufficientGuildRole,
+        GuildNotFound,
+        OverLimit,
+        EventNotFound,
+        InvalidEventField,
+        InvalidEventName,
+        CatalogNotConfigured,
+        OperationNotSupportedForPlatform,
+        SegmentNotFound,
+        StoreNotFound,
+        InvalidStatisticName,
+        TitleNotQualifiedForLimit,
+        InvalidServiceLimitLevel,
+        ServiceLimitLevelInTransition,
+        CouponAlreadyRedeemed,
+        GameServerBuildSizeLimitExceeded,
+        GameServerBuildCountLimitExceeded,
+        VirtualCurrencyCountLimitExceeded,
+        VirtualCurrencyCodeExists,
+        TitleNewsItemCountLimitExceeded,
+        InvalidTwitchToken,
+        TwitchResponseError,
+        ProfaneDisplayName,
+        UserAlreadyAdded,
+        InvalidVirtualCurrencyCode,
+        VirtualCurrencyCannotBeDeleted,
+        IdentifierAlreadyClaimed,
+        IdentifierNotLinked,
+        InvalidContinuationToken,
+        ExpiredContinuationToken,
+        InvalidSegment,
+        InvalidSessionId,
+        SessionLogNotFound,
+        InvalidSearchTerm,
+        TwoFactorAuthenticationTokenRequired,
+        GameServerHostCountLimitExceeded,
+        PlayerTagCountLimitExceeded,
+        RequestAlreadyRunning,
+        ActionGroupNotFound,
+        MaximumSegmentBulkActionJobsRunning,
+        NoActionsOnPlayersInSegmentJob,
+        DuplicateStatisticName,
+        ScheduledTaskNameConflict,
+        ScheduledTaskCreateConflict,
+        InvalidScheduledTaskName,
+        InvalidTaskSchedule,
+        SteamNotEnabledForTitle,
+        LimitNotAnUpgradeOption,
+        NoSecretKeyEnabledForCloudScript,
+        TaskNotFound,
+        TaskInstanceNotFound,
+        InvalidIdentityProviderId,
+        MisconfiguredIdentityProvider,
+        InvalidScheduledTaskType,
+        BillingInformationRequired,
+        LimitedEditionItemUnavailable,
+        InvalidAdPlacementAndReward,
+        AllAdPlacementViewsAlreadyConsumed,
+        GoogleOAuthNotConfiguredForTitle,
+        GoogleOAuthError,
+        UserNotFriend,
+        InvalidSignature,
+        InvalidPublicKey,
+        GoogleOAuthNoIdTokenIncludedInResponse,
+        StatisticUpdateInProgress,
+        LeaderboardVersionNotAvailable,
+        StatisticAlreadyHasPrizeTable,
+        PrizeTableHasOverlappingRanks,
+        PrizeTableHasMissingRanks,
+        PrizeTableRankStartsAtZero,
+        InvalidStatistic,
+        ExpressionParseFailure,
+        ExpressionInvokeFailure,
+        ExpressionTooLong,
+        DataUpdateRateExceeded,
+        RestrictedEmailDomain,
+        EncryptionKeyDisabled,
+        EncryptionKeyMissing,
+        EncryptionKeyBroken,
+        NoSharedSecretKeyConfigured,
+        SecretKeyNotFound,
+        PlayerSecretAlreadyConfigured,
+        APIRequestsDisabledForTitle,
+        InvalidSharedSecretKey,
+        PrizeTableHasNoRanks,
+        ProfileDoesNotExist,
+        ContentS3OriginBucketNotConfigured,
+        InvalidEnvironmentForReceipt,
+        EncryptedRequestNotAllowed,
+        SignedRequestNotAllowed,
+        RequestViewConstraintParamsNotAllowed,
+        BadPartnerConfiguration,
+        XboxBPCertificateFailure,
+        XboxXASSExchangeFailure,
+        InvalidEntityId,
+        StatisticValueAggregationOverflow,
+        EmailMessageFromAddressIsMissing,
+        EmailMessageToAddressIsMissing,
+        SmtpServerAuthenticationError,
+        SmtpServerLimitExceeded,
+        SmtpServerInsufficientStorage,
+        SmtpServerCommunicationError,
+        SmtpServerGeneralFailure,
+        EmailClientTimeout,
+        EmailClientCanceledTask,
+        EmailTemplateMissing,
+        InvalidHostForTitleId,
+        EmailConfirmationTokenDoesNotExist,
+        EmailConfirmationTokenExpired,
+        AccountDeleted,
+        PlayerSecretNotConfigured,
+        InvalidSignatureTime,
+        NoContactEmailAddressFound,
+        InvalidAuthToken,
+        AuthTokenDoesNotExist,
+        AuthTokenExpired,
+        AuthTokenAlreadyUsedToResetPassword,
+        MembershipNameTooLong,
+        MembershipNotFound,
+        GoogleServiceAccountInvalid,
+        GoogleServiceAccountParseFailure,
+        EntityTokenMissing,
+        EntityTokenInvalid,
+        EntityTokenExpired,
+        EntityTokenRevoked,
+        InvalidProductForSubscription,
+        XboxInaccessible,
+        SubscriptionAlreadyTaken,
+        SmtpAddonNotEnabled,
+        APIConcurrentRequestLimitExceeded,
+        XboxRejectedXSTSExchangeRequest,
+        VariableNotDefined,
+        TemplateVersionNotDefined,
+        FileTooLarge,
+        TitleDeleted,
+        TitleContainsUserAccounts,
+        TitleDeletionPlayerCleanupFailure,
+        EntityFileOperationPending,
+        NoEntityFileOperationPending,
+        EntityProfileVersionMismatch,
+        TemplateVersionTooOld,
+        MembershipDefinitionInUse,
+        PaymentPageNotConfigured,
+        FailedLoginAttemptRateLimitExceeded,
+        EntityBlockedByGroup,
+        RoleDoesNotExist,
+        EntityIsAlreadyMember,
+        DuplicateRoleId,
+        GroupInvitationNotFound,
+        GroupApplicationNotFound,
+        OutstandingInvitationAcceptedInstead,
+        OutstandingApplicationAcceptedInstead,
+        RoleIsGroupDefaultMember,
+        RoleIsGroupAdmin,
+        RoleNameNotAvailable,
+        GroupNameNotAvailable,
+        EmailReportAlreadySent,
+        EmailReportRecipientBlacklisted,
+        EventNamespaceNotAllowed,
+        EventEntityNotAllowed,
+        InvalidEntityType,
+        NullTokenResultFromAad,
+        InvalidTokenResultFromAad,
+        NoValidCertificateForAad,
+        InvalidCertificateForAad,
+        DuplicateDropTableId,
+        MultiplayerServerError,
+        MultiplayerServerTooManyRequests,
+        MultiplayerServerNoContent,
+        MultiplayerServerBadRequest,
+        MultiplayerServerUnauthorized,
+        MultiplayerServerForbidden,
+        MultiplayerServerNotFound,
+        MultiplayerServerConflict,
+        MultiplayerServerInternalServerError,
+        MultiplayerServerUnavailable,
+        ExplicitContentDetected,
+        PIIContentDetected,
+        InvalidScheduledTaskParameter,
+        PerEntityEventRateLimitExceeded,
+        TitleDefaultLanguageNotSet,
+        EmailTemplateMissingDefaultVersion,
+        FacebookInstantGamesIdNotLinked,
+        InvalidFacebookInstantGamesSignature,
+        FacebookInstantGamesAuthNotConfiguredForTitle,
+        EntityProfileConstraintValidationFailed,
+        TelemetryIngestionKeyPending,
+        TelemetryIngestionKeyNotFound,
+        StatisticChildNameInvalid,
+        DataIntegrityError,
+        VirtualCurrencyCannotBeSetToOlderVersion,
+        VirtualCurrencyMustBeWithinIntegerRange,
+        EmailTemplateInvalidSyntax,
+        EmailTemplateMissingCallback,
+        PushNotificationTemplateInvalidPayload,
+        InvalidLocalizedPushNotificationLanguage,
+        MissingLocalizedPushNotificationMessage,
+        PushNotificationTemplateMissingPlatformPayload,
+        PushNotificationTemplatePayloadContainsInvalidJson,
+        PushNotificationTemplateContainsInvalidIosPayload,
+        PushNotificationTemplateContainsInvalidAndroidPayload,
+        PushNotificationTemplateIosPayloadMissingNotificationBody,
+        PushNotificationTemplateAndroidPayloadMissingNotificationBody,
+        PushNotificationTemplateNotFound,
+        PushNotificationTemplateMissingDefaultVersion,
+        PushNotificationTemplateInvalidSyntax,
+        PushNotificationTemplateNoCustomPayloadForV1,
+        NoLeaderboardForStatistic,
+        TitleNewsMissingDefaultLanguage,
+        TitleNewsNotFound,
+        TitleNewsDuplicateLanguage,
+        TitleNewsMissingTitleOrBody,
+        TitleNewsInvalidLanguage,
+        EmailRecipientBlacklisted,
+        InvalidGameCenterAuthRequest,
+        GameCenterAuthenticationFailed,
+        CannotEnablePartiesForTitle,
+        PartyError,
+        PartyRequests,
+        PartyNoContent,
+        PartyBadRequest,
+        PartyUnauthorized,
+        PartyForbidden,
+        PartyNotFound,
+        PartyConflict,
+        PartyInternalServerError,
+        PartyUnavailable,
+        PartyTooManyRequests,
+        PushNotificationTemplateMissingName,
+        CannotEnableMultiplayerServersForTitle,
+        WriteAttemptedDuringExport,
+        MultiplayerServerTitleQuotaCoresExceeded,
+        AutomationRuleNotFound,
+        EntityAPIKeyLimitExceeded,
+        EntityAPIKeyNotFound,
+        EntityAPIKeyOrSecretInvalid,
+        EconomyServiceUnavailable,
+        EconomyServiceInternalError,
+        QueryRateLimitExceeded,
+        EntityAPIKeyCreationDisabledForEntity,
+        ForbiddenByEntityPolicy,
+        UpdateInventoryRateLimitExceeded,
+        StudioCreationRateLimited,
+        StudioCreationInProgress,
+        DuplicateStudioName,
+        StudioNotFound,
+        StudioDeleted,
+        StudioDeactivated,
+        StudioActivated,
+        TitleCreationRateLimited,
+        TitleCreationInProgress,
+        DuplicateTitleName,
+        TitleActivationRateLimited,
+        TitleActivationInProgress,
+        TitleDeactivated,
+        TitleActivated,
+        CloudScriptAzureFunctionsExecutionTimeLimitExceeded,
+        CloudScriptAzureFunctionsArgumentSizeExceeded,
+        CloudScriptAzureFunctionsReturnSizeExceeded,
+        CloudScriptAzureFunctionsHTTPRequestError,
+        VirtualCurrencyBetaGetError,
+        VirtualCurrencyBetaCreateError,
+        VirtualCurrencyBetaInitialDepositSaveError,
+        VirtualCurrencyBetaSaveError,
+        VirtualCurrencyBetaDeleteError,
+        VirtualCurrencyBetaRestoreError,
+        VirtualCurrencyBetaSaveConflict,
+        VirtualCurrencyBetaUpdateError,
+        InsightsManagementDatabaseNotFound,
+        InsightsManagementOperationNotFound,
+        InsightsManagementErrorPendingOperationExists,
+        InsightsManagementSetPerformanceLevelInvalidParameter,
+        InsightsManagementSetStorageRetentionInvalidParameter,
+        InsightsManagementGetStorageUsageInvalidParameter,
+        InsightsManagementGetOperationStatusInvalidParameter,
+        DuplicatePurchaseTransactionId,
+        EvaluationModePlayerCountExceeded,
+        GetPlayersInSegmentRateLimitExceeded,
+        CloudScriptFunctionNameSizeExceeded,
+        PaidInsightsFeaturesNotEnabled,
+        CloudScriptAzureFunctionsQueueRequestError,
+        EvaluationModeTitleCountExceeded,
+        InsightsManagementTitleNotInFlight,
+        LimitNotFound,
+        LimitNotAvailableViaAPI,
+        InsightsManagementSetStorageRetentionBelowMinimum,
+        InsightsManagementSetStorageRetentionAboveMaximum,
+        AppleNotEnabledForTitle,
+        InsightsManagementNewActiveEventExportLimitInvalid,
+        InsightsManagementSetPerformanceRateLimited,
+        PartyRequestsThrottledFromRateLimiter,
+        XboxServiceTooManyRequests,
+        NintendoSwitchNotEnabledForTitle,
+        RequestMultiplayerServersThrottledFromRateLimiter,
+        TitleDataOverrideNotFound,
+        DuplicateKeys,
+        WasNotCreatedWithCloudRoot,
+        LegacyMultiplayerServersDeprecated,
+        VirtualCurrencyCurrentlyUnavailable,
+        SteamUserNotFound,
+        ElasticSearchOperationFailed,
+        NotImplemented,
+        MatchmakingEntityInvalid,
+        MatchmakingPlayerAttributesInvalid,
+        MatchmakingQueueNotFound,
+        MatchmakingMatchNotFound,
+        MatchmakingTicketNotFound,
+        MatchmakingAlreadyJoinedTicket,
+        MatchmakingTicketAlreadyCompleted,
+        MatchmakingQueueConfigInvalid,
+        MatchmakingMemberProfileInvalid,
+        NintendoSwitchDeviceIdNotLinked,
+        MatchmakingNotEnabled,
+        MatchmakingPlayerAttributesTooLarge,
+        MatchmakingNumberOfPlayersInTicketTooLarge,
+        MatchmakingAttributeInvalid,
+        MatchmakingPlayerHasNotJoinedTicket,
+        MatchmakingRateLimitExceeded,
+        MatchmakingTicketMembershipLimitExceeded,
+        MatchmakingUnauthorized,
+        MatchmakingQueueLimitExceeded,
+        MatchmakingRequestTypeMismatch,
+        MatchmakingBadRequest,
+        TitleConfigNotFound,
+        TitleConfigUpdateConflict,
+        TitleConfigSerializationError,
+        CatalogApiNotImplemented,
+        CatalogEntityInvalid,
+        CatalogTitleIdMissing,
+        CatalogPlayerIdMissing,
+        CatalogClientIdentityInvalid,
+        CatalogOneOrMoreFilesInvalid,
+        CatalogItemMetadataInvalid,
+        CatalogItemIdInvalid,
+        CatalogSearchParameterInvalid,
+        CatalogFeatureDisabled,
+        CatalogConfigInvalid,
+        CatalogItemTypeInvalid,
+        CatalogBadRequest,
+        CatalogTooManyRequests,
+        ExportInvalidStatusUpdate,
+        ExportInvalidPrefix,
+        ExportBlobContainerDoesNotExist,
+        ExportNotFound,
+        ExportCouldNotUpdate,
+        ExportInvalidStorageType,
+        ExportAmazonBucketDoesNotExist,
+        ExportInvalidBlobStorage,
+        ExportKustoException,
+        ExportKustoConnectionFailed,
+        ExportUnknownError,
+        ExportCantEditPendingExport,
+        ExportLimitExports,
+        ExportLimitEvents,
+        ExportInvalidPartitionStatusModification,
+        ExportCouldNotCreate,
+        ExportNoBackingDatabaseFound,
+        ExportCouldNotDelete,
+        ExportCannotDetermineEventQuery,
+        ExportInvalidQuerySchemaModification,
+        ExportQuerySchemaMissingRequiredColumns,
+        ExportCannotParseQuery,
+        ExportControlCommandsNotAllowed,
+        ExportQueryMissingTableReference,
+        ExplorerBasicInvalidQueryName,
+        ExplorerBasicInvalidQueryDescription,
+        ExplorerBasicInvalidQueryConditions,
+        ExplorerBasicInvalidQueryStartDate,
+        ExplorerBasicInvalidQueryEndDate,
+        ExplorerBasicInvalidQueryGroupBy,
+        ExplorerBasicInvalidQueryAggregateType,
+        ExplorerBasicInvalidQueryAggregateProperty,
+        ExplorerBasicLoadQueriesError,
+        ExplorerBasicLoadQueryError,
+        ExplorerBasicCreateQueryError,
+        ExplorerBasicDeleteQueryError,
+        ExplorerBasicUpdateQueryError,
+        ExplorerBasicSavedQueriesLimit,
+        ExplorerBasicSavedQueryNotFound,
+        TenantShardMapperShardNotFound,
+        TitleNotEnabledForParty,
+        PartyVersionNotFound,
+        MultiplayerServerBuildReferencedByMatchmakingQueue,
+        MultiplayerServerBuildReferencedByBuildAlias,
+        ExperimentationExperimentStopped,
+        ExperimentationExperimentRunning,
+        ExperimentationExperimentNotFound,
+        ExperimentationExperimentNeverStarted,
+        ExperimentationExperimentDeleted,
+        ExperimentationClientTimeout,
+        ExperimentationInvalidVariantConfiguration,
+        ExperimentationInvalidVariableConfiguration,
+        ExperimentInvalidId,
+        ExperimentationNoScorecard,
+        ExperimentationTreatmentAssignmentFailed,
+        ExperimentationTreatmentAssignmentDisabled,
+        ExperimentationInvalidDuration,
+        ExperimentationMaxExperimentsReached,
+        ExperimentationExperimentSchedulingInProgress,
+        ExperimentationInvalidEndDate,
+        ExperimentationInvalidStartDate,
+        ExperimentationMaxDurationExceeded,
+        ExperimentationExclusionGroupNotFound,
+        ExperimentationExclusionGroupInsufficientCapacity,
+        ExperimentationExclusionGroupCannotDelete,
+        ExperimentationExclusionGroupInvalidTrafficAllocation,
+        ExperimentationExclusionGroupInvalidName,
+        MaxActionDepthExceeded,
+        TitleNotOnUpdatedPricingPlan,
+        SegmentManagementTitleNotInFlight,
+        SegmentManagementNoExpressionTree,
+        SegmentManagementTriggerActionCountOverLimit,
+        SegmentManagementSegmentCountOverLimit,
+        SegmentManagementInvalidSegmentId,
+        SegmentManagementInvalidInput,
+        SegmentManagementInvalidSegmentName,
+        DeleteSegmentRateLimitExceeded,
+        CreateSegmentRateLimitExceeded,
+        UpdateSegmentRateLimitExceeded,
+        GetSegmentsRateLimitExceeded,
+        AsyncExportNotInFlight,
+        AsyncExportNotFound,
+        AsyncExportRateLimitExceeded,
+        SnapshotNotFound,
+        InventoryApiNotImplemented,
+        LobbyDoesNotExist,
+        LobbyRateLimitExceeded,
+        LobbyPlayerAlreadyJoined,
+        LobbyNotJoinable,
+        LobbyMemberCannotRejoin,
+        LobbyCurrentPlayersMoreThanMaxPlayers,
+        LobbyPlayerNotPresent,
+        LobbyBadRequest,
+        LobbyPlayerMaxLobbyLimitExceeded,
+        LobbyNewOwnerMustBeConnected,
+        LobbyCurrentOwnerStillConnected,
+        LobbyMemberIsNotOwner,
+        EventSamplingInvalidRatio,
+        EventSamplingInvalidEventName,
+        EventSamplingRatioNotFound
+    }
+
+    [Serializable]
+    public class GetActionsOnPlayersInSegmentTaskInstanceResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Parameter of this task instance
+        /// </summary>
+        public ActionsOnPlayersInSegmentTaskParameter Parameter;
+        /// <summary>
+        /// Status summary of the actions-on-players-in-segment task instance
+        /// </summary>
+        public ActionsOnPlayersInSegmentTaskSummary Summary;
+    }
+
+    /// <summary>
+    /// Request has no paramaters.
+    /// </summary>
+    [Serializable]
+    public class GetAllSegmentsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class GetAllSegmentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of segments for this title.
+        /// </summary>
+        public List<GetSegmentResult> Segments;
+    }
+
+    [Serializable]
+    public class GetCatalogItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Which catalog is being requested. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+    }
+
+    [Serializable]
+    public class GetCatalogItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items which can be purchased.
+        /// </summary>
+        public List<CatalogItem> Catalog;
+    }
+
+    [Serializable]
+    public class GetCloudScriptRevisionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Revision number. If left null, defaults to the latest revision
+        /// </summary>
+        public int? Revision;
+        /// <summary>
+        /// Version number. If left null, defaults to the latest version
+        /// </summary>
+        public int? Version;
+    }
+
+    [Serializable]
+    public class GetCloudScriptRevisionResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Time this revision was created
+        /// </summary>
+        public DateTime CreatedAt;
+        /// <summary>
+        /// List of Cloud Script files in this revision.
+        /// </summary>
+        public List<CloudScriptFile> Files;
+        /// <summary>
+        /// True if this is the currently published revision
+        /// </summary>
+        public bool IsPublished;
+        /// <summary>
+        /// Revision number.
+        /// </summary>
+        public int Revision;
+        /// <summary>
+        /// Version number.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetCloudScriptTaskInstanceResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Parameter of this task instance
+        /// </summary>
+        public CloudScriptTaskParameter Parameter;
+        /// <summary>
+        /// Status summary of the CloudScript task instance
+        /// </summary>
+        public CloudScriptTaskSummary Summary;
+    }
+
+    [Serializable]
+    public class GetCloudScriptVersionsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class GetCloudScriptVersionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of versions
+        /// </summary>
+        public List<CloudScriptVersionStatus> Versions;
+    }
+
+    [Serializable]
+    public class GetContentListRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Limits the response to keys that begin with the specified prefix. You can use prefixes to list contents under a folder,
+        /// or for a specified version, etc.
+        /// </summary>
+        public string Prefix;
+    }
+
+    [Serializable]
+    public class GetContentListResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of content items.
+        /// </summary>
+        public List<ContentInfo> Contents;
+        /// <summary>
+        /// Number of content items returned. We currently have a maximum of 1000 items limit.
+        /// </summary>
+        public int ItemCount;
+        /// <summary>
+        /// The total size of listed contents in bytes.
+        /// </summary>
+        public uint TotalSize;
+    }
+
+    [Serializable]
+    public class GetContentUploadUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A standard MIME type describing the format of the contents. The same MIME type has to be set in the header when
+        /// uploading the content. If not specified, the MIME type is 'binary/octet-stream' by default.
+        /// </summary>
+        public string ContentType;
+        /// <summary>
+        /// Key of the content item to upload, usually formatted as a path, e.g. images/a.png
+        /// </summary>
+        public string Key;
+    }
+
+    [Serializable]
+    public class GetContentUploadUrlResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// URL for uploading content via HTTP PUT method. The URL requires the 'x-ms-blob-type' header to have the value
+        /// 'BlockBlob'. The URL will expire in approximately one hour.
+        /// </summary>
+        public string URL;
+    }
+
+    /// <summary>
+    /// Gets the download URL for the requested report data (in CSV form). The reports available through this API call are those
+    /// available in the Game Manager, in the Analytics->Reports tab.
+    /// </summary>
+    [Serializable]
+    public class GetDataReportRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Reporting year (UTC)
+        /// </summary>
+        public int Day;
+        /// <summary>
+        /// Reporting month (UTC)
+        /// </summary>
+        public int Month;
+        /// <summary>
+        /// Report name
+        /// </summary>
+        public string ReportName;
+        /// <summary>
+        /// Reporting year (UTC)
+        /// </summary>
+        public int Year;
+    }
+
+    [Serializable]
+    public class GetDataReportResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The URL where the requested report can be downloaded. This can be any PlayFab generated reports. The full list of
+        /// reports can be found at: https://docs.microsoft.com/en-us/gaming/playfab/features/analytics/reports/quickstart.
+        /// </summary>
+        public string DownloadUrl;
+    }
+
+    [Serializable]
+    public class GetMatchmakerGameInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// unique identifier of the lobby for which info is being requested
+        /// </summary>
+        public string LobbyId;
+    }
+
+    [Serializable]
+    public class GetMatchmakerGameInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// version identifier of the game server executable binary being run
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// time when Game Server Instance is currently scheduled to end
+        /// </summary>
+        public DateTime? EndTime;
+        /// <summary>
+        /// unique identifier of the lobby
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// game mode for this Game Server Instance
+        /// </summary>
+        public string Mode;
+        /// <summary>
+        /// array of unique PlayFab identifiers for users currently connected to this Game Server Instance
+        /// </summary>
+        public List<string> Players;
+        /// <summary>
+        /// region in which the Game Server Instance is running
+        /// </summary>
+        public Region? Region;
+        /// <summary>
+        /// IPV4 address of the server
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// IPV6 address of the server
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// communication port for this Game Server Instance
+        /// </summary>
+        public uint ServerPort;
+        /// <summary>
+        /// Public DNS name (if any) of the server
+        /// </summary>
+        public string ServerPublicDNSName;
+        /// <summary>
+        /// time when the Game Server Instance was created
+        /// </summary>
+        public DateTime StartTime;
+        /// <summary>
+        /// unique identifier of the Game Server Instance for this lobby
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// These details are used by the PlayFab matchmaking service to determine if an existing Game Server Instance has room for
+    /// additional users, and by the PlayFab game server management service to determine when a new Game Server Host should be
+    /// created in order to prevent excess load on existing Hosts.
+    /// </summary>
+    [Serializable]
+    public class GetMatchmakerGameModesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// previously uploaded build version for which game modes are being requested
+        /// </summary>
+        public string BuildVersion;
+    }
+
+    [Serializable]
+    public class GetMatchmakerGameModesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of game modes available for the specified build
+        /// </summary>
+        public List<GameModeInfo> GameModes;
+    }
+
+    /// <summary>
+    /// Useful for identifying titles of which the player's data will be deleted by DeleteMasterPlayer.
+    /// </summary>
+    [Serializable]
+    public class GetPlayedTitleListRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayedTitleListResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of titles the player has played
+        /// </summary>
+        public List<string> TitleIds;
+    }
+
+    /// <summary>
+    /// Gets a player ID from an auth token. The token expires after 30 minutes and cannot be used to look up a player when
+    /// expired.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerIdFromAuthTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The auth token of the player requesting the password reset.
+        /// </summary>
+        public string Token;
+        /// <summary>
+        /// The type of auth token of the player requesting the password reset.
+        /// </summary>
+        public AuthTokenType TokenType;
+    }
+
+    [Serializable]
+    public class GetPlayerIdFromAuthTokenResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The player ID from the token passed in
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// This API allows for access to details regarding a user in the PlayFab service, usually for purposes of customer support.
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerProfileRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+    }
+
+    [Serializable]
+    public class GetPlayerProfileResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The profile of the player. This profile is not guaranteed to be up-to-date. For a new player, this profile will not
+        /// exist.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+    }
+
+    [Serializable]
+    public class GetPlayerSegmentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of segments the requested player currently belongs to.
+        /// </summary>
+        public List<GetSegmentResult> Segments;
+    }
+
+    /// <summary>
+    /// Player Shared Secret Keys are used for the call to Client/GetTitlePublicKey, which exchanges the shared secret for an
+    /// RSA CSP blob to be used to encrypt the payload of account creation requests when that API requires a signature header.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerSharedSecretsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class GetPlayerSharedSecretsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The player shared secret to use when calling Client/GetTitlePublicKey
+        /// </summary>
+        public List<SharedSecret> SharedSecrets;
+    }
+
+    /// <summary>
+    /// Initial request must contain at least a Segment ID. Subsequent requests must contain the Segment ID as well as the
+    /// Continuation Token. Failure to send the Continuation Token will result in a new player segment list being generated.
+    /// Each time the Continuation Token is passed in the length of the Total Seconds to Live is refreshed. If too much time
+    /// passes between requests to the point that a subsequent request is past the Total Seconds to Live an error will be
+    /// returned and paging will be terminated. This API is resource intensive and should not be used in scenarios which might
+    /// generate high request volumes. Only one request to this API at a time should be made per title. Concurrent requests to
+    /// the API may be rejected with the APIConcurrentRequestLimitExceeded error.
+    /// </summary>
+    [Serializable]
+    public class GetPlayersInSegmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Continuation token if retrieving subsequent pages of results.
+        /// </summary>
+        public string ContinuationToken;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of profiles to load. Default is 1,000. Maximum is 10,000.
+        /// </summary>
+        public uint? MaxBatchSize;
+        /// <summary>
+        /// Number of seconds to keep the continuation token active. After token expiration it is not possible to continue paging
+        /// results. Default is 300 (5 minutes). Maximum is 1,800 (30 minutes).
+        /// </summary>
+        public uint? SecondsToLive;
+        /// <summary>
+        /// Unique identifier for this segment.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    [Serializable]
+    public class GetPlayersInSegmentResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Continuation token to use to retrieve subsequent pages of results. If token returns null there are no more results.
+        /// </summary>
+        public string ContinuationToken;
+        /// <summary>
+        /// Array of player profiles in this segment.
+        /// </summary>
+        public List<PlayerProfile> PlayerProfiles;
+        /// <summary>
+        /// Count of profiles matching this segment.
+        /// </summary>
+        public int ProfilesInSegment;
+    }
+
+    [Serializable]
+    public class GetPlayersSegmentsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticDefinitionsRequest : PlayFabRequestCommon
+    {
+    }
+
+    /// <summary>
+    /// Statistics are numeric values, with each statistic in the title also generating a leaderboard. The ResetInterval defines
+    /// the period of time at which the leaderboard for the statistic will automatically reset. Upon reset, the statistic
+    /// updates to a new version with no values (effectively removing all players from the leaderboard). The previous version's
+    /// statistic values are also archived for retrieval, if needed (see GetPlayerStatisticVersions). Statistics not created via
+    /// a call to CreatePlayerStatisticDefinition by default have a VersionChangeInterval of Never, meaning they do not reset on
+    /// a schedule, but they can be set to do so via a call to UpdatePlayerStatisticDefinition. Once a statistic has been reset
+    /// (sometimes referred to as versioned or incremented), the previous version can still be written to for up a short,
+    /// pre-defined period (currently 10 seconds), to prevent issues with levels completing around the time of the reset. Also,
+    /// once reset, the historical statistics for players in the title may be retrieved using the URL specified in the version
+    /// information (GetPlayerStatisticVersions). The AggregationMethod defines what action is taken when a new statistic value
+    /// is submitted - always update with the new value (Last), use the highest of the old and new values (Max), use the
+    /// smallest (Min), or add them together (Sum).
+    /// </summary>
+    [Serializable]
+    public class GetPlayerStatisticDefinitionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// the player statistic definitions for the title
+        /// </summary>
+        public List<PlayerStatisticDefinition> Statistics;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticVersionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Statistics are numeric values, with each statistic in the title also generating a leaderboard. The information returned
+    /// in the results defines the state of a specific version of a statistic, including when it was or will become the
+    /// currently active version, when it will (or did) become a previous version, and its archival state if it is no longer the
+    /// active version. For a statistic which has been reset, once the archival status is Complete, the full set of statistics
+    /// for all players in the leaderboard for that version may be retrieved via the ArchiveDownloadUrl. Statistics which have
+    /// not been reset (incremented/versioned) will only have a single version which is not scheduled to reset.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerStatisticVersionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// version change history of the statistic
+        /// </summary>
+        public List<PlayerStatisticVersion> StatisticVersions;
+    }
+
+    /// <summary>
+    /// This API will return a list of canonical tags which includes both namespace and tag's name. If namespace is not
+    /// provided, the result is a list of all canonical tags. TagName can be used for segmentation and Namespace is limited to
+    /// 128 characters.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional namespace to filter results by
+        /// </summary>
+        public string Namespace;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerTagsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Canonical tags (including namespace and tag's name) for the requested user
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    /// <summary>
+    /// Views the requested policy. Today, the only supported policy is 'ApiPolicy'.
+    /// </summary>
+    [Serializable]
+    public class GetPolicyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The name of the policy to read. Only supported name is 'ApiPolicy'.
+        /// </summary>
+        public string PolicyName;
+    }
+
+    [Serializable]
+    public class GetPolicyResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The name of the policy read.
+        /// </summary>
+        public string PolicyName;
+        /// <summary>
+        /// Policy version.
+        /// </summary>
+        public int PolicyVersion;
+        /// <summary>
+        /// The statements in the requested policy.
+        /// </summary>
+        public List<PermissionStatement> Statements;
+    }
+
+    /// <summary>
+    /// This API is designed to return publisher-specific values which can be read, but not written to, by the client. This data
+    /// is shared across all titles assigned to a particular publisher, and can be used for cross-game coordination. Only titles
+    /// assigned to a publisher can use this API. For more information email helloplayfab@microsoft.com. This AdminAPI call for
+    /// getting title data guarantees no delay in between update and retrieval of newly set data.
+    /// </summary>
+    [Serializable]
+    public class GetPublisherDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// array of keys to get back data from the Publisher data blob, set by the admin tools
+        /// </summary>
+        public List<string> Keys;
+    }
+
+    [Serializable]
+    public class GetPublisherDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    [Serializable]
+    public class GetRandomResultTablesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// catalog version to fetch tables from. Use default catalog version if null
+        /// </summary>
+        public string CatalogVersion;
+    }
+
+    [Serializable]
+    public class GetRandomResultTablesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of random result tables currently available
+        /// </summary>
+        public Dictionary<string,RandomResultTableListing> Tables;
+    }
+
+    [Serializable]
+    public class GetSegmentResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Identifier of the segments AB Test, if it is attached to one.
+        /// </summary>
+        public string ABTestParent;
+        /// <summary>
+        /// Unique identifier for this segment.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Segment name.
+        /// </summary>
+        public string Name;
+    }
+
+    /// <summary>
+    /// Given input segment ids, return list of segments.
+    /// </summary>
+    [Serializable]
+    public class GetSegmentsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Segment ids to filter title segments.
+        /// </summary>
+        public List<string> SegmentIds;
+    }
+
+    [Serializable]
+    public class GetSegmentsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error message.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// List of title segments.
+        /// </summary>
+        public List<SegmentModel> Segments;
+    }
+
+    [Serializable]
+    public class GetServerBuildInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// unique identifier of the previously uploaded build executable for which information is being requested
+        /// </summary>
+        public string BuildId;
+    }
+
+    /// <summary>
+    /// Information about a particular server build
+    /// </summary>
+    [Serializable]
+    public class GetServerBuildInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of regions where this build can used, when it is active
+        /// </summary>
+        public List<Region> ActiveRegions;
+        /// <summary>
+        /// unique identifier for this build executable
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// developer comment(s) for this build
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// error message, if any, about this build
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// maximum number of game server instances that can run on a single host machine
+        /// </summary>
+        public int MaxGamesPerHost;
+        /// <summary>
+        /// minimum capacity of additional game server instances that can be started before the autoscaling service starts new host
+        /// machines (given the number of current running host machines and game server instances)
+        /// </summary>
+        public int MinFreeGameSlots;
+        /// <summary>
+        /// the current status of the build validation and processing steps
+        /// </summary>
+        public GameBuildStatus? Status;
+        /// <summary>
+        /// time this build was last modified (or uploaded, if this build has never been modified)
+        /// </summary>
+        public DateTime Timestamp;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class GetServerBuildUploadURLRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// unique identifier of the game server build to upload
+        /// </summary>
+        public string BuildId;
+    }
+
+    [Serializable]
+    public class GetServerBuildUploadURLResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// pre-authorized URL for uploading the game server build package
+        /// </summary>
+        public string URL;
+    }
+
+    /// <summary>
+    /// A store contains an array of references to items defined in the catalog, along with the prices for the item, in both
+    /// real world and virtual currencies. These prices act as an override to any prices defined in the catalog. In this way,
+    /// the base definitions of the items may be defined in the catalog, with all associated properties, while the pricing can
+    /// be set for each store, as needed. This allows for subsets of goods to be defined for different purposes (in order to
+    /// simplify showing some, but not all catalog items to users, based upon different characteristics), along with unique
+    /// prices. Note that all prices defined in the catalog and store definitions for the item are considered valid, and that a
+    /// compromised client can be made to send a request for an item based upon any of these definitions. If no price is
+    /// specified in the store for an item, the price set in the catalog should be displayed to the user.
+    /// </summary>
+    [Serializable]
+    public class GetStoreItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to store items from. Use default catalog version if null
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unqiue identifier for the store which is being requested.
+        /// </summary>
+        public string StoreId;
+    }
+
+    [Serializable]
+    public class GetStoreItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The base catalog that this store is a part of.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Additional data about the store.
+        /// </summary>
+        public StoreMarketingModel MarketingData;
+        /// <summary>
+        /// How the store was last updated (Admin or a third party).
+        /// </summary>
+        public SourceType? Source;
+        /// <summary>
+        /// Array of items which can be purchased from this store.
+        /// </summary>
+        public List<StoreItem> Store;
+        /// <summary>
+        /// The ID of this store.
+        /// </summary>
+        public string StoreId;
+    }
+
+    /// <summary>
+    /// The result includes detail information that's specific to a CloudScript task. Only CloudScript tasks configured as "Run
+    /// Cloud Script function once" will be retrieved. To get a list of task instances by task, status, or time range, use
+    /// GetTaskInstances.
+    /// </summary>
+    [Serializable]
+    public class GetTaskInstanceRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// ID of the requested task instance.
+        /// </summary>
+        public string TaskInstanceId;
+    }
+
+    /// <summary>
+    /// Only the most recent 100 task instances are returned, ordered by start time descending. The results are generic basic
+    /// information for task instances. To get detail information specific to each task type, use Get*TaskInstance based on its
+    /// corresponding task type.
+    /// </summary>
+    [Serializable]
+    public class GetTaskInstancesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional range-from filter for task instances' StartedAt timestamp.
+        /// </summary>
+        public DateTime? StartedAtRangeFrom;
+        /// <summary>
+        /// Optional range-to filter for task instances' StartedAt timestamp.
+        /// </summary>
+        public DateTime? StartedAtRangeTo;
+        /// <summary>
+        /// Optional filter for task instances that are of a specific status.
+        /// </summary>
+        public TaskInstanceStatus? StatusFilter;
+        /// <summary>
+        /// Name or ID of the task whose instances are being queried. If not specified, return all task instances that satisfy
+        /// conditions set by other filters.
+        /// </summary>
+        public NameIdentifier TaskIdentifier;
+    }
+
+    [Serializable]
+    public class GetTaskInstancesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Basic status summaries of the queried task instances. Empty If no task instances meets the filter criteria. To get
+        /// detailed status summary, use Get*TaskInstance API according to task type (e.g.
+        /// GetActionsOnPlayersInSegmentTaskInstance).
+        /// </summary>
+        public List<TaskInstanceBasicSummary> Summaries;
+    }
+
+    [Serializable]
+    public class GetTasksRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Provide either the task ID or the task name to get a specific task. If not specified, return all defined tasks.
+        /// </summary>
+        public NameIdentifier Identifier;
+    }
+
+    [Serializable]
+    public class GetTasksResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Result tasks. Empty if there is no task found.
+        /// </summary>
+        public List<ScheduledTask> Tasks;
+    }
+
+    /// <summary>
+    /// This API method is designed to return title specific values which can be read by the client. For example, a developer
+    /// could choose to store values which modify the user experience, such as enemy spawn rates, weapon strengths, movement
+    /// speeds, etc. This allows a developer to update the title without the need to create, test, and ship a new build. If an
+    /// override label is specified in the request, the overrides are applied automatically and returned with the title data.
+    /// Note that due to caching, there may up to a minute delay in between updating title data and a query returning the newest
+    /// value.
+    /// </summary>
+    [Serializable]
+    public class GetTitleDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specific keys to search for in the title data (leave null to get all keys)
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Optional field that specifies the name of an override. This value is ignored when used by the game client; otherwise,
+        /// the overrides are applied automatically to the title data.
+        /// </summary>
+        public string OverrideLabel;
+    }
+
+    [Serializable]
+    public class GetTitleDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    /// <summary>
+    /// Get all bans for a user, including inactive and expired bans.
+    /// </summary>
+    [Serializable]
+    public class GetUserBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information about the bans
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// Data is stored as JSON key-value pairs. If the Keys parameter is provided, the data object returned will only contain
+    /// the data specific to the indicated Keys. Otherwise, the full set of custom user data will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The version that currently exists according to the caller. The call will return the data for all of the keys if the
+        /// version in the system is greater than this.
+        /// </summary>
+        public uint? IfChangedFromDataVersion;
+        /// <summary>
+        /// Specific keys to search for in the custom user data.
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// User specific data for this title.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> Data;
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose custom data is being returned.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// All items currently in the user inventory will be returned, irrespective of how they were acquired (via purchasing,
+    /// grants, coupons, etc.). Items that are expired, fully consumed, or are no longer valid are not considered to be in the
+    /// user's current inventory, and so will not be not included.
+    /// </summary>
+    [Serializable]
+    public class GetUserInventoryRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserInventoryResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of inventory items belonging to the user.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    /// <summary>
+    /// Result of granting an item to a user. Note, to retrieve additional information for an item such as Tags, Description
+    /// that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can be matched
+    /// to a catalog entry, which contains the additional information. Also note that Custom Data is only set when the User's
+    /// specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields such as
+    /// UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class GrantedItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Result of this operation.
+        /// </summary>
+        public bool Result;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    [Serializable]
+    public class GrantItemSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Item catalog id.
+        /// </summary>
+        public string CatelogId;
+        /// <summary>
+        /// Item id.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Item quantity.
+        /// </summary>
+        public uint Quantity;
+    }
+
+    /// <summary>
+    /// This function directly adds inventory items to user inventories. As a result of this operations, the user will not be
+    /// charged any transaction fee, regardless of the inventory item catalog definition. Please note that the processing time
+    /// for inventory grants and purchases increases fractionally the more items are in the inventory, and the more items are in
+    /// the grant/purchase operation.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUsersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version from which items are to be granted.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Array of items to grant and the users to whom the items are to be granted.
+        /// </summary>
+        public List<ItemGrant> ItemGrants;
+    }
+
+    /// <summary>
+    /// Please note that the order of the items in the response may not match the order of items in the request.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUsersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items granted to users.
+        /// </summary>
+        public List<GrantedItemInstance> ItemGrantResults;
+    }
+
+    [Serializable]
+    public class GrantVirtualCurrencySegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Virtual currency amount.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// Virtual currency code.
+        /// </summary>
+        public string CurrencyCode;
+    }
+
+    /// <summary>
+    /// This operation will increment the global counter for the number of these items available. This number cannot be
+    /// decremented, except by actual grants.
+    /// </summary>
+    [Serializable]
+    public class IncrementLimitedEditionItemAvailabilityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to increase availability by.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// Which catalog is being updated. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The item which needs more availability.
+        /// </summary>
+        public string ItemId;
+    }
+
+    [Serializable]
+    public class IncrementLimitedEditionItemAvailabilityResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class IncrementPlayerStatisticSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Increment value.
+        /// </summary>
+        public int IncrementValue;
+        /// <summary>
+        /// Statistic name.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Statistics are numeric values, with each statistic in the title also generating a leaderboard. When this call is made on
+    /// a given statistic, this forces a reset of that statistic. Upon reset, the statistic updates to a new version with no
+    /// values (effectively removing all players from the leaderboard). The previous version's statistic values are also
+    /// archived for retrieval, if needed (see GetPlayerStatisticVersions). Statistics not created via a call to
+    /// CreatePlayerStatisticDefinition by default have a VersionChangeInterval of Never, meaning they do not reset on a
+    /// schedule, but they can be set to do so via a call to UpdatePlayerStatisticDefinition. Once a statistic has been reset
+    /// (sometimes referred to as versioned or incremented), the now-previous version can still be written to for up a short,
+    /// pre-defined period (currently 10 seconds), to prevent issues with levels completing around the time of the reset. Also,
+    /// once reset, the historical statistics for players in the title may be retrieved using the URL specified in the version
+    /// information (GetPlayerStatisticVersions).
+    /// </summary>
+    [Serializable]
+    public class IncrementPlayerStatisticVersionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+    }
+
+    [Serializable]
+    public class IncrementPlayerStatisticVersionResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// version change history of the statistic
+        /// </summary>
+        public PlayerStatisticVersion StatisticVersion;
+    }
+
+    [Serializable]
+    public class InsightsScalingTaskParameter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Insights Performance Level to scale to.
+        /// </summary>
+        public int Level;
+    }
+
+    [Serializable]
+    public class ItemGrant : PlayFabBaseModel
+    {
+        /// <summary>
+        /// String detailing any additional information concerning this operation.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Unique identifier of the catalog item to be granted to the user.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// A unique instance of an item in a user's inventory. Note, to retrieve additional information for an item such as Tags,
+    /// Description that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can
+    /// be matched to a catalog entry, which contains the additional information. Also note that Custom Data is only set when
+    /// the User's specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields
+    /// such as UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class ItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    [Serializable]
+    public class LastLoginDateSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Last player login date comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Last player login date.
+        /// </summary>
+        public DateTime LogInDate;
+    }
+
+    [Serializable]
+    public class LastLoginTimespanSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Last player login duration comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Last player login duration.
+        /// </summary>
+        public double DurationInMinutes;
+    }
+
+    [Serializable]
+    public class LinkedPlatformAccountModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account email of the user on the platform, if available
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Unique account identifier of the user on the platform
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account username of the user on the platform, if available
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class LinkedUserAccountHasEmailSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Login provider comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Login provider.
+        /// </summary>
+        public SegmentLoginIdentityProvider? LoginProvider;
+    }
+
+    [Serializable]
+    public class LinkedUserAccountSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Login provider.
+        /// </summary>
+        public SegmentLoginIdentityProvider? LoginProvider;
+    }
+
+    [Serializable]
+    public class ListBuildsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class ListBuildsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of uploaded game server builds
+        /// </summary>
+        public List<GetServerBuildInfoResult> Builds;
+    }
+
+    [Serializable]
+    public class ListOpenIdConnectionRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class ListOpenIdConnectionResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of Open ID Connections
+        /// </summary>
+        public List<OpenIdConnection> Connections;
+    }
+
+    [Serializable]
+    public class ListVirtualCurrencyTypesRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class ListVirtualCurrencyTypesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of virtual currency names defined for this title
+        /// </summary>
+        public List<VirtualCurrencyData> VirtualCurrencies;
+    }
+
+    [Serializable]
+    public class LocationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City name.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode? ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode? CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    [Serializable]
+    public class LocationSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Segment country code.
+        /// </summary>
+        public SegmentCountryCode? CountryCode;
+    }
+
+    public enum LoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class LogStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Optional object accompanying the message as contextual information
+        /// </summary>
+        public object Data;
+        /// <summary>
+        /// 'Debug', 'Info', or 'Error'
+        /// </summary>
+        public string Level;
+        public string Message;
+    }
+
+    /// <summary>
+    /// This API allows for access to details regarding a user in the PlayFab service, usually for purposes of customer support.
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class LookupUserAccountInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Title specific username to match against existing user accounts
+        /// </summary>
+        public string TitleDisplayName;
+        /// <summary>
+        /// PlayFab username for the account (3-20 characters)
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class LookupUserAccountInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// User info for the user matching the request
+        /// </summary>
+        public UserAccountInfo UserInfo;
+    }
+
+    [Serializable]
+    public class MembershipModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether this membership is active. That is, whether the MembershipExpiration time has been reached.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The time this membership expires
+        /// </summary>
+        public DateTime MembershipExpiration;
+        /// <summary>
+        /// The id of the membership
+        /// </summary>
+        public string MembershipId;
+        /// <summary>
+        /// Membership expirations can be explicitly overridden (via game manager or the admin api). If this membership has been
+        /// overridden, this will be the new expiration time.
+        /// </summary>
+        public DateTime? OverrideExpiration;
+        /// <summary>
+        /// The list of subscriptions that this player has for this membership
+        /// </summary>
+        public List<SubscriptionModel> Subscriptions;
+    }
+
+    /// <summary>
+    /// These details are used by the PlayFab matchmaking service to determine if an existing Game Server Instance has room for
+    /// additional users, and by the PlayFab game server management service to determine when a new Game Server Host should be
+    /// created in order to prevent excess load on existing Hosts. This operation is not additive. Using it will cause the game
+    /// mode definition for the game server executable in question to be created from scratch. If there is an existing game
+    /// server mode definition for the given BuildVersion, it will be deleted and replaced with the data specified in this call.
+    /// </summary>
+    [Serializable]
+    public class ModifyMatchmakerGameModesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// previously uploaded build version for which game modes are being specified
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// array of game modes (Note: this will replace all game modes for the indicated build version)
+        /// </summary>
+        public List<GameModeInfo> GameModes;
+    }
+
+    [Serializable]
+    public class ModifyMatchmakerGameModesResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class ModifyServerBuildRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// array of regions where this build can used, when it is active
+        /// </summary>
+        public List<Region> ActiveRegions;
+        /// <summary>
+        /// unique identifier of the previously uploaded build executable to be updated
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// appended to the end of the command line when starting game servers
+        /// </summary>
+        public string CommandLineTemplate;
+        /// <summary>
+        /// developer comment(s) for this build
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// path to the game server executable. Defaults to gameserver.exe
+        /// </summary>
+        public string ExecutablePath;
+        /// <summary>
+        /// maximum number of game server instances that can run on a single host machine
+        /// </summary>
+        public int MaxGamesPerHost;
+        /// <summary>
+        /// minimum capacity of additional game server instances that can be started before the autoscaling service starts new host
+        /// machines (given the number of current running host machines and game server instances)
+        /// </summary>
+        public int MinFreeGameSlots;
+        /// <summary>
+        /// new timestamp
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    [Serializable]
+    public class ModifyServerBuildResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of regions where this build can used, when it is active
+        /// </summary>
+        public List<Region> ActiveRegions;
+        /// <summary>
+        /// unique identifier for this build executable
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// appended to the end of the command line when starting game servers
+        /// </summary>
+        public string CommandLineTemplate;
+        /// <summary>
+        /// developer comment(s) for this build
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// path to the game server executable. Defaults to gameserver.exe
+        /// </summary>
+        public string ExecutablePath;
+        /// <summary>
+        /// maximum number of game server instances that can run on a single host machine
+        /// </summary>
+        public int MaxGamesPerHost;
+        /// <summary>
+        /// minimum capacity of additional game server instances that can be started before the autoscaling service starts new host
+        /// machines (given the number of current running host machines and game server instances)
+        /// </summary>
+        public int MinFreeGameSlots;
+        /// <summary>
+        /// the current status of the build validation and processing steps
+        /// </summary>
+        public GameBuildStatus? Status;
+        /// <summary>
+        /// time this build was last modified (or uploaded, if this build has never been modified)
+        /// </summary>
+        public DateTime Timestamp;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class ModifyUserVirtualCurrencyResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Balance of the virtual currency after modification.
+        /// </summary>
+        public int Balance;
+        /// <summary>
+        /// Amount added or subtracted from the user's virtual currency. Maximum VC balance is Int32 (2,147,483,647). Any increase
+        /// over this value will be discarded.
+        /// </summary>
+        public int BalanceChange;
+        /// <summary>
+        /// User currency was subtracted from.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which was modified.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// Identifier by either name or ID. Note that a name may change due to renaming, or reused after being deleted. ID is
+    /// immutable and unique.
+    /// </summary>
+    [Serializable]
+    public class NameIdentifier : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Id Identifier, if present
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Name Identifier, if present
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class OpenIdConnection : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The client ID given by the ID provider.
+        /// </summary>
+        public string ClientId;
+        /// <summary>
+        /// The client secret given by the ID provider.
+        /// </summary>
+        public string ClientSecret;
+        /// <summary>
+        /// A name for the connection to identify it within the title.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// Shows if data about the connection will be loaded from the issuer's discovery document
+        /// </summary>
+        public bool DiscoverConfiguration;
+        /// <summary>
+        /// Information for an OpenID Connect provider.
+        /// </summary>
+        public OpenIdIssuerInformation IssuerInformation;
+    }
+
+    [Serializable]
+    public class OpenIdIssuerInformation : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Authorization endpoint URL to direct users to for signin.
+        /// </summary>
+        public string AuthorizationUrl;
+        /// <summary>
+        /// The URL of the issuer of the tokens. This must match the exact URL of the issuer field in tokens.
+        /// </summary>
+        public string Issuer;
+        /// <summary>
+        /// JSON Web Key Set for validating the signature of tokens.
+        /// </summary>
+        public object JsonWebKeySet;
+        /// <summary>
+        /// Token endpoint URL for code verification.
+        /// </summary>
+        public string TokenUrl;
+    }
+
+    [Serializable]
+    public class PermissionStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The action this statement effects. The only supported action is 'Execute'.
+        /// </summary>
+        public string Action;
+        /// <summary>
+        /// Additional conditions to be applied for API Resources.
+        /// </summary>
+        public ApiCondition ApiConditions;
+        /// <summary>
+        /// A comment about the statement. Intended solely for bookkeeping and debugging.
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// The effect this statement will have. It could be either Allow or Deny
+        /// </summary>
+        public EffectType Effect;
+        /// <summary>
+        /// The principal this statement will effect. The only supported principal is '*'.
+        /// </summary>
+        public string Principal;
+        /// <summary>
+        /// The resource this statements effects. The only supported resources look like 'pfrn:api--*' for all apis, or
+        /// 'pfrn:api--/Client/ConfirmPurchase' for specific apis.
+        /// </summary>
+        public string Resource;
+    }
+
+    [Serializable]
+    public class PlayerLinkedAccount : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account's email
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Platform user identifier
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account's username
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class PlayerLocation : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City of the player's geographic location.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the player's geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the player's geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    [Serializable]
+    public class PlayerProfile : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Array of ad campaigns player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttribution> AdCampaignAttributions;
+        /// <summary>
+        /// Image URL of the player's avatar.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// Banned until UTC Date. If permanent ban this is set for 20 years after the original ban date.
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// Array of contact email addresses associated with the player
+        /// </summary>
+        public List<ContactEmailInfo> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player Display Name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Last login
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// Array of third party accounts linked to this player
+        /// </summary>
+        public List<PlayerLinkedAccount> LinkedAccounts;
+        /// <summary>
+        /// Dictionary of player's locations by type.
+        /// </summary>
+        public Dictionary<string,PlayerLocation> Locations;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// List of player variants for experimentation
+        /// </summary>
+        public List<string> PlayerExperimentVariants;
+        /// <summary>
+        /// PlayFab Player ID
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Array of player statistics
+        /// </summary>
+        public List<PlayerStatistic> PlayerStatistics;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// Array of configured push notification end points
+        /// </summary>
+        public List<PushNotificationRegistration> PushNotificationRegistrations;
+        /// <summary>
+        /// Dictionary of player's statistics using only the latest version's value
+        /// </summary>
+        public Dictionary<string,int> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation.
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// Title ID this profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// A sum of player's total purchases in USD across all currencies.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// Dictionary of player's total purchases by currency.
+        /// </summary>
+        public Dictionary<string,uint> ValuesToDate;
+        /// <summary>
+        /// Dictionary of player's virtual currency balances
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrencyBalances;
+    }
+
+    [Serializable]
+    public class PlayerProfileModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of advertising campaigns the player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttributionModel> AdCampaignAttributions;
+        /// <summary>
+        /// URL of the player's avatar image
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// If the player is currently banned, the UTC Date when the ban expires
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// List of all contact email info associated with the player account
+        /// </summary>
+        public List<ContactEmailInfoModel> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player display name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// List of experiment variants for the player. Note that these variants are not guaranteed to be up-to-date when returned
+        /// during login because the player profile is updated only after login. Instead, use the LoginResult.TreatmentAssignment
+        /// property during login to get the correct variants and variables.
+        /// </summary>
+        public List<string> ExperimentVariants;
+        /// <summary>
+        /// UTC time when the player most recently logged in to the title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// List of all authentication systems linked to this player account
+        /// </summary>
+        public List<LinkedPlatformAccountModel> LinkedAccounts;
+        /// <summary>
+        /// List of geographic locations from which the player has logged in to the title
+        /// </summary>
+        public List<LocationModel> Locations;
+        /// <summary>
+        /// List of memberships for the player, along with whether are expired.
+        /// </summary>
+        public List<MembershipModel> Memberships;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// PlayFab player account unique identifier
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// List of configured end points registered for sending the player push notifications
+        /// </summary>
+        public List<PushNotificationRegistrationModel> PushNotificationRegistrations;
+        /// <summary>
+        /// List of leaderboard statistic values for the player
+        /// </summary>
+        public List<StatisticModel> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation
+        /// </summary>
+        public List<TagModel> Tags;
+        /// <summary>
+        /// Title ID this player profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Sum of the player's purchases made with real-money currencies, converted to US dollars equivalent and represented as a
+        /// whole number of cents (1/100 USD). For example, 999 indicates nine dollars and ninety-nine cents.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// List of the player's lifetime purchase totals, summed by real-money currency
+        /// </summary>
+        public List<ValueToDateModel> ValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerProfileViewConstraints : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to show player's avatar URL. Defaults to false
+        /// </summary>
+        public bool ShowAvatarUrl;
+        /// <summary>
+        /// Whether to show the banned until time. Defaults to false
+        /// </summary>
+        public bool ShowBannedUntil;
+        /// <summary>
+        /// Whether to show campaign attributions. Defaults to false
+        /// </summary>
+        public bool ShowCampaignAttributions;
+        /// <summary>
+        /// Whether to show contact email addresses. Defaults to false
+        /// </summary>
+        public bool ShowContactEmailAddresses;
+        /// <summary>
+        /// Whether to show the created date. Defaults to false
+        /// </summary>
+        public bool ShowCreated;
+        /// <summary>
+        /// Whether to show the display name. Defaults to false
+        /// </summary>
+        public bool ShowDisplayName;
+        /// <summary>
+        /// Whether to show player's experiment variants. Defaults to false
+        /// </summary>
+        public bool ShowExperimentVariants;
+        /// <summary>
+        /// Whether to show the last login time. Defaults to false
+        /// </summary>
+        public bool ShowLastLogin;
+        /// <summary>
+        /// Whether to show the linked accounts. Defaults to false
+        /// </summary>
+        public bool ShowLinkedAccounts;
+        /// <summary>
+        /// Whether to show player's locations. Defaults to false
+        /// </summary>
+        public bool ShowLocations;
+        /// <summary>
+        /// Whether to show player's membership information. Defaults to false
+        /// </summary>
+        public bool ShowMemberships;
+        /// <summary>
+        /// Whether to show origination. Defaults to false
+        /// </summary>
+        public bool ShowOrigination;
+        /// <summary>
+        /// Whether to show push notification registrations. Defaults to false
+        /// </summary>
+        public bool ShowPushNotificationRegistrations;
+        /// <summary>
+        /// Reserved for future development
+        /// </summary>
+        public bool ShowStatistics;
+        /// <summary>
+        /// Whether to show tags. Defaults to false
+        /// </summary>
+        public bool ShowTags;
+        /// <summary>
+        /// Whether to show the total value to date in usd. Defaults to false
+        /// </summary>
+        public bool ShowTotalValueToDateInUsd;
+        /// <summary>
+        /// Whether to show the values to date. Defaults to false
+        /// </summary>
+        public bool ShowValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerStatistic : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic ID
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Current statistic value
+        /// </summary>
+        public int StatisticValue;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int StatisticVersion;
+    }
+
+    [Serializable]
+    public class PlayerStatisticDefinition : PlayFabBaseModel
+    {
+        /// <summary>
+        /// the aggregation method to use in updating the statistic (defaults to last)
+        /// </summary>
+        public StatisticAggregationMethod? AggregationMethod;
+        /// <summary>
+        /// current active version of the statistic, incremented each time the statistic resets
+        /// </summary>
+        public uint CurrentVersion;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// interval at which the values of the statistic for all players are reset automatically
+        /// </summary>
+        public StatisticResetIntervalOption? VersionChangeInterval;
+    }
+
+    [Serializable]
+    public class PlayerStatisticVersion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// time when the statistic version became active
+        /// </summary>
+        public DateTime ActivationTime;
+        /// <summary>
+        /// URL for the downloadable archive of player statistic values, if available
+        /// </summary>
+        public string ArchiveDownloadUrl;
+        /// <summary>
+        /// time when the statistic version became inactive due to statistic version incrementing
+        /// </summary>
+        public DateTime? DeactivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become active, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledActivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become inactive, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledDeactivationTime;
+        /// <summary>
+        /// name of the statistic when the version became active
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// status of the statistic version
+        /// </summary>
+        public StatisticVersionStatus? Status;
+        /// <summary>
+        /// version of the statistic
+        /// </summary>
+        public uint Version;
+    }
+
+    public enum PushNotificationPlatform
+    {
+        ApplePushNotificationService,
+        GoogleCloudMessaging
+    }
+
+    [Serializable]
+    public class PushNotificationRegistration : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    [Serializable]
+    public class PushNotificationRegistrationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    [Serializable]
+    public class PushNotificationSegmentAction : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Push notification template id.
+        /// </summary>
+        public string PushNotificationTemplateId;
+    }
+
+    [Serializable]
+    public class PushNotificationSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Push notification device platform.
+        /// </summary>
+        public SegmentPushNotificationDevicePlatform? PushNotificationDevicePlatform;
+    }
+
+    public enum PushSetupPlatform
+    {
+        GCM,
+        APNS,
+        APNS_SANDBOX
+    }
+
+    [Serializable]
+    public class RandomResultTable : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Child nodes that indicate what kind of drop table item this actually is.
+        /// </summary>
+        public List<ResultTableNode> Nodes;
+        /// <summary>
+        /// Unique name for this drop table
+        /// </summary>
+        public string TableId;
+    }
+
+    [Serializable]
+    public class RandomResultTableListing : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Catalog version this table is associated with
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Child nodes that indicate what kind of drop table item this actually is.
+        /// </summary>
+        public List<ResultTableNode> Nodes;
+        /// <summary>
+        /// Unique name for this drop table
+        /// </summary>
+        public string TableId;
+    }
+
+    [Serializable]
+    public class RefundPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique order ID for the purchase in question.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The Reason parameter should correspond with the payment providers reason field, if they require one such as Facebook. In
+        /// the case of Facebook this must match one of their refund or dispute resolution enums (See:
+        /// https://developers.facebook.com/docs/payments/implementation-guide/handling-disputes-refunds)
+        /// </summary>
+        public string Reason;
+    }
+
+    [Serializable]
+    public class RefundPurchaseResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The order's updated purchase status.
+        /// </summary>
+        public string PurchaseStatus;
+    }
+
+    public enum Region
+    {
+        USCentral,
+        USEast,
+        EUWest,
+        Singapore,
+        Japan,
+        Brazil,
+        Australia
+    }
+
+    /// <summary>
+    /// This API will trigger a player_tag_removed event and remove a tag with the given TagName and PlayFabID from the
+    /// corresponding player profile. TagName can be used for segmentation and it is limited to 256 characters
+    /// </summary>
+    [Serializable]
+    public class RemovePlayerTagRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique tag for player profile.
+        /// </summary>
+        public string TagName;
+    }
+
+    [Serializable]
+    public class RemovePlayerTagResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RemoveServerBuildRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// unique identifier of the previously uploaded build executable to be removed
+        /// </summary>
+        public string BuildId;
+    }
+
+    [Serializable]
+    public class RemoveServerBuildResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Virtual currencies to be removed cannot have entries in any catalog nor store for the title. Note that this operation
+    /// will not remove player balances for the removed currencies; if a deleted currency is recreated at any point, user
+    /// balances will be in an undefined state.
+    /// </summary>
+    [Serializable]
+    public class RemoveVirtualCurrencyTypesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of virtual currencies to delete
+        /// </summary>
+        public List<VirtualCurrencyData> VirtualCurrencies;
+    }
+
+    /// <summary>
+    /// Note that this action cannot be un-done. All statistics for this character will be deleted, removing the user from all
+    /// leaderboards for the game.
+    /// </summary>
+    [Serializable]
+    public class ResetCharacterStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ResetCharacterStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Resets a player's password taking in a new password based and validating the user based off of a token sent to the
+    /// playerto their email. The token expires after 30 minutes.
+    /// </summary>
+    [Serializable]
+    public class ResetPasswordRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The new password for the player.
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// The token of the player requesting the password reset.
+        /// </summary>
+        public string Token;
+    }
+
+    [Serializable]
+    public class ResetPasswordResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Note that this action cannot be un-done. All statistics for this user will be deleted, removing the user from all
+    /// leaderboards for the game.
+    /// </summary>
+    [Serializable]
+    public class ResetUserStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ResetUserStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    public enum ResolutionOutcome
+    {
+        Revoke,
+        Reinstate,
+        Manual
+    }
+
+    [Serializable]
+    public class ResolvePurchaseDisputeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique order ID for the purchase in question.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Enum for the desired purchase result state after notifying the payment provider. Valid values are Revoke, Reinstate and
+        /// Manual. Manual will cause no change to the order state.
+        /// </summary>
+        public ResolutionOutcome Outcome;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The Reason parameter should correspond with the payment providers reason field, if they require one such as Facebook. In
+        /// the case of Facebook this must match one of their refund or dispute resolution enums (See:
+        /// https://developers.facebook.com/docs/payments/implementation-guide/handling-disputes-refunds)
+        /// </summary>
+        public string Reason;
+    }
+
+    [Serializable]
+    public class ResolvePurchaseDisputeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The order's updated purchase status.
+        /// </summary>
+        public string PurchaseStatus;
+    }
+
+    [Serializable]
+    public class ResultTableNode : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Either an ItemId, or the TableId of another random result table
+        /// </summary>
+        public string ResultItem;
+        /// <summary>
+        /// Whether this entry in the table is an item or a link to another table
+        /// </summary>
+        public ResultTableNodeType ResultItemType;
+        /// <summary>
+        /// How likely this is to be rolled - larger numbers add more weight
+        /// </summary>
+        public int Weight;
+    }
+
+    public enum ResultTableNodeType
+    {
+        ItemId,
+        TableId
+    }
+
+    /// <summary>
+    /// Setting the active state of all non-expired bans for a user to Inactive. Expired bans with an Active state will be
+    /// ignored, however. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class RevokeAllBansForUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class RevokeAllBansForUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were revoked.
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// Setting the active state of all bans requested to Inactive regardless of whether that ban has already expired. BanIds
+    /// that do not exist will be skipped. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class RevokeBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Ids of the bans to be revoked. Maximum 100.
+        /// </summary>
+        public List<string> BanIds;
+    }
+
+    [Serializable]
+    public class RevokeBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were revoked
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    [Serializable]
+    public class RevokeInventoryItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// In cases where the inventory item in question is a "crate", and the items it contained have already been dispensed, this
+    /// will not revoke access or otherwise remove the items which were dispensed.
+    /// </summary>
+    [Serializable]
+    public class RevokeInventoryItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// In cases where the inventory item in question is a "crate", and the items it contained have already been dispensed, this
+    /// will not revoke access or otherwise remove the items which were dispensed.
+    /// </summary>
+    [Serializable]
+    public class RevokeInventoryItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of player items to revoke, between 1 and 25 items.
+        /// </summary>
+        public List<RevokeInventoryItem> Items;
+    }
+
+    [Serializable]
+    public class RevokeInventoryItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Collection of any errors that occurred during processing.
+        /// </summary>
+        public List<RevokeItemError> Errors;
+    }
+
+    [Serializable]
+    public class RevokeInventoryResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RevokeItemError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Specific error that was encountered.
+        /// </summary>
+        public GenericErrorCodes? Error;
+        /// <summary>
+        /// Item information that failed to be revoked.
+        /// </summary>
+        public RevokeInventoryItem Item;
+    }
+
+    /// <summary>
+    /// The returned task instance ID can be used to query for task execution status.
+    /// </summary>
+    [Serializable]
+    public class RunTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Provide either the task ID or the task name to run a task.
+        /// </summary>
+        public NameIdentifier Identifier;
+    }
+
+    [Serializable]
+    public class RunTaskResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// ID of the task instance that is started. This can be used in Get*TaskInstance (e.g. GetCloudScriptTaskInstance) API call
+        /// to retrieve status for the task instance.
+        /// </summary>
+        public string TaskInstanceId;
+    }
+
+    [Serializable]
+    public class ScheduledTask : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description the task
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Whether the schedule is active. Inactive schedule will not trigger task execution.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// UTC time of last run
+        /// </summary>
+        public DateTime? LastRunTime;
+        /// <summary>
+        /// Name of the task. This is a unique identifier for tasks in the title.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// UTC time of next run
+        /// </summary>
+        public DateTime? NextRunTime;
+        /// <summary>
+        /// Task parameter. Different types of task have different parameter structure. See each task type's create API
+        /// documentation for the details.
+        /// </summary>
+        public object Parameter;
+        /// <summary>
+        /// Cron expression for the run schedule of the task. The expression should be in UTC.
+        /// </summary>
+        public string Schedule;
+        /// <summary>
+        /// ID of the task
+        /// </summary>
+        public string TaskId;
+        /// <summary>
+        /// Task type.
+        /// </summary>
+        public ScheduledTaskType? Type;
+    }
+
+    public enum ScheduledTaskType
+    {
+        CloudScript,
+        ActionsOnPlayerSegment,
+        CloudScriptAzureFunctions,
+        InsightsScheduledScaling
+    }
+
+    [Serializable]
+    public class ScriptExecutionError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Error code, such as CloudScriptNotFound, JavascriptException, CloudScriptFunctionArgumentSizeExceeded,
+        /// CloudScriptAPIRequestCountExceeded, CloudScriptAPIRequestError, or CloudScriptHTTPRequestError
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Details about the error
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Point during the execution of the script at which the error occurred, if any
+        /// </summary>
+        public string StackTrace;
+    }
+
+    [Serializable]
+    public class SegmentAndDefinition : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Filter property for ad campaign filter.
+        /// </summary>
+        public AdCampaignSegmentFilter AdCampaignFilter;
+        /// <summary>
+        /// property for all player filter.
+        /// </summary>
+        public AllPlayersSegmentFilter AllPlayersFilter;
+        /// <summary>
+        /// Filter property for first login date.
+        /// </summary>
+        public FirstLoginDateSegmentFilter FirstLoginDateFilter;
+        /// <summary>
+        /// Filter property for first login timespan.
+        /// </summary>
+        public FirstLoginTimespanSegmentFilter FirstLoginFilter;
+        /// <summary>
+        /// Filter property for last login date.
+        /// </summary>
+        public LastLoginDateSegmentFilter LastLoginDateFilter;
+        /// <summary>
+        /// Filter property for last login timespan.
+        /// </summary>
+        public LastLoginTimespanSegmentFilter LastLoginFilter;
+        /// <summary>
+        /// Filter property for linked in user account.
+        /// </summary>
+        public LinkedUserAccountSegmentFilter LinkedUserAccountFilter;
+        /// <summary>
+        /// Filter property for linked in user account has email.
+        /// </summary>
+        public LinkedUserAccountHasEmailSegmentFilter LinkedUserAccountHasEmailFilter;
+        /// <summary>
+        /// Filter property for location.
+        /// </summary>
+        public LocationSegmentFilter LocationFilter;
+        /// <summary>
+        /// Filter property for push notification.
+        /// </summary>
+        public PushNotificationSegmentFilter PushNotificationFilter;
+        /// <summary>
+        /// Filter property for statistics.
+        /// </summary>
+        public StatisticSegmentFilter StatisticFilter;
+        /// <summary>
+        /// Filter property for tags.
+        /// </summary>
+        public TagSegmentFilter TagFilter;
+        /// <summary>
+        /// Filter property for total value to date in USD.
+        /// </summary>
+        public TotalValueToDateInUSDSegmentFilter TotalValueToDateInUSDFilter;
+        /// <summary>
+        /// Filter property for user origination.
+        /// </summary>
+        public UserOriginationSegmentFilter UserOriginationFilter;
+        /// <summary>
+        /// Filter property for value to date.
+        /// </summary>
+        public ValueToDateSegmentFilter ValueToDateFilter;
+        /// <summary>
+        /// Filter property for virtual currency.
+        /// </summary>
+        public VirtualCurrencyBalanceSegmentFilter VirtualCurrencyBalanceFilter;
+    }
+
+    public enum SegmentCountryCode
+    {
+        AF,
+        AX,
+        AL,
+        DZ,
+        AS,
+        AD,
+        AO,
+        AI,
+        AQ,
+        AG,
+        AR,
+        AM,
+        AW,
+        AU,
+        AT,
+        AZ,
+        BS,
+        BH,
+        BD,
+        BB,
+        BY,
+        BE,
+        BZ,
+        BJ,
+        BM,
+        BT,
+        BO,
+        BQ,
+        BA,
+        BW,
+        BV,
+        BR,
+        IO,
+        BN,
+        BG,
+        BF,
+        BI,
+        KH,
+        CM,
+        CA,
+        CV,
+        KY,
+        CF,
+        TD,
+        CL,
+        CN,
+        CX,
+        CC,
+        CO,
+        KM,
+        CG,
+        CD,
+        CK,
+        CR,
+        CI,
+        HR,
+        CU,
+        CW,
+        CY,
+        CZ,
+        DK,
+        DJ,
+        DM,
+        DO,
+        EC,
+        EG,
+        SV,
+        GQ,
+        ER,
+        EE,
+        ET,
+        FK,
+        FO,
+        FJ,
+        FI,
+        FR,
+        GF,
+        PF,
+        TF,
+        GA,
+        GM,
+        GE,
+        DE,
+        GH,
+        GI,
+        GR,
+        GL,
+        GD,
+        GP,
+        GU,
+        GT,
+        GG,
+        GN,
+        GW,
+        GY,
+        HT,
+        HM,
+        VA,
+        HN,
+        HK,
+        HU,
+        IS,
+        IN,
+        ID,
+        IR,
+        IQ,
+        IE,
+        IM,
+        IL,
+        IT,
+        JM,
+        JP,
+        JE,
+        JO,
+        KZ,
+        KE,
+        KI,
+        KP,
+        KR,
+        KW,
+        KG,
+        LA,
+        LV,
+        LB,
+        LS,
+        LR,
+        LY,
+        LI,
+        LT,
+        LU,
+        MO,
+        MK,
+        MG,
+        MW,
+        MY,
+        MV,
+        ML,
+        MT,
+        MH,
+        MQ,
+        MR,
+        MU,
+        YT,
+        MX,
+        FM,
+        MD,
+        MC,
+        MN,
+        ME,
+        MS,
+        MA,
+        MZ,
+        MM,
+        NA,
+        NR,
+        NP,
+        NL,
+        NC,
+        NZ,
+        NI,
+        NE,
+        NG,
+        NU,
+        NF,
+        MP,
+        NO,
+        OM,
+        PK,
+        PW,
+        PS,
+        PA,
+        PG,
+        PY,
+        PE,
+        PH,
+        PN,
+        PL,
+        PT,
+        PR,
+        QA,
+        RE,
+        RO,
+        RU,
+        RW,
+        BL,
+        SH,
+        KN,
+        LC,
+        MF,
+        PM,
+        VC,
+        WS,
+        SM,
+        ST,
+        SA,
+        SN,
+        RS,
+        SC,
+        SL,
+        SG,
+        SX,
+        SK,
+        SI,
+        SB,
+        SO,
+        ZA,
+        GS,
+        SS,
+        ES,
+        LK,
+        SD,
+        SR,
+        SJ,
+        SZ,
+        SE,
+        CH,
+        SY,
+        TW,
+        TJ,
+        TZ,
+        TH,
+        TL,
+        TG,
+        TK,
+        TO,
+        TT,
+        TN,
+        TR,
+        TM,
+        TC,
+        TV,
+        UG,
+        UA,
+        AE,
+        GB,
+        US,
+        UM,
+        UY,
+        UZ,
+        VU,
+        VE,
+        VN,
+        VG,
+        VI,
+        WF,
+        EH,
+        YE,
+        ZM,
+        ZW
+    }
+
+    public enum SegmentCurrency
+    {
+        AED,
+        AFN,
+        ALL,
+        AMD,
+        ANG,
+        AOA,
+        ARS,
+        AUD,
+        AWG,
+        AZN,
+        BAM,
+        BBD,
+        BDT,
+        BGN,
+        BHD,
+        BIF,
+        BMD,
+        BND,
+        BOB,
+        BRL,
+        BSD,
+        BTN,
+        BWP,
+        BYR,
+        BZD,
+        CAD,
+        CDF,
+        CHF,
+        CLP,
+        CNY,
+        COP,
+        CRC,
+        CUC,
+        CUP,
+        CVE,
+        CZK,
+        DJF,
+        DKK,
+        DOP,
+        DZD,
+        EGP,
+        ERN,
+        ETB,
+        EUR,
+        FJD,
+        FKP,
+        GBP,
+        GEL,
+        GGP,
+        GHS,
+        GIP,
+        GMD,
+        GNF,
+        GTQ,
+        GYD,
+        HKD,
+        HNL,
+        HRK,
+        HTG,
+        HUF,
+        IDR,
+        ILS,
+        IMP,
+        INR,
+        IQD,
+        IRR,
+        ISK,
+        JEP,
+        JMD,
+        JOD,
+        JPY,
+        KES,
+        KGS,
+        KHR,
+        KMF,
+        KPW,
+        KRW,
+        KWD,
+        KYD,
+        KZT,
+        LAK,
+        LBP,
+        LKR,
+        LRD,
+        LSL,
+        LYD,
+        MAD,
+        MDL,
+        MGA,
+        MKD,
+        MMK,
+        MNT,
+        MOP,
+        MRO,
+        MUR,
+        MVR,
+        MWK,
+        MXN,
+        MYR,
+        MZN,
+        NAD,
+        NGN,
+        NIO,
+        NOK,
+        NPR,
+        NZD,
+        OMR,
+        PAB,
+        PEN,
+        PGK,
+        PHP,
+        PKR,
+        PLN,
+        PYG,
+        QAR,
+        RON,
+        RSD,
+        RUB,
+        RWF,
+        SAR,
+        SBD,
+        SCR,
+        SDG,
+        SEK,
+        SGD,
+        SHP,
+        SLL,
+        SOS,
+        SPL,
+        SRD,
+        STD,
+        SVC,
+        SYP,
+        SZL,
+        THB,
+        TJS,
+        TMT,
+        TND,
+        TOP,
+        TRY,
+        TTD,
+        TVD,
+        TWD,
+        TZS,
+        UAH,
+        UGX,
+        USD,
+        UYU,
+        UZS,
+        VEF,
+        VND,
+        VUV,
+        WST,
+        XAF,
+        XCD,
+        XDR,
+        XOF,
+        XPF,
+        YER,
+        ZAR,
+        ZMW,
+        ZWD
+    }
+
+    public enum SegmentFilterComparison
+    {
+        GreaterThan,
+        LessThan,
+        EqualTo,
+        NotEqualTo,
+        GreaterThanOrEqual,
+        LessThanOrEqual,
+        Exists,
+        Contains,
+        NotContains
+    }
+
+    public enum SegmentLoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class SegmentModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Segment description.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Segment actions for current entered segment players.
+        /// </summary>
+        public List<SegmentTrigger> EnteredSegmentActions;
+        /// <summary>
+        /// Segment last updated date time.
+        /// </summary>
+        public DateTime LastUpdateTime;
+        /// <summary>
+        /// Segment actions for current left segment players.
+        /// </summary>
+        public List<SegmentTrigger> LeftSegmentActions;
+        /// <summary>
+        /// Segment name.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Segment id in hex.
+        /// </summary>
+        public string SegmentId;
+        /// <summary>
+        /// Segment or definitions. This includes segment and definitions and filters.
+        /// </summary>
+        public List<SegmentOrDefinition> SegmentOrDefinitions;
+    }
+
+    [Serializable]
+    public class SegmentOrDefinition : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of segment and definitions.
+        /// </summary>
+        public List<SegmentAndDefinition> SegmentAndDefinitions;
+    }
+
+    public enum SegmentPushNotificationDevicePlatform
+    {
+        ApplePushNotificationService,
+        GoogleCloudMessaging
+    }
+
+    [Serializable]
+    public class SegmentTrigger : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Ban player segment trigger action.
+        /// </summary>
+        public BanPlayerSegmentAction BanPlayerAction;
+        /// <summary>
+        /// Delete player segment trigger action.
+        /// </summary>
+        public DeletePlayerSegmentAction DeletePlayerAction;
+        /// <summary>
+        /// Delete player statistic segment trigger action.
+        /// </summary>
+        public DeletePlayerStatisticSegmentAction DeletePlayerStatisticAction;
+        /// <summary>
+        /// Email notification segment trigger action.
+        /// </summary>
+        public EmailNotificationSegmentAction EmailNotificationAction;
+        /// <summary>
+        /// Execute azure function segment trigger action.
+        /// </summary>
+        public ExecuteAzureFunctionSegmentAction ExecuteAzureFunctionAction;
+        /// <summary>
+        /// Execute cloud script segment trigger action.
+        /// </summary>
+        public ExecuteCloudScriptSegmentAction ExecuteCloudScriptAction;
+        /// <summary>
+        /// Grant item segment trigger action.
+        /// </summary>
+        public GrantItemSegmentAction GrantItemAction;
+        /// <summary>
+        /// Grant virtual currency segment trigger action.
+        /// </summary>
+        public GrantVirtualCurrencySegmentAction GrantVirtualCurrencyAction;
+        /// <summary>
+        /// Increment player statistic segment trigger action.
+        /// </summary>
+        public IncrementPlayerStatisticSegmentAction IncrementPlayerStatisticAction;
+        /// <summary>
+        /// Push notification segment trigger action.
+        /// </summary>
+        public PushNotificationSegmentAction PushNotificationAction;
+    }
+
+    /// <summary>
+    /// If the account in question is a "temporary" account (for example, one that was created via a call to
+    /// LoginFromIOSDeviceID), thisfunction will have no effect. Only PlayFab accounts which have valid email addresses will be
+    /// able to receive a password reset email using this API.
+    /// </summary>
+    [Serializable]
+    public class SendAccountRecoveryEmailRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// The email template id of the account recovery email template to send.
+        /// </summary>
+        public string EmailTemplateId;
+    }
+
+    [Serializable]
+    public class SendAccountRecoveryEmailResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// APIs that require signatures require that the player have a configured Player Secret Key that is used to sign all
+    /// requests. Players that don't have a secret will be blocked from making API calls until it is configured. To create a
+    /// signature header add a SHA256 hashed string containing UTF8 encoded JSON body as it will be sent to the server, the
+    /// current time in UTC formatted to ISO 8601, and the players secret formatted as 'body.date.secret'. Place the resulting
+    /// hash into the header X-PlayFab-Signature, along with a header X-PlayFab-Timestamp of the same UTC timestamp used in the
+    /// signature.
+    /// </summary>
+    [Serializable]
+    public class SetPlayerSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class SetPlayerSecretResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class SetPublishedRevisionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Revision to make the current published revision
+        /// </summary>
+        public int Revision;
+        /// <summary>
+        /// Version number
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class SetPublishedRevisionResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This API is designed to store publisher-specific values which can be read, but not written to, by the client. This data
+    /// is shared across all titles assigned to a particular publisher, and can be used for cross-game coordination. Only titles
+    /// assigned to a publisher can use this API. This operation is additive. If a Key does not exist in the current dataset, it
+    /// will be added with the specified Value. If it already exists, the Value for that key will be overwritten with the new
+    /// Value. For more information email helloplayfab@microsoft.com
+    /// </summary>
+    [Serializable]
+    public class SetPublisherDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// key we want to set a value on (note, this is additive - will only replace an existing key's value if they are the same
+        /// name.) Keys are trimmed of whitespace. Keys may not begin with the '!' character.
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// new value to set. Set to null to remove a value
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class SetPublisherDataResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Will set the given key values in the specified override or the primary title data based on whether the label is provided
+    /// or not.
+    /// </summary>
+    [Serializable]
+    public class SetTitleDataAndOverridesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of titleData key-value pairs to set/delete. Use an empty value to delete an existing key; use a non-empty value to
+        /// create/update a key.
+        /// </summary>
+        public List<TitleDataKeyValue> KeyValues;
+        /// <summary>
+        /// Name of the override.
+        /// </summary>
+        public string OverrideLabel;
+    }
+
+    [Serializable]
+    public class SetTitleDataAndOverridesResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This API method is designed to store title specific values which can be read by the client. For example, a developer
+    /// could choose to store values which modify the user experience, such as enemy spawn rates, weapon strengths, movement
+    /// speeds, etc. This allows a developer to update the title without the need to create, test, and ship a new build. This
+    /// operation is additive. If a Key does not exist in the current dataset, it will be added with the specified Value. If it
+    /// already exists, the Value for that key will be overwritten with the new Value.
+    /// </summary>
+    [Serializable]
+    public class SetTitleDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// key we want to set a value on (note, this is additive - will only replace an existing key's value if they are the same
+        /// name.) Keys are trimmed of whitespace. Keys may not begin with the '!' character.
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// new value to set. Set to null to remove a value
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class SetTitleDataResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// When using the Apple Push Notification service (APNS) or the development version (APNS_SANDBOX), the APNS Private Key
+    /// should be used as the Credential in this call. With Google Cloud Messaging (GCM), the Android API Key should be used.
+    /// The current ARN (if one exists) can be overwritten by setting the OverwriteOldARN boolean to true.
+    /// </summary>
+    [Serializable]
+    public class SetupPushNotificationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Credential is the Private Key for APNS/APNS_SANDBOX, and the API Key for GCM
+        /// </summary>
+        public string Credential;
+        /// <summary>
+        /// for APNS, this is the PlatformPrincipal (SSL Certificate)
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// This field is deprecated and any usage of this will cause the API to fail.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// replace any existing ARN with the newly generated one. If this is set to false, an error will be returned if
+        /// notifications have already setup for this platform.
+        /// </summary>
+        public bool OverwriteOldARN;
+        /// <summary>
+        /// supported notification platforms are Apple Push Notification Service (APNS and APNS_SANDBOX) for iOS and Google Cloud
+        /// Messaging (GCM) for Android
+        /// </summary>
+        public PushSetupPlatform Platform;
+    }
+
+    [Serializable]
+    public class SetupPushNotificationResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Amazon Resource Name for the created notification topic.
+        /// </summary>
+        public string ARN;
+    }
+
+    [Serializable]
+    public class SharedSecret : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Flag to indicate if this key is disabled
+        /// </summary>
+        public bool Disabled;
+        /// <summary>
+        /// Friendly name for this key
+        /// </summary>
+        public string FriendlyName;
+        /// <summary>
+        /// The player shared secret to use when calling Client/GetTitlePublicKey
+        /// </summary>
+        public string SecretKey;
+    }
+
+    public enum SourceType
+    {
+        Admin,
+        BackEnd,
+        GameClient,
+        GameServer,
+        Partner,
+        Custom,
+        API
+    }
+
+    public enum StatisticAggregationMethod
+    {
+        Last,
+        Min,
+        Max,
+        Sum
+    }
+
+    [Serializable]
+    public class StatisticModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Statistic value
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int Version;
+    }
+
+    public enum StatisticResetIntervalOption
+    {
+        Never,
+        Hour,
+        Day,
+        Week,
+        Month
+    }
+
+    [Serializable]
+    public class StatisticSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic filter comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Statistic filter value.
+        /// </summary>
+        public string FilterValue;
+        /// <summary>
+        /// Statistic name.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Use current version of statistic?
+        /// </summary>
+        public bool? UseCurrentVersion;
+        /// <summary>
+        /// Statistic version.
+        /// </summary>
+        public int? Version;
+    }
+
+    public enum StatisticVersionArchivalStatus
+    {
+        NotScheduled,
+        Scheduled,
+        Queued,
+        InProgress,
+        Complete
+    }
+
+    public enum StatisticVersionStatus
+    {
+        Active,
+        SnapshotPending,
+        Snapshot,
+        ArchivalPending,
+        Archived
+    }
+
+    /// <summary>
+    /// A store entry that list a catalog item at a particular price
+    /// </summary>
+    [Serializable]
+    public class StoreItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Store specific custom data. The data only exists as part of this store; it is not transferred to item instances
+        /// </summary>
+        public object CustomData;
+        /// <summary>
+        /// Intended display position for this item. Note that 0 is the first position
+        /// </summary>
+        public uint? DisplayPosition;
+        /// <summary>
+        /// Unique identifier of the item as it exists in the catalog - note that this must exactly match the ItemId from the
+        /// catalog
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// Override prices for this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    /// <summary>
+    /// Marketing data about a specific store
+    /// </summary>
+    [Serializable]
+    public class StoreMarketingModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Tagline for a store.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Display name of a store as it will appear to users.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Custom data about a store.
+        /// </summary>
+        public object Metadata;
+    }
+
+    [Serializable]
+    public class SubscriptionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When this subscription expires.
+        /// </summary>
+        public DateTime Expiration;
+        /// <summary>
+        /// The time the subscription was orignially purchased
+        /// </summary>
+        public DateTime InitialSubscriptionTime;
+        /// <summary>
+        /// Whether this subscription is currently active. That is, if Expiration > now.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The status of this subscription, according to the subscription provider.
+        /// </summary>
+        public SubscriptionProviderStatus? Status;
+        /// <summary>
+        /// The id for this subscription
+        /// </summary>
+        public string SubscriptionId;
+        /// <summary>
+        /// The item id for this subscription from the primary catalog
+        /// </summary>
+        public string SubscriptionItemId;
+        /// <summary>
+        /// The provider for this subscription. Apple or Google Play are supported today.
+        /// </summary>
+        public string SubscriptionProvider;
+    }
+
+    public enum SubscriptionProviderStatus
+    {
+        NoError,
+        Cancelled,
+        UnknownError,
+        BillingError,
+        ProductUnavailable,
+        CustomerDidNotAcceptPriceChange,
+        FreeTrial,
+        PaymentPending
+    }
+
+    [Serializable]
+    public class SubtractUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be subtracted from the user balance of the specified virtual currency.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose virtual currency balance is to be decreased.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be decremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class TagModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Full value of the tag, including namespace
+        /// </summary>
+        public string TagValue;
+    }
+
+    [Serializable]
+    public class TagSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Tag comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Tag value.
+        /// </summary>
+        public string TagValue;
+    }
+
+    [Serializable]
+    public class TaskInstanceBasicSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC timestamp when the task completed.
+        /// </summary>
+        public DateTime? CompletedAt;
+        /// <summary>
+        /// Error message for last processing attempt, if an error occured.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// Estimated time remaining in seconds.
+        /// </summary>
+        public double? EstimatedSecondsRemaining;
+        /// <summary>
+        /// Progress represented as percentage.
+        /// </summary>
+        public double? PercentComplete;
+        /// <summary>
+        /// If manually scheduled, ID of user who scheduled the task.
+        /// </summary>
+        public string ScheduledByUserId;
+        /// <summary>
+        /// UTC timestamp when the task started.
+        /// </summary>
+        public DateTime StartedAt;
+        /// <summary>
+        /// Current status of the task instance.
+        /// </summary>
+        public TaskInstanceStatus? Status;
+        /// <summary>
+        /// Identifier of the task this instance belongs to.
+        /// </summary>
+        public NameIdentifier TaskIdentifier;
+        /// <summary>
+        /// ID of the task instance.
+        /// </summary>
+        public string TaskInstanceId;
+        /// <summary>
+        /// Type of the task.
+        /// </summary>
+        public ScheduledTaskType? Type;
+    }
+
+    public enum TaskInstanceStatus
+    {
+        Succeeded,
+        Starting,
+        InProgress,
+        Failed,
+        Aborted,
+        Stalled
+    }
+
+    public enum TitleActivationStatus
+    {
+        None,
+        ActivatedTitleKey,
+        PendingSteam,
+        ActivatedSteam,
+        RevokedSteam
+    }
+
+    [Serializable]
+    public class TitleDataKeyValue : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Key we want to set a value on (note, this is additive - will only replace an existing key's value if they are the same
+        /// name.) Keys are trimmed of whitespace. Keys may not begin with the '!' character.
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// New value to set. Set to null to remove a value
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class TotalValueToDateInUSDSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Total value to date USD amount.
+        /// </summary>
+        public string Amount;
+        /// <summary>
+        /// Total value to date USD comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+    }
+
+    /// <summary>
+    /// Represents a single update ban request.
+    /// </summary>
+    [Serializable]
+    public class UpdateBanRequest : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The updated active state for the ban. Null for no change.
+        /// </summary>
+        public bool? Active;
+        /// <summary>
+        /// The id of the ban to be updated.
+        /// </summary>
+        public string BanId;
+        /// <summary>
+        /// The updated expiration date for the ban. Null for no change.
+        /// </summary>
+        public DateTime? Expires;
+        /// <summary>
+        /// The updated IP address for the ban. Null for no change.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// The updated MAC address for the ban. Null for no change.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Whether to make this ban permanent. Set to true to make this ban permanent. This will not modify Active state.
+        /// </summary>
+        public bool? Permanent;
+        /// <summary>
+        /// The updated reason for the ban to be updated. Maximum 140 characters. Null for no change.
+        /// </summary>
+        public string Reason;
+    }
+
+    /// <summary>
+    /// For each ban, only updates the values that are set. Leave any value to null for no change. If a ban could not be found,
+    /// the rest are still applied. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class UpdateBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of bans to be updated. Maximum 100.
+        /// </summary>
+        public List<UpdateBanRequest> Bans;
+    }
+
+    [Serializable]
+    public class UpdateBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were updated
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// This operation is not additive. Using it will cause the indicated catalog version to be created from scratch. If there
+    /// is an existing catalog with the version number in question, it will be deleted and replaced with only the items
+    /// specified in this call.
+    /// </summary>
+    [Serializable]
+    public class UpdateCatalogItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of catalog items to be submitted. Note that while CatalogItem has a parameter for CatalogVersion, it is not
+        /// required and ignored in this call.
+        /// </summary>
+        public List<CatalogItem> Catalog;
+        /// <summary>
+        /// Which catalog is being updated. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Should this catalog be set as the default catalog. Defaults to true. If there is currently no default catalog, this will
+        /// always set it.
+        /// </summary>
+        public bool? SetAsDefaultCatalog;
+    }
+
+    [Serializable]
+    public class UpdateCatalogItemsResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UpdateCloudScriptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab user ID of the developer initiating the request.
+        /// </summary>
+        public string DeveloperPlayFabId;
+        /// <summary>
+        /// List of Cloud Script files to upload to create the new revision. Must have at least one file.
+        /// </summary>
+        public List<CloudScriptFile> Files;
+        /// <summary>
+        /// Immediately publish the new revision
+        /// </summary>
+        public bool Publish;
+    }
+
+    [Serializable]
+    public class UpdateCloudScriptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// New revision number created
+        /// </summary>
+        public int Revision;
+        /// <summary>
+        /// Cloud Script version updated
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class UpdateOpenIdConnectionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The client ID given by the ID provider.
+        /// </summary>
+        public string ClientId;
+        /// <summary>
+        /// The client secret given by the ID provider.
+        /// </summary>
+        public string ClientSecret;
+        /// <summary>
+        /// A name for the connection that identifies it within the title.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// The issuer URL or discovery document URL to read issuer information from
+        /// </summary>
+        public string IssuerDiscoveryUrl;
+        /// <summary>
+        /// Manually specified information for an OpenID Connect issuer.
+        /// </summary>
+        public OpenIdIssuerInformation IssuerInformation;
+    }
+
+    /// <summary>
+    /// Player Shared Secret Keys are used for the call to Client/GetTitlePublicKey, which exchanges the shared secret for an
+    /// RSA CSP blob to be used to encrypt the payload of account creation requests when that API requires a signature header.
+    /// </summary>
+    [Serializable]
+    public class UpdatePlayerSharedSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Disable or Enable this key
+        /// </summary>
+        public bool Disabled;
+        /// <summary>
+        /// Friendly name for this key
+        /// </summary>
+        public string FriendlyName;
+        /// <summary>
+        /// The shared secret key to update
+        /// </summary>
+        public string SecretKey;
+    }
+
+    [Serializable]
+    public class UpdatePlayerSharedSecretResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Statistics are numeric values, with each statistic in the title also generating a leaderboard. The ResetInterval enables
+    /// automatically resetting leaderboards on a specified interval. Upon reset, the statistic updates to a new version with no
+    /// values (effectively removing all players from the leaderboard). The previous version's statistic values are also
+    /// archived for retrieval, if needed (see GetPlayerStatisticVersions). Statistics not created via a call to
+    /// CreatePlayerStatisticDefinition by default have a VersionChangeInterval of Never, meaning they do not reset on a
+    /// schedule, but they can be set to do so via a call to UpdatePlayerStatisticDefinition. Once a statistic has been reset
+    /// (sometimes referred to as versioned or incremented), the now-previous version can still be written to for up a short,
+    /// pre-defined period (currently 10 seconds), to prevent issues with levels completing around the time of the reset. Also,
+    /// once reset, the historical statistics for players in the title may be retrieved using the URL specified in the version
+    /// information (GetPlayerStatisticVersions). The AggregationMethod determines what action is taken when a new statistic
+    /// value is submitted - always update with the new value (Last), use the highest of the old and new values (Max), use the
+    /// smallest (Min), or add them together (Sum).
+    /// </summary>
+    [Serializable]
+    public class UpdatePlayerStatisticDefinitionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// the aggregation method to use in updating the statistic (defaults to last)
+        /// </summary>
+        public StatisticAggregationMethod? AggregationMethod;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// interval at which the values of the statistic for all players are reset (changes are effective at the next occurance of
+        /// the new interval boundary)
+        /// </summary>
+        public StatisticResetIntervalOption? VersionChangeInterval;
+    }
+
+    [Serializable]
+    public class UpdatePlayerStatisticDefinitionResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// updated statistic definition
+        /// </summary>
+        public PlayerStatisticDefinition Statistic;
+    }
+
+    /// <summary>
+    /// Updates permissions for your title. Policies affect what is allowed to happen on your title. Your policy is a collection
+    /// of statements that, together, govern particular area for your title. Today, the only allowed policy is called
+    /// 'ApiPolicy' and it governs what API calls are allowed. To verify that you have the latest version always download the
+    /// current policy from GetPolicy before uploading a new policy. PlayFab updates the base policy periodically and will
+    /// automatically apply it to the uploaded policy. Overwriting the combined policy blindly may result in unexpected API
+    /// errors.
+    /// </summary>
+    [Serializable]
+    public class UpdatePolicyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Whether to overwrite or append to the existing policy.
+        /// </summary>
+        public bool OverwritePolicy;
+        /// <summary>
+        /// The name of the policy being updated. Only supported name is 'ApiPolicy'
+        /// </summary>
+        public string PolicyName;
+        /// <summary>
+        /// Version of the policy to update. Must be the latest (as returned by GetPolicy).
+        /// </summary>
+        public int PolicyVersion;
+        /// <summary>
+        /// The new statements to include in the policy.
+        /// </summary>
+        public List<PermissionStatement> Statements;
+    }
+
+    [Serializable]
+    public class UpdatePolicyResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The name of the policy that was updated.
+        /// </summary>
+        public string PolicyName;
+        /// <summary>
+        /// The statements included in the new version of the policy.
+        /// </summary>
+        public List<PermissionStatement> Statements;
+    }
+
+    /// <summary>
+    /// This operation is additive. Tables with TableId values not currently defined will be added, while those with TableId
+    /// values matching Tables currently in the catalog will be overwritten with the given values.
+    /// </summary>
+    [Serializable]
+    public class UpdateRandomResultTablesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// which catalog is being updated. If null, update the current default catalog version
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// array of random result tables to make available (Note: specifying an existing TableId will result in overwriting that
+        /// table, while any others will be added to the available set)
+        /// </summary>
+        public List<RandomResultTable> Tables;
+    }
+
+    [Serializable]
+    public class UpdateRandomResultTablesResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Update segment properties data which are planning to update
+    /// </summary>
+    [Serializable]
+    public class UpdateSegmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Segment model with all of the segment properties data.
+        /// </summary>
+        public SegmentModel SegmentModel;
+    }
+
+    [Serializable]
+    public class UpdateSegmentResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error message.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// Segment id.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    /// <summary>
+    /// This operation is not additive. Using it will cause the indicated virtual store to be created from scratch. If there is
+    /// an existing store with the same storeId, it will be deleted and replaced with only the items specified in this call. A
+    /// store contains an array of references to items defined inthe catalog, along with the prices for the item, in both real
+    /// world and virtual currencies. These prices act as an override to any prices defined in the catalog. In this way, the
+    /// base definitions of the items may be defined in the catalog, with all associated properties, while the pricing can be
+    /// set for each store, as needed. This allows for subsets of goods to be defined for different purposes (in order to
+    /// simplify showing some, but not all catalog items to users, based upon different characteristics), along with unique
+    /// prices. Note that all prices defined in the catalog and store definitions for the item are considered valid, and that a
+    /// compromised client can be made to send a request for an item based upon any of these definitions. If no price is
+    /// specified in the store for an item, the price set in the catalog should be displayed to the user.
+    /// </summary>
+    [Serializable]
+    public class UpdateStoreItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the store to update. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Additional data about the store
+        /// </summary>
+        public StoreMarketingModel MarketingData;
+        /// <summary>
+        /// Array of store items - references to catalog items, with specific pricing - to be added
+        /// </summary>
+        public List<StoreItem> Store;
+        /// <summary>
+        /// Unique identifier for the store which is to be updated
+        /// </summary>
+        public string StoreId;
+    }
+
+    [Serializable]
+    public class UpdateStoreItemsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Note that when calling this API, all properties of the task have to be provided, including properties that you do not
+    /// want to change. Parameters not specified would be set to default value. If the task name in the update request is new, a
+    /// task rename operation will be executed before updating other fields of the task. WARNING: Renaming of a task may break
+    /// logics where the task name is used as an identifier.
+    /// </summary>
+    [Serializable]
+    public class UpdateTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description the task
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Specify either the task ID or the name of the task to be updated.
+        /// </summary>
+        public NameIdentifier Identifier;
+        /// <summary>
+        /// Whether the schedule is active. Inactive schedule will not trigger task execution.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// Name of the task. This is a unique identifier for tasks in the title.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Parameter object specific to the task type. See each task type's create API documentation for details.
+        /// </summary>
+        public object Parameter;
+        /// <summary>
+        /// Cron expression for the run schedule of the task. The expression should be in UTC.
+        /// </summary>
+        public string Schedule;
+        /// <summary>
+        /// Task type.
+        /// </summary>
+        public ScheduledTaskType Type;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the user. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, while keys
+    /// with null values will be removed. No other key-value pairs will be changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys written in this request. Defaults to "private" if not set.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UpdateUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the user. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, keys with
+    /// null values will be removed. No other key-value pairs will be changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserInternalDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// In addition to the PlayFab username, titles can make use of a DisplayName which is also a unique identifier, but
+    /// specific to the title. This allows for unique names which more closely match the theme or genre of a title, for example.
+    /// This API enables changing that name, whether due to a customer request, an offensive name choice, etc.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserTitleDisplayNameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// New title display name for the user - must be between 3 and 25 characters
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose title specific display name is to be changed
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UpdateUserTitleDisplayNameResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// current title display name for the user (this will be the original display name if the rename attempt failed)
+        /// </summary>
+        public string DisplayName;
+    }
+
+    [Serializable]
+    public class UserAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// User Android device information, if an Android device has been linked
+        /// </summary>
+        public UserAndroidDeviceInfo AndroidDeviceInfo;
+        /// <summary>
+        /// Sign in with Apple account information, if an Apple account has been linked
+        /// </summary>
+        public UserAppleIdInfo AppleAccountInfo;
+        /// <summary>
+        /// Timestamp indicating when the user account was created
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// Custom ID information, if a custom ID has been assigned
+        /// </summary>
+        public UserCustomIdInfo CustomIdInfo;
+        /// <summary>
+        /// User Facebook information, if a Facebook account has been linked
+        /// </summary>
+        public UserFacebookInfo FacebookInfo;
+        /// <summary>
+        /// Facebook Instant Games account information, if a Facebook Instant Games account has been linked
+        /// </summary>
+        public UserFacebookInstantGamesIdInfo FacebookInstantGamesIdInfo;
+        /// <summary>
+        /// User Gamecenter information, if a Gamecenter account has been linked
+        /// </summary>
+        public UserGameCenterInfo GameCenterInfo;
+        /// <summary>
+        /// User Google account information, if a Google account has been linked
+        /// </summary>
+        public UserGoogleInfo GoogleInfo;
+        /// <summary>
+        /// User iOS device information, if an iOS device has been linked
+        /// </summary>
+        public UserIosDeviceInfo IosDeviceInfo;
+        /// <summary>
+        /// User Kongregate account information, if a Kongregate account has been linked
+        /// </summary>
+        public UserKongregateInfo KongregateInfo;
+        /// <summary>
+        /// Nintendo Switch account information, if a Nintendo Switch account has been linked
+        /// </summary>
+        public UserNintendoSwitchAccountIdInfo NintendoSwitchAccountInfo;
+        /// <summary>
+        /// Nintendo Switch device information, if a Nintendo Switch device has been linked
+        /// </summary>
+        public UserNintendoSwitchDeviceIdInfo NintendoSwitchDeviceIdInfo;
+        /// <summary>
+        /// OpenID Connect information, if any OpenID Connect accounts have been linked
+        /// </summary>
+        public List<UserOpenIdInfo> OpenIdInfo;
+        /// <summary>
+        /// Unique identifier for the user account
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Personal information for the user which is considered more sensitive
+        /// </summary>
+        public UserPrivateAccountInfo PrivateInfo;
+        /// <summary>
+        /// User PSN account information, if a PSN account has been linked
+        /// </summary>
+        public UserPsnInfo PsnInfo;
+        /// <summary>
+        /// User Steam information, if a Steam account has been linked
+        /// </summary>
+        public UserSteamInfo SteamInfo;
+        /// <summary>
+        /// Title-specific information for the user account
+        /// </summary>
+        public UserTitleInfo TitleInfo;
+        /// <summary>
+        /// User Twitch account information, if a Twitch account has been linked
+        /// </summary>
+        public UserTwitchInfo TwitchInfo;
+        /// <summary>
+        /// User account name in the PlayFab service
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// User XBox account information, if a XBox account has been linked
+        /// </summary>
+        public UserXboxInfo XboxInfo;
+    }
+
+    [Serializable]
+    public class UserAndroidDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Android device ID
+        /// </summary>
+        public string AndroidDeviceId;
+    }
+
+    [Serializable]
+    public class UserAppleIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Apple subject ID
+        /// </summary>
+        public string AppleSubjectId;
+    }
+
+    [Serializable]
+    public class UserCustomIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Custom ID
+        /// </summary>
+        public string CustomId;
+    }
+
+    /// <summary>
+    /// Indicates whether a given data key is private (readable only by the player) or public (readable by all players). When a
+    /// player makes a GetUserData request about another player, only keys marked Public will be returned.
+    /// </summary>
+    public enum UserDataPermission
+    {
+        Private,
+        Public
+    }
+
+    [Serializable]
+    public class UserDataRecord : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Timestamp for when this data was last updated.
+        /// </summary>
+        public DateTime LastUpdated;
+        /// <summary>
+        /// Indicates whether this data can be read by all users (public) or only the user (private). This is used for GetUserData
+        /// requests being made by one player about another player.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Data stored for the specified user data key.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class UserFacebookInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook identifier
+        /// </summary>
+        public string FacebookId;
+        /// <summary>
+        /// Facebook full name
+        /// </summary>
+        public string FullName;
+    }
+
+    [Serializable]
+    public class UserFacebookInstantGamesIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook Instant Games ID
+        /// </summary>
+        public string FacebookInstantGamesId;
+    }
+
+    [Serializable]
+    public class UserGameCenterInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Gamecenter identifier
+        /// </summary>
+        public string GameCenterId;
+    }
+
+    [Serializable]
+    public class UserGoogleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Email address of the Google account
+        /// </summary>
+        public string GoogleEmail;
+        /// <summary>
+        /// Gender information of the Google account
+        /// </summary>
+        public string GoogleGender;
+        /// <summary>
+        /// Google ID
+        /// </summary>
+        public string GoogleId;
+        /// <summary>
+        /// Locale of the Google account
+        /// </summary>
+        public string GoogleLocale;
+        /// <summary>
+        /// Name of the Google account user
+        /// </summary>
+        public string GoogleName;
+    }
+
+    [Serializable]
+    public class UserIosDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// iOS device ID
+        /// </summary>
+        public string IosDeviceId;
+    }
+
+    [Serializable]
+    public class UserKongregateInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Kongregate ID
+        /// </summary>
+        public string KongregateId;
+        /// <summary>
+        /// Kongregate Username
+        /// </summary>
+        public string KongregateName;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchAccountIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch account subject ID
+        /// </summary>
+        public string NintendoSwitchAccountSubjectId;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchDeviceIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch Device ID
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+    }
+
+    [Serializable]
+    public class UserOpenIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// OpenID Connection ID
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// OpenID Issuer
+        /// </summary>
+        public string Issuer;
+        /// <summary>
+        /// OpenID Subject
+        /// </summary>
+        public string Subject;
+    }
+
+    public enum UserOrigination
+    {
+        Organic,
+        Steam,
+        Google,
+        Amazon,
+        Facebook,
+        Kongregate,
+        GamersFirst,
+        Unknown,
+        IOS,
+        LoadTest,
+        Android,
+        PSN,
+        GameCenter,
+        CustomId,
+        XboxLive,
+        Parse,
+        Twitch,
+        ServerCustomId,
+        NintendoSwitchDeviceId,
+        FacebookInstantGamesId,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class UserOriginationSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// User login provider.
+        /// </summary>
+        public SegmentLoginIdentityProvider? LoginProvider;
+    }
+
+    [Serializable]
+    public class UserPrivateAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// user email address
+        /// </summary>
+        public string Email;
+    }
+
+    [Serializable]
+    public class UserPsnInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// PSN account ID
+        /// </summary>
+        public string PsnAccountId;
+        /// <summary>
+        /// PSN online ID
+        /// </summary>
+        public string PsnOnlineId;
+    }
+
+    [Serializable]
+    public class UserSteamInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// what stage of game ownership the user is listed as being in, from Steam
+        /// </summary>
+        public TitleActivationStatus? SteamActivationStatus;
+        /// <summary>
+        /// the country in which the player resides, from Steam data
+        /// </summary>
+        public string SteamCountry;
+        /// <summary>
+        /// currency type set in the user Steam account
+        /// </summary>
+        public Currency? SteamCurrency;
+        /// <summary>
+        /// Steam identifier
+        /// </summary>
+        public string SteamId;
+        /// <summary>
+        /// Steam display name
+        /// </summary>
+        public string SteamName;
+    }
+
+    [Serializable]
+    public class UserTitleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// URL to the player's avatar.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// timestamp indicating when the user was first associated with this game (this can differ significantly from when the user
+        /// first registered with PlayFab)
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// name of the user, as it is displayed in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// timestamp indicating when the user first signed into this game (this can differ from the Created timestamp, as other
+        /// events, such as issuing a beta key to the user, can associate the title to the user)
+        /// </summary>
+        public DateTime? FirstLogin;
+        /// <summary>
+        /// boolean indicating whether or not the user is currently banned for a title
+        /// </summary>
+        public bool? isBanned;
+        /// <summary>
+        /// timestamp for the last user login for this title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// source by which the user first joined the game, if known
+        /// </summary>
+        public UserOrigination? Origination;
+        /// <summary>
+        /// Title player account entity for this user
+        /// </summary>
+        public EntityKey TitlePlayerAccount;
+    }
+
+    [Serializable]
+    public class UserTwitchInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Twitch ID
+        /// </summary>
+        public string TwitchId;
+        /// <summary>
+        /// Twitch Username
+        /// </summary>
+        public string TwitchUserName;
+    }
+
+    [Serializable]
+    public class UserXboxInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// XBox user ID
+        /// </summary>
+        public string XboxUserId;
+    }
+
+    [Serializable]
+    public class ValueToDateModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ISO 4217 code of the currency used in the purchases
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// Total value of the purchases in a whole number of 1/100 monetary units. For example, 999 indicates nine dollars and
+        /// ninety-nine cents when Currency is 'USD')
+        /// </summary>
+        public uint TotalValue;
+        /// <summary>
+        /// Total value of the purchases in a string representation of decimal monetary units. For example, '9.99' indicates nine
+        /// dollars and ninety-nine cents when Currency is 'USD'.
+        /// </summary>
+        public string TotalValueAsDecimal;
+    }
+
+    [Serializable]
+    public class ValueToDateSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Value to date amount.
+        /// </summary>
+        public string Amount;
+        /// <summary>
+        /// Value to date comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Currency using for filter.
+        /// </summary>
+        public SegmentCurrency? Currency;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyBalanceSegmentFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Total amount.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// Amount comparison.
+        /// </summary>
+        public SegmentFilterComparison? Comparison;
+        /// <summary>
+        /// Currency code.
+        /// </summary>
+        public string CurrencyCode;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyData : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique two-character identifier for this currency type (e.g.: "CC")
+        /// </summary>
+        public string CurrencyCode;
+        /// <summary>
+        /// friendly name to show in the developer portal, reports, etc.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// amount to automatically grant users upon first login to the title
+        /// </summary>
+        public int? InitialDeposit;
+        /// <summary>
+        /// maximum amount to which the currency will recharge (cannot exceed MaxAmount, but can be less)
+        /// </summary>
+        public int? RechargeMax;
+        /// <summary>
+        /// rate at which the currency automatically be added to over time, in units per day (24 hours)
+        /// </summary>
+        public int? RechargeRate;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyRechargeTime : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Maximum value to which the regenerating currency will automatically increment. Note that it can exceed this value
+        /// through use of the AddUserVirtualCurrency API call. However, it will not regenerate automatically until it has fallen
+        /// below this value.
+        /// </summary>
+        public int RechargeMax;
+        /// <summary>
+        /// Server timestamp in UTC indicating the next time the virtual currency will be incremented.
+        /// </summary>
+        public DateTime RechargeTime;
+        /// <summary>
+        /// Time remaining (in seconds) before the next recharge increment of the virtual currency.
+        /// </summary>
+        public int SecondsToRecharge;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs.meta b/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..985944598dda2e64dd9c1909b99295e80dacc2e5
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabAdminModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 5d7a769446de4b7459591c36c05197ed
+timeCreated: 1468524875
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Admin/PlayFabEvents.cs b/Assets/PlayFabSDK/Admin/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0514a359857368e7ccf61c67204bd3ab9beaa5ca
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabEvents.cs
@@ -0,0 +1,244 @@
+#if ENABLE_PLAYFABADMIN_API
+using PlayFab.AdminModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<AbortTaskInstanceRequest> OnAdminAbortTaskInstanceRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminAbortTaskInstanceResultEvent;
+        public event PlayFabRequestEvent<AddLocalizedNewsRequest> OnAdminAddLocalizedNewsRequestEvent;
+        public event PlayFabResultEvent<AddLocalizedNewsResult> OnAdminAddLocalizedNewsResultEvent;
+        public event PlayFabRequestEvent<AddNewsRequest> OnAdminAddNewsRequestEvent;
+        public event PlayFabResultEvent<AddNewsResult> OnAdminAddNewsResultEvent;
+        public event PlayFabRequestEvent<AddPlayerTagRequest> OnAdminAddPlayerTagRequestEvent;
+        public event PlayFabResultEvent<AddPlayerTagResult> OnAdminAddPlayerTagResultEvent;
+        public event PlayFabRequestEvent<AddServerBuildRequest> OnAdminAddServerBuildRequestEvent;
+        public event PlayFabResultEvent<AddServerBuildResult> OnAdminAddServerBuildResultEvent;
+        public event PlayFabRequestEvent<AddUserVirtualCurrencyRequest> OnAdminAddUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnAdminAddUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<AddVirtualCurrencyTypesRequest> OnAdminAddVirtualCurrencyTypesRequestEvent;
+        public event PlayFabResultEvent<BlankResult> OnAdminAddVirtualCurrencyTypesResultEvent;
+        public event PlayFabRequestEvent<BanUsersRequest> OnAdminBanUsersRequestEvent;
+        public event PlayFabResultEvent<BanUsersResult> OnAdminBanUsersResultEvent;
+        public event PlayFabRequestEvent<CheckLimitedEditionItemAvailabilityRequest> OnAdminCheckLimitedEditionItemAvailabilityRequestEvent;
+        public event PlayFabResultEvent<CheckLimitedEditionItemAvailabilityResult> OnAdminCheckLimitedEditionItemAvailabilityResultEvent;
+        public event PlayFabRequestEvent<CreateActionsOnPlayerSegmentTaskRequest> OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent;
+        public event PlayFabResultEvent<CreateTaskResult> OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent;
+        public event PlayFabRequestEvent<CreateCloudScriptTaskRequest> OnAdminCreateCloudScriptTaskRequestEvent;
+        public event PlayFabResultEvent<CreateTaskResult> OnAdminCreateCloudScriptTaskResultEvent;
+        public event PlayFabRequestEvent<CreateInsightsScheduledScalingTaskRequest> OnAdminCreateInsightsScheduledScalingTaskRequestEvent;
+        public event PlayFabResultEvent<CreateTaskResult> OnAdminCreateInsightsScheduledScalingTaskResultEvent;
+        public event PlayFabRequestEvent<CreateOpenIdConnectionRequest> OnAdminCreateOpenIdConnectionRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminCreateOpenIdConnectionResultEvent;
+        public event PlayFabRequestEvent<CreatePlayerSharedSecretRequest> OnAdminCreatePlayerSharedSecretRequestEvent;
+        public event PlayFabResultEvent<CreatePlayerSharedSecretResult> OnAdminCreatePlayerSharedSecretResultEvent;
+        public event PlayFabRequestEvent<CreatePlayerStatisticDefinitionRequest> OnAdminCreatePlayerStatisticDefinitionRequestEvent;
+        public event PlayFabResultEvent<CreatePlayerStatisticDefinitionResult> OnAdminCreatePlayerStatisticDefinitionResultEvent;
+        public event PlayFabRequestEvent<CreateSegmentRequest> OnAdminCreateSegmentRequestEvent;
+        public event PlayFabResultEvent<CreateSegmentResponse> OnAdminCreateSegmentResultEvent;
+        public event PlayFabRequestEvent<DeleteContentRequest> OnAdminDeleteContentRequestEvent;
+        public event PlayFabResultEvent<BlankResult> OnAdminDeleteContentResultEvent;
+        public event PlayFabRequestEvent<DeleteMasterPlayerAccountRequest> OnAdminDeleteMasterPlayerAccountRequestEvent;
+        public event PlayFabResultEvent<DeleteMasterPlayerAccountResult> OnAdminDeleteMasterPlayerAccountResultEvent;
+        public event PlayFabRequestEvent<DeleteOpenIdConnectionRequest> OnAdminDeleteOpenIdConnectionRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminDeleteOpenIdConnectionResultEvent;
+        public event PlayFabRequestEvent<DeletePlayerRequest> OnAdminDeletePlayerRequestEvent;
+        public event PlayFabResultEvent<DeletePlayerResult> OnAdminDeletePlayerResultEvent;
+        public event PlayFabRequestEvent<DeletePlayerSharedSecretRequest> OnAdminDeletePlayerSharedSecretRequestEvent;
+        public event PlayFabResultEvent<DeletePlayerSharedSecretResult> OnAdminDeletePlayerSharedSecretResultEvent;
+        public event PlayFabRequestEvent<DeleteSegmentRequest> OnAdminDeleteSegmentRequestEvent;
+        public event PlayFabResultEvent<DeleteSegmentsResponse> OnAdminDeleteSegmentResultEvent;
+        public event PlayFabRequestEvent<DeleteStoreRequest> OnAdminDeleteStoreRequestEvent;
+        public event PlayFabResultEvent<DeleteStoreResult> OnAdminDeleteStoreResultEvent;
+        public event PlayFabRequestEvent<DeleteTaskRequest> OnAdminDeleteTaskRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminDeleteTaskResultEvent;
+        public event PlayFabRequestEvent<DeleteTitleRequest> OnAdminDeleteTitleRequestEvent;
+        public event PlayFabResultEvent<DeleteTitleResult> OnAdminDeleteTitleResultEvent;
+        public event PlayFabRequestEvent<DeleteTitleDataOverrideRequest> OnAdminDeleteTitleDataOverrideRequestEvent;
+        public event PlayFabResultEvent<DeleteTitleDataOverrideResult> OnAdminDeleteTitleDataOverrideResultEvent;
+        public event PlayFabRequestEvent<ExportMasterPlayerDataRequest> OnAdminExportMasterPlayerDataRequestEvent;
+        public event PlayFabResultEvent<ExportMasterPlayerDataResult> OnAdminExportMasterPlayerDataResultEvent;
+        public event PlayFabRequestEvent<GetTaskInstanceRequest> OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent;
+        public event PlayFabResultEvent<GetActionsOnPlayersInSegmentTaskInstanceResult> OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent;
+        public event PlayFabRequestEvent<GetAllSegmentsRequest> OnAdminGetAllSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetAllSegmentsResult> OnAdminGetAllSegmentsResultEvent;
+        public event PlayFabRequestEvent<GetCatalogItemsRequest> OnAdminGetCatalogItemsRequestEvent;
+        public event PlayFabResultEvent<GetCatalogItemsResult> OnAdminGetCatalogItemsResultEvent;
+        public event PlayFabRequestEvent<GetCloudScriptRevisionRequest> OnAdminGetCloudScriptRevisionRequestEvent;
+        public event PlayFabResultEvent<GetCloudScriptRevisionResult> OnAdminGetCloudScriptRevisionResultEvent;
+        public event PlayFabRequestEvent<GetTaskInstanceRequest> OnAdminGetCloudScriptTaskInstanceRequestEvent;
+        public event PlayFabResultEvent<GetCloudScriptTaskInstanceResult> OnAdminGetCloudScriptTaskInstanceResultEvent;
+        public event PlayFabRequestEvent<GetCloudScriptVersionsRequest> OnAdminGetCloudScriptVersionsRequestEvent;
+        public event PlayFabResultEvent<GetCloudScriptVersionsResult> OnAdminGetCloudScriptVersionsResultEvent;
+        public event PlayFabRequestEvent<GetContentListRequest> OnAdminGetContentListRequestEvent;
+        public event PlayFabResultEvent<GetContentListResult> OnAdminGetContentListResultEvent;
+        public event PlayFabRequestEvent<GetContentUploadUrlRequest> OnAdminGetContentUploadUrlRequestEvent;
+        public event PlayFabResultEvent<GetContentUploadUrlResult> OnAdminGetContentUploadUrlResultEvent;
+        public event PlayFabRequestEvent<GetDataReportRequest> OnAdminGetDataReportRequestEvent;
+        public event PlayFabResultEvent<GetDataReportResult> OnAdminGetDataReportResultEvent;
+        public event PlayFabRequestEvent<GetMatchmakerGameInfoRequest> OnAdminGetMatchmakerGameInfoRequestEvent;
+        public event PlayFabResultEvent<GetMatchmakerGameInfoResult> OnAdminGetMatchmakerGameInfoResultEvent;
+        public event PlayFabRequestEvent<GetMatchmakerGameModesRequest> OnAdminGetMatchmakerGameModesRequestEvent;
+        public event PlayFabResultEvent<GetMatchmakerGameModesResult> OnAdminGetMatchmakerGameModesResultEvent;
+        public event PlayFabRequestEvent<GetPlayedTitleListRequest> OnAdminGetPlayedTitleListRequestEvent;
+        public event PlayFabResultEvent<GetPlayedTitleListResult> OnAdminGetPlayedTitleListResultEvent;
+        public event PlayFabRequestEvent<GetPlayerIdFromAuthTokenRequest> OnAdminGetPlayerIdFromAuthTokenRequestEvent;
+        public event PlayFabResultEvent<GetPlayerIdFromAuthTokenResult> OnAdminGetPlayerIdFromAuthTokenResultEvent;
+        public event PlayFabRequestEvent<GetPlayerProfileRequest> OnAdminGetPlayerProfileRequestEvent;
+        public event PlayFabResultEvent<GetPlayerProfileResult> OnAdminGetPlayerProfileResultEvent;
+        public event PlayFabRequestEvent<GetPlayersSegmentsRequest> OnAdminGetPlayerSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerSegmentsResult> OnAdminGetPlayerSegmentsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerSharedSecretsRequest> OnAdminGetPlayerSharedSecretsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerSharedSecretsResult> OnAdminGetPlayerSharedSecretsResultEvent;
+        public event PlayFabRequestEvent<GetPlayersInSegmentRequest> OnAdminGetPlayersInSegmentRequestEvent;
+        public event PlayFabResultEvent<GetPlayersInSegmentResult> OnAdminGetPlayersInSegmentResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticDefinitionsRequest> OnAdminGetPlayerStatisticDefinitionsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticDefinitionsResult> OnAdminGetPlayerStatisticDefinitionsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticVersionsRequest> OnAdminGetPlayerStatisticVersionsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticVersionsResult> OnAdminGetPlayerStatisticVersionsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerTagsRequest> OnAdminGetPlayerTagsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerTagsResult> OnAdminGetPlayerTagsResultEvent;
+        public event PlayFabRequestEvent<GetPolicyRequest> OnAdminGetPolicyRequestEvent;
+        public event PlayFabResultEvent<GetPolicyResponse> OnAdminGetPolicyResultEvent;
+        public event PlayFabRequestEvent<GetPublisherDataRequest> OnAdminGetPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetPublisherDataResult> OnAdminGetPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetRandomResultTablesRequest> OnAdminGetRandomResultTablesRequestEvent;
+        public event PlayFabResultEvent<GetRandomResultTablesResult> OnAdminGetRandomResultTablesResultEvent;
+        public event PlayFabRequestEvent<GetSegmentsRequest> OnAdminGetSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetSegmentsResponse> OnAdminGetSegmentsResultEvent;
+        public event PlayFabRequestEvent<GetServerBuildInfoRequest> OnAdminGetServerBuildInfoRequestEvent;
+        public event PlayFabResultEvent<GetServerBuildInfoResult> OnAdminGetServerBuildInfoResultEvent;
+        public event PlayFabRequestEvent<GetServerBuildUploadURLRequest> OnAdminGetServerBuildUploadUrlRequestEvent;
+        public event PlayFabResultEvent<GetServerBuildUploadURLResult> OnAdminGetServerBuildUploadUrlResultEvent;
+        public event PlayFabRequestEvent<GetStoreItemsRequest> OnAdminGetStoreItemsRequestEvent;
+        public event PlayFabResultEvent<GetStoreItemsResult> OnAdminGetStoreItemsResultEvent;
+        public event PlayFabRequestEvent<GetTaskInstancesRequest> OnAdminGetTaskInstancesRequestEvent;
+        public event PlayFabResultEvent<GetTaskInstancesResult> OnAdminGetTaskInstancesResultEvent;
+        public event PlayFabRequestEvent<GetTasksRequest> OnAdminGetTasksRequestEvent;
+        public event PlayFabResultEvent<GetTasksResult> OnAdminGetTasksResultEvent;
+        public event PlayFabRequestEvent<GetTitleDataRequest> OnAdminGetTitleDataRequestEvent;
+        public event PlayFabResultEvent<GetTitleDataResult> OnAdminGetTitleDataResultEvent;
+        public event PlayFabRequestEvent<GetTitleDataRequest> OnAdminGetTitleInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetTitleDataResult> OnAdminGetTitleInternalDataResultEvent;
+        public event PlayFabRequestEvent<LookupUserAccountInfoRequest> OnAdminGetUserAccountInfoRequestEvent;
+        public event PlayFabResultEvent<LookupUserAccountInfoResult> OnAdminGetUserAccountInfoResultEvent;
+        public event PlayFabRequestEvent<GetUserBansRequest> OnAdminGetUserBansRequestEvent;
+        public event PlayFabResultEvent<GetUserBansResult> OnAdminGetUserBansResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetUserInventoryRequest> OnAdminGetUserInventoryRequestEvent;
+        public event PlayFabResultEvent<GetUserInventoryResult> OnAdminGetUserInventoryResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserPublisherInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserPublisherInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserPublisherReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserPublisherReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnAdminGetUserReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnAdminGetUserReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GrantItemsToUsersRequest> OnAdminGrantItemsToUsersRequestEvent;
+        public event PlayFabResultEvent<GrantItemsToUsersResult> OnAdminGrantItemsToUsersResultEvent;
+        public event PlayFabRequestEvent<IncrementLimitedEditionItemAvailabilityRequest> OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent;
+        public event PlayFabResultEvent<IncrementLimitedEditionItemAvailabilityResult> OnAdminIncrementLimitedEditionItemAvailabilityResultEvent;
+        public event PlayFabRequestEvent<IncrementPlayerStatisticVersionRequest> OnAdminIncrementPlayerStatisticVersionRequestEvent;
+        public event PlayFabResultEvent<IncrementPlayerStatisticVersionResult> OnAdminIncrementPlayerStatisticVersionResultEvent;
+        public event PlayFabRequestEvent<ListOpenIdConnectionRequest> OnAdminListOpenIdConnectionRequestEvent;
+        public event PlayFabResultEvent<ListOpenIdConnectionResponse> OnAdminListOpenIdConnectionResultEvent;
+        public event PlayFabRequestEvent<ListBuildsRequest> OnAdminListServerBuildsRequestEvent;
+        public event PlayFabResultEvent<ListBuildsResult> OnAdminListServerBuildsResultEvent;
+        public event PlayFabRequestEvent<ListVirtualCurrencyTypesRequest> OnAdminListVirtualCurrencyTypesRequestEvent;
+        public event PlayFabResultEvent<ListVirtualCurrencyTypesResult> OnAdminListVirtualCurrencyTypesResultEvent;
+        public event PlayFabRequestEvent<ModifyMatchmakerGameModesRequest> OnAdminModifyMatchmakerGameModesRequestEvent;
+        public event PlayFabResultEvent<ModifyMatchmakerGameModesResult> OnAdminModifyMatchmakerGameModesResultEvent;
+        public event PlayFabRequestEvent<ModifyServerBuildRequest> OnAdminModifyServerBuildRequestEvent;
+        public event PlayFabResultEvent<ModifyServerBuildResult> OnAdminModifyServerBuildResultEvent;
+        public event PlayFabRequestEvent<RefundPurchaseRequest> OnAdminRefundPurchaseRequestEvent;
+        public event PlayFabResultEvent<RefundPurchaseResponse> OnAdminRefundPurchaseResultEvent;
+        public event PlayFabRequestEvent<RemovePlayerTagRequest> OnAdminRemovePlayerTagRequestEvent;
+        public event PlayFabResultEvent<RemovePlayerTagResult> OnAdminRemovePlayerTagResultEvent;
+        public event PlayFabRequestEvent<RemoveServerBuildRequest> OnAdminRemoveServerBuildRequestEvent;
+        public event PlayFabResultEvent<RemoveServerBuildResult> OnAdminRemoveServerBuildResultEvent;
+        public event PlayFabRequestEvent<RemoveVirtualCurrencyTypesRequest> OnAdminRemoveVirtualCurrencyTypesRequestEvent;
+        public event PlayFabResultEvent<BlankResult> OnAdminRemoveVirtualCurrencyTypesResultEvent;
+        public event PlayFabRequestEvent<ResetCharacterStatisticsRequest> OnAdminResetCharacterStatisticsRequestEvent;
+        public event PlayFabResultEvent<ResetCharacterStatisticsResult> OnAdminResetCharacterStatisticsResultEvent;
+        public event PlayFabRequestEvent<ResetPasswordRequest> OnAdminResetPasswordRequestEvent;
+        public event PlayFabResultEvent<ResetPasswordResult> OnAdminResetPasswordResultEvent;
+        public event PlayFabRequestEvent<ResetUserStatisticsRequest> OnAdminResetUserStatisticsRequestEvent;
+        public event PlayFabResultEvent<ResetUserStatisticsResult> OnAdminResetUserStatisticsResultEvent;
+        public event PlayFabRequestEvent<ResolvePurchaseDisputeRequest> OnAdminResolvePurchaseDisputeRequestEvent;
+        public event PlayFabResultEvent<ResolvePurchaseDisputeResponse> OnAdminResolvePurchaseDisputeResultEvent;
+        public event PlayFabRequestEvent<RevokeAllBansForUserRequest> OnAdminRevokeAllBansForUserRequestEvent;
+        public event PlayFabResultEvent<RevokeAllBansForUserResult> OnAdminRevokeAllBansForUserResultEvent;
+        public event PlayFabRequestEvent<RevokeBansRequest> OnAdminRevokeBansRequestEvent;
+        public event PlayFabResultEvent<RevokeBansResult> OnAdminRevokeBansResultEvent;
+        public event PlayFabRequestEvent<RevokeInventoryItemRequest> OnAdminRevokeInventoryItemRequestEvent;
+        public event PlayFabResultEvent<RevokeInventoryResult> OnAdminRevokeInventoryItemResultEvent;
+        public event PlayFabRequestEvent<RevokeInventoryItemsRequest> OnAdminRevokeInventoryItemsRequestEvent;
+        public event PlayFabResultEvent<RevokeInventoryItemsResult> OnAdminRevokeInventoryItemsResultEvent;
+        public event PlayFabRequestEvent<RunTaskRequest> OnAdminRunTaskRequestEvent;
+        public event PlayFabResultEvent<RunTaskResult> OnAdminRunTaskResultEvent;
+        public event PlayFabRequestEvent<SendAccountRecoveryEmailRequest> OnAdminSendAccountRecoveryEmailRequestEvent;
+        public event PlayFabResultEvent<SendAccountRecoveryEmailResult> OnAdminSendAccountRecoveryEmailResultEvent;
+        public event PlayFabRequestEvent<UpdateCatalogItemsRequest> OnAdminSetCatalogItemsRequestEvent;
+        public event PlayFabResultEvent<UpdateCatalogItemsResult> OnAdminSetCatalogItemsResultEvent;
+        public event PlayFabRequestEvent<SetPlayerSecretRequest> OnAdminSetPlayerSecretRequestEvent;
+        public event PlayFabResultEvent<SetPlayerSecretResult> OnAdminSetPlayerSecretResultEvent;
+        public event PlayFabRequestEvent<SetPublishedRevisionRequest> OnAdminSetPublishedRevisionRequestEvent;
+        public event PlayFabResultEvent<SetPublishedRevisionResult> OnAdminSetPublishedRevisionResultEvent;
+        public event PlayFabRequestEvent<SetPublisherDataRequest> OnAdminSetPublisherDataRequestEvent;
+        public event PlayFabResultEvent<SetPublisherDataResult> OnAdminSetPublisherDataResultEvent;
+        public event PlayFabRequestEvent<UpdateStoreItemsRequest> OnAdminSetStoreItemsRequestEvent;
+        public event PlayFabResultEvent<UpdateStoreItemsResult> OnAdminSetStoreItemsResultEvent;
+        public event PlayFabRequestEvent<SetTitleDataRequest> OnAdminSetTitleDataRequestEvent;
+        public event PlayFabResultEvent<SetTitleDataResult> OnAdminSetTitleDataResultEvent;
+        public event PlayFabRequestEvent<SetTitleDataAndOverridesRequest> OnAdminSetTitleDataAndOverridesRequestEvent;
+        public event PlayFabResultEvent<SetTitleDataAndOverridesResult> OnAdminSetTitleDataAndOverridesResultEvent;
+        public event PlayFabRequestEvent<SetTitleDataRequest> OnAdminSetTitleInternalDataRequestEvent;
+        public event PlayFabResultEvent<SetTitleDataResult> OnAdminSetTitleInternalDataResultEvent;
+        public event PlayFabRequestEvent<SetupPushNotificationRequest> OnAdminSetupPushNotificationRequestEvent;
+        public event PlayFabResultEvent<SetupPushNotificationResult> OnAdminSetupPushNotificationResultEvent;
+        public event PlayFabRequestEvent<SubtractUserVirtualCurrencyRequest> OnAdminSubtractUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnAdminSubtractUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<UpdateBansRequest> OnAdminUpdateBansRequestEvent;
+        public event PlayFabResultEvent<UpdateBansResult> OnAdminUpdateBansResultEvent;
+        public event PlayFabRequestEvent<UpdateCatalogItemsRequest> OnAdminUpdateCatalogItemsRequestEvent;
+        public event PlayFabResultEvent<UpdateCatalogItemsResult> OnAdminUpdateCatalogItemsResultEvent;
+        public event PlayFabRequestEvent<UpdateCloudScriptRequest> OnAdminUpdateCloudScriptRequestEvent;
+        public event PlayFabResultEvent<UpdateCloudScriptResult> OnAdminUpdateCloudScriptResultEvent;
+        public event PlayFabRequestEvent<UpdateOpenIdConnectionRequest> OnAdminUpdateOpenIdConnectionRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminUpdateOpenIdConnectionResultEvent;
+        public event PlayFabRequestEvent<UpdatePlayerSharedSecretRequest> OnAdminUpdatePlayerSharedSecretRequestEvent;
+        public event PlayFabResultEvent<UpdatePlayerSharedSecretResult> OnAdminUpdatePlayerSharedSecretResultEvent;
+        public event PlayFabRequestEvent<UpdatePlayerStatisticDefinitionRequest> OnAdminUpdatePlayerStatisticDefinitionRequestEvent;
+        public event PlayFabResultEvent<UpdatePlayerStatisticDefinitionResult> OnAdminUpdatePlayerStatisticDefinitionResultEvent;
+        public event PlayFabRequestEvent<UpdatePolicyRequest> OnAdminUpdatePolicyRequestEvent;
+        public event PlayFabResultEvent<UpdatePolicyResponse> OnAdminUpdatePolicyResultEvent;
+        public event PlayFabRequestEvent<UpdateRandomResultTablesRequest> OnAdminUpdateRandomResultTablesRequestEvent;
+        public event PlayFabResultEvent<UpdateRandomResultTablesResult> OnAdminUpdateRandomResultTablesResultEvent;
+        public event PlayFabRequestEvent<UpdateSegmentRequest> OnAdminUpdateSegmentRequestEvent;
+        public event PlayFabResultEvent<UpdateSegmentResponse> OnAdminUpdateSegmentResultEvent;
+        public event PlayFabRequestEvent<UpdateStoreItemsRequest> OnAdminUpdateStoreItemsRequestEvent;
+        public event PlayFabResultEvent<UpdateStoreItemsResult> OnAdminUpdateStoreItemsResultEvent;
+        public event PlayFabRequestEvent<UpdateTaskRequest> OnAdminUpdateTaskRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnAdminUpdateTaskResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnAdminUpdateUserDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserInternalDataRequest> OnAdminUpdateUserInternalDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserInternalDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnAdminUpdateUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserInternalDataRequest> OnAdminUpdateUserPublisherInternalDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserPublisherInternalDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnAdminUpdateUserPublisherReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserPublisherReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnAdminUpdateUserReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnAdminUpdateUserReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserTitleDisplayNameRequest> OnAdminUpdateUserTitleDisplayNameRequestEvent;
+        public event PlayFabResultEvent<UpdateUserTitleDisplayNameResult> OnAdminUpdateUserTitleDisplayNameResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Admin/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Admin/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..6cca88a72702e58ff5349e74306dab53400d421d
--- /dev/null
+++ b/Assets/PlayFabSDK/Admin/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 17d913d4a2b01d044a0f70f2679f2fca
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK.meta b/Assets/PlayFabSDK/Authentication.meta
similarity index 77%
rename from Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK.meta
rename to Assets/PlayFabSDK/Authentication.meta
index 355a687a4d2f2c4cf91db41b725621a94d2b429a..5a285357d00a95b6e1f34bff1a62852c2e479872 100644
--- a/Assets/PlayFabEditorExtensions/Editor/Scripts/PlayFabEditorSDK.meta
+++ b/Assets/PlayFabSDK/Authentication.meta
@@ -1,5 +1,5 @@
 fileFormatVersion: 2
-guid: f0a0017f3f4fe3941b7da308a9830c25
+guid: 14f4be27db90b5d408494e5a681a55f6
 folderAsset: yes
 DefaultImporter:
   externalObjects: {}
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..487522cb74a112ce2fc47baef34b05b5fb08fd07
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs
@@ -0,0 +1,77 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.AuthenticationModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Authentication APIs provide a convenient way to convert classic authentication responses into entity authentication
+    /// models. These APIs will provide you with the entity authentication token needed for subsequent Entity API calls. Manage
+    /// API keys for authenticating any entity.
+    /// </summary>
+    public static class PlayFabAuthenticationAPI
+    {
+        static PlayFabAuthenticationAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Method to exchange a legacy AuthenticationTicket or title SecretKey for an Entity Token or to refresh a still valid
+        /// Entity Token.
+        /// </summary>
+        public static void GetEntityToken(GetEntityTokenRequest request, Action<GetEntityTokenResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            AuthType authType = AuthType.None;
+#if !DISABLE_PLAYFABCLIENT_API
+            if (context.IsClientLoggedIn()) { authType = AuthType.LoginSession; }
+#endif
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API
+            if (callSettings.DeveloperSecretKey != null) { authType = AuthType.DevSecretKey; }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (context.IsEntityLoggedIn()) { authType = AuthType.EntityToken; }
+#endif
+
+
+            PlayFabHttp.MakeApiCall("/Authentication/GetEntityToken", request, authType, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Method for a server to validate a client provided EntityToken. Only callable by the title entity.
+        /// </summary>
+        public static void ValidateEntityToken(ValidateEntityTokenRequest request, Action<ValidateEntityTokenResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Authentication/ValidateEntityToken", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs.meta b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d24442f17e663a977d9952e939d67a9e8d8fc54d
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: cf5e0beea20361a45aee9c2329eafd01
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..25b9712af8269c619e31d4284f315b1ad8c855f9
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs
@@ -0,0 +1,98 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.AuthenticationModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Authentication APIs provide a convenient way to convert classic authentication responses into entity authentication
+    /// models. These APIs will provide you with the entity authentication token needed for subsequent Entity API calls. Manage
+    /// API keys for authenticating any entity.
+    /// </summary>
+    public class PlayFabAuthenticationInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabAuthenticationInstanceAPI()
+        {
+            authenticationContext = new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabAuthenticationInstanceAPI(PlayFabApiSettings settings)
+        {
+            apiSettings = settings;
+            authenticationContext = new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabAuthenticationInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            authenticationContext = context ?? new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabAuthenticationInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            apiSettings = settings;
+            authenticationContext = context ?? new PlayFabAuthenticationContext();
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Method to exchange a legacy AuthenticationTicket or title SecretKey for an Entity Token or to refresh a still valid
+        /// Entity Token.
+        /// </summary>
+        public void GetEntityToken(GetEntityTokenRequest request, Action<GetEntityTokenResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            AuthType authType = AuthType.None;
+#if !DISABLE_PLAYFABCLIENT_API
+            if (context.IsClientLoggedIn()) { authType = AuthType.LoginSession; }
+#endif
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API
+            if (callSettings.DeveloperSecretKey != null) { authType = AuthType.DevSecretKey; }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (context.IsEntityLoggedIn()) { authType = AuthType.EntityToken; }
+#endif
+            PlayFabHttp.MakeApiCall("/Authentication/GetEntityToken", request, authType, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Method for a server to validate a client provided EntityToken. Only callable by the title entity.
+        /// </summary>
+        public void ValidateEntityToken(ValidateEntityTokenRequest request, Action<ValidateEntityTokenResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Authentication/ValidateEntityToken", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs.meta b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a10fd8d6580fe0446e8966727242dbe8d60938f0
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ecff04cca276a454aad3baf64c4a2ab4
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..c8fc84c04cacf9f8450290cb35a0150c5fe53f35
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs
@@ -0,0 +1,159 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.AuthenticationModels
+{
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EntityLineage : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The Character Id of the associated entity.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The Group Id of the associated entity.
+        /// </summary>
+        public string GroupId;
+        /// <summary>
+        /// The Master Player Account Id of the associated entity.
+        /// </summary>
+        public string MasterPlayerAccountId;
+        /// <summary>
+        /// The Namespace Id of the associated entity.
+        /// </summary>
+        public string NamespaceId;
+        /// <summary>
+        /// The Title Id of the associated entity.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// The Title Player Account Id of the associated entity.
+        /// </summary>
+        public string TitlePlayerAccountId;
+    }
+
+    /// <summary>
+    /// This API must be called with X-SecretKey, X-Authentication or X-EntityToken headers. An optional EntityKey may be
+    /// included to attempt to set the resulting EntityToken to a specific entity, however the entity must be a relation of the
+    /// caller, such as the master_player_account of a character. If sending X-EntityToken the account will be marked as freshly
+    /// logged in and will issue a new token. If using X-Authentication or X-EntityToken the header must still be valid and
+    /// cannot be expired or revoked.
+    /// </summary>
+    [Serializable]
+    public class GetEntityTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class GetEntityTokenResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The token used to set X-EntityToken for all entity based API calls.
+        /// </summary>
+        public string EntityToken;
+        /// <summary>
+        /// The time the token will expire, if it is an expiring token, in UTC.
+        /// </summary>
+        public DateTime? TokenExpiration;
+    }
+
+    public enum IdentifiedDeviceType
+    {
+        Unknown,
+        XboxOne,
+        Scarlett
+    }
+
+    public enum LoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    /// <summary>
+    /// Given an entity token, validates that it hasn't expired or been revoked and will return details of the owner.
+    /// </summary>
+    [Serializable]
+    public class ValidateEntityTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Client EntityToken
+        /// </summary>
+        public string EntityToken;
+    }
+
+    [Serializable]
+    public class ValidateEntityTokenResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The authenticated device for this entity, for the given login
+        /// </summary>
+        public IdentifiedDeviceType? IdentifiedDeviceType;
+        /// <summary>
+        /// The identity provider for this entity, for the given login
+        /// </summary>
+        public LoginIdentityProvider? IdentityProvider;
+        /// <summary>
+        /// The lineage of this profile.
+        /// </summary>
+        public EntityLineage Lineage;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs.meta b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..defcd58c91ed3a0feb034dd8f4b71713ecf29842
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabAuthenticationModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ec656500f922b0b4db8e13c80770e0d5
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs b/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..94567e8ceeff23272c81ace11e7cab9b0f1c8049
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs
@@ -0,0 +1,14 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.AuthenticationModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<GetEntityTokenRequest> OnAuthenticationGetEntityTokenRequestEvent;
+        public event PlayFabResultEvent<GetEntityTokenResponse> OnAuthenticationGetEntityTokenResultEvent;
+        public event PlayFabRequestEvent<ValidateEntityTokenRequest> OnAuthenticationValidateEntityTokenRequestEvent;
+        public event PlayFabResultEvent<ValidateEntityTokenResponse> OnAuthenticationValidateEntityTokenResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..8ba2d25fda8806dc434cc4569e95556373175386
--- /dev/null
+++ b/Assets/PlayFabSDK/Authentication/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 5c3701fef92515c438633c5d41bf87c8
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client.meta b/Assets/PlayFabSDK/Client.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c4bdb8f703c47a50c510c95668174c2b7215fb88
--- /dev/null
+++ b/Assets/PlayFabSDK/Client.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: ea91f77d2459767449ffe7e92185faa3
+folderAsset: yes
+timeCreated: 1468524875
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs b/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..8e46724c20e2cd6542ff6c769c260f36916819f5
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs
@@ -0,0 +1,2264 @@
+#if !DISABLE_PLAYFABCLIENT_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ClientModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs which provide the full range of PlayFab features available to the client - authentication, account and data
+    /// management, inventory, friends, matchmaking, reporting, and platform-specific functionality
+    /// </summary>
+    public static class PlayFabClientAPI
+    {
+        static PlayFabClientAPI() {}
+
+        /// <summary>
+        /// Verify client login.
+        /// </summary>
+        public static bool IsClientLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsClientLoggedIn();
+        }
+
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Accepts an open trade (one that has not yet been accepted or cancelled), if the locally signed-in player is in the
+        /// allowed player list for the trade, or it is open to all players. If the call is successful, the offered and accepted
+        /// items will be swapped between the two players' inventories.
+        /// </summary>
+        public static void AcceptTrade(AcceptTradeRequest request, Action<AcceptTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AcceptTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the PlayFab user, based upon a match against a supplied unique identifier, to the friend list of the local user. At
+        /// least one of FriendPlayFabId,FriendUsername,FriendEmail, or FriendTitleDisplayName should be initialized.
+        /// </summary>
+        public static void AddFriend(AddFriendRequest request, Action<AddFriendResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddFriend", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified generic service identifier to the player's PlayFab account. This is designed to allow for a PlayFab
+        /// ID lookup of any arbitrary service identifier a title wants to add. This identifier should never be used as
+        /// authentication credentials, as the intent is that it is easily accessible by other players.
+        /// </summary>
+        public static void AddGenericID(AddGenericIDRequest request, Action<AddGenericIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddGenericID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds or updates a contact email to the player's profile.
+        /// </summary>
+        public static void AddOrUpdateContactEmail(AddOrUpdateContactEmailRequest request, Action<AddOrUpdateContactEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddOrUpdateContactEmail", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds users to the set of those able to update both the shared data, as well as the set of users in the group. Only users
+        /// in the group can add new members. Shared Groups are designed for sharing data between a very small number of players,
+        /// please see our guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void AddSharedGroupMembers(AddSharedGroupMembersRequest request, Action<AddSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddSharedGroupMembers", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds playfab username/password auth to an existing account created via an anonymous auth method, e.g. automatic device
+        /// ID login.
+        /// </summary>
+        public static void AddUsernamePassword(AddUsernamePasswordRequest request, Action<AddUsernamePasswordResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddUsernamePassword", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Increments the user's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public static void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AddUserVirtualCurrency", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers the Android device to receive push notifications
+        /// </summary>
+        public static void AndroidDevicePushNotificationRegistration(AndroidDevicePushNotificationRegistrationRequest request, Action<AndroidDevicePushNotificationRegistrationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AndroidDevicePushNotificationRegistration", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Attributes an install for advertisment.
+        /// </summary>
+        public static void AttributeInstall(AttributeInstallRequest request, Action<AttributeInstallResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/AttributeInstall", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Cancels an open trade (one that has not yet been accepted or cancelled). Note that only the player who created the trade
+        /// can cancel it via this API call, to prevent griefing of the trade system (cancelling trades in order to prevent other
+        /// players from accepting them, for trades that can be claimed by more than one player).
+        /// </summary>
+        public static void CancelTrade(CancelTradeRequest request, Action<CancelTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/CancelTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Confirms with the payment provider that the purchase was approved (if applicable) and adjusts inventory and virtual
+        /// currency balances as appropriate
+        /// </summary>
+        public static void ConfirmPurchase(ConfirmPurchaseRequest request, Action<ConfirmPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConfirmPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Consume uses of a consumable item. When all uses are consumed, it will be removed from the player's inventory.
+        /// </summary>
+        public static void ConsumeItem(ConsumeItemRequest request, Action<ConsumeItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConsumeItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Grants the player's current entitlements from Microsoft Store's Collection API
+        /// </summary>
+        public static void ConsumeMicrosoftStoreEntitlements(ConsumeMicrosoftStoreEntitlementsRequest request, Action<ConsumeMicrosoftStoreEntitlementsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConsumeMicrosoftStoreEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Checks for any new PS5 entitlements. If any are found, they are consumed (if they're consumables) and added as PlayFab
+        /// items
+        /// </summary>
+        public static void ConsumePS5Entitlements(ConsumePS5EntitlementsRequest request, Action<ConsumePS5EntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConsumePS5Entitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Checks for any new consumable entitlements. If any are found, they are consumed and added as PlayFab items
+        /// </summary>
+        public static void ConsumePSNEntitlements(ConsumePSNEntitlementsRequest request, Action<ConsumePSNEntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConsumePSNEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Grants the player's current entitlements from Xbox Live, consuming all availble items in Xbox and granting them to the
+        /// player's PlayFab inventory. This call is idempotent and will not grant previously granted items to the player.
+        /// </summary>
+        public static void ConsumeXboxEntitlements(ConsumeXboxEntitlementsRequest request, Action<ConsumeXboxEntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ConsumeXboxEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Requests the creation of a shared group object, containing key/value pairs which may be updated by all members of the
+        /// group. Upon creation, the current user will be the only member of the group. Shared Groups are designed for sharing data
+        /// between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void CreateSharedGroup(CreateSharedGroupRequest request, Action<CreateSharedGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/CreateSharedGroup", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Executes a CloudScript function, with the 'currentPlayerId' set to the PlayFab ID of the authenticated player.
+        /// </summary>
+        public static void ExecuteCloudScript(ExecuteCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ExecuteCloudScript", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        public static void ExecuteCloudScript<TOut>(ExecuteCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn, "Must be logged in to call this method");
+            Action<ExecuteCloudScriptResult> wrappedResultCallback = (wrappedResult) =>
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var wrappedJson = serializer.SerializeObject(wrappedResult.FunctionResult);
+                try {
+                    wrappedResult.FunctionResult = serializer.DeserializeObject<TOut>(wrappedJson);
+                } catch (Exception) {
+                    wrappedResult.FunctionResult = wrappedJson;
+                    wrappedResult.Logs.Add(new LogStatement { Level = "Warning", Data = wrappedJson, Message = "Sdk Message: Could not deserialize result as: " + typeof(TOut).Name });
+                }
+                resultCallback(wrappedResult);
+            };
+            PlayFabHttp.MakeApiCall("/Client/ExecuteCloudScript", request, AuthType.LoginSession, wrappedResultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the user's PlayFab account details
+        /// </summary>
+        public static void GetAccountInfo(GetAccountInfoRequest request, Action<GetAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetAccountInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Returns a list of ad placements and a reward for each
+        /// </summary>
+        public static void GetAdPlacements(GetAdPlacementsRequest request, Action<GetAdPlacementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetAdPlacements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all of the characters that belong to a specific user. CharacterIds are not globally unique; characterId must be
+        /// evaluated with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public static void GetAllUsersCharacters(ListUsersCharactersRequest request, Action<ListUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetAllUsersCharacters", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public static void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCatalogItems", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the character which is readable and writable by the client
+        /// </summary>
+        public static void GetCharacterData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified character's current inventory of virtual goods
+        /// </summary>
+        public static void GetCharacterInventory(GetCharacterInventoryRequest request, Action<GetCharacterInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterInventory", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public static void GetCharacterLeaderboard(GetCharacterLeaderboardRequest request, Action<GetCharacterLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the character which can only be read by the client
+        /// </summary>
+        public static void GetCharacterReadOnlyData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the details of all title-specific statistics for the user
+        /// </summary>
+        public static void GetCharacterStatistics(GetCharacterStatisticsRequest request, Action<GetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// This API retrieves a pre-signed URL for accessing a content file for the title. A subsequent HTTP GET to the returned
+        /// URL will attempt to download the content. A HEAD query to the returned URL will attempt to retrieve the metadata of the
+        /// content. Note that a successful result does not guarantee the existence of this content - if it has not been uploaded,
+        /// the query to retrieve the data will fail. See this post for more information:
+        /// https://community.playfab.com/hc/community/posts/205469488-How-to-upload-files-to-PlayFab-s-Content-Service. Also,
+        /// please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN rates apply.
+        /// </summary>
+        public static void GetContentDownloadUrl(GetContentDownloadUrlRequest request, Action<GetContentDownloadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetContentDownloadUrl", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get details about all current running game servers matching the given parameters.
+        /// </summary>
+        public static void GetCurrentGames(CurrentGamesRequest request, Action<CurrentGamesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetCurrentGames", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the current player for the given statistic, starting from the indicated point in
+        /// the leaderboard
+        /// </summary>
+        public static void GetFriendLeaderboard(GetFriendLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetFriendLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the current player for the given statistic, centered on the requested PlayFab
+        /// user. If PlayFabId is empty or null will return currently logged in user.
+        /// </summary>
+        public static void GetFriendLeaderboardAroundPlayer(GetFriendLeaderboardAroundPlayerRequest request, Action<GetFriendLeaderboardAroundPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetFriendLeaderboardAroundPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the current friend list for the local user, constrained to users who have PlayFab accounts. Friends from
+        /// linked accounts (Facebook, Steam) are also included. You may optionally exclude some linked services' friends.
+        /// </summary>
+        public static void GetFriendsList(GetFriendsListRequest request, Action<GetFriendsListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetFriendsList", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get details about the regions hosting game servers matching the given parameters.
+        /// </summary>
+        public static void GetGameServerRegions(GameServerRegionsRequest request, Action<GameServerRegionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetGameServerRegions", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public static void GetLeaderboard(GetLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, centered on the requested Character ID
+        /// </summary>
+        public static void GetLeaderboardAroundCharacter(GetLeaderboardAroundCharacterRequest request, Action<GetLeaderboardAroundCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardAroundCharacter", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, centered on the requested player. If PlayFabId is empty or
+        /// null will return currently logged in user.
+        /// </summary>
+        public static void GetLeaderboardAroundPlayer(GetLeaderboardAroundPlayerRequest request, Action<GetLeaderboardAroundPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardAroundPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all of the user's characters for the given statistic.
+        /// </summary>
+        public static void GetLeaderboardForUserCharacters(GetLeaderboardForUsersCharactersRequest request, Action<GetLeaderboardForUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardForUserCharacters", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// For payments flows where the provider requires playfab (the fulfiller) to initiate the transaction, but the client
+        /// completes the rest of the flow. In the Xsolla case, the token returned here will be passed to Xsolla by the client to
+        /// create a cart. Poll GetPurchase using the returned OrderId once you've completed the payment.
+        /// </summary>
+        public static void GetPaymentToken(GetPaymentTokenRequest request, Action<GetPaymentTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPaymentToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a Photon custom authentication token that can be used to securely join the player into a Photon room. See
+        /// https://docs.microsoft.com/gaming/playfab/features/multiplayer/photon/quickstart for more details.
+        /// </summary>
+        public static void GetPhotonAuthenticationToken(GetPhotonAuthenticationTokenRequest request, Action<GetPhotonAuthenticationTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPhotonAuthenticationToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves all of the user's different kinds of info.
+        /// </summary>
+        public static void GetPlayerCombinedInfo(GetPlayerCombinedInfoRequest request, Action<GetPlayerCombinedInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerCombinedInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public static void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerProfile", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public static void GetPlayerSegments(GetPlayerSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerSegments", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the indicated statistics (current version and values for all statistics, if none are specified), for the local
+        /// player.
+        /// </summary>
+        public static void GetPlayerStatistics(GetPlayerStatisticsRequest request, Action<GetPlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public static void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerStatisticVersions", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public static void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerTags", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets all trades the player has either opened or accepted, optionally filtered by trade status.
+        /// </summary>
+        public static void GetPlayerTrades(GetPlayerTradesRequest request, Action<GetPlayerTradesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerTrades", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromFacebookIDs(GetPlayFabIDsFromFacebookIDsRequest request, Action<GetPlayFabIDsFromFacebookIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromFacebookIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook Instant Game identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromFacebookInstantGamesIds(GetPlayFabIDsFromFacebookInstantGamesIdsRequest request, Action<GetPlayFabIDsFromFacebookInstantGamesIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromFacebookInstantGamesIds", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Game Center identifiers (referenced in the Game Center
+        /// Programming Guide as the Player Identifier).
+        /// </summary>
+        public static void GetPlayFabIDsFromGameCenterIDs(GetPlayFabIDsFromGameCenterIDsRequest request, Action<GetPlayFabIDsFromGameCenterIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGameCenterIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of generic service identifiers. A generic identifier is the
+        /// service name plus the service-specific ID for the player, as specified by the title when the generic identifier was
+        /// added to the player account.
+        /// </summary>
+        public static void GetPlayFabIDsFromGenericIDs(GetPlayFabIDsFromGenericIDsRequest request, Action<GetPlayFabIDsFromGenericIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGenericIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Google identifiers. The Google identifiers are the IDs for
+        /// the user accounts, available as "id" in the Google+ People API calls.
+        /// </summary>
+        public static void GetPlayFabIDsFromGoogleIDs(GetPlayFabIDsFromGoogleIDsRequest request, Action<GetPlayFabIDsFromGoogleIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGoogleIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Kongregate identifiers. The Kongregate identifiers are the
+        /// IDs for the user accounts, available as "user_id" from the Kongregate API methods(ex:
+        /// http://developers.kongregate.com/docs/client/getUserId).
+        /// </summary>
+        public static void GetPlayFabIDsFromKongregateIDs(GetPlayFabIDsFromKongregateIDsRequest request, Action<GetPlayFabIDsFromKongregateIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromKongregateIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Nintendo Switch identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromNintendoSwitchDeviceIds(GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest request, Action<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromNintendoSwitchDeviceIds", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of PlayStation Network identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromPSNAccountIDs(GetPlayFabIDsFromPSNAccountIDsRequest request, Action<GetPlayFabIDsFromPSNAccountIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromPSNAccountIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Steam identifiers. The Steam identifiers are the profile
+        /// IDs for the user accounts, available as SteamId in the Steamworks Community API calls.
+        /// </summary>
+        public static void GetPlayFabIDsFromSteamIDs(GetPlayFabIDsFromSteamIDsRequest request, Action<GetPlayFabIDsFromSteamIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromSteamIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Twitch identifiers. The Twitch identifiers are the IDs for
+        /// the user accounts, available as "_id" from the Twitch API methods (ex:
+        /// https://github.com/justintv/Twitch-API/blob/master/v3_resources/users.md#get-usersuser).
+        /// </summary>
+        public static void GetPlayFabIDsFromTwitchIDs(GetPlayFabIDsFromTwitchIDsRequest request, Action<GetPlayFabIDsFromTwitchIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromTwitchIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of XboxLive identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromXboxLiveIDs(GetPlayFabIDsFromXboxLiveIDsRequest request, Action<GetPlayFabIDsFromXboxLiveIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromXboxLiveIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public static void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a purchase along with its current PlayFab status. Returns inventory items from the purchase that are still
+        /// active.
+        /// </summary>
+        public static void GetPurchase(GetPurchaseRequest request, Action<GetPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves data stored in a shared group object, as well as the list of members in the group. Non-members of the group
+        /// may use this to retrieve group data, including membership, but they will not receive data for keys marked as private.
+        /// Shared Groups are designed for sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void GetSharedGroupData(GetSharedGroupDataRequest request, Action<GetSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetSharedGroupData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined
+        /// </summary>
+        public static void GetStoreItems(GetStoreItemsRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetStoreItems", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the current server time
+        /// </summary>
+        public static void GetTime(GetTimeRequest request, Action<GetTimeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetTime", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings
+        /// </summary>
+        public static void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetTitleData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title news feed, as configured in the developer portal
+        /// </summary>
+        public static void GetTitleNews(GetTitleNewsRequest request, Action<GetTitleNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetTitleNews", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Returns the title's base 64 encoded RSA CSP blob.
+        /// </summary>
+        public static void GetTitlePublicKey(GetTitlePublicKeyRequest request, Action<GetTitlePublicKeyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetTitlePublicKey", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the current status of an existing trade.
+        /// </summary>
+        public static void GetTradeStatus(GetTradeStatusRequest request, Action<GetTradeStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetTradeStatus", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetUserData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the user's current inventory of virtual goods
+        /// </summary>
+        public static void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetUserInventory", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetUserPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetUserPublisherReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GetUserReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Grants the specified character type to the user. CharacterIds are not globally unique; characterId must be evaluated
+        /// with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public static void GrantCharacterToUser(GrantCharacterToUserRequest request, Action<GrantCharacterToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/GrantCharacterToUser", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Android device identifier to the user's PlayFab account
+        /// </summary>
+        public static void LinkAndroidDeviceID(LinkAndroidDeviceIDRequest request, Action<LinkAndroidDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkAndroidDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Apple account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public static void LinkApple(LinkAppleRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkApple", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the custom identifier, generated by the title, to the user's PlayFab account
+        /// </summary>
+        public static void LinkCustomID(LinkCustomIDRequest request, Action<LinkCustomIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkCustomID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Facebook account associated with the provided Facebook access token to the user's PlayFab account
+        /// </summary>
+        public static void LinkFacebookAccount(LinkFacebookAccountRequest request, Action<LinkFacebookAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkFacebookAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Facebook Instant Games Id to the user's PlayFab account
+        /// </summary>
+        public static void LinkFacebookInstantGamesId(LinkFacebookInstantGamesIdRequest request, Action<LinkFacebookInstantGamesIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkFacebookInstantGamesId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Game Center account associated with the provided Game Center ID to the user's PlayFab account. Logging in with
+        /// a Game Center ID is insecure if you do not include the optional PublicKeyUrl, Salt, Signature, and Timestamp parameters
+        /// in this request. It is recommended you require these parameters on all Game Center calls by going to the Apple Add-ons
+        /// page in the PlayFab Game Manager and enabling the 'Require secure authentication only for this app' option.
+        /// </summary>
+        public static void LinkGameCenterAccount(LinkGameCenterAccountRequest request, Action<LinkGameCenterAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkGameCenterAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the currently signed-in user account to their Google account, using their Google account credentials
+        /// </summary>
+        public static void LinkGoogleAccount(LinkGoogleAccountRequest request, Action<LinkGoogleAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkGoogleAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the vendor-specific iOS device identifier to the user's PlayFab account
+        /// </summary>
+        public static void LinkIOSDeviceID(LinkIOSDeviceIDRequest request, Action<LinkIOSDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkIOSDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Kongregate identifier to the user's PlayFab account
+        /// </summary>
+        public static void LinkKongregate(LinkKongregateAccountRequest request, Action<LinkKongregateAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkKongregate", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Nintendo account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public static void LinkNintendoServiceAccount(LinkNintendoServiceAccountRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkNintendoServiceAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the NintendoSwitchDeviceId to the user's PlayFab account
+        /// </summary>
+        public static void LinkNintendoSwitchDeviceId(LinkNintendoSwitchDeviceIdRequest request, Action<LinkNintendoSwitchDeviceIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkNintendoSwitchDeviceId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links an OpenID Connect account to a user's PlayFab account, based on an existing relationship between a title and an
+        /// Open ID Connect provider and the OpenId Connect JWT from that provider.
+        /// </summary>
+        public static void LinkOpenIdConnect(LinkOpenIdConnectRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkOpenIdConnect", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the PlayStation Network account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public static void LinkPSNAccount(LinkPSNAccountRequest request, Action<LinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkPSNAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Steam account associated with the provided Steam authentication ticket to the user's PlayFab account
+        /// </summary>
+        public static void LinkSteamAccount(LinkSteamAccountRequest request, Action<LinkSteamAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkSteamAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Twitch account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public static void LinkTwitch(LinkTwitchAccountRequest request, Action<LinkTwitchAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkTwitch", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Xbox Live account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public static void LinkXboxAccount(LinkXboxAccountRequest request, Action<LinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/LinkXboxAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using the Android device identifier, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithAndroidDeviceID(LoginWithAndroidDeviceIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithAndroidDeviceID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs in the user with a Sign in with Apple identity token.
+        /// </summary>
+        public static void LoginWithApple(LoginWithAppleRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithApple", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a custom unique identifier generated by the title, returning a session identifier that can
+        /// subsequently be used for API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithCustomID(LoginWithCustomIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithCustomID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user into the PlayFab account, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user. Unlike most other login API calls, LoginWithEmailAddress does not permit the
+        /// creation of new accounts via the CreateAccountFlag. Email addresses may be used to create accounts via
+        /// RegisterPlayFabUser.
+        /// </summary>
+        public static void LoginWithEmailAddress(LoginWithEmailAddressRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithEmailAddress", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Facebook access token, returning a session identifier that can subsequently be used for API
+        /// calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithFacebook(LoginWithFacebookRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithFacebook", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Facebook Instant Games ID, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user. Requires Facebook Instant Games to be configured.
+        /// </summary>
+        public static void LoginWithFacebookInstantGamesId(LoginWithFacebookInstantGamesIdRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithFacebookInstantGamesId", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using an iOS Game Center player identifier, returning a session identifier that can subsequently be
+        /// used for API calls which require an authenticated user. Logging in with a Game Center ID is insecure if you do not
+        /// include the optional PublicKeyUrl, Salt, Signature, and Timestamp parameters in this request. It is recommended you
+        /// require these parameters on all Game Center calls by going to the Apple Add-ons page in the PlayFab Game Manager and
+        /// enabling the 'Require secure authentication only for this app' option.
+        /// </summary>
+        public static void LoginWithGameCenter(LoginWithGameCenterRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithGameCenter", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using their Google account credentials
+        /// </summary>
+        public static void LoginWithGoogleAccount(LoginWithGoogleAccountRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithGoogleAccount", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using the vendor-specific iOS device identifier, returning a session identifier that can subsequently
+        /// be used for API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithIOSDeviceID(LoginWithIOSDeviceIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithIOSDeviceID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Kongregate player account.
+        /// </summary>
+        public static void LoginWithKongregate(LoginWithKongregateRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithKongregate", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs in the user with a Nintendo service account token.
+        /// </summary>
+        public static void LoginWithNintendoServiceAccount(LoginWithNintendoServiceAccountRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithNintendoServiceAccount", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Nintendo Switch Device ID, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithNintendoSwitchDeviceId(LoginWithNintendoSwitchDeviceIdRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithNintendoSwitchDeviceId", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Logs in a user with an Open ID Connect JWT created by an existing relationship between a title and an Open ID Connect
+        /// provider.
+        /// </summary>
+        public static void LoginWithOpenIdConnect(LoginWithOpenIdConnectRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithOpenIdConnect", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user into the PlayFab account, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user. Unlike most other login API calls, LoginWithPlayFab does not permit the creation of
+        /// new accounts via the CreateAccountFlag. Username/Password credentials may be used to create accounts via
+        /// RegisterPlayFabUser, or added to existing accounts using AddUsernamePassword.
+        /// </summary>
+        public static void LoginWithPlayFab(LoginWithPlayFabRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithPlayFab", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a PlayStation Network authentication code, returning a session identifier that can subsequently
+        /// be used for API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithPSN(LoginWithPSNRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithPSN", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Steam authentication ticket, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithSteam(LoginWithSteamRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithSteam", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Twitch access token.
+        /// </summary>
+        public static void LoginWithTwitch(LoginWithTwitchRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithTwitch", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Xbox Live Token, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user
+        /// </summary>
+        public static void LoginWithXbox(LoginWithXboxRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/LoginWithXbox", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Attempts to locate a game session matching the given parameters. If the goal is to match the player into a specific
+        /// active session, only the LobbyId is required. Otherwise, the BuildVersion, GameMode, and Region are all required
+        /// parameters. Note that parameters specified in the search are required (they are not weighting factors). If a slot is
+        /// found in a server instance matching the parameters, the slot will be assigned to that player, removing it from the
+        /// availabe set. In that case, the information on the game session will be returned, otherwise the Status returned will be
+        /// GameNotFound.
+        /// </summary>
+        public static void Matchmake(MatchmakeRequest request, Action<MatchmakeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/Matchmake", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Opens a new outstanding trade. Note that a given item instance may only be in one open trade at a time.
+        /// </summary>
+        public static void OpenTrade(OpenTradeRequest request, Action<OpenTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/OpenTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Selects a payment option for purchase order created via StartPurchase
+        /// </summary>
+        public static void PayForPurchase(PayForPurchaseRequest request, Action<PayForPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/PayForPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Buys a single item with virtual currency. You must specify both the virtual currency to use to purchase, as well as what
+        /// the client believes the price to be. This lets the server fail the purchase if the price has changed.
+        /// </summary>
+        public static void PurchaseItem(PurchaseItemRequest request, Action<PurchaseItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/PurchaseItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the virtual goods associated with the coupon to the user's inventory. Coupons can be generated via the
+        /// Economy->Catalogs tab in the PlayFab Game Manager.
+        /// </summary>
+        public static void RedeemCoupon(RedeemCouponRequest request, Action<RedeemCouponResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RedeemCoupon", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Uses the supplied OAuth code to refresh the internally cached player PSN auth token
+        /// </summary>
+        public static void RefreshPSNAuthToken(RefreshPSNAuthTokenRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RefreshPSNAuthToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers the iOS device to receive push notifications
+        /// </summary>
+        public static void RegisterForIOSPushNotification(RegisterForIOSPushNotificationRequest request, Action<RegisterForIOSPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RegisterForIOSPushNotification", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers a new Playfab user account, returning a session identifier that can subsequently be used for API calls which
+        /// require an authenticated user. You must supply either a username or an email address.
+        /// </summary>
+        public static void RegisterPlayFabUser(RegisterPlayFabUserRequest request, Action<RegisterPlayFabUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+
+
+            PlayFabHttp.MakeApiCall("/Client/RegisterPlayFabUser", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a contact email from the player's profile.
+        /// </summary>
+        public static void RemoveContactEmail(RemoveContactEmailRequest request, Action<RemoveContactEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RemoveContactEmail", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a specified user from the friend list of the local user
+        /// </summary>
+        public static void RemoveFriend(RemoveFriendRequest request, Action<RemoveFriendResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RemoveFriend", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes the specified generic service identifier from the player's PlayFab account.
+        /// </summary>
+        public static void RemoveGenericID(RemoveGenericIDRequest request, Action<RemoveGenericIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RemoveGenericID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes users from the set of those able to update the shared data and the set of users in the group. Only users in the
+        /// group can remove members. If as a result of the call, zero users remain with access, the group and its associated data
+        /// will be deleted. Shared Groups are designed for sharing data between a very small number of players, please see our
+        /// guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void RemoveSharedGroupMembers(RemoveSharedGroupMembersRequest request, Action<RemoveSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RemoveSharedGroupMembers", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Report player's ad activity
+        /// </summary>
+        public static void ReportAdActivity(ReportAdActivityRequest request, Action<ReportAdActivityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ReportAdActivity", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Write a PlayStream event to describe the provided player device information. This API method is not designed to be
+        /// called directly by developers. Each PlayFab client SDK will eventually report this information automatically.
+        /// </summary>
+        public static void ReportDeviceInfo(DeviceInfoRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ReportDeviceInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Submit a report for another player (due to bad bahavior, etc.), so that customer service representatives for the title
+        /// can take action concerning potentially toxic players.
+        /// </summary>
+        public static void ReportPlayer(ReportPlayerClientRequest request, Action<ReportPlayerClientResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ReportPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Restores all in-app purchases based on the given restore receipt
+        /// </summary>
+        public static void RestoreIOSPurchases(RestoreIOSPurchasesRequest request, Action<RestoreIOSPurchasesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RestoreIOSPurchases", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Reward player's ad activity
+        /// </summary>
+        public static void RewardAdActivity(RewardAdActivityRequest request, Action<RewardAdActivityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/RewardAdActivity", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered email address for the user's account, with a link allowing the user to
+        /// change the password.If an account recovery email template ID is provided, an email using the custom email template will
+        /// be used.
+        /// </summary>
+        public static void SendAccountRecoveryEmail(SendAccountRecoveryEmailRequest request, Action<SendAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+
+
+            PlayFabHttp.MakeApiCall("/Client/SendAccountRecoveryEmail", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the tag list for a specified user in the friend list of the local user
+        /// </summary>
+        public static void SetFriendTags(SetFriendTagsRequest request, Action<SetFriendTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/SetFriendTags", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the player's secret if it is not already set. Player secrets are used to sign API requests. To reset a player's
+        /// secret use the Admin or Server API method SetPlayerSecret.
+        /// </summary>
+        public static void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/SetPlayerSecret", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Start a new game server with a given configuration, add the current player and return the connection information.
+        /// </summary>
+        public static void StartGame(StartGameRequest request, Action<StartGameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/StartGame", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates an order for a list of items from the title catalog
+        /// </summary>
+        public static void StartPurchase(StartPurchaseRequest request, Action<StartPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/StartPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Decrements the user's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public static void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/SubtractUserVirtualCurrency", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Android device identifier from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkAndroidDeviceID(UnlinkAndroidDeviceIDRequest request, Action<UnlinkAndroidDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkAndroidDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Apple account from the user's PlayFab account.
+        /// </summary>
+        public static void UnlinkApple(UnlinkAppleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkApple", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related custom identifier from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkCustomID(UnlinkCustomIDRequest request, Action<UnlinkCustomIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkCustomID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Facebook account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkFacebookAccount(UnlinkFacebookAccountRequest request, Action<UnlinkFacebookAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkFacebookAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Facebook Instant Game Ids from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkFacebookInstantGamesId(UnlinkFacebookInstantGamesIdRequest request, Action<UnlinkFacebookInstantGamesIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkFacebookInstantGamesId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Game Center account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkGameCenterAccount(UnlinkGameCenterAccountRequest request, Action<UnlinkGameCenterAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkGameCenterAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Google account from the user's PlayFab account
+        /// (https://developers.google.com/android/reference/com/google/android/gms/auth/GoogleAuthUtil#public-methods).
+        /// </summary>
+        public static void UnlinkGoogleAccount(UnlinkGoogleAccountRequest request, Action<UnlinkGoogleAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkGoogleAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related iOS device identifier from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkIOSDeviceID(UnlinkIOSDeviceIDRequest request, Action<UnlinkIOSDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkIOSDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Kongregate identifier from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkKongregate(UnlinkKongregateAccountRequest request, Action<UnlinkKongregateAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkKongregate", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Nintendo account from the user's PlayFab account.
+        /// </summary>
+        public static void UnlinkNintendoServiceAccount(UnlinkNintendoServiceAccountRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkNintendoServiceAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related NintendoSwitchDeviceId from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkNintendoSwitchDeviceId(UnlinkNintendoSwitchDeviceIdRequest request, Action<UnlinkNintendoSwitchDeviceIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkNintendoSwitchDeviceId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks an OpenID Connect account from a user's PlayFab account, based on the connection ID of an existing relationship
+        /// between a title and an Open ID Connect provider.
+        /// </summary>
+        public static void UnlinkOpenIdConnect(UnlinkOpenIdConnectRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkOpenIdConnect", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related PSN account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkPSNAccount(UnlinkPSNAccountRequest request, Action<UnlinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkPSNAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Steam account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkSteamAccount(UnlinkSteamAccountRequest request, Action<UnlinkSteamAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkSteamAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Twitch account from the user's PlayFab account.
+        /// </summary>
+        public static void UnlinkTwitch(UnlinkTwitchAccountRequest request, Action<UnlinkTwitchAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkTwitch", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Xbox Live account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkXboxAccount(UnlinkXboxAccountRequest request, Action<UnlinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlinkXboxAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Opens the specified container, with the specified key (when required), and returns the contents of the opened container.
+        /// If the container (and key when relevant) are consumable (RemainingUses > 0), their RemainingUses will be decremented,
+        /// consistent with the operation of ConsumeItem.
+        /// </summary>
+        public static void UnlockContainerInstance(UnlockContainerInstanceRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlockContainerInstance", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Searches target inventory for an ItemInstance matching the given CatalogItemId, if necessary unlocks it using an
+        /// appropriate key, and returns the contents of the opened container. If the container (and key when relevant) are
+        /// consumable (RemainingUses > 0), their RemainingUses will be decremented, consistent with the operation of ConsumeItem.
+        /// </summary>
+        public static void UnlockContainerItem(UnlockContainerItemRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UnlockContainerItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Update the avatar URL of the player
+        /// </summary>
+        public static void UpdateAvatarUrl(UpdateAvatarUrlRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateAvatarUrl", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates and updates the title-specific custom data for the user's character which is readable and writable by the client
+        /// </summary>
+        public static void UpdateCharacterData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateCharacterData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the specific character. By default, clients are not
+        /// permitted to update statistics. Developers may override this setting in the Game Manager > Settings > API Features.
+        /// </summary>
+        public static void UpdateCharacterStatistics(UpdateCharacterStatisticsRequest request, Action<UpdateCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateCharacterStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the user. By default, clients are not permitted to
+        /// update statistics. Developers may override this setting in the Game Manager > Settings > API Features.
+        /// </summary>
+        public static void UpdatePlayerStatistics(UpdatePlayerStatisticsRequest request, Action<UpdatePlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdatePlayerStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds, updates, and removes data keys for a shared group object. If the permission is set to Public, all fields updated
+        /// or added in this call will be readable by users not in the group. By default, data permissions are set to Private.
+        /// Regardless of the permission setting, only members of the group can update the data. Shared Groups are designed for
+        /// sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void UpdateSharedGroupData(UpdateSharedGroupDataRequest request, Action<UpdateSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateSharedGroupData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates and updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates and updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title specific display name for the user
+        /// </summary>
+        public static void UpdateUserTitleDisplayName(UpdateUserTitleDisplayNameRequest request, Action<UpdateUserTitleDisplayNameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserTitleDisplayName", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validates with Amazon that the receipt for an Amazon App Store in-app purchase is valid and that it matches the
+        /// purchased catalog item
+        /// </summary>
+        public static void ValidateAmazonIAPReceipt(ValidateAmazonReceiptRequest request, Action<ValidateAmazonReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ValidateAmazonIAPReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validates a Google Play purchase and gives the corresponding item to the player.
+        /// </summary>
+        public static void ValidateGooglePlayPurchase(ValidateGooglePlayPurchaseRequest request, Action<ValidateGooglePlayPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ValidateGooglePlayPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validates with the Apple store that the receipt for an iOS in-app purchase is valid and that it matches the purchased
+        /// catalog item
+        /// </summary>
+        public static void ValidateIOSReceipt(ValidateIOSReceiptRequest request, Action<ValidateIOSReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ValidateIOSReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validates with Windows that the receipt for an Windows App Store in-app purchase is valid and that it matches the
+        /// purchased catalog item
+        /// </summary>
+        public static void ValidateWindowsStoreReceipt(ValidateWindowsReceiptRequest request, Action<ValidateWindowsReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/ValidateWindowsStoreReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a character-based event into PlayStream.
+        /// </summary>
+        public static void WriteCharacterEvent(WriteClientCharacterEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/WriteCharacterEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a player-based event into PlayStream.
+        /// </summary>
+        public static void WritePlayerEvent(WriteClientPlayerEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/WritePlayerEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a title-based event into PlayStream.
+        /// </summary>
+        public static void WriteTitleEvent(WriteTitleEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Client/WriteTitleEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs.meta b/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..2050daf512c4a93756c6a3516acca05f07a55bf3
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientAPI.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 90390500e82fe784caf147e8a6dee649
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs b/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..77905c121f392f7f55d2988996f80ef1cd3422bf
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs
@@ -0,0 +1,1965 @@
+#if !DISABLE_PLAYFABCLIENT_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ClientModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs which provide the full range of PlayFab features available to the client - authentication, account and data
+    /// management, inventory, friends, matchmaking, reporting, and platform-specific functionality
+    /// </summary>
+    public class PlayFabClientInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabClientInstanceAPI()
+        {
+            authenticationContext = new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabClientInstanceAPI(PlayFabApiSettings settings)
+        {
+            apiSettings = settings;
+            authenticationContext = new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabClientInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            authenticationContext = context ?? new PlayFabAuthenticationContext();
+        }
+
+        public PlayFabClientInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            apiSettings = settings;
+            authenticationContext = context ?? new PlayFabAuthenticationContext();
+        }
+
+        /// <summary>
+        /// Verify client login.
+        /// </summary>
+        public bool IsClientLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsClientLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Accepts an open trade (one that has not yet been accepted or cancelled), if the locally signed-in player is in the
+        /// allowed player list for the trade, or it is open to all players. If the call is successful, the offered and accepted
+        /// items will be swapped between the two players' inventories.
+        /// </summary>
+        public void AcceptTrade(AcceptTradeRequest request, Action<AcceptTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AcceptTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the PlayFab user, based upon a match against a supplied unique identifier, to the friend list of the local user. At
+        /// least one of FriendPlayFabId,FriendUsername,FriendEmail, or FriendTitleDisplayName should be initialized.
+        /// </summary>
+        public void AddFriend(AddFriendRequest request, Action<AddFriendResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddFriend", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified generic service identifier to the player's PlayFab account. This is designed to allow for a PlayFab
+        /// ID lookup of any arbitrary service identifier a title wants to add. This identifier should never be used as
+        /// authentication credentials, as the intent is that it is easily accessible by other players.
+        /// </summary>
+        public void AddGenericID(AddGenericIDRequest request, Action<AddGenericIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddGenericID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds or updates a contact email to the player's profile.
+        /// </summary>
+        public void AddOrUpdateContactEmail(AddOrUpdateContactEmailRequest request, Action<AddOrUpdateContactEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddOrUpdateContactEmail", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds users to the set of those able to update both the shared data, as well as the set of users in the group. Only users
+        /// in the group can add new members. Shared Groups are designed for sharing data between a very small number of players,
+        /// please see our guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void AddSharedGroupMembers(AddSharedGroupMembersRequest request, Action<AddSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddSharedGroupMembers", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds playfab username/password auth to an existing account created via an anonymous auth method, e.g. automatic device
+        /// ID login.
+        /// </summary>
+        public void AddUsernamePassword(AddUsernamePasswordRequest request, Action<AddUsernamePasswordResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddUsernamePassword", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Increments the user's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AddUserVirtualCurrency", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers the Android device to receive push notifications
+        /// </summary>
+        public void AndroidDevicePushNotificationRegistration(AndroidDevicePushNotificationRegistrationRequest request, Action<AndroidDevicePushNotificationRegistrationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AndroidDevicePushNotificationRegistration", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Attributes an install for advertisment.
+        /// </summary>
+        public void AttributeInstall(AttributeInstallRequest request, Action<AttributeInstallResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/AttributeInstall", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Cancels an open trade (one that has not yet been accepted or cancelled). Note that only the player who created the trade
+        /// can cancel it via this API call, to prevent griefing of the trade system (cancelling trades in order to prevent other
+        /// players from accepting them, for trades that can be claimed by more than one player).
+        /// </summary>
+        public void CancelTrade(CancelTradeRequest request, Action<CancelTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/CancelTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Confirms with the payment provider that the purchase was approved (if applicable) and adjusts inventory and virtual
+        /// currency balances as appropriate
+        /// </summary>
+        public void ConfirmPurchase(ConfirmPurchaseRequest request, Action<ConfirmPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConfirmPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Consume uses of a consumable item. When all uses are consumed, it will be removed from the player's inventory.
+        /// </summary>
+        public void ConsumeItem(ConsumeItemRequest request, Action<ConsumeItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConsumeItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Grants the player's current entitlements from Microsoft Store's Collection API
+        /// </summary>
+        public void ConsumeMicrosoftStoreEntitlements(ConsumeMicrosoftStoreEntitlementsRequest request, Action<ConsumeMicrosoftStoreEntitlementsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConsumeMicrosoftStoreEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Checks for any new PS5 entitlements. If any are found, they are consumed (if they're consumables) and added as PlayFab
+        /// items
+        /// </summary>
+        public void ConsumePS5Entitlements(ConsumePS5EntitlementsRequest request, Action<ConsumePS5EntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConsumePS5Entitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Checks for any new consumable entitlements. If any are found, they are consumed and added as PlayFab items
+        /// </summary>
+        public void ConsumePSNEntitlements(ConsumePSNEntitlementsRequest request, Action<ConsumePSNEntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConsumePSNEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Grants the player's current entitlements from Xbox Live, consuming all availble items in Xbox and granting them to the
+        /// player's PlayFab inventory. This call is idempotent and will not grant previously granted items to the player.
+        /// </summary>
+        public void ConsumeXboxEntitlements(ConsumeXboxEntitlementsRequest request, Action<ConsumeXboxEntitlementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ConsumeXboxEntitlements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Requests the creation of a shared group object, containing key/value pairs which may be updated by all members of the
+        /// group. Upon creation, the current user will be the only member of the group. Shared Groups are designed for sharing data
+        /// between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void CreateSharedGroup(CreateSharedGroupRequest request, Action<CreateSharedGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/CreateSharedGroup", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Executes a CloudScript function, with the 'currentPlayerId' set to the PlayFab ID of the authenticated player.
+        /// </summary>
+        public void ExecuteCloudScript(ExecuteCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ExecuteCloudScript", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        public void ExecuteCloudScript<TOut>(ExecuteCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn, "Must be logged in to call this method");
+            Action<ExecuteCloudScriptResult> wrappedResultCallback = (wrappedResult) =>
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var wrappedJson = serializer.SerializeObject(wrappedResult.FunctionResult);
+                try {
+                    wrappedResult.FunctionResult = serializer.DeserializeObject<TOut>(wrappedJson);
+                } catch (Exception) {
+                    wrappedResult.FunctionResult = wrappedJson;
+                    wrappedResult.Logs.Add(new LogStatement { Level = "Warning", Data = wrappedJson, Message = "Sdk Message: Could not deserialize result as: " + typeof(TOut).Name });
+                }
+                resultCallback(wrappedResult);
+            };
+            PlayFabHttp.MakeApiCall("/Client/ExecuteCloudScript", request, AuthType.LoginSession, wrappedResultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the user's PlayFab account details
+        /// </summary>
+        public void GetAccountInfo(GetAccountInfoRequest request, Action<GetAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetAccountInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Returns a list of ad placements and a reward for each
+        /// </summary>
+        public void GetAdPlacements(GetAdPlacementsRequest request, Action<GetAdPlacementsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetAdPlacements", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all of the characters that belong to a specific user. CharacterIds are not globally unique; characterId must be
+        /// evaluated with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public void GetAllUsersCharacters(ListUsersCharactersRequest request, Action<ListUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetAllUsersCharacters", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCatalogItems", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the character which is readable and writable by the client
+        /// </summary>
+        public void GetCharacterData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified character's current inventory of virtual goods
+        /// </summary>
+        public void GetCharacterInventory(GetCharacterInventoryRequest request, Action<GetCharacterInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterInventory", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public void GetCharacterLeaderboard(GetCharacterLeaderboardRequest request, Action<GetCharacterLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the character which can only be read by the client
+        /// </summary>
+        public void GetCharacterReadOnlyData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the details of all title-specific statistics for the user
+        /// </summary>
+        public void GetCharacterStatistics(GetCharacterStatisticsRequest request, Action<GetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCharacterStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// This API retrieves a pre-signed URL for accessing a content file for the title. A subsequent HTTP GET to the returned
+        /// URL will attempt to download the content. A HEAD query to the returned URL will attempt to retrieve the metadata of the
+        /// content. Note that a successful result does not guarantee the existence of this content - if it has not been uploaded,
+        /// the query to retrieve the data will fail. See this post for more information:
+        /// https://community.playfab.com/hc/community/posts/205469488-How-to-upload-files-to-PlayFab-s-Content-Service. Also,
+        /// please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN rates apply.
+        /// </summary>
+        public void GetContentDownloadUrl(GetContentDownloadUrlRequest request, Action<GetContentDownloadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetContentDownloadUrl", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get details about all current running game servers matching the given parameters.
+        /// </summary>
+        public void GetCurrentGames(CurrentGamesRequest request, Action<CurrentGamesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetCurrentGames", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the current player for the given statistic, starting from the indicated point in
+        /// the leaderboard
+        /// </summary>
+        public void GetFriendLeaderboard(GetFriendLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetFriendLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the current player for the given statistic, centered on the requested PlayFab
+        /// user. If PlayFabId is empty or null will return currently logged in user.
+        /// </summary>
+        public void GetFriendLeaderboardAroundPlayer(GetFriendLeaderboardAroundPlayerRequest request, Action<GetFriendLeaderboardAroundPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetFriendLeaderboardAroundPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the current friend list for the local user, constrained to users who have PlayFab accounts. Friends from
+        /// linked accounts (Facebook, Steam) are also included. You may optionally exclude some linked services' friends.
+        /// </summary>
+        public void GetFriendsList(GetFriendsListRequest request, Action<GetFriendsListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetFriendsList", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get details about the regions hosting game servers matching the given parameters.
+        /// </summary>
+        public void GetGameServerRegions(GameServerRegionsRequest request, Action<GameServerRegionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetGameServerRegions", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public void GetLeaderboard(GetLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboard", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, centered on the requested Character ID
+        /// </summary>
+        public void GetLeaderboardAroundCharacter(GetLeaderboardAroundCharacterRequest request, Action<GetLeaderboardAroundCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardAroundCharacter", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, centered on the requested player. If PlayFabId is empty or
+        /// null will return currently logged in user.
+        /// </summary>
+        public void GetLeaderboardAroundPlayer(GetLeaderboardAroundPlayerRequest request, Action<GetLeaderboardAroundPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardAroundPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all of the user's characters for the given statistic.
+        /// </summary>
+        public void GetLeaderboardForUserCharacters(GetLeaderboardForUsersCharactersRequest request, Action<GetLeaderboardForUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetLeaderboardForUserCharacters", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// For payments flows where the provider requires playfab (the fulfiller) to initiate the transaction, but the client
+        /// completes the rest of the flow. In the Xsolla case, the token returned here will be passed to Xsolla by the client to
+        /// create a cart. Poll GetPurchase using the returned OrderId once you've completed the payment.
+        /// </summary>
+        public void GetPaymentToken(GetPaymentTokenRequest request, Action<GetPaymentTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPaymentToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a Photon custom authentication token that can be used to securely join the player into a Photon room. See
+        /// https://docs.microsoft.com/gaming/playfab/features/multiplayer/photon/quickstart for more details.
+        /// </summary>
+        public void GetPhotonAuthenticationToken(GetPhotonAuthenticationTokenRequest request, Action<GetPhotonAuthenticationTokenResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPhotonAuthenticationToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves all of the user's different kinds of info.
+        /// </summary>
+        public void GetPlayerCombinedInfo(GetPlayerCombinedInfoRequest request, Action<GetPlayerCombinedInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerCombinedInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerProfile", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public void GetPlayerSegments(GetPlayerSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerSegments", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the indicated statistics (current version and values for all statistics, if none are specified), for the local
+        /// player.
+        /// </summary>
+        public void GetPlayerStatistics(GetPlayerStatisticsRequest request, Action<GetPlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerStatisticVersions", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerTags", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets all trades the player has either opened or accepted, optionally filtered by trade status.
+        /// </summary>
+        public void GetPlayerTrades(GetPlayerTradesRequest request, Action<GetPlayerTradesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayerTrades", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromFacebookIDs(GetPlayFabIDsFromFacebookIDsRequest request, Action<GetPlayFabIDsFromFacebookIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromFacebookIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook Instant Game identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromFacebookInstantGamesIds(GetPlayFabIDsFromFacebookInstantGamesIdsRequest request, Action<GetPlayFabIDsFromFacebookInstantGamesIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromFacebookInstantGamesIds", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Game Center identifiers (referenced in the Game Center
+        /// Programming Guide as the Player Identifier).
+        /// </summary>
+        public void GetPlayFabIDsFromGameCenterIDs(GetPlayFabIDsFromGameCenterIDsRequest request, Action<GetPlayFabIDsFromGameCenterIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGameCenterIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of generic service identifiers. A generic identifier is the
+        /// service name plus the service-specific ID for the player, as specified by the title when the generic identifier was
+        /// added to the player account.
+        /// </summary>
+        public void GetPlayFabIDsFromGenericIDs(GetPlayFabIDsFromGenericIDsRequest request, Action<GetPlayFabIDsFromGenericIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGenericIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Google identifiers. The Google identifiers are the IDs for
+        /// the user accounts, available as "id" in the Google+ People API calls.
+        /// </summary>
+        public void GetPlayFabIDsFromGoogleIDs(GetPlayFabIDsFromGoogleIDsRequest request, Action<GetPlayFabIDsFromGoogleIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromGoogleIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Kongregate identifiers. The Kongregate identifiers are the
+        /// IDs for the user accounts, available as "user_id" from the Kongregate API methods(ex:
+        /// http://developers.kongregate.com/docs/client/getUserId).
+        /// </summary>
+        public void GetPlayFabIDsFromKongregateIDs(GetPlayFabIDsFromKongregateIDsRequest request, Action<GetPlayFabIDsFromKongregateIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromKongregateIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Nintendo Switch identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromNintendoSwitchDeviceIds(GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest request, Action<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromNintendoSwitchDeviceIds", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of PlayStation Network identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromPSNAccountIDs(GetPlayFabIDsFromPSNAccountIDsRequest request, Action<GetPlayFabIDsFromPSNAccountIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromPSNAccountIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Steam identifiers. The Steam identifiers are the profile
+        /// IDs for the user accounts, available as SteamId in the Steamworks Community API calls.
+        /// </summary>
+        public void GetPlayFabIDsFromSteamIDs(GetPlayFabIDsFromSteamIDsRequest request, Action<GetPlayFabIDsFromSteamIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromSteamIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Twitch identifiers. The Twitch identifiers are the IDs for
+        /// the user accounts, available as "_id" from the Twitch API methods (ex:
+        /// https://github.com/justintv/Twitch-API/blob/master/v3_resources/users.md#get-usersuser).
+        /// </summary>
+        public void GetPlayFabIDsFromTwitchIDs(GetPlayFabIDsFromTwitchIDsRequest request, Action<GetPlayFabIDsFromTwitchIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromTwitchIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of XboxLive identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromXboxLiveIDs(GetPlayFabIDsFromXboxLiveIDsRequest request, Action<GetPlayFabIDsFromXboxLiveIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPlayFabIDsFromXboxLiveIDs", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a purchase along with its current PlayFab status. Returns inventory items from the purchase that are still
+        /// active.
+        /// </summary>
+        public void GetPurchase(GetPurchaseRequest request, Action<GetPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves data stored in a shared group object, as well as the list of members in the group. Non-members of the group
+        /// may use this to retrieve group data, including membership, but they will not receive data for keys marked as private.
+        /// Shared Groups are designed for sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void GetSharedGroupData(GetSharedGroupDataRequest request, Action<GetSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetSharedGroupData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined
+        /// </summary>
+        public void GetStoreItems(GetStoreItemsRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetStoreItems", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the current server time
+        /// </summary>
+        public void GetTime(GetTimeRequest request, Action<GetTimeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetTime", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings
+        /// </summary>
+        public void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetTitleData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title news feed, as configured in the developer portal
+        /// </summary>
+        public void GetTitleNews(GetTitleNewsRequest request, Action<GetTitleNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetTitleNews", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Returns the title's base 64 encoded RSA CSP blob.
+        /// </summary>
+        public void GetTitlePublicKey(GetTitlePublicKeyRequest request, Action<GetTitlePublicKeyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            PlayFabHttp.MakeApiCall("/Client/GetTitlePublicKey", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the current status of an existing trade.
+        /// </summary>
+        public void GetTradeStatus(GetTradeStatusRequest request, Action<GetTradeStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetTradeStatus", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetUserData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the user's current inventory of virtual goods
+        /// </summary>
+        public void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetUserInventory", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetUserPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetUserPublisherReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GetUserReadOnlyData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Grants the specified character type to the user. CharacterIds are not globally unique; characterId must be evaluated
+        /// with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public void GrantCharacterToUser(GrantCharacterToUserRequest request, Action<GrantCharacterToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/GrantCharacterToUser", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Android device identifier to the user's PlayFab account
+        /// </summary>
+        public void LinkAndroidDeviceID(LinkAndroidDeviceIDRequest request, Action<LinkAndroidDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkAndroidDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Apple account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public void LinkApple(LinkAppleRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkApple", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the custom identifier, generated by the title, to the user's PlayFab account
+        /// </summary>
+        public void LinkCustomID(LinkCustomIDRequest request, Action<LinkCustomIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkCustomID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Facebook account associated with the provided Facebook access token to the user's PlayFab account
+        /// </summary>
+        public void LinkFacebookAccount(LinkFacebookAccountRequest request, Action<LinkFacebookAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkFacebookAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Facebook Instant Games Id to the user's PlayFab account
+        /// </summary>
+        public void LinkFacebookInstantGamesId(LinkFacebookInstantGamesIdRequest request, Action<LinkFacebookInstantGamesIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkFacebookInstantGamesId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Game Center account associated with the provided Game Center ID to the user's PlayFab account. Logging in with
+        /// a Game Center ID is insecure if you do not include the optional PublicKeyUrl, Salt, Signature, and Timestamp parameters
+        /// in this request. It is recommended you require these parameters on all Game Center calls by going to the Apple Add-ons
+        /// page in the PlayFab Game Manager and enabling the 'Require secure authentication only for this app' option.
+        /// </summary>
+        public void LinkGameCenterAccount(LinkGameCenterAccountRequest request, Action<LinkGameCenterAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkGameCenterAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the currently signed-in user account to their Google account, using their Google account credentials
+        /// </summary>
+        public void LinkGoogleAccount(LinkGoogleAccountRequest request, Action<LinkGoogleAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkGoogleAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the vendor-specific iOS device identifier to the user's PlayFab account
+        /// </summary>
+        public void LinkIOSDeviceID(LinkIOSDeviceIDRequest request, Action<LinkIOSDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkIOSDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Kongregate identifier to the user's PlayFab account
+        /// </summary>
+        public void LinkKongregate(LinkKongregateAccountRequest request, Action<LinkKongregateAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkKongregate", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Nintendo account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public void LinkNintendoServiceAccount(LinkNintendoServiceAccountRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkNintendoServiceAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the NintendoSwitchDeviceId to the user's PlayFab account
+        /// </summary>
+        public void LinkNintendoSwitchDeviceId(LinkNintendoSwitchDeviceIdRequest request, Action<LinkNintendoSwitchDeviceIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkNintendoSwitchDeviceId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links an OpenID Connect account to a user's PlayFab account, based on an existing relationship between a title and an
+        /// Open ID Connect provider and the OpenId Connect JWT from that provider.
+        /// </summary>
+        public void LinkOpenIdConnect(LinkOpenIdConnectRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkOpenIdConnect", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the PlayStation Network account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public void LinkPSNAccount(LinkPSNAccountRequest request, Action<LinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkPSNAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Steam account associated with the provided Steam authentication ticket to the user's PlayFab account
+        /// </summary>
+        public void LinkSteamAccount(LinkSteamAccountRequest request, Action<LinkSteamAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkSteamAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Twitch account associated with the token to the user's PlayFab account.
+        /// </summary>
+        public void LinkTwitch(LinkTwitchAccountRequest request, Action<LinkTwitchAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkTwitch", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Xbox Live account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public void LinkXboxAccount(LinkXboxAccountRequest request, Action<LinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/LinkXboxAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using the Android device identifier, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithAndroidDeviceID(LoginWithAndroidDeviceIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithAndroidDeviceID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs in the user with a Sign in with Apple identity token.
+        /// </summary>
+        public void LoginWithApple(LoginWithAppleRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithApple", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a custom unique identifier generated by the title, returning a session identifier that can
+        /// subsequently be used for API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithCustomID(LoginWithCustomIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithCustomID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user into the PlayFab account, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user. Unlike most other login API calls, LoginWithEmailAddress does not permit the
+        /// creation of new accounts via the CreateAccountFlag. Email addresses may be used to create accounts via
+        /// RegisterPlayFabUser.
+        /// </summary>
+        public void LoginWithEmailAddress(LoginWithEmailAddressRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithEmailAddress", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Facebook access token, returning a session identifier that can subsequently be used for API
+        /// calls which require an authenticated user
+        /// </summary>
+        public void LoginWithFacebook(LoginWithFacebookRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithFacebook", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Facebook Instant Games ID, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user. Requires Facebook Instant Games to be configured.
+        /// </summary>
+        public void LoginWithFacebookInstantGamesId(LoginWithFacebookInstantGamesIdRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithFacebookInstantGamesId", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using an iOS Game Center player identifier, returning a session identifier that can subsequently be
+        /// used for API calls which require an authenticated user. Logging in with a Game Center ID is insecure if you do not
+        /// include the optional PublicKeyUrl, Salt, Signature, and Timestamp parameters in this request. It is recommended you
+        /// require these parameters on all Game Center calls by going to the Apple Add-ons page in the PlayFab Game Manager and
+        /// enabling the 'Require secure authentication only for this app' option.
+        /// </summary>
+        public void LoginWithGameCenter(LoginWithGameCenterRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithGameCenter", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using their Google account credentials
+        /// </summary>
+        public void LoginWithGoogleAccount(LoginWithGoogleAccountRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithGoogleAccount", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using the vendor-specific iOS device identifier, returning a session identifier that can subsequently
+        /// be used for API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithIOSDeviceID(LoginWithIOSDeviceIDRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithIOSDeviceID", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Kongregate player account.
+        /// </summary>
+        public void LoginWithKongregate(LoginWithKongregateRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithKongregate", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs in the user with a Nintendo service account token.
+        /// </summary>
+        public void LoginWithNintendoServiceAccount(LoginWithNintendoServiceAccountRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithNintendoServiceAccount", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Nintendo Switch Device ID, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithNintendoSwitchDeviceId(LoginWithNintendoSwitchDeviceIdRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithNintendoSwitchDeviceId", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Logs in a user with an Open ID Connect JWT created by an existing relationship between a title and an Open ID Connect
+        /// provider.
+        /// </summary>
+        public void LoginWithOpenIdConnect(LoginWithOpenIdConnectRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithOpenIdConnect", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user into the PlayFab account, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user. Unlike most other login API calls, LoginWithPlayFab does not permit the creation of
+        /// new accounts via the CreateAccountFlag. Username/Password credentials may be used to create accounts via
+        /// RegisterPlayFabUser, or added to existing accounts using AddUsernamePassword.
+        /// </summary>
+        public void LoginWithPlayFab(LoginWithPlayFabRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithPlayFab", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a PlayStation Network authentication code, returning a session identifier that can subsequently
+        /// be used for API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithPSN(LoginWithPSNRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithPSN", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Steam authentication ticket, returning a session identifier that can subsequently be used for
+        /// API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithSteam(LoginWithSteamRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithSteam", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Twitch access token.
+        /// </summary>
+        public void LoginWithTwitch(LoginWithTwitchRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithTwitch", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Xbox Live Token, returning a session identifier that can subsequently be used for API calls
+        /// which require an authenticated user
+        /// </summary>
+        public void LoginWithXbox(LoginWithXboxRequest request, Action<LoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/LoginWithXbox", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Attempts to locate a game session matching the given parameters. If the goal is to match the player into a specific
+        /// active session, only the LobbyId is required. Otherwise, the BuildVersion, GameMode, and Region are all required
+        /// parameters. Note that parameters specified in the search are required (they are not weighting factors). If a slot is
+        /// found in a server instance matching the parameters, the slot will be assigned to that player, removing it from the
+        /// availabe set. In that case, the information on the game session will be returned, otherwise the Status returned will be
+        /// GameNotFound.
+        /// </summary>
+        public void Matchmake(MatchmakeRequest request, Action<MatchmakeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/Matchmake", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Opens a new outstanding trade. Note that a given item instance may only be in one open trade at a time.
+        /// </summary>
+        public void OpenTrade(OpenTradeRequest request, Action<OpenTradeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/OpenTrade", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Selects a payment option for purchase order created via StartPurchase
+        /// </summary>
+        public void PayForPurchase(PayForPurchaseRequest request, Action<PayForPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/PayForPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Buys a single item with virtual currency. You must specify both the virtual currency to use to purchase, as well as what
+        /// the client believes the price to be. This lets the server fail the purchase if the price has changed.
+        /// </summary>
+        public void PurchaseItem(PurchaseItemRequest request, Action<PurchaseItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/PurchaseItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the virtual goods associated with the coupon to the user's inventory. Coupons can be generated via the
+        /// Economy->Catalogs tab in the PlayFab Game Manager.
+        /// </summary>
+        public void RedeemCoupon(RedeemCouponRequest request, Action<RedeemCouponResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RedeemCoupon", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Uses the supplied OAuth code to refresh the internally cached player PSN auth token
+        /// </summary>
+        public void RefreshPSNAuthToken(RefreshPSNAuthTokenRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RefreshPSNAuthToken", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers the iOS device to receive push notifications
+        /// </summary>
+        public void RegisterForIOSPushNotification(RegisterForIOSPushNotificationRequest request, Action<RegisterForIOSPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RegisterForIOSPushNotification", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers a new Playfab user account, returning a session identifier that can subsequently be used for API calls which
+        /// require an authenticated user. You must supply either a username or an email address.
+        /// </summary>
+        public void RegisterPlayFabUser(RegisterPlayFabUserRequest request, Action<RegisterPlayFabUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            request.TitleId = request.TitleId ?? callSettings.TitleId;
+            PlayFabHttp.MakeApiCall("/Client/RegisterPlayFabUser", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a contact email from the player's profile.
+        /// </summary>
+        public void RemoveContactEmail(RemoveContactEmailRequest request, Action<RemoveContactEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RemoveContactEmail", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a specified user from the friend list of the local user
+        /// </summary>
+        public void RemoveFriend(RemoveFriendRequest request, Action<RemoveFriendResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RemoveFriend", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes the specified generic service identifier from the player's PlayFab account.
+        /// </summary>
+        public void RemoveGenericID(RemoveGenericIDRequest request, Action<RemoveGenericIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RemoveGenericID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes users from the set of those able to update the shared data and the set of users in the group. Only users in the
+        /// group can remove members. If as a result of the call, zero users remain with access, the group and its associated data
+        /// will be deleted. Shared Groups are designed for sharing data between a very small number of players, please see our
+        /// guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void RemoveSharedGroupMembers(RemoveSharedGroupMembersRequest request, Action<RemoveSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RemoveSharedGroupMembers", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Report player's ad activity
+        /// </summary>
+        public void ReportAdActivity(ReportAdActivityRequest request, Action<ReportAdActivityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ReportAdActivity", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Write a PlayStream event to describe the provided player device information. This API method is not designed to be
+        /// called directly by developers. Each PlayFab client SDK will eventually report this information automatically.
+        /// </summary>
+        public void ReportDeviceInfo(DeviceInfoRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ReportDeviceInfo", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Submit a report for another player (due to bad bahavior, etc.), so that customer service representatives for the title
+        /// can take action concerning potentially toxic players.
+        /// </summary>
+        public void ReportPlayer(ReportPlayerClientRequest request, Action<ReportPlayerClientResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ReportPlayer", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Restores all in-app purchases based on the given restore receipt
+        /// </summary>
+        public void RestoreIOSPurchases(RestoreIOSPurchasesRequest request, Action<RestoreIOSPurchasesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RestoreIOSPurchases", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Reward player's ad activity
+        /// </summary>
+        public void RewardAdActivity(RewardAdActivityRequest request, Action<RewardAdActivityResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/RewardAdActivity", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered email address for the user's account, with a link allowing the user to
+        /// change the password.If an account recovery email template ID is provided, an email using the custom email template will
+        /// be used.
+        /// </summary>
+        public void SendAccountRecoveryEmail(SendAccountRecoveryEmailRequest request, Action<SendAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            PlayFabHttp.MakeApiCall("/Client/SendAccountRecoveryEmail", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the tag list for a specified user in the friend list of the local user
+        /// </summary>
+        public void SetFriendTags(SetFriendTagsRequest request, Action<SetFriendTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/SetFriendTags", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the player's secret if it is not already set. Player secrets are used to sign API requests. To reset a player's
+        /// secret use the Admin or Server API method SetPlayerSecret.
+        /// </summary>
+        public void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/SetPlayerSecret", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Start a new game server with a given configuration, add the current player and return the connection information.
+        /// </summary>
+        public void StartGame(StartGameRequest request, Action<StartGameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/StartGame", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates an order for a list of items from the title catalog
+        /// </summary>
+        public void StartPurchase(StartPurchaseRequest request, Action<StartPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/StartPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Decrements the user's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/SubtractUserVirtualCurrency", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Android device identifier from the user's PlayFab account
+        /// </summary>
+        public void UnlinkAndroidDeviceID(UnlinkAndroidDeviceIDRequest request, Action<UnlinkAndroidDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkAndroidDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Apple account from the user's PlayFab account.
+        /// </summary>
+        public void UnlinkApple(UnlinkAppleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkApple", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related custom identifier from the user's PlayFab account
+        /// </summary>
+        public void UnlinkCustomID(UnlinkCustomIDRequest request, Action<UnlinkCustomIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkCustomID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Facebook account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkFacebookAccount(UnlinkFacebookAccountRequest request, Action<UnlinkFacebookAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkFacebookAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Facebook Instant Game Ids from the user's PlayFab account
+        /// </summary>
+        public void UnlinkFacebookInstantGamesId(UnlinkFacebookInstantGamesIdRequest request, Action<UnlinkFacebookInstantGamesIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkFacebookInstantGamesId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Game Center account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkGameCenterAccount(UnlinkGameCenterAccountRequest request, Action<UnlinkGameCenterAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkGameCenterAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Google account from the user's PlayFab account
+        /// (https://developers.google.com/android/reference/com/google/android/gms/auth/GoogleAuthUtil#public-methods).
+        /// </summary>
+        public void UnlinkGoogleAccount(UnlinkGoogleAccountRequest request, Action<UnlinkGoogleAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkGoogleAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related iOS device identifier from the user's PlayFab account
+        /// </summary>
+        public void UnlinkIOSDeviceID(UnlinkIOSDeviceIDRequest request, Action<UnlinkIOSDeviceIDResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkIOSDeviceID", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Kongregate identifier from the user's PlayFab account
+        /// </summary>
+        public void UnlinkKongregate(UnlinkKongregateAccountRequest request, Action<UnlinkKongregateAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkKongregate", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Nintendo account from the user's PlayFab account.
+        /// </summary>
+        public void UnlinkNintendoServiceAccount(UnlinkNintendoServiceAccountRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkNintendoServiceAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related NintendoSwitchDeviceId from the user's PlayFab account
+        /// </summary>
+        public void UnlinkNintendoSwitchDeviceId(UnlinkNintendoSwitchDeviceIdRequest request, Action<UnlinkNintendoSwitchDeviceIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkNintendoSwitchDeviceId", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks an OpenID Connect account from a user's PlayFab account, based on the connection ID of an existing relationship
+        /// between a title and an Open ID Connect provider.
+        /// </summary>
+        public void UnlinkOpenIdConnect(UnlinkOpenIdConnectRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkOpenIdConnect", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related PSN account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkPSNAccount(UnlinkPSNAccountRequest request, Action<UnlinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkPSNAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Steam account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkSteamAccount(UnlinkSteamAccountRequest request, Action<UnlinkSteamAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkSteamAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Twitch account from the user's PlayFab account.
+        /// </summary>
+        public void UnlinkTwitch(UnlinkTwitchAccountRequest request, Action<UnlinkTwitchAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkTwitch", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Xbox Live account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkXboxAccount(UnlinkXboxAccountRequest request, Action<UnlinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlinkXboxAccount", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Opens the specified container, with the specified key (when required), and returns the contents of the opened container.
+        /// If the container (and key when relevant) are consumable (RemainingUses > 0), their RemainingUses will be decremented,
+        /// consistent with the operation of ConsumeItem.
+        /// </summary>
+        public void UnlockContainerInstance(UnlockContainerInstanceRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlockContainerInstance", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Searches target inventory for an ItemInstance matching the given CatalogItemId, if necessary unlocks it using an
+        /// appropriate key, and returns the contents of the opened container. If the container (and key when relevant) are
+        /// consumable (RemainingUses > 0), their RemainingUses will be decremented, consistent with the operation of ConsumeItem.
+        /// </summary>
+        public void UnlockContainerItem(UnlockContainerItemRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UnlockContainerItem", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Update the avatar URL of the player
+        /// </summary>
+        public void UpdateAvatarUrl(UpdateAvatarUrlRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateAvatarUrl", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates and updates the title-specific custom data for the user's character which is readable and writable by the client
+        /// </summary>
+        public void UpdateCharacterData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateCharacterData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the specific character. By default, clients are not
+        /// permitted to update statistics. Developers may override this setting in the Game Manager > Settings > API Features.
+        /// </summary>
+        public void UpdateCharacterStatistics(UpdateCharacterStatisticsRequest request, Action<UpdateCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateCharacterStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the user. By default, clients are not permitted to
+        /// update statistics. Developers may override this setting in the Game Manager > Settings > API Features.
+        /// </summary>
+        public void UpdatePlayerStatistics(UpdatePlayerStatisticsRequest request, Action<UpdatePlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdatePlayerStatistics", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds, updates, and removes data keys for a shared group object. If the permission is set to Public, all fields updated
+        /// or added in this call will be readable by users not in the group. By default, data permissions are set to Private.
+        /// Regardless of the permission setting, only members of the group can update the data. Shared Groups are designed for
+        /// sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void UpdateSharedGroupData(UpdateSharedGroupDataRequest request, Action<UpdateSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateSharedGroupData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates and updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates and updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserPublisherData", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title specific display name for the user
+        /// </summary>
+        public void UpdateUserTitleDisplayName(UpdateUserTitleDisplayNameRequest request, Action<UpdateUserTitleDisplayNameResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/UpdateUserTitleDisplayName", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validates with Amazon that the receipt for an Amazon App Store in-app purchase is valid and that it matches the
+        /// purchased catalog item
+        /// </summary>
+        public void ValidateAmazonIAPReceipt(ValidateAmazonReceiptRequest request, Action<ValidateAmazonReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ValidateAmazonIAPReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validates a Google Play purchase and gives the corresponding item to the player.
+        /// </summary>
+        public void ValidateGooglePlayPurchase(ValidateGooglePlayPurchaseRequest request, Action<ValidateGooglePlayPurchaseResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ValidateGooglePlayPurchase", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validates with the Apple store that the receipt for an iOS in-app purchase is valid and that it matches the purchased
+        /// catalog item
+        /// </summary>
+        public void ValidateIOSReceipt(ValidateIOSReceiptRequest request, Action<ValidateIOSReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ValidateIOSReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validates with Windows that the receipt for an Windows App Store in-app purchase is valid and that it matches the
+        /// purchased catalog item
+        /// </summary>
+        public void ValidateWindowsStoreReceipt(ValidateWindowsReceiptRequest request, Action<ValidateWindowsReceiptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/ValidateWindowsStoreReceipt", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a character-based event into PlayStream.
+        /// </summary>
+        public void WriteCharacterEvent(WriteClientCharacterEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/WriteCharacterEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a player-based event into PlayStream.
+        /// </summary>
+        public void WritePlayerEvent(WriteClientPlayerEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/WritePlayerEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a title-based event into PlayStream.
+        /// </summary>
+        public void WriteTitleEvent(WriteTitleEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsClientLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Client/WriteTitleEvent", request, AuthType.LoginSession, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs.meta b/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b7573e775d54dd5c84ad03eee3faea18699b8cf7
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ddd185cc4cdc40643a08607da563ddc4
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientModels.cs b/Assets/PlayFabSDK/Client/PlayFabClientModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..04c8c4ee809d624a13675ef36e7a28c26a67ea79
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientModels.cs
@@ -0,0 +1,7624 @@
+#if !DISABLE_PLAYFABCLIENT_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.ClientModels
+{
+    [Serializable]
+    public class AcceptTradeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Items from the accepting player's inventory in exchange for the offered items in the trade. In the case of a gift, this
+        /// will be null.
+        /// </summary>
+        public List<string> AcceptedInventoryInstanceIds;
+        /// <summary>
+        /// Player who opened the trade.
+        /// </summary>
+        public string OfferingPlayerId;
+        /// <summary>
+        /// Trade identifier.
+        /// </summary>
+        public string TradeId;
+    }
+
+    [Serializable]
+    public class AcceptTradeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details about trade which was just accepted.
+        /// </summary>
+        public TradeInfo Trade;
+    }
+
+    public enum AdActivity
+    {
+        Opened,
+        Closed,
+        Start,
+        End
+    }
+
+    [Serializable]
+    public class AdCampaignAttributionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    [Serializable]
+    public class AddFriendRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Email address of the user to attempt to add to the local user's friend list.
+        /// </summary>
+        public string FriendEmail;
+        /// <summary>
+        /// PlayFab identifier of the user to attempt to add to the local user's friend list.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Title-specific display name of the user to attempt to add to the local user's friend list.
+        /// </summary>
+        public string FriendTitleDisplayName;
+        /// <summary>
+        /// PlayFab username of the user to attempt to add to the local user's friend list.
+        /// </summary>
+        public string FriendUsername;
+    }
+
+    [Serializable]
+    public class AddFriendResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// True if the friend request was processed successfully.
+        /// </summary>
+        public bool Created;
+    }
+
+    [Serializable]
+    public class AddGenericIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Generic service identifier to add to the player account.
+        /// </summary>
+        public GenericServiceId GenericId;
+    }
+
+    [Serializable]
+    public class AddGenericIDResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This API adds a contact email to the player's profile. If the player's profile already contains a contact email, it will
+    /// update the contact email to the email address specified.
+    /// </summary>
+    [Serializable]
+    public class AddOrUpdateContactEmailRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The new contact email to associate with the player.
+        /// </summary>
+        public string EmailAddress;
+    }
+
+    [Serializable]
+    public class AddOrUpdateContactEmailResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddSharedGroupMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// An array of unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public List<string> PlayFabIds;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class AddSharedGroupMembersResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddUsernamePasswordRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Password for the PlayFab account (6-100 characters)
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// PlayFab username for the account (3-20 characters)
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// Each account must have a unique username and email address in the PlayFab service. Once created, the account may be
+    /// associated with additional accounts (Steam, Facebook, Game Center, etc.), allowing for added social network lists and
+    /// achievements systems. This can also be used to provide a recovery method if the user loses their original means of
+    /// access.
+    /// </summary>
+    [Serializable]
+    public class AddUsernamePasswordResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// PlayFab unique user name.
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// This API must be enabled for use as an option in the game manager website. It is disabled by default.
+    /// </summary>
+    [Serializable]
+    public class AddUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be added to the user balance of the specified virtual currency.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Name of the virtual currency which is to be incremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// A single ad placement details including placement and reward information
+    /// </summary>
+    [Serializable]
+    public class AdPlacementDetails : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Placement unique ID
+        /// </summary>
+        public string PlacementId;
+        /// <summary>
+        /// Placement name
+        /// </summary>
+        public string PlacementName;
+        /// <summary>
+        /// If placement has viewing limits indicates how many views are left
+        /// </summary>
+        public int? PlacementViewsRemaining;
+        /// <summary>
+        /// If placement has viewing limits indicates when they will next reset
+        /// </summary>
+        public double? PlacementViewsResetMinutes;
+        /// <summary>
+        /// Optional URL to a reward asset
+        /// </summary>
+        public string RewardAssetUrl;
+        /// <summary>
+        /// Reward description
+        /// </summary>
+        public string RewardDescription;
+        /// <summary>
+        /// Reward unique ID
+        /// </summary>
+        public string RewardId;
+        /// <summary>
+        /// Reward name
+        /// </summary>
+        public string RewardName;
+    }
+
+    /// <summary>
+    /// Details for each item granted
+    /// </summary>
+    [Serializable]
+    public class AdRewardItemGranted : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Catalog ID
+        /// </summary>
+        public string CatalogId;
+        /// <summary>
+        /// Catalog item display name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Inventory instance ID
+        /// </summary>
+        public string InstanceId;
+        /// <summary>
+        /// Item ID
+        /// </summary>
+        public string ItemId;
+    }
+
+    /// <summary>
+    /// Details on what was granted to the player
+    /// </summary>
+    [Serializable]
+    public class AdRewardResults : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Array of the items granted to the player
+        /// </summary>
+        public List<AdRewardItemGranted> GrantedItems;
+        /// <summary>
+        /// Dictionary of virtual currencies that were granted to the player
+        /// </summary>
+        public Dictionary<string,int> GrantedVirtualCurrencies;
+        /// <summary>
+        /// Dictionary of statistics that were modified for the player
+        /// </summary>
+        public Dictionary<string,int> IncrementedStatistics;
+    }
+
+    /// <summary>
+    /// More information can be found on configuring your game for the Google Cloud Messaging service in the Google developer
+    /// documentation, here: http://developer.android.com/google/gcm/client.html. The steps to configure and send Push
+    /// Notifications is described in the PlayFab tutorials, here:
+    /// https://docs.microsoft.com/gaming/playfab/features/engagement/push-notifications/quickstart.
+    /// </summary>
+    [Serializable]
+    public class AndroidDevicePushNotificationRegistrationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Message to display when confirming push notification.
+        /// </summary>
+        public string ConfirmationMessage;
+        /// <summary>
+        /// Registration ID provided by the Google Cloud Messaging service when the title registered to receive push notifications
+        /// (see the GCM documentation, here: http://developer.android.com/google/gcm/client.html).
+        /// </summary>
+        public string DeviceToken;
+        /// <summary>
+        /// If true, send a test push message immediately after sucessful registration. Defaults to false.
+        /// </summary>
+        public bool? SendPushNotificationConfirmation;
+    }
+
+    [Serializable]
+    public class AndroidDevicePushNotificationRegistrationResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// If you have an ad attribution partner enabled, this will post an install to their service to track the device. It uses
+    /// the given device id to match based on clicks on ads.
+    /// </summary>
+    [Serializable]
+    public class AttributeInstallRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The adid for this device.
+        /// </summary>
+        public string Adid;
+        /// <summary>
+        /// The IdentifierForAdvertisers for iOS Devices.
+        /// </summary>
+        public string Idfa;
+    }
+
+    [Serializable]
+    public class AttributeInstallResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class CancelTradeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Trade identifier.
+        /// </summary>
+        public string TradeId;
+    }
+
+    [Serializable]
+    public class CancelTradeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details about trade which was just canceled.
+        /// </summary>
+        public TradeInfo Trade;
+    }
+
+    [Serializable]
+    public class CartItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the catalog item.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Display name for the catalog item.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Class name to which catalog item belongs.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the catalog item.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique instance identifier for this catalog item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Cost of the catalog item for each applicable real world currency.
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// Amount of each applicable virtual currency which will be received as a result of purchasing this catalog item.
+        /// </summary>
+        public Dictionary<string,uint> VCAmount;
+        /// <summary>
+        /// Cost of the catalog item for each applicable virtual currency.
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    /// <summary>
+    /// A purchasable item from the item catalog
+    /// </summary>
+    [Serializable]
+    public class CatalogItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// defines the bundle properties for the item - bundles are items which contain other items, including random drop tables
+        /// and virtual currencies
+        /// </summary>
+        public CatalogItemBundleInfo Bundle;
+        /// <summary>
+        /// if true, then an item instance of this type can be used to grant a character to a user.
+        /// </summary>
+        public bool CanBecomeCharacter;
+        /// <summary>
+        /// catalog version for this item
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// defines the consumable properties (number of uses, timeout) for the item
+        /// </summary>
+        public CatalogItemConsumableInfo Consumable;
+        /// <summary>
+        /// defines the container properties for the item - what items it contains, including random drop tables and virtual
+        /// currencies, and what item (if any) is required to open it via the UnlockContainerItem API
+        /// </summary>
+        public CatalogItemContainerInfo Container;
+        /// <summary>
+        /// game specific custom data
+        /// </summary>
+        public string CustomData;
+        /// <summary>
+        /// text description of item, to show in-game
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// text name for the item, to show in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// If the item has IsLImitedEdition set to true, and this is the first time this ItemId has been defined as a limited
+        /// edition item, this value determines the total number of instances to allocate for the title. Once this limit has been
+        /// reached, no more instances of this ItemId can be created, and attempts to purchase or grant it will return a Result of
+        /// false for that ItemId. If the item has already been defined to have a limited edition count, or if this value is less
+        /// than zero, it will be ignored.
+        /// </summary>
+        public int InitialLimitedEditionCount;
+        /// <summary>
+        /// BETA: If true, then only a fixed number can ever be granted.
+        /// </summary>
+        public bool IsLimitedEdition;
+        /// <summary>
+        /// if true, then only one item instance of this type will exist and its remaininguses will be incremented instead.
+        /// RemainingUses will cap out at Int32.Max (2,147,483,647). All subsequent increases will be discarded
+        /// </summary>
+        public bool IsStackable;
+        /// <summary>
+        /// if true, then an item instance of this type can be traded between players using the trading APIs
+        /// </summary>
+        public bool IsTradable;
+        /// <summary>
+        /// class to which the item belongs
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// unique identifier for this item
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// URL to the item image. For Facebook purchase to display the image on the item purchase page, this must be set to an HTTP
+        /// URL.
+        /// </summary>
+        public string ItemImageUrl;
+        /// <summary>
+        /// override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// list of item tags
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// price of this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    [Serializable]
+    public class CatalogItemBundleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public List<string> BundledItems;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the bundle (random tables will be resolved and
+        /// add the relevant items to the player inventory when the bundle is added)
+        /// </summary>
+        public List<string> BundledResultTables;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public Dictionary<string,uint> BundledVirtualCurrencies;
+    }
+
+    [Serializable]
+    public class CatalogItemConsumableInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// number of times this object can be used, after which it will be removed from the player inventory
+        /// </summary>
+        public uint? UsageCount;
+        /// <summary>
+        /// duration in seconds for how long the item will remain in the player inventory - once elapsed, the item will be removed
+        /// (recommended minimum value is 5 seconds, as lower values can cause the item to expire before operations depending on
+        /// this item's details have completed)
+        /// </summary>
+        public uint? UsagePeriod;
+        /// <summary>
+        /// all inventory item instances in the player inventory sharing a non-null UsagePeriodGroup have their UsagePeriod values
+        /// added together, and share the result - when that period has elapsed, all the items in the group will be removed
+        /// </summary>
+        public string UsagePeriodGroup;
+    }
+
+    /// <summary>
+    /// Containers are inventory items that can hold other items defined in the catalog, as well as virtual currency, which is
+    /// added to the player inventory when the container is unlocked, using the UnlockContainerItem API. The items can be
+    /// anything defined in the catalog, as well as RandomResultTable objects which will be resolved when the container is
+    /// unlocked. Containers and their keys should be defined as Consumable (having a limited number of uses) in their catalog
+    /// defintiions, unless the intent is for the player to be able to re-use them infinitely.
+    /// </summary>
+    [Serializable]
+    public class CatalogItemContainerInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory, once the container has been unlocked
+        /// </summary>
+        public List<string> ItemContents;
+        /// <summary>
+        /// ItemId for the catalog item used to unlock the container, if any (if not specified, a call to UnlockContainerItem will
+        /// open the container, adding the contents to the player inventory and currency balances)
+        /// </summary>
+        public string KeyItemId;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the container (once unlocked, random tables
+        /// will be resolved and add the relevant items to the player inventory)
+        /// </summary>
+        public List<string> ResultTableContents;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the container is unlocked
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyContents;
+    }
+
+    [Serializable]
+    public class CharacterInventory : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The id of this character.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The inventory of this character.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+    }
+
+    [Serializable]
+    public class CharacterLeaderboardEntry : PlayFabBaseModel
+    {
+        /// <summary>
+        /// PlayFab unique identifier of the character that belongs to the user for this leaderboard entry.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Title-specific display name of the character for this leaderboard entry.
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// Name of the character class for this entry.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Title-specific display name of the user for this leaderboard entry.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// PlayFab unique identifier of the user for this leaderboard entry.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// User's overall position in the leaderboard.
+        /// </summary>
+        public int Position;
+        /// <summary>
+        /// Specific value of the user's statistic.
+        /// </summary>
+        public int StatValue;
+    }
+
+    [Serializable]
+    public class CharacterResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The id for this character on this player.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The name of this character.
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// The type-string that was given to this character on creation.
+        /// </summary>
+        public string CharacterType;
+    }
+
+    public enum CloudScriptRevisionOption
+    {
+        Live,
+        Latest,
+        Specific
+    }
+
+    /// <summary>
+    /// Collection filter to include and/or exclude collections with certain key-value pairs. The filter generates a collection
+    /// set defined by Includes rules and then remove collections that matches the Excludes rules. A collection is considered
+    /// matching a rule if the rule describes a subset of the collection.
+    /// </summary>
+    [Serializable]
+    public class CollectionFilter : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of Exclude rules, with any of which if a collection matches, it is excluded by the filter.
+        /// </summary>
+        public List<Container_Dictionary_String_String> Excludes;
+        /// <summary>
+        /// List of Include rules, with any of which if a collection matches, it is included by the filter, unless it is excluded by
+        /// one of the Exclude rule
+        /// </summary>
+        public List<Container_Dictionary_String_String> Includes;
+    }
+
+    /// <summary>
+    /// The final step in the purchasing process, this API finalizes the purchase with the payment provider, where applicable,
+    /// adding virtual goods to the player inventory (including random drop table resolution and recursive addition of bundled
+    /// items) and adjusting virtual currency balances for funds used or added. Note that this is a pull operation, and should
+    /// be polled regularly when a purchase is in progress. Please note that the processing time for inventory grants and
+    /// purchases increases fractionally the more items are in the inventory, and the more items are in the grant/purchase
+    /// operation.
+    /// </summary>
+    [Serializable]
+    public class ConfirmPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Purchase order identifier returned from StartPurchase.
+        /// </summary>
+        public string OrderId;
+    }
+
+    /// <summary>
+    /// When the FailedByPaymentProvider error is returned, it's important to check the ProviderErrorCode, ProviderErrorMessage,
+    /// and ProviderErrorDetails to understand the specific reason the payment was rejected, as in some rare cases, this may
+    /// mean that the provider hasn't completed some operation required to finalize the purchase.
+    /// </summary>
+    [Serializable]
+    public class ConfirmPurchaseResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items purchased.
+        /// </summary>
+        public List<ItemInstance> Items;
+        /// <summary>
+        /// Purchase order identifier.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Date and time of the purchase.
+        /// </summary>
+        public DateTime PurchaseDate;
+    }
+
+    [Serializable]
+    public class ConsumeItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Number of uses to consume from the item.
+        /// </summary>
+        public int ConsumeCount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique instance identifier of the item to be consumed.
+        /// </summary>
+        public string ItemInstanceId;
+    }
+
+    [Serializable]
+    public class ConsumeItemResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique instance identifier of the item with uses consumed.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Number of uses remaining on the item.
+        /// </summary>
+        public int RemainingUses;
+    }
+
+    [Serializable]
+    public class ConsumeMicrosoftStoreEntitlementsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to use
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Marketplace specific payload containing details to fetch in app purchase transactions
+        /// </summary>
+        public MicrosoftStorePayload MarketplaceSpecificData;
+    }
+
+    [Serializable]
+    public class ConsumeMicrosoftStoreEntitlementsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details for the items purchased.
+        /// </summary>
+        public List<ItemInstance> Items;
+    }
+
+    [Serializable]
+    public class ConsumePS5EntitlementsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to use
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Marketplace specific payload containing details to fetch in app purchase transactions
+        /// </summary>
+        public PlayStation5Payload MarketplaceSpecificData;
+    }
+
+    [Serializable]
+    public class ConsumePS5EntitlementsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details for the items purchased.
+        /// </summary>
+        public List<ItemInstance> Items;
+    }
+
+    [Serializable]
+    public class ConsumePSNEntitlementsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Which catalog to match granted entitlements against. If null, defaults to title default catalog
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Id of the PSN service label to consume entitlements from
+        /// </summary>
+        public int ServiceLabel;
+    }
+
+    [Serializable]
+    public class ConsumePSNEntitlementsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items granted to the player as a result of consuming entitlements.
+        /// </summary>
+        public List<ItemInstance> ItemsGranted;
+    }
+
+    [Serializable]
+    public class ConsumeXboxEntitlementsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to use
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", "").
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class ConsumeXboxEntitlementsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details for the items purchased.
+        /// </summary>
+        public List<ItemInstance> Items;
+    }
+
+    [Serializable]
+    public class ContactEmailInfoModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    /// <summary>
+    /// A data container
+    /// </summary>
+    [Serializable]
+    public class Container_Dictionary_String_String : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Content of data
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    public enum ContinentCode
+    {
+        AF,
+        AN,
+        AS,
+        EU,
+        NA,
+        OC,
+        SA
+    }
+
+    public enum CountryCode
+    {
+        AF,
+        AX,
+        AL,
+        DZ,
+        AS,
+        AD,
+        AO,
+        AI,
+        AQ,
+        AG,
+        AR,
+        AM,
+        AW,
+        AU,
+        AT,
+        AZ,
+        BS,
+        BH,
+        BD,
+        BB,
+        BY,
+        BE,
+        BZ,
+        BJ,
+        BM,
+        BT,
+        BO,
+        BQ,
+        BA,
+        BW,
+        BV,
+        BR,
+        IO,
+        BN,
+        BG,
+        BF,
+        BI,
+        KH,
+        CM,
+        CA,
+        CV,
+        KY,
+        CF,
+        TD,
+        CL,
+        CN,
+        CX,
+        CC,
+        CO,
+        KM,
+        CG,
+        CD,
+        CK,
+        CR,
+        CI,
+        HR,
+        CU,
+        CW,
+        CY,
+        CZ,
+        DK,
+        DJ,
+        DM,
+        DO,
+        EC,
+        EG,
+        SV,
+        GQ,
+        ER,
+        EE,
+        ET,
+        FK,
+        FO,
+        FJ,
+        FI,
+        FR,
+        GF,
+        PF,
+        TF,
+        GA,
+        GM,
+        GE,
+        DE,
+        GH,
+        GI,
+        GR,
+        GL,
+        GD,
+        GP,
+        GU,
+        GT,
+        GG,
+        GN,
+        GW,
+        GY,
+        HT,
+        HM,
+        VA,
+        HN,
+        HK,
+        HU,
+        IS,
+        IN,
+        ID,
+        IR,
+        IQ,
+        IE,
+        IM,
+        IL,
+        IT,
+        JM,
+        JP,
+        JE,
+        JO,
+        KZ,
+        KE,
+        KI,
+        KP,
+        KR,
+        KW,
+        KG,
+        LA,
+        LV,
+        LB,
+        LS,
+        LR,
+        LY,
+        LI,
+        LT,
+        LU,
+        MO,
+        MK,
+        MG,
+        MW,
+        MY,
+        MV,
+        ML,
+        MT,
+        MH,
+        MQ,
+        MR,
+        MU,
+        YT,
+        MX,
+        FM,
+        MD,
+        MC,
+        MN,
+        ME,
+        MS,
+        MA,
+        MZ,
+        MM,
+        NA,
+        NR,
+        NP,
+        NL,
+        NC,
+        NZ,
+        NI,
+        NE,
+        NG,
+        NU,
+        NF,
+        MP,
+        NO,
+        OM,
+        PK,
+        PW,
+        PS,
+        PA,
+        PG,
+        PY,
+        PE,
+        PH,
+        PN,
+        PL,
+        PT,
+        PR,
+        QA,
+        RE,
+        RO,
+        RU,
+        RW,
+        BL,
+        SH,
+        KN,
+        LC,
+        MF,
+        PM,
+        VC,
+        WS,
+        SM,
+        ST,
+        SA,
+        SN,
+        RS,
+        SC,
+        SL,
+        SG,
+        SX,
+        SK,
+        SI,
+        SB,
+        SO,
+        ZA,
+        GS,
+        SS,
+        ES,
+        LK,
+        SD,
+        SR,
+        SJ,
+        SZ,
+        SE,
+        CH,
+        SY,
+        TW,
+        TJ,
+        TZ,
+        TH,
+        TL,
+        TG,
+        TK,
+        TO,
+        TT,
+        TN,
+        TR,
+        TM,
+        TC,
+        TV,
+        UG,
+        UA,
+        AE,
+        GB,
+        US,
+        UM,
+        UY,
+        UZ,
+        VU,
+        VE,
+        VN,
+        VG,
+        VI,
+        WF,
+        EH,
+        YE,
+        ZM,
+        ZW
+    }
+
+    /// <summary>
+    /// If SharedGroupId is specified, the service will attempt to create a group with that identifier, and will return an error
+    /// if it is already in use. If no SharedGroupId is specified, a random identifier will be assigned.
+    /// </summary>
+    [Serializable]
+    public class CreateSharedGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier for the shared group (a random identifier will be assigned, if one is not specified).
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class CreateSharedGroupResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    public enum Currency
+    {
+        AED,
+        AFN,
+        ALL,
+        AMD,
+        ANG,
+        AOA,
+        ARS,
+        AUD,
+        AWG,
+        AZN,
+        BAM,
+        BBD,
+        BDT,
+        BGN,
+        BHD,
+        BIF,
+        BMD,
+        BND,
+        BOB,
+        BRL,
+        BSD,
+        BTN,
+        BWP,
+        BYR,
+        BZD,
+        CAD,
+        CDF,
+        CHF,
+        CLP,
+        CNY,
+        COP,
+        CRC,
+        CUC,
+        CUP,
+        CVE,
+        CZK,
+        DJF,
+        DKK,
+        DOP,
+        DZD,
+        EGP,
+        ERN,
+        ETB,
+        EUR,
+        FJD,
+        FKP,
+        GBP,
+        GEL,
+        GGP,
+        GHS,
+        GIP,
+        GMD,
+        GNF,
+        GTQ,
+        GYD,
+        HKD,
+        HNL,
+        HRK,
+        HTG,
+        HUF,
+        IDR,
+        ILS,
+        IMP,
+        INR,
+        IQD,
+        IRR,
+        ISK,
+        JEP,
+        JMD,
+        JOD,
+        JPY,
+        KES,
+        KGS,
+        KHR,
+        KMF,
+        KPW,
+        KRW,
+        KWD,
+        KYD,
+        KZT,
+        LAK,
+        LBP,
+        LKR,
+        LRD,
+        LSL,
+        LYD,
+        MAD,
+        MDL,
+        MGA,
+        MKD,
+        MMK,
+        MNT,
+        MOP,
+        MRO,
+        MUR,
+        MVR,
+        MWK,
+        MXN,
+        MYR,
+        MZN,
+        NAD,
+        NGN,
+        NIO,
+        NOK,
+        NPR,
+        NZD,
+        OMR,
+        PAB,
+        PEN,
+        PGK,
+        PHP,
+        PKR,
+        PLN,
+        PYG,
+        QAR,
+        RON,
+        RSD,
+        RUB,
+        RWF,
+        SAR,
+        SBD,
+        SCR,
+        SDG,
+        SEK,
+        SGD,
+        SHP,
+        SLL,
+        SOS,
+        SPL,
+        SRD,
+        STD,
+        SVC,
+        SYP,
+        SZL,
+        THB,
+        TJS,
+        TMT,
+        TND,
+        TOP,
+        TRY,
+        TTD,
+        TVD,
+        TWD,
+        TZS,
+        UAH,
+        UGX,
+        USD,
+        UYU,
+        UZS,
+        VEF,
+        VND,
+        VUV,
+        WST,
+        XAF,
+        XCD,
+        XDR,
+        XOF,
+        XPF,
+        YER,
+        ZAR,
+        ZMW,
+        ZWD
+    }
+
+    [Serializable]
+    public class CurrentGamesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Build to match against.
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// Game mode to look for.
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// Region to check for Game Server Instances.
+        /// </summary>
+        public Region? Region;
+        /// <summary>
+        /// Statistic name to find statistic-based matches.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// Filter to include and/or exclude Game Server Instances associated with certain tags.
+        /// </summary>
+        public CollectionFilter TagFilter;
+    }
+
+    [Serializable]
+    public class CurrentGamesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// number of games running
+        /// </summary>
+        public int GameCount;
+        /// <summary>
+        /// array of games found
+        /// </summary>
+        public List<GameInfo> Games;
+        /// <summary>
+        /// total number of players across all servers
+        /// </summary>
+        public int PlayerCount;
+    }
+
+    /// <summary>
+    /// Any arbitrary information collected by the device
+    /// </summary>
+    [Serializable]
+    public class DeviceInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Information posted to the PlayStream Event. Currently arbitrary, and specific to the environment sending it.
+        /// </summary>
+        public Dictionary<string,object> Info;
+    }
+
+    public enum EmailVerificationStatus
+    {
+        Unverified,
+        Pending,
+        Confirmed
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class EmptyResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EntityTokenResponse : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The token used to set X-EntityToken for all entity based API calls.
+        /// </summary>
+        public string EntityToken;
+        /// <summary>
+        /// The time the token will expire, if it is an expiring token, in UTC.
+        /// </summary>
+        public DateTime? TokenExpiration;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the CloudScript function to execute
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// Object that is passed in to the function as the first argument
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Generate a 'player_executed_cloudscript' PlayStream event containing the results of the function execution and other
+        /// contextual information. This event will show up in the PlayStream debugger console for the player in Game Manager.
+        /// </summary>
+        public bool? GeneratePlayStreamEvent;
+        /// <summary>
+        /// Option for which revision of the CloudScript to execute. 'Latest' executes the most recently created revision, 'Live'
+        /// executes the current live, published revision, and 'Specific' executes the specified revision. The default value is
+        /// 'Specific', if the SpeificRevision parameter is specified, otherwise it is 'Live'.
+        /// </summary>
+        public CloudScriptRevisionOption? RevisionSelection;
+        /// <summary>
+        /// The specivic revision to execute, when RevisionSelection is set to 'Specific'
+        /// </summary>
+        public int? SpecificRevision;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Number of PlayFab API requests issued by the CloudScript function
+        /// </summary>
+        public int APIRequestsIssued;
+        /// <summary>
+        /// Information about the error, if any, that occurred during execution
+        /// </summary>
+        public ScriptExecutionError Error;
+        public double ExecutionTimeSeconds;
+        /// <summary>
+        /// The name of the function that executed
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The object returned from the CloudScript function, if any
+        /// </summary>
+        public object FunctionResult;
+        /// <summary>
+        /// Flag indicating if the FunctionResult was too large and was subsequently dropped from this event. This only occurs if
+        /// the total event size is larger than 350KB.
+        /// </summary>
+        public bool? FunctionResultTooLarge;
+        /// <summary>
+        /// Number of external HTTP requests issued by the CloudScript function
+        /// </summary>
+        public int HttpRequestsIssued;
+        /// <summary>
+        /// Entries logged during the function execution. These include both entries logged in the function code using log.info()
+        /// and log.error() and error entries for API and HTTP request failures.
+        /// </summary>
+        public List<LogStatement> Logs;
+        /// <summary>
+        /// Flag indicating if the logs were too large and were subsequently dropped from this event. This only occurs if the total
+        /// event size is larger than 350KB after the FunctionResult was removed.
+        /// </summary>
+        public bool? LogsTooLarge;
+        public uint MemoryConsumedBytes;
+        /// <summary>
+        /// Processor time consumed while executing the function. This does not include time spent waiting on API calls or HTTP
+        /// requests.
+        /// </summary>
+        public double ProcessorTimeSeconds;
+        /// <summary>
+        /// The revision of the CloudScript that executed
+        /// </summary>
+        public int Revision;
+    }
+
+    [Serializable]
+    public class FacebookInstantGamesPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Facebook Instant Games identifier for a user.
+        /// </summary>
+        public string FacebookInstantGamesId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Facebook Instant Games identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class FacebookPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Facebook identifier for a user.
+        /// </summary>
+        public string FacebookId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Facebook identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class FriendInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Available Facebook information (if the user and PlayFab friend are also connected in Facebook).
+        /// </summary>
+        public UserFacebookInfo FacebookInfo;
+        /// <summary>
+        /// PlayFab unique identifier for this friend.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Available Game Center information (if the user and PlayFab friend are also connected in Game Center).
+        /// </summary>
+        public UserGameCenterInfo GameCenterInfo;
+        /// <summary>
+        /// The profile of the user, if requested.
+        /// </summary>
+        public PlayerProfileModel Profile;
+        /// <summary>
+        /// Available PSN information, if the user and PlayFab friend are both connected to PSN.
+        /// </summary>
+        public UserPsnInfo PSNInfo;
+        /// <summary>
+        /// Available Steam information (if the user and PlayFab friend are also connected in Steam).
+        /// </summary>
+        public UserSteamInfo SteamInfo;
+        /// <summary>
+        /// Tags which have been associated with this friend.
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// Title-specific display name for this friend.
+        /// </summary>
+        public string TitleDisplayName;
+        /// <summary>
+        /// PlayFab unique username for this friend.
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// Available Xbox information, if the user and PlayFab friend are both connected to Xbox Live.
+        /// </summary>
+        public UserXboxInfo XboxInfo;
+    }
+
+    [Serializable]
+    public class GameCenterPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Game Center identifier for a user.
+        /// </summary>
+        public string GameCenterId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Game Center identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GameInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// build version this server is running
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// game mode this server is running
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// game session custom data
+        /// </summary>
+        public string GameServerData;
+        /// <summary>
+        /// game specific string denoting server configuration
+        /// </summary>
+        public GameInstanceState? GameServerStateEnum;
+        /// <summary>
+        /// last heartbeat of the game server instance, used in external game server provider mode
+        /// </summary>
+        public DateTime? LastHeartbeat;
+        /// <summary>
+        /// unique lobby identifier for this game server
+        /// </summary>
+        public string LobbyID;
+        /// <summary>
+        /// maximum players this server can support
+        /// </summary>
+        public int? MaxPlayers;
+        /// <summary>
+        /// array of current player IDs on this server
+        /// </summary>
+        public List<string> PlayerUserIds;
+        /// <summary>
+        /// region to which this server is associated
+        /// </summary>
+        public Region? Region;
+        /// <summary>
+        /// duration in seconds this server has been running
+        /// </summary>
+        public uint RunTime;
+        /// <summary>
+        /// IPV4 address of the server
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// IPV6 address of the server
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// port number to use for non-http communications with the server
+        /// </summary>
+        public int? ServerPort;
+        /// <summary>
+        /// Public DNS name (if any) of the server
+        /// </summary>
+        public string ServerPublicDNSName;
+        /// <summary>
+        /// stastic used to match this game in player statistic matchmaking
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// game session tags
+        /// </summary>
+        public Dictionary<string,string> Tags;
+    }
+
+    public enum GameInstanceState
+    {
+        Open,
+        Closed
+    }
+
+    [Serializable]
+    public class GameServerRegionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// version of game server for which stats are being requested
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class GameServerRegionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of regions found matching the request parameters
+        /// </summary>
+        public List<RegionInfo> Regions;
+    }
+
+    [Serializable]
+    public class GenericPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique generic service identifier for a user.
+        /// </summary>
+        public GenericServiceId GenericId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the given generic identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GenericServiceId : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the service for which the player has a unique identifier.
+        /// </summary>
+        public string ServiceName;
+        /// <summary>
+        /// Unique identifier of the player in that service.
+        /// </summary>
+        public string UserId;
+    }
+
+    [Serializable]
+    public class GetAccountInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// User email address for the account to find (if no Username is specified).
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Unique PlayFab identifier of the user whose info is being requested. Optional, defaults to the authenticated user if no
+        /// other lookup identifier set.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Title-specific username for the account to find (if no Email is set). Note that if the non-unique Title Display Names
+        /// option is enabled for the title, attempts to look up users by Title Display Name will always return AccountNotFound.
+        /// </summary>
+        public string TitleDisplayName;
+        /// <summary>
+        /// PlayFab Username for the account to find (if no PlayFabId is specified).
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// This API retrieves details regarding the player in the PlayFab service. Note that when this call is used to retrieve
+    /// data about another player (not the one signed into the local client), some data, such as Personally Identifying
+    /// Information (PII), will be omitted for privacy reasons or to comply with the requirements of the platform belongs to.
+    /// The user account returned will be based on the identifier provided in priority order: PlayFabId, Username, Email, then
+    /// TitleDisplayName. If no identifier is specified, the currently signed in user's information will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetAccountInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Account information for the local user.
+        /// </summary>
+        public UserAccountInfo AccountInfo;
+    }
+
+    /// <summary>
+    /// Using an AppId to return a list of valid ad placements for a player.
+    /// </summary>
+    [Serializable]
+    public class GetAdPlacementsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The current AppId to use
+        /// </summary>
+        public string AppId;
+        /// <summary>
+        /// Using the name or unique identifier, filter the result for get a specific placement.
+        /// </summary>
+        public NameIdentifier Identifier;
+    }
+
+    /// <summary>
+    /// Array of AdPlacementDetails
+    /// </summary>
+    [Serializable]
+    public class GetAdPlacementsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of results
+        /// </summary>
+        public List<AdPlacementDetails> AdPlacements;
+    }
+
+    [Serializable]
+    public class GetCatalogItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Which catalog is being requested. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+    }
+
+    /// <summary>
+    /// If CatalogVersion is not specified, only inventory items associated with the most recent version of the catalog will be
+    /// returned.
+    /// </summary>
+    [Serializable]
+    public class GetCatalogItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items which can be purchased.
+        /// </summary>
+        public List<CatalogItem> Catalog;
+    }
+
+    /// <summary>
+    /// Data is stored as JSON key-value pairs. If the Keys parameter is provided, the data object returned will only contain
+    /// the data specific to the indicated Keys. Otherwise, the full set of custom character data will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The version that currently exists according to the caller. The call will return the data for all of the keys if the
+        /// version in the system is greater than this.
+        /// </summary>
+        public uint? IfChangedFromDataVersion;
+        /// <summary>
+        /// Specific keys to search for in the custom user data.
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique PlayFab identifier of the user to load data for. Optional, defaults to yourself if not set.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetCharacterDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// User specific data for this title.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> Data;
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// All items currently in the character inventory will be returned, irrespective of how they were acquired (via purchasing,
+    /// grants, coupons, etc.). Items that are expired, fully consumed, or are no longer valid are not considered to be in the
+    /// user's current inventory, and so will not be not included. Also returns their virtual currency balances.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterInventoryRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Used to limit results to only those from a specific catalog version.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetCharacterInventoryResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier of the character for this inventory.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Array of inventory items belonging to the character.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the character.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    [Serializable]
+    public class GetCharacterLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional character type on which to filter the leaderboard entries.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// First entry in the leaderboard to be retrieved.
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Note that the Position of the character in the results is for the overall leaderboard.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterLeaderboardResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    [Serializable]
+    public class GetCharacterStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+    }
+
+    /// <summary>
+    /// In addition to being available for use by the title, the statistics are used for all leaderboard operations in PlayFab.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterStatisticsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested character statistics.
+        /// </summary>
+        public Dictionary<string,int> CharacterStatistics;
+    }
+
+    [Serializable]
+    public class GetContentDownloadUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// HTTP method to fetch item - GET or HEAD. Use HEAD when only fetching metadata. Default is GET.
+        /// </summary>
+        public string HttpMethod;
+        /// <summary>
+        /// Key of the content item to fetch, usually formatted as a path, e.g. images/a.png
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// True to download through CDN. CDN provides higher download bandwidth and lower latency. However, if you want the latest,
+        /// non-cached version of the content during development, set this to false. Default is true.
+        /// </summary>
+        public bool? ThruCDN;
+    }
+
+    [Serializable]
+    public class GetContentDownloadUrlResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// URL for downloading content via HTTP GET or HEAD method. The URL will expire in approximately one hour.
+        /// </summary>
+        public string URL;
+    }
+
+    [Serializable]
+    public class GetFriendLeaderboardAroundPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether Facebook friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeFacebookFriends;
+        /// <summary>
+        /// Indicates whether Steam service friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeSteamFriends;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// PlayFab unique identifier of the user to center the leaderboard around. If null will center on the logged in user.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Statistic used to rank players for this leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+        /// <summary>
+        /// Xbox token if Xbox friends should be included. Requires Xbox be configured on PlayFab.
+        /// </summary>
+        public string XboxToken;
+    }
+
+    /// <summary>
+    /// Note: When calling 'GetLeaderboardAround...' APIs, the position of the user defaults to 0 when the user does not have
+    /// the corresponding statistic.If Facebook friends are included, make sure the access token from previous LoginWithFacebook
+    /// call is still valid and not expired. If Xbox Live friends are included, make sure the access token from the previous
+    /// LoginWithXbox call is still valid and not expired.
+    /// </summary>
+    [Serializable]
+    public class GetFriendLeaderboardAroundPlayerResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered listing of users and their positions in the requested leaderboard.
+        /// </summary>
+        public List<PlayerLeaderboardEntry> Leaderboard;
+        /// <summary>
+        /// The time the next scheduled reset will occur. Null if the leaderboard does not reset on a schedule.
+        /// </summary>
+        public DateTime? NextReset;
+        /// <summary>
+        /// The version of the leaderboard returned.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetFriendLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether Facebook friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeFacebookFriends;
+        /// <summary>
+        /// Indicates whether Steam service friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeSteamFriends;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Position in the leaderboard to start this listing (defaults to the first entry).
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Statistic used to rank friends for this leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+        /// <summary>
+        /// Xbox token if Xbox friends should be included. Requires Xbox be configured on PlayFab.
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class GetFriendsListRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether Facebook friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeFacebookFriends;
+        /// <summary>
+        /// Indicates whether Steam service friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeSteamFriends;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Xbox token if Xbox friends should be included. Requires Xbox be configured on PlayFab.
+        /// </summary>
+        public string XboxToken;
+    }
+
+    /// <summary>
+    /// If any additional services are queried for the user's friends, those friends who also have a PlayFab account registered
+    /// for the title will be returned in the results. For Facebook, user has to have logged into the title's Facebook app
+    /// recently, and only friends who also plays this game will be included. For Xbox Live, user has to have logged into the
+    /// Xbox Live recently, and only friends who also play this game will be included.
+    /// </summary>
+    [Serializable]
+    public class GetFriendsListResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of friends found.
+        /// </summary>
+        public List<FriendInfo> Friends;
+    }
+
+    [Serializable]
+    public class GetLeaderboardAroundCharacterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character on which to center the leaderboard.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Optional character type on which to filter the leaderboard entries.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Note: When calling 'GetLeaderboardAround...' APIs, the position of the character defaults to 0 when the character does
+    /// not have the corresponding statistic.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardAroundCharacterResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    [Serializable]
+    public class GetLeaderboardAroundPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// PlayFab unique identifier of the user to center the leaderboard around. If null will center on the logged in user.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Statistic used to rank players for this leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+    }
+
+    /// <summary>
+    /// Note: When calling 'GetLeaderboardAround...' APIs, the position of the user defaults to 0 when the user does not have
+    /// the corresponding statistic.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardAroundPlayerResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered listing of users and their positions in the requested leaderboard.
+        /// </summary>
+        public List<PlayerLeaderboardEntry> Leaderboard;
+        /// <summary>
+        /// The time the next scheduled reset will occur. Null if the leaderboard does not reset on a schedule.
+        /// </summary>
+        public DateTime? NextReset;
+        /// <summary>
+        /// The version of the leaderboard returned.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetLeaderboardForUsersCharactersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        [Obsolete("Use '' instead", true)]
+        public int? MaxResultsCount;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// NOTE: The position of the character in the results is relative to the other characters for that specific user. This mean
+    /// the values will always be between 0 and one less than the number of characters returned regardless of the size of the
+    /// actual leaderboard.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardForUsersCharactersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    [Serializable]
+    public class GetLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of entries to retrieve. Default 10, maximum 100.
+        /// </summary>
+        public int? MaxResultsCount;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Position in the leaderboard to start this listing (defaults to the first entry).
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Statistic used to rank players for this leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+    }
+
+    /// <summary>
+    /// Note that the Position of the user in the results is for the overall leaderboard. If Facebook friends are included, make
+    /// sure the access token from previous LoginWithFacebook call is still valid and not expired. If Xbox Live friends are
+    /// included, make sure the access token from the previous LoginWithXbox call is still valid and not expired.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered listing of users and their positions in the requested leaderboard.
+        /// </summary>
+        public List<PlayerLeaderboardEntry> Leaderboard;
+        /// <summary>
+        /// The time the next scheduled reset will occur. Null if the leaderboard does not reset on a schedule.
+        /// </summary>
+        public DateTime? NextReset;
+        /// <summary>
+        /// The version of the leaderboard returned.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetPaymentTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The name of service to provide the payment token. Allowed Values are: xsolla
+        /// </summary>
+        public string TokenProvider;
+    }
+
+    [Serializable]
+    public class GetPaymentTokenResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// PlayFab's purchase order identifier.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// The token from provider.
+        /// </summary>
+        public string ProviderToken;
+    }
+
+    [Serializable]
+    public class GetPhotonAuthenticationTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The Photon applicationId for the game you wish to log into.
+        /// </summary>
+        public string PhotonApplicationId;
+    }
+
+    [Serializable]
+    public class GetPhotonAuthenticationTokenResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The Photon authentication token for this game-session.
+        /// </summary>
+        public string PhotonCustomAuthenticationToken;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// PlayFabId of the user whose data will be returned. If not filled included, we return the data for the calling player.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoRequestParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to get character inventories. Defaults to false.
+        /// </summary>
+        public bool GetCharacterInventories;
+        /// <summary>
+        /// Whether to get the list of characters. Defaults to false.
+        /// </summary>
+        public bool GetCharacterList;
+        /// <summary>
+        /// Whether to get player profile. Defaults to false. Has no effect for a new player.
+        /// </summary>
+        public bool GetPlayerProfile;
+        /// <summary>
+        /// Whether to get player statistics. Defaults to false.
+        /// </summary>
+        public bool GetPlayerStatistics;
+        /// <summary>
+        /// Whether to get title data. Defaults to false.
+        /// </summary>
+        public bool GetTitleData;
+        /// <summary>
+        /// Whether to get the player's account Info. Defaults to false
+        /// </summary>
+        public bool GetUserAccountInfo;
+        /// <summary>
+        /// Whether to get the player's custom data. Defaults to false
+        /// </summary>
+        public bool GetUserData;
+        /// <summary>
+        /// Whether to get the player's inventory. Defaults to false
+        /// </summary>
+        public bool GetUserInventory;
+        /// <summary>
+        /// Whether to get the player's read only data. Defaults to false
+        /// </summary>
+        public bool GetUserReadOnlyData;
+        /// <summary>
+        /// Whether to get the player's virtual currency balances. Defaults to false
+        /// </summary>
+        public bool GetUserVirtualCurrency;
+        /// <summary>
+        /// Specific statistics to retrieve. Leave null to get all keys. Has no effect if GetPlayerStatistics is false
+        /// </summary>
+        public List<string> PlayerStatisticNames;
+        /// <summary>
+        /// Specifies the properties to return from the player profile. Defaults to returning the player's display name.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetTitleData is false
+        /// </summary>
+        public List<string> TitleDataKeys;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetUserData is false
+        /// </summary>
+        public List<string> UserDataKeys;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetUserReadOnlyData is
+        /// false
+        /// </summary>
+        public List<string> UserReadOnlyDataKeys;
+    }
+
+    /// <summary>
+    /// Returns whatever info is requested in the response for the user. If no user is explicitly requested this defaults to the
+    /// authenticated user. If the user is the same as the requester, PII (like email address, facebook id) is returned if
+    /// available. Otherwise, only public information is returned. All parameters default to false.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerCombinedInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Results for requested info.
+        /// </summary>
+        public GetPlayerCombinedInfoResultPayload InfoResultPayload;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoResultPayload : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Account information for the user. This is always retrieved.
+        /// </summary>
+        public UserAccountInfo AccountInfo;
+        /// <summary>
+        /// Inventories for each character for the user.
+        /// </summary>
+        public List<CharacterInventory> CharacterInventories;
+        /// <summary>
+        /// List of characters for the user.
+        /// </summary>
+        public List<CharacterResult> CharacterList;
+        /// <summary>
+        /// The profile of the players. This profile is not guaranteed to be up-to-date. For a new player, this profile will not
+        /// exist.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+        /// <summary>
+        /// List of statistics for this player.
+        /// </summary>
+        public List<StatisticValue> PlayerStatistics;
+        /// <summary>
+        /// Title data for this title.
+        /// </summary>
+        public Dictionary<string,string> TitleData;
+        /// <summary>
+        /// User specific custom data.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> UserData;
+        /// <summary>
+        /// The version of the UserData that was returned.
+        /// </summary>
+        public uint UserDataVersion;
+        /// <summary>
+        /// Array of inventory items in the user's current inventory.
+        /// </summary>
+        public List<ItemInstance> UserInventory;
+        /// <summary>
+        /// User specific read-only data.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> UserReadOnlyData;
+        /// <summary>
+        /// The version of the Read-Only UserData that was returned.
+        /// </summary>
+        public uint UserReadOnlyDataVersion;
+        /// <summary>
+        /// Dictionary of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> UserVirtualCurrency;
+        /// <summary>
+        /// Dictionary of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> UserVirtualCurrencyRechargeTimes;
+    }
+
+    /// <summary>
+    /// This API allows for access to details regarding a user in the PlayFab service, usually for purposes of customer support.
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerProfileRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+    }
+
+    [Serializable]
+    public class GetPlayerProfileResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The profile of the player. This profile is not guaranteed to be up-to-date. For a new player, this profile will not
+        /// exist.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+    }
+
+    [Serializable]
+    public class GetPlayerSegmentsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class GetPlayerSegmentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of segments the requested player currently belongs to.
+        /// </summary>
+        public List<GetSegmentResult> Segments;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// statistics to return (current version will be returned for each)
+        /// </summary>
+        public List<string> StatisticNames;
+        /// <summary>
+        /// statistics to return, if StatisticNames is not set (only statistics which have a version matching that provided will be
+        /// returned)
+        /// </summary>
+        public List<StatisticNameVersion> StatisticNameVersions;
+    }
+
+    /// <summary>
+    /// In addition to being available for use by the title, the statistics are used for all leaderboard operations in PlayFab.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerStatisticsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// User statistics for the requested user.
+        /// </summary>
+        public List<StatisticValue> Statistics;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticVersionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticVersionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// version change history of the statistic
+        /// </summary>
+        public List<PlayerStatisticVersion> StatisticVersions;
+    }
+
+    /// <summary>
+    /// This API will return a list of canonical tags which includes both namespace and tag's name. If namespace is not
+    /// provided, the result is a list of all canonical tags. TagName can be used for segmentation and Namespace is limited to
+    /// 128 characters.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional namespace to filter results by
+        /// </summary>
+        public string Namespace;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerTagsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Canonical tags (including namespace and tag's name) for the requested user
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    [Serializable]
+    public class GetPlayerTradesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Returns only trades with the given status. If null, returns all trades.
+        /// </summary>
+        public TradeStatus? StatusFilter;
+    }
+
+    [Serializable]
+    public class GetPlayerTradesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// History of trades which this player has accepted.
+        /// </summary>
+        public List<TradeInfo> AcceptedTrades;
+        /// <summary>
+        /// The trades for this player which are currently available to be accepted.
+        /// </summary>
+        public List<TradeInfo> OpenedTrades;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Facebook identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> FacebookIDs;
+    }
+
+    /// <summary>
+    /// For Facebook identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Facebook identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<FacebookPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookInstantGamesIdsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Facebook Instant Games identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> FacebookInstantGamesIds;
+    }
+
+    /// <summary>
+    /// For Facebook Instant Game identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookInstantGamesIdsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Facebook Instant Games identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<FacebookInstantGamesPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromGameCenterIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Game Center identifiers (the Player Identifier) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> GameCenterIDs;
+    }
+
+    /// <summary>
+    /// For Game Center identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromGameCenterIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Game Center identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<GameCenterPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromGenericIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique generic service identifiers for which the title needs to get PlayFab identifiers. Currently limited to a
+        /// maximum of 10 in a single request.
+        /// </summary>
+        public List<GenericServiceId> GenericIDs;
+    }
+
+    /// <summary>
+    /// For generic service identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromGenericIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of generic service identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<GenericPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromGoogleIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Google identifiers (Google+ user IDs) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> GoogleIDs;
+    }
+
+    /// <summary>
+    /// For Google identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromGoogleIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Google identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<GooglePlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromKongregateIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Kongregate identifiers (Kongregate's user_id) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> KongregateIDs;
+    }
+
+    /// <summary>
+    /// For Kongregate identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromKongregateIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Kongregate identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<KongregatePlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Nintendo Switch Device identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> NintendoSwitchDeviceIds;
+    }
+
+    /// <summary>
+    /// For Nintendo Switch identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromNintendoSwitchDeviceIdsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Nintendo Switch Device identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<NintendoSwitchPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromPSNAccountIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Array of unique PlayStation Network identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> PSNAccountIDs;
+    }
+
+    /// <summary>
+    /// For PlayStation Network identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromPSNAccountIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of PlayStation Network identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<PSNAccountPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromSteamIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Steam identifiers (Steam profile IDs) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> SteamStringIDs;
+    }
+
+    /// <summary>
+    /// For Steam identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromSteamIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Steam identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<SteamPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromTwitchIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Twitch identifiers (Twitch's _id) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> TwitchIds;
+    }
+
+    /// <summary>
+    /// For Twitch identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromTwitchIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Twitch identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<TwitchPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromXboxLiveIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The ID of Xbox Live sandbox.
+        /// </summary>
+        public string Sandbox;
+        /// <summary>
+        /// Array of unique Xbox Live account identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> XboxLiveAccountIDs;
+    }
+
+    /// <summary>
+    /// For XboxLive identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromXboxLiveIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of PlayStation Network identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<XboxLiveAccountPlayFabIdPair> Data;
+    }
+
+    /// <summary>
+    /// This API is designed to return publisher-specific values which can be read, but not written to, by the client. This data
+    /// is shared across all titles assigned to a particular publisher, and can be used for cross-game coordination. Only titles
+    /// assigned to a publisher can use this API. For more information email helloplayfab@microsoft.com. Note that there may up
+    /// to a minute delay in between updating title data and this API call returning the newest value.
+    /// </summary>
+    [Serializable]
+    public class GetPublisherDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// array of keys to get back data from the Publisher data blob, set by the admin tools
+        /// </summary>
+        public List<string> Keys;
+    }
+
+    [Serializable]
+    public class GetPublisherDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    [Serializable]
+    public class GetPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Purchase order identifier.
+        /// </summary>
+        public string OrderId;
+    }
+
+    [Serializable]
+    public class GetPurchaseResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Purchase order identifier.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Payment provider used for transaction (If not VC)
+        /// </summary>
+        public string PaymentProvider;
+        /// <summary>
+        /// Date and time of the purchase.
+        /// </summary>
+        public DateTime PurchaseDate;
+        /// <summary>
+        /// Provider transaction ID (If not VC)
+        /// </summary>
+        public string TransactionId;
+        /// <summary>
+        /// PlayFab transaction status
+        /// </summary>
+        public string TransactionStatus;
+    }
+
+    [Serializable]
+    public class GetSegmentResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Identifier of the segments AB Test, if it is attached to one.
+        /// </summary>
+        public string ABTestParent;
+        /// <summary>
+        /// Unique identifier for this segment.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Segment name.
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class GetSharedGroupDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// If true, return the list of all members of the shared group.
+        /// </summary>
+        public bool? GetMembers;
+        /// <summary>
+        /// Specific keys to retrieve from the shared group (if not specified, all keys will be returned, while an empty array
+        /// indicates that no keys should be returned).
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class GetSharedGroupDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Data for the requested keys.
+        /// </summary>
+        public Dictionary<string,SharedGroupDataRecord> Data;
+        /// <summary>
+        /// List of PlayFabId identifiers for the members of this group, if requested.
+        /// </summary>
+        public List<string> Members;
+    }
+
+    /// <summary>
+    /// A store contains an array of references to items defined in one or more catalog versions of the game, along with the
+    /// prices for the item, in both real world and virtual currencies. These prices act as an override to any prices defined in
+    /// the catalog. In this way, the base definitions of the items may be defined in the catalog, with all associated
+    /// properties, while the pricing can be set for each store, as needed. This allows for subsets of goods to be defined for
+    /// different purposes (in order to simplify showing some, but not all catalog items to users, based upon different
+    /// characteristics), along with unique prices. Note that all prices defined in the catalog and store definitions for the
+    /// item are considered valid, and that a compromised client can be made to send a request for an item based upon any of
+    /// these definitions. If no price is specified in the store for an item, the price set in the catalog should be displayed
+    /// to the user.
+    /// </summary>
+    [Serializable]
+    public class GetStoreItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to store items from. Use default catalog version if null
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unqiue identifier for the store which is being requested.
+        /// </summary>
+        public string StoreId;
+    }
+
+    [Serializable]
+    public class GetStoreItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The base catalog that this store is a part of.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Additional data about the store.
+        /// </summary>
+        public StoreMarketingModel MarketingData;
+        /// <summary>
+        /// How the store was last updated (Admin or a third party).
+        /// </summary>
+        public SourceType? Source;
+        /// <summary>
+        /// Array of items which can be purchased from this store.
+        /// </summary>
+        public List<StoreItem> Store;
+        /// <summary>
+        /// The ID of this store.
+        /// </summary>
+        public string StoreId;
+    }
+
+    /// <summary>
+    /// This query retrieves the current time from one of the servers in PlayFab. Please note that due to clock drift between
+    /// servers, there is a potential variance of up to 5 seconds.
+    /// </summary>
+    [Serializable]
+    public class GetTimeRequest : PlayFabRequestCommon
+    {
+    }
+
+    /// <summary>
+    /// Time is always returned as Coordinated Universal Time (UTC).
+    /// </summary>
+    [Serializable]
+    public class GetTimeResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Current server time when the request was received, in UTC
+        /// </summary>
+        public DateTime Time;
+    }
+
+    /// <summary>
+    /// This API is designed to return title specific values which can be read, but not written to, by the client. For example,
+    /// a developer could choose to store values which modify the user experience, such as enemy spawn rates, weapon strengths,
+    /// movement speeds, etc. This allows a developer to update the title without the need to create, test, and ship a new
+    /// build. If the player belongs to an experiment variant that uses title data overrides, the overrides are applied
+    /// automatically and returned with the title data. Note that there may up to a minute delay in between updating title data
+    /// and this API call returning the newest value.
+    /// </summary>
+    [Serializable]
+    public class GetTitleDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specific keys to search for in the title data (leave null to get all keys)
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Optional field that specifies the name of an override. This value is ignored when used by the game client; otherwise,
+        /// the overrides are applied automatically to the title data.
+        /// </summary>
+        public string OverrideLabel;
+    }
+
+    [Serializable]
+    public class GetTitleDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    [Serializable]
+    public class GetTitleNewsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Limits the results to the last n entries. Defaults to 10 if not set.
+        /// </summary>
+        public int? Count;
+    }
+
+    [Serializable]
+    public class GetTitleNewsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of news items.
+        /// </summary>
+        public List<TitleNewsItem> News;
+    }
+
+    /// <summary>
+    /// An RSA CSP blob to be used to encrypt the payload of account creation requests when that API requires a signature
+    /// header. For example if Client/LoginWithCustomId requires signature headers but the player does not have an account yet
+    /// follow these steps: 1) Call Client/GetTitlePublicKey with one of the title's shared secrets. 2) Convert the Base64
+    /// encoded CSP blob to a byte array and create an RSA signing object. 3) Encrypt the UTF8 encoded JSON body of the
+    /// registration request and place the Base64 encoded result into the EncryptedRequest and with the TitleId field, all other
+    /// fields can be left empty when performing the API request. 4) Client receives authentication token as normal. Future
+    /// requests to LoginWithCustomId will require the X-PlayFab-Signature header.
+    /// </summary>
+    [Serializable]
+    public class GetTitlePublicKeyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// The shared secret key for this title
+        /// </summary>
+        public string TitleSharedSecret;
+    }
+
+    [Serializable]
+    public class GetTitlePublicKeyResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Base64 encoded RSA CSP byte array blob containing the title's public RSA key
+        /// </summary>
+        public string RSAPublicKey;
+    }
+
+    [Serializable]
+    public class GetTradeStatusRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Player who opened trade.
+        /// </summary>
+        public string OfferingPlayerId;
+        /// <summary>
+        /// Trade identifier as returned by OpenTradeOffer.
+        /// </summary>
+        public string TradeId;
+    }
+
+    [Serializable]
+    public class GetTradeStatusResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information about the requested trade.
+        /// </summary>
+        public TradeInfo Trade;
+    }
+
+    /// <summary>
+    /// Data is stored as JSON key-value pairs. Every time the data is updated via any source, the version counter is
+    /// incremented. If the Version parameter is provided, then this call will only return data if the current version on the
+    /// system is greater than the value provided. If the Keys parameter is provided, the data object returned will only contain
+    /// the data specific to the indicated Keys. Otherwise, the full set of custom user data will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The version that currently exists according to the caller. The call will return the data for all of the keys if the
+        /// version in the system is greater than this.
+        /// </summary>
+        public uint? IfChangedFromDataVersion;
+        /// <summary>
+        /// List of unique keys to load from.
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique PlayFab identifier of the user to load data for. Optional, defaults to yourself if not set. When specified to a
+        /// PlayFab id of another player, then this will only return public keys for that account.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// User specific data for this title.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> Data;
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    [Serializable]
+    public class GetUserInventoryRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// All items currently in the user inventory will be returned, irrespective of how they were acquired (via purchasing,
+    /// grants, coupons, etc.). Items that are expired, fully consumed, or are no longer valid are not considered to be in the
+    /// user's current inventory, and so will not be not included.
+    /// </summary>
+    [Serializable]
+    public class GetUserInventoryResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of inventory items belonging to the user.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    [Serializable]
+    public class GooglePlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Google identifier for a user.
+        /// </summary>
+        public string GoogleId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Google identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// Grants a character to the user of the type specified by the item ID. The user must already have an instance of this item
+    /// in their inventory in order to allow character creation. This item can come from a purchase or grant, which must be done
+    /// before calling to create the character.
+    /// </summary>
+    [Serializable]
+    public class GrantCharacterToUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version from which items are to be granted.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Non-unique display name of the character being granted (1-40 characters in length).
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Catalog item identifier of the item in the user's inventory that corresponds to the character in the catalog to be
+        /// created.
+        /// </summary>
+        public string ItemId;
+    }
+
+    [Serializable]
+    public class GrantCharacterToUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier tagged to this character.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Type of character that was created.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Indicates whether this character was created successfully.
+        /// </summary>
+        public bool Result;
+    }
+
+    /// <summary>
+    /// A unique instance of an item in a user's inventory. Note, to retrieve additional information for an item such as Tags,
+    /// Description that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can
+    /// be matched to a catalog entry, which contains the additional information. Also note that Custom Data is only set when
+    /// the User's specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields
+    /// such as UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class ItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    [Serializable]
+    public class ItemPurchaseRequest : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Title-specific text concerning this purchase.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Unique ItemId of the item to purchase.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// How many of this item to purchase. Min 1, maximum 25.
+        /// </summary>
+        public uint Quantity;
+        /// <summary>
+        /// Items to be upgraded as a result of this purchase (upgraded items are hidden, as they are "replaced" by the new items).
+        /// </summary>
+        public List<string> UpgradeFromItems;
+    }
+
+    [Serializable]
+    public class KongregatePlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Kongregate identifier for a user.
+        /// </summary>
+        public string KongregateId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Kongregate identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class LinkAndroidDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specific model of the user's device.
+        /// </summary>
+        public string AndroidDevice;
+        /// <summary>
+        /// Android device identifier for the user's device.
+        /// </summary>
+        public string AndroidDeviceId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the device, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Specific Operating System version for the user's device.
+        /// </summary>
+        public string OS;
+    }
+
+    [Serializable]
+    public class LinkAndroidDeviceIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkAppleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to a specific Apple account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by Apple after login. Represented as the identityToken field in the authorization
+        /// credential payload. Used to validate the request and find the user ID (Apple subject) to link with.
+        /// </summary>
+        public string IdentityToken;
+    }
+
+    [Serializable]
+    public class LinkCustomIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom unique identifier for the user, generated by the title.
+        /// </summary>
+        public string CustomId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the custom ID, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+    }
+
+    [Serializable]
+    public class LinkCustomIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkedPlatformAccountModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account email of the user on the platform, if available
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Unique account identifier of the user on the platform
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account username of the user on the platform, if available
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// Facebook sign-in is accomplished using the Facebook User Access Token. More information on the Token can be found in the
+    /// Facebook developer documentation (https://developers.facebook.com/docs/facebook-login/access-tokens/). In Unity, for
+    /// example, the Token is available as AccessToken in the Facebook SDK ScriptableObject FB. Note that titles should never
+    /// re-use the same Facebook applications between PlayFab Title IDs, as Facebook provides unique user IDs per application
+    /// and doing so can result in issues with the Facebook ID for the user in their PlayFab account information. If you must
+    /// re-use an application in a new PlayFab Title ID, please be sure to first unlink all accounts from Facebook, or delete
+    /// all users in the first Title ID.
+    /// </summary>
+    [Serializable]
+    public class LinkFacebookAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier from Facebook for the user.
+        /// </summary>
+        public string AccessToken;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+    }
+
+    [Serializable]
+    public class LinkFacebookAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkFacebookInstantGamesIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Facebook Instant Games signature for the user.
+        /// </summary>
+        public string FacebookInstantGamesSignature;
+        /// <summary>
+        /// If another user is already linked to the Facebook Instant Games ID, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+    }
+
+    [Serializable]
+    public class LinkFacebookInstantGamesIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkGameCenterAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Game Center identifier for the player account to be linked.
+        /// </summary>
+        public string GameCenterId;
+        /// <summary>
+        /// The URL for the public encryption key that will be used to verify the signature.
+        /// </summary>
+        public string PublicKeyUrl;
+        /// <summary>
+        /// A random value used to compute the hash and keep it randomized.
+        /// </summary>
+        public string Salt;
+        /// <summary>
+        /// The verification signature of the authentication payload.
+        /// </summary>
+        public string Signature;
+        /// <summary>
+        /// The integer representation of date and time that the signature was created on. PlayFab will reject authentication
+        /// signatures not within 10 minutes of the server's current time.
+        /// </summary>
+        public string Timestamp;
+    }
+
+    [Serializable]
+    public class LinkGameCenterAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Google sign-in is accomplished by obtaining a Google OAuth 2.0 credential using the Google sign-in for Android APIs on
+    /// the device and passing it to this API.
+    /// </summary>
+    [Serializable]
+    public class LinkGoogleAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Server authentication code obtained on the client by calling getServerAuthCode()
+        /// (https://developers.google.com/identity/sign-in/android/offline-access) from Google Play for the user.
+        /// </summary>
+        public string ServerAuthCode;
+    }
+
+    [Serializable]
+    public class LinkGoogleAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkIOSDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Vendor-specific iOS identifier for the user's device.
+        /// </summary>
+        public string DeviceId;
+        /// <summary>
+        /// Specific model of the user's device.
+        /// </summary>
+        public string DeviceModel;
+        /// <summary>
+        /// If another user is already linked to the device, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Specific Operating System version for the user's device.
+        /// </summary>
+        public string OS;
+    }
+
+    [Serializable]
+    public class LinkIOSDeviceIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkKongregateAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Valid session auth ticket issued by Kongregate
+        /// </summary>
+        public string AuthTicket;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Numeric user ID assigned by Kongregate
+        /// </summary>
+        public string KongregateId;
+    }
+
+    [Serializable]
+    public class LinkKongregateAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkNintendoServiceAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to a specific Nintendo Switch account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by Nintendo after login. Used to validate the request and find the user ID (Nintendo
+        /// Switch subject) to link with.
+        /// </summary>
+        public string IdentityToken;
+    }
+
+    [Serializable]
+    public class LinkNintendoSwitchDeviceIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the Nintendo Switch Device ID, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Nintendo Switch unique identifier for the user's device.
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+    }
+
+    [Serializable]
+    public class LinkNintendoSwitchDeviceIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkOpenIdConnectRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A name that identifies which configured OpenID Connect provider relationship to use. Maximum 100 characters.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to a specific OpenId Connect user, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by the identity provider after login. Represented as the id_token field in the
+        /// identity provider's response. Used to validate the request and find the user ID (OpenID Connect subject) to link with.
+        /// </summary>
+        public string IdToken;
+    }
+
+    [Serializable]
+    public class LinkPSNAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Authentication code provided by the PlayStation Network.
+        /// </summary>
+        public string AuthCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Redirect URI supplied to PSN when requesting an auth code
+        /// </summary>
+        public string RedirectUri;
+    }
+
+    [Serializable]
+    public class LinkPSNAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Steam authentication is accomplished with the Steam Session Ticket. More information on the Ticket can be found in the
+    /// Steamworks SDK, here: https://partner.steamgames.com/documentation/auth (requires sign-in). NOTE: For Steam
+    /// authentication to work, the title must be configured with the Steam Application ID and Publisher Key in the PlayFab Game
+    /// Manager (under Properties). Information on creating a Publisher Key (referred to as the Secret Key in PlayFab) for your
+    /// title can be found here: https://partner.steamgames.com/documentation/webapi#publisherkey.
+    /// </summary>
+    [Serializable]
+    public class LinkSteamAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Authentication token for the user, returned as a byte array from Steam, and converted to a string (for example, the byte
+        /// 0x08 should become "08").
+        /// </summary>
+        public string SteamTicket;
+    }
+
+    [Serializable]
+    public class LinkSteamAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkTwitchAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Valid token issued by Twitch
+        /// </summary>
+        public string AccessToken;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+    }
+
+    [Serializable]
+    public class LinkTwitchAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkXboxAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", "").
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class LinkXboxAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Returns a list of every character that currently belongs to a user.
+    /// </summary>
+    [Serializable]
+    public class ListUsersCharactersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ListUsersCharactersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of characters.
+        /// </summary>
+        public List<CharacterResult> Characters;
+    }
+
+    [Serializable]
+    public class LocationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City name.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode? ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode? CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    public enum LoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class LoginResult : PlayFabLoginResultCommon
+    {
+        /// <summary>
+        /// If LoginTitlePlayerAccountEntity flag is set on the login request the title_player_account will also be logged in and
+        /// returned.
+        /// </summary>
+        public EntityTokenResponse EntityToken;
+        /// <summary>
+        /// Results for requested info.
+        /// </summary>
+        public GetPlayerCombinedInfoResultPayload InfoResultPayload;
+        /// <summary>
+        /// The time of this user's previous login. If there was no previous login, then it's DateTime.MinValue
+        /// </summary>
+        public DateTime? LastLoginTime;
+        /// <summary>
+        /// True if the account was newly created on this login.
+        /// </summary>
+        public bool NewlyCreated;
+        /// <summary>
+        /// Player's unique PlayFabId.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique token authorizing the user and game at the server level, for the current session.
+        /// </summary>
+        public string SessionTicket;
+        /// <summary>
+        /// Settings specific to this user.
+        /// </summary>
+        public UserSettings SettingsForUser;
+        /// <summary>
+        /// The experimentation treatments for this user at the time of login.
+        /// </summary>
+        public TreatmentAssignment TreatmentAssignment;
+    }
+
+    /// <summary>
+    /// On Android devices, the recommendation is to use the Settings.Secure.ANDROID_ID as the AndroidDeviceId, as described in
+    /// this blog post (http://android-developers.blogspot.com/2011/03/identifying-app-installations.html). More information on
+    /// this identifier can be found in the Android documentation
+    /// (http://developer.android.com/reference/android/provider/Settings.Secure.html). If this is the first time a user has
+    /// signed in with the Android device and CreateAccount is set to true, a new PlayFab account will be created and linked to
+    /// the Android device ID. In this case, no email or username will be associated with the PlayFab account. Otherwise, if no
+    /// PlayFab account is linked to the Android device, an error indicating this will be returned, so that the title can guide
+    /// the user through creation of a PlayFab account. Please note that while multiple devices of this type can be linked to a
+    /// single user account, only the one most recently used to login (or most recently linked) will be reflected in the user's
+    /// account information. We will be updating to show all linked devices in a future release.
+    /// </summary>
+    [Serializable]
+    public class LoginWithAndroidDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specific model of the user's device.
+        /// </summary>
+        public string AndroidDevice;
+        /// <summary>
+        /// Android device identifier for the user's device.
+        /// </summary>
+        public string AndroidDeviceId;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Specific Operating System version for the user's device.
+        /// </summary>
+        public string OS;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class LoginWithAppleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by Apple after login. Represented as the identityToken field in the authorization
+        /// credential payload.
+        /// </summary>
+        public string IdentityToken;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// It is highly recommended that developers ensure that it is extremely unlikely that a customer could generate an ID which
+    /// is already in use by another customer. If this is the first time a user has signed in with the Custom ID and
+    /// CreateAccount is set to true, a new PlayFab account will be created and linked to the Custom ID. In this case, no email
+    /// or username will be associated with the PlayFab account. Otherwise, if no PlayFab account is linked to the Custom ID, an
+    /// error indicating this will be returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithCustomIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// Custom unique identifier for the user, generated by the title.
+        /// </summary>
+        public string CustomId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// Email address and password lengths are provided for information purposes. The server will validate that data passed in
+    /// conforms to the field definition and report errors appropriately. It is recommended that developers not perform this
+    /// validation locally, so that future updates do not require client updates.
+    /// </summary>
+    [Serializable]
+    public class LoginWithEmailAddressRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Email address for the account.
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Password for the PlayFab account (6-100 characters)
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class LoginWithFacebookInstantGamesIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Facebook Instant Games signature for the user.
+        /// </summary>
+        public string FacebookInstantGamesSignature;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// Facebook sign-in is accomplished using the Facebook User Access Token. More information on the Token can be found in the
+    /// Facebook developer documentation (https://developers.facebook.com/docs/facebook-login/access-tokens/). In Unity, for
+    /// example, the Token is available as AccessToken in the Facebook SDK ScriptableObject FB. If this is the first time a user
+    /// has signed in with the Facebook account and CreateAccount is set to true, a new PlayFab account will be created and
+    /// linked to the provided account's Facebook ID. In this case, no email or username will be associated with the PlayFab
+    /// account. Otherwise, if no PlayFab account is linked to the Facebook account, an error indicating this will be returned,
+    /// so that the title can guide the user through creation of a PlayFab account. Note that titles should never re-use the
+    /// same Facebook applications between PlayFab Title IDs, as Facebook provides unique user IDs per application and doing so
+    /// can result in issues with the Facebook ID for the user in their PlayFab account information. If you must re-use an
+    /// application in a new PlayFab Title ID, please be sure to first unlink all accounts from Facebook, or delete all users in
+    /// the first Title ID.
+    /// </summary>
+    [Serializable]
+    public class LoginWithFacebookRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier from Facebook for the user.
+        /// </summary>
+        public string AccessToken;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// The Game Center player identifier
+    /// (https://developer.apple.com/library/ios/documentation/Accounts/Reference/ACAccountClassRef/index.html#//apple_ref/occ/instp/ACAccount/identifier)
+    /// is a generated string which is stored on the local device. As with device identifiers, care must be taken to never
+    /// expose a player's Game Center identifier to end users, as that could result in a user's account being compromised. If
+    /// this is the first time a user has signed in with Game Center and CreateAccount is set to true, a new PlayFab account
+    /// will be created and linked to the Game Center identifier. In this case, no email or username will be associated with the
+    /// PlayFab account. Otherwise, if no PlayFab account is linked to the Game Center account, an error indicating this will be
+    /// returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithGameCenterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Unique Game Center player id.
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// The URL for the public encryption key that will be used to verify the signature.
+        /// </summary>
+        public string PublicKeyUrl;
+        /// <summary>
+        /// A random value used to compute the hash and keep it randomized.
+        /// </summary>
+        public string Salt;
+        /// <summary>
+        /// The verification signature of the authentication payload.
+        /// </summary>
+        public string Signature;
+        /// <summary>
+        /// The integer representation of date and time that the signature was created on. PlayFab will reject authentication
+        /// signatures not within 10 minutes of the server's current time.
+        /// </summary>
+        public string Timestamp;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// Google sign-in is accomplished by obtaining a Google OAuth 2.0 credential using the Google sign-in for Android APIs on
+    /// the device and passing it to this API. If this is the first time a user has signed in with the Google account and
+    /// CreateAccount is set to true, a new PlayFab account will be created and linked to the Google account. Otherwise, if no
+    /// PlayFab account is linked to the Google account, an error indicating this will be returned, so that the title can guide
+    /// the user through creation of a PlayFab account. The current (recommended) method for obtaining a Google account
+    /// credential in an Android application is to call GoogleSignInAccount.getServerAuthCode() and send the auth code as the
+    /// ServerAuthCode parameter of this API. Before doing this, you must create an OAuth 2.0 web application client ID in the
+    /// Google API Console and configure its client ID and secret in the PlayFab Game Manager Google Add-on for your title. This
+    /// method does not require prompting of the user for additional Google account permissions, resulting in a user experience
+    /// with the least possible friction. For more information about obtaining the server auth code, see
+    /// https://developers.google.com/identity/sign-in/android/offline-access. The previous (deprecated) method was to obtain an
+    /// OAuth access token by calling GetAccessToken() on the client and passing it as the AccessToken parameter to this API.
+    /// for the with the Google OAuth 2.0 Access Token. More information on this change can be found in the Google developer
+    /// documentation (https://android-developers.googleblog.com/2016/01/play-games-permissions-are-changing-in.html).
+    /// </summary>
+    [Serializable]
+    public class LoginWithGoogleAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// OAuth 2.0 server authentication code obtained on the client by calling the getServerAuthCode()
+        /// (https://developers.google.com/identity/sign-in/android/offline-access) Google client API.
+        /// </summary>
+        public string ServerAuthCode;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// On iOS devices, the identifierForVendor
+    /// (https://developer.apple.com/library/ios/documentation/UIKit/Reference/UIDevice_Class/index.html#//apple_ref/occ/instp/UIDevice/identifierForVendor)
+    /// must be used as the DeviceId, as the UIDevice uniqueIdentifier has been deprecated as of iOS 5, and use of the
+    /// advertisingIdentifier for this purpose will result in failure of Apple's certification process. If this is the first
+    /// time a user has signed in with the iOS device and CreateAccount is set to true, a new PlayFab account will be created
+    /// and linked to the vendor-specific iOS device ID. In this case, no email or username will be associated with the PlayFab
+    /// account. Otherwise, if no PlayFab account is linked to the iOS device, an error indicating this will be returned, so
+    /// that the title can guide the user through creation of a PlayFab account. Please note that while multiple devices of this
+    /// type can be linked to a single user account, only the one most recently used to login (or most recently linked) will be
+    /// reflected in the user's account information. We will be updating to show all linked devices in a future release.
+    /// </summary>
+    [Serializable]
+    public class LoginWithIOSDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Vendor-specific iOS identifier for the user's device.
+        /// </summary>
+        public string DeviceId;
+        /// <summary>
+        /// Specific model of the user's device.
+        /// </summary>
+        public string DeviceModel;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Specific Operating System version for the user's device.
+        /// </summary>
+        public string OS;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// More details regarding Kongregate and their game authentication system can be found at
+    /// http://developers.kongregate.com/docs/virtual-goods/authentication. Developers must provide the Kongregate user ID and
+    /// auth token that are generated using the Kongregate client library. PlayFab will combine these identifiers with the
+    /// title's unique Kongregate app ID to log the player into the Kongregate system. If CreateAccount is set to true and there
+    /// is not already a user matched to this Kongregate ID, then PlayFab will create a new account for this user and link the
+    /// ID. In this case, no email or username will be associated with the PlayFab account. If there is already a different
+    /// PlayFab user linked with this account, then an error will be returned.
+    /// </summary>
+    [Serializable]
+    public class LoginWithKongregateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Token issued by Kongregate's client API for the user.
+        /// </summary>
+        public string AuthTicket;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Numeric user ID assigned by Kongregate
+        /// </summary>
+        public string KongregateId;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class LoginWithNintendoServiceAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by Nintendo after login.
+        /// </summary>
+        public string IdentityToken;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class LoginWithNintendoSwitchDeviceIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Nintendo Switch unique identifier for the user's device.
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class LoginWithOpenIdConnectRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A name that identifies which configured OpenID Connect provider relationship to use. Maximum 100 characters.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// The JSON Web token (JWT) returned by the identity provider after login. Represented as the id_token field in the
+        /// identity provider's response.
+        /// </summary>
+        public string IdToken;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// Username and password lengths are provided for information purposes. The server will validate that data passed in
+    /// conforms to the field definition and report errors appropriately. It is recommended that developers not perform this
+    /// validation locally, so that future updates to the username or password do not require client updates.
+    /// </summary>
+    [Serializable]
+    public class LoginWithPlayFabRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Password for the PlayFab account (6-100 characters)
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// PlayFab username for the account.
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// If this is the first time a user has signed in with the PlayStation Network account and CreateAccount is set to true, a
+    /// new PlayFab account will be created and linked to the PSN account. In this case, no email or username will be associated
+    /// with the PlayFab account. Otherwise, if no PlayFab account is linked to the PSN account, an error indicating this will
+    /// be returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithPSNRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Auth code provided by the PSN OAuth provider.
+        /// </summary>
+        public string AuthCode;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Redirect URI supplied to PSN when requesting an auth code
+        /// </summary>
+        public string RedirectUri;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// Steam sign-in is accomplished with the Steam Session Ticket. More information on the Ticket can be found in the
+    /// Steamworks SDK, here: https://partner.steamgames.com/documentation/auth (requires sign-in). NOTE: For Steam
+    /// authentication to work, the title must be configured with the Steam Application ID and Web API Key in the PlayFab Game
+    /// Manager (under Steam in the Add-ons Marketplace). You can obtain a Web API Key from the Permissions page of any Group
+    /// associated with your App ID in the Steamworks site. If this is the first time a user has signed in with the Steam
+    /// account and CreateAccount is set to true, a new PlayFab account will be created and linked to the provided account's
+    /// Steam ID. In this case, no email or username will be associated with the PlayFab account. Otherwise, if no PlayFab
+    /// account is linked to the Steam account, an error indicating this will be returned, so that the title can guide the user
+    /// through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithSteamRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Authentication token for the user, returned as a byte array from Steam, and converted to a string (for example, the byte
+        /// 0x08 should become "08").
+        /// </summary>
+        public string SteamTicket;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// More details regarding Twitch and their authentication system can be found at
+    /// https://github.com/justintv/Twitch-API/blob/master/authentication.md. Developers must provide the Twitch access token
+    /// that is generated using one of the Twitch authentication flows. PlayFab will use the title's unique Twitch Client ID to
+    /// authenticate the token and log in to the PlayFab system. If CreateAccount is set to true and there is not already a user
+    /// matched to the Twitch username that generated the token, then PlayFab will create a new account for this user and link
+    /// the ID. In this case, no email or username will be associated with the PlayFab account. If there is already a different
+    /// PlayFab user linked with this account, then an error will be returned.
+    /// </summary>
+    [Serializable]
+    public class LoginWithTwitchRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Token issued by Twitch's API for the user.
+        /// </summary>
+        public string AccessToken;
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    /// <summary>
+    /// If this is the first time a user has signed in with the Xbox Live account and CreateAccount is set to true, a new
+    /// PlayFab account will be created and linked to the Xbox Live account. In this case, no email or username will be
+    /// associated with the PlayFab account. Otherwise, if no PlayFab account is linked to the Xbox Live account, an error
+    /// indicating this will be returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithXboxRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", "").
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class LogStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Optional object accompanying the message as contextual information
+        /// </summary>
+        public object Data;
+        /// <summary>
+        /// 'Debug', 'Info', or 'Error'
+        /// </summary>
+        public string Level;
+        public string Message;
+    }
+
+    [Serializable]
+    public class MatchmakeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Build version to match against. [Note: Required if LobbyId is not specified]
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// Character to use for stats based matching. Leave null to use account stats.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Game mode to match make against. [Note: Required if LobbyId is not specified]
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// Lobby identifier to match make against. This is used to select a specific Game Server Instance.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// Region to match make against. [Note: Required if LobbyId is not specified]
+        /// </summary>
+        public Region? Region;
+        /// <summary>
+        /// Start a game session if one with an open slot is not found. Defaults to true.
+        /// </summary>
+        public bool? StartNewIfNoneFound;
+        /// <summary>
+        /// Player statistic to use in finding a match. May be null for no stat-based matching.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// Filter to include and/or exclude Game Server Instances associated with certain Tags
+        /// </summary>
+        public CollectionFilter TagFilter;
+    }
+
+    [Serializable]
+    public class MatchmakeResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// timestamp for when the server will expire, if applicable
+        /// </summary>
+        public string Expires;
+        /// <summary>
+        /// unique lobby identifier of the server matched
+        /// </summary>
+        public string LobbyID;
+        /// <summary>
+        /// time in milliseconds the application is configured to wait on matchmaking results
+        /// </summary>
+        public int? PollWaitTimeMS;
+        /// <summary>
+        /// IPV4 address of the server
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// IPV6 address of the server
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// port number to use for non-http communications with the server
+        /// </summary>
+        public int? ServerPort;
+        /// <summary>
+        /// Public DNS name (if any) of the server
+        /// </summary>
+        public string ServerPublicDNSName;
+        /// <summary>
+        /// result of match making process
+        /// </summary>
+        public MatchmakeStatus? Status;
+        /// <summary>
+        /// server authorization ticket (used by RedeemMatchmakerTicket to validate user insertion into the game)
+        /// </summary>
+        public string Ticket;
+    }
+
+    public enum MatchmakeStatus
+    {
+        Complete,
+        Waiting,
+        GameNotFound,
+        NoAvailableSlots,
+        SessionClosed
+    }
+
+    [Serializable]
+    public class MembershipModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether this membership is active. That is, whether the MembershipExpiration time has been reached.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The time this membership expires
+        /// </summary>
+        public DateTime MembershipExpiration;
+        /// <summary>
+        /// The id of the membership
+        /// </summary>
+        public string MembershipId;
+        /// <summary>
+        /// Membership expirations can be explicitly overridden (via game manager or the admin api). If this membership has been
+        /// overridden, this will be the new expiration time.
+        /// </summary>
+        public DateTime? OverrideExpiration;
+        /// <summary>
+        /// The list of subscriptions that this player has for this membership
+        /// </summary>
+        public List<SubscriptionModel> Subscriptions;
+    }
+
+    [Serializable]
+    public class MicrosoftStorePayload : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Microsoft store ID key. This is optional. Alternatively you can use XboxToken
+        /// </summary>
+        public string CollectionsMsIdKey;
+        /// <summary>
+        /// If collectionsMsIdKey is provided, this will verify the user id in the collectionsMsIdKey is the same.
+        /// </summary>
+        public string UserId;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", ""). This is
+        /// optional. Alternatively can use CollectionsMsIdKey
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class ModifyUserVirtualCurrencyResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Balance of the virtual currency after modification.
+        /// </summary>
+        public int Balance;
+        /// <summary>
+        /// Amount added or subtracted from the user's virtual currency. Maximum VC balance is Int32 (2,147,483,647). Any increase
+        /// over this value will be discarded.
+        /// </summary>
+        public int BalanceChange;
+        /// <summary>
+        /// User currency was subtracted from.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which was modified.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// Identifier by either name or ID. Note that a name may change due to renaming, or reused after being deleted. ID is
+    /// immutable and unique.
+    /// </summary>
+    [Serializable]
+    public class NameIdentifier : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Id Identifier, if present
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Name Identifier, if present
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class NintendoSwitchPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Nintendo Switch Device identifier for a user.
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Nintendo Switch Device identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class OpenTradeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Players who are allowed to accept the trade. If null, the trade may be accepted by any player. If empty, the trade may
+        /// not be accepted by any player.
+        /// </summary>
+        public List<string> AllowedPlayerIds;
+        /// <summary>
+        /// Player inventory items offered for trade. If not set, the trade is effectively a gift request
+        /// </summary>
+        public List<string> OfferedInventoryInstanceIds;
+        /// <summary>
+        /// Catalog items accepted for the trade. If not set, the trade is effectively a gift.
+        /// </summary>
+        public List<string> RequestedCatalogItemIds;
+    }
+
+    [Serializable]
+    public class OpenTradeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The information about the trade that was just opened.
+        /// </summary>
+        public TradeInfo Trade;
+    }
+
+    /// <summary>
+    /// This is the second step in the purchasing process, initiating the purchase transaction with the payment provider (if
+    /// applicable). For payment provider scenarios, the title should next present the user with the payment provider'sinterface
+    /// for payment. Once the player has completed the payment with the provider, the title should call ConfirmPurchase
+    /// tofinalize the process and add the appropriate items to the player inventory.
+    /// </summary>
+    [Serializable]
+    public class PayForPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Currency to use to fund the purchase.
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Purchase order identifier returned from StartPurchase.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Payment provider to use to fund the purchase.
+        /// </summary>
+        public string ProviderName;
+        /// <summary>
+        /// Payment provider transaction identifier. Required for Facebook Payments.
+        /// </summary>
+        public string ProviderTransactionId;
+    }
+
+    /// <summary>
+    /// For web-based payment providers, this operation returns the URL to which the user should be directed inorder to approve
+    /// the purchase. Items added to the user inventory as a result of this operation will be marked as unconfirmed.
+    /// </summary>
+    [Serializable]
+    public class PayForPurchaseResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Local credit applied to the transaction (provider specific).
+        /// </summary>
+        public uint CreditApplied;
+        /// <summary>
+        /// Purchase order identifier.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Provider used for the transaction.
+        /// </summary>
+        public string ProviderData;
+        /// <summary>
+        /// A token generated by the provider to authenticate the request (provider-specific).
+        /// </summary>
+        public string ProviderToken;
+        /// <summary>
+        /// URL to the purchase provider page that details the purchase.
+        /// </summary>
+        public string PurchaseConfirmationPageURL;
+        /// <summary>
+        /// Currency for the transaction, may be a virtual currency or real money.
+        /// </summary>
+        public string PurchaseCurrency;
+        /// <summary>
+        /// Cost of the transaction.
+        /// </summary>
+        public uint PurchasePrice;
+        /// <summary>
+        /// Status of the transaction.
+        /// </summary>
+        public TransactionStatus? Status;
+        /// <summary>
+        /// Virtual currencies granted by the transaction, if any.
+        /// </summary>
+        public Dictionary<string,int> VCAmount;
+        /// <summary>
+        /// Current virtual currency balances for the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+    }
+
+    [Serializable]
+    public class PaymentOption : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Specific currency to use to fund the purchase.
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// Amount of the specified currency needed for the purchase.
+        /// </summary>
+        public uint Price;
+        /// <summary>
+        /// Name of the purchase provider for this option.
+        /// </summary>
+        public string ProviderName;
+        /// <summary>
+        /// Amount of existing credit the user has with the provider.
+        /// </summary>
+        public uint StoreCredit;
+    }
+
+    [Serializable]
+    public class PlayerLeaderboardEntry : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Title-specific display name of the user for this leaderboard entry.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// PlayFab unique identifier of the user for this leaderboard entry.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// User's overall position in the leaderboard.
+        /// </summary>
+        public int Position;
+        /// <summary>
+        /// The profile of the user, if requested.
+        /// </summary>
+        public PlayerProfileModel Profile;
+        /// <summary>
+        /// Specific value of the user's statistic.
+        /// </summary>
+        public int StatValue;
+    }
+
+    [Serializable]
+    public class PlayerProfileModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of advertising campaigns the player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttributionModel> AdCampaignAttributions;
+        /// <summary>
+        /// URL of the player's avatar image
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// If the player is currently banned, the UTC Date when the ban expires
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// List of all contact email info associated with the player account
+        /// </summary>
+        public List<ContactEmailInfoModel> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player display name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// List of experiment variants for the player. Note that these variants are not guaranteed to be up-to-date when returned
+        /// during login because the player profile is updated only after login. Instead, use the LoginResult.TreatmentAssignment
+        /// property during login to get the correct variants and variables.
+        /// </summary>
+        public List<string> ExperimentVariants;
+        /// <summary>
+        /// UTC time when the player most recently logged in to the title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// List of all authentication systems linked to this player account
+        /// </summary>
+        public List<LinkedPlatformAccountModel> LinkedAccounts;
+        /// <summary>
+        /// List of geographic locations from which the player has logged in to the title
+        /// </summary>
+        public List<LocationModel> Locations;
+        /// <summary>
+        /// List of memberships for the player, along with whether are expired.
+        /// </summary>
+        public List<MembershipModel> Memberships;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// PlayFab player account unique identifier
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// List of configured end points registered for sending the player push notifications
+        /// </summary>
+        public List<PushNotificationRegistrationModel> PushNotificationRegistrations;
+        /// <summary>
+        /// List of leaderboard statistic values for the player
+        /// </summary>
+        public List<StatisticModel> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation
+        /// </summary>
+        public List<TagModel> Tags;
+        /// <summary>
+        /// Title ID this player profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Sum of the player's purchases made with real-money currencies, converted to US dollars equivalent and represented as a
+        /// whole number of cents (1/100 USD). For example, 999 indicates nine dollars and ninety-nine cents.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// List of the player's lifetime purchase totals, summed by real-money currency
+        /// </summary>
+        public List<ValueToDateModel> ValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerProfileViewConstraints : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to show player's avatar URL. Defaults to false
+        /// </summary>
+        public bool ShowAvatarUrl;
+        /// <summary>
+        /// Whether to show the banned until time. Defaults to false
+        /// </summary>
+        public bool ShowBannedUntil;
+        /// <summary>
+        /// Whether to show campaign attributions. Defaults to false
+        /// </summary>
+        public bool ShowCampaignAttributions;
+        /// <summary>
+        /// Whether to show contact email addresses. Defaults to false
+        /// </summary>
+        public bool ShowContactEmailAddresses;
+        /// <summary>
+        /// Whether to show the created date. Defaults to false
+        /// </summary>
+        public bool ShowCreated;
+        /// <summary>
+        /// Whether to show the display name. Defaults to false
+        /// </summary>
+        public bool ShowDisplayName;
+        /// <summary>
+        /// Whether to show player's experiment variants. Defaults to false
+        /// </summary>
+        public bool ShowExperimentVariants;
+        /// <summary>
+        /// Whether to show the last login time. Defaults to false
+        /// </summary>
+        public bool ShowLastLogin;
+        /// <summary>
+        /// Whether to show the linked accounts. Defaults to false
+        /// </summary>
+        public bool ShowLinkedAccounts;
+        /// <summary>
+        /// Whether to show player's locations. Defaults to false
+        /// </summary>
+        public bool ShowLocations;
+        /// <summary>
+        /// Whether to show player's membership information. Defaults to false
+        /// </summary>
+        public bool ShowMemberships;
+        /// <summary>
+        /// Whether to show origination. Defaults to false
+        /// </summary>
+        public bool ShowOrigination;
+        /// <summary>
+        /// Whether to show push notification registrations. Defaults to false
+        /// </summary>
+        public bool ShowPushNotificationRegistrations;
+        /// <summary>
+        /// Reserved for future development
+        /// </summary>
+        public bool ShowStatistics;
+        /// <summary>
+        /// Whether to show tags. Defaults to false
+        /// </summary>
+        public bool ShowTags;
+        /// <summary>
+        /// Whether to show the total value to date in usd. Defaults to false
+        /// </summary>
+        public bool ShowTotalValueToDateInUsd;
+        /// <summary>
+        /// Whether to show the values to date. Defaults to false
+        /// </summary>
+        public bool ShowValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerStatisticVersion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// time when the statistic version became active
+        /// </summary>
+        public DateTime ActivationTime;
+        /// <summary>
+        /// time when the statistic version became inactive due to statistic version incrementing
+        /// </summary>
+        public DateTime? DeactivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become active, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledActivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become inactive, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledDeactivationTime;
+        /// <summary>
+        /// name of the statistic when the version became active
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// version of the statistic
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class PlayStation5Payload : PlayFabBaseModel
+    {
+        /// <summary>
+        /// An optional list of entitlement ids to query against PSN
+        /// </summary>
+        public List<string> Ids;
+        /// <summary>
+        /// Id of the PSN service label to consume entitlements from
+        /// </summary>
+        public string ServiceLabel;
+    }
+
+    [Serializable]
+    public class PSNAccountPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the PlayStation Network identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique PlayStation Network identifier for a user.
+        /// </summary>
+        public string PSNAccountId;
+    }
+
+    /// <summary>
+    /// Please note that the processing time for inventory grants and purchases increases fractionally the more items are in the
+    /// inventory, and the more items are in the grant/purchase operation (with each item in a bundle being a distinct add).
+    /// </summary>
+    [Serializable]
+    public class PurchaseItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version for the items to be purchased (defaults to most recent version.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier of the item to purchase.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Price the client expects to pay for the item (in case a new catalog or store was uploaded, with new prices).
+        /// </summary>
+        public int Price;
+        /// <summary>
+        /// Store to buy this item through. If not set, prices default to those in the catalog.
+        /// </summary>
+        public string StoreId;
+        /// <summary>
+        /// Virtual currency to use to purchase the item.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class PurchaseItemResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Details for the items purchased.
+        /// </summary>
+        public List<ItemInstance> Items;
+    }
+
+    [Serializable]
+    public class PurchaseReceiptFulfillment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Items granted to the player in fulfillment of the validated receipt.
+        /// </summary>
+        public List<ItemInstance> FulfilledItems;
+        /// <summary>
+        /// Source of the payment price information for the recorded purchase transaction. A value of 'Request' indicates that the
+        /// price specified in the request was used, whereas a value of 'Catalog' indicates that the real-money price of the catalog
+        /// item matching the product ID in the validated receipt transaction and the currency specified in the request (defaulting
+        /// to USD) was used.
+        /// </summary>
+        public string RecordedPriceSource;
+        /// <summary>
+        /// Currency used to purchase the items (ISO 4217 currency code).
+        /// </summary>
+        public string RecordedTransactionCurrency;
+        /// <summary>
+        /// Amount of the stated currency paid for the items, in centesimal units
+        /// </summary>
+        public uint? RecordedTransactionTotal;
+    }
+
+    public enum PushNotificationPlatform
+    {
+        ApplePushNotificationService,
+        GoogleCloudMessaging
+    }
+
+    [Serializable]
+    public class PushNotificationRegistrationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    /// <summary>
+    /// Coupon codes can be created for any item, or set of items, in the catalog for the title. This operation causes the
+    /// coupon to be consumed, and the specific items to be awarded to the user. Attempting to re-use an already consumed code,
+    /// or a code which has not yet been created in the service, will result in an error.
+    /// </summary>
+    [Serializable]
+    public class RedeemCouponRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the coupon. If null, uses the default catalog
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Optional identifier for the Character that should receive the item. If null, item is added to the player
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Generated coupon code to redeem.
+        /// </summary>
+        public string CouponCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class RedeemCouponResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Items granted to the player as a result of redeeming the coupon.
+        /// </summary>
+        public List<ItemInstance> GrantedItems;
+    }
+
+    [Serializable]
+    public class RefreshPSNAuthTokenRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Auth code returned by PSN OAuth system.
+        /// </summary>
+        public string AuthCode;
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Redirect URI supplied to PSN when requesting an auth code
+        /// </summary>
+        public string RedirectUri;
+    }
+
+    public enum Region
+    {
+        USCentral,
+        USEast,
+        EUWest,
+        Singapore,
+        Japan,
+        Brazil,
+        Australia
+    }
+
+    [Serializable]
+    public class RegionInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// indicates whether the server specified is available in this region
+        /// </summary>
+        public bool Available;
+        /// <summary>
+        /// name of the region
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// url to ping to get roundtrip time
+        /// </summary>
+        public string PingUrl;
+        /// <summary>
+        /// unique identifier for the region
+        /// </summary>
+        public Region? Region;
+    }
+
+    /// <summary>
+    /// The steps to configure and send Push Notifications is described in the PlayFab tutorials, here:
+    /// https://docs.microsoft.com/gaming/playfab/features/engagement/push-notifications/quickstart
+    /// </summary>
+    [Serializable]
+    public class RegisterForIOSPushNotificationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Message to display when confirming push notification.
+        /// </summary>
+        public string ConfirmationMessage;
+        /// <summary>
+        /// Unique token generated by the Apple Push Notification service when the title registered to receive push notifications.
+        /// </summary>
+        public string DeviceToken;
+        /// <summary>
+        /// If true, send a test push message immediately after sucessful registration. Defaults to false.
+        /// </summary>
+        public bool? SendPushNotificationConfirmation;
+    }
+
+    [Serializable]
+    public class RegisterForIOSPushNotificationResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RegisterPlayFabUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// An optional parameter for setting the display name for this title (3-25 characters).
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Password for the PlayFab account (6-100 characters)
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// An optional parameter that specifies whether both the username and email parameters are required. If true, both
+        /// parameters are required; if false, the user must supply either the username or email parameter. The default value is
+        /// true.
+        /// </summary>
+        public bool? RequireBothUsernameAndEmail;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// PlayFab username for the account (3-20 characters)
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// Each account must have a unique email address in the PlayFab service. Once created, the account may be associated with
+    /// additional accounts (Steam, Facebook, Game Center, etc.), allowing for added social network lists and achievements
+    /// systems.
+    /// </summary>
+    [Serializable]
+    public class RegisterPlayFabUserResult : PlayFabLoginResultCommon
+    {
+        /// <summary>
+        /// If LoginTitlePlayerAccountEntity flag is set on the login request the title_player_account will also be logged in and
+        /// returned.
+        /// </summary>
+        public EntityTokenResponse EntityToken;
+        /// <summary>
+        /// PlayFab unique identifier for this newly created account.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique token identifying the user and game at the server level, for the current session.
+        /// </summary>
+        public string SessionTicket;
+        /// <summary>
+        /// Settings specific to this user.
+        /// </summary>
+        public UserSettings SettingsForUser;
+        /// <summary>
+        /// PlayFab unique user name.
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// This API removes an existing contact email from the player's profile.
+    /// </summary>
+    [Serializable]
+    public class RemoveContactEmailRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class RemoveContactEmailResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RemoveFriendRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// PlayFab identifier of the friend account which is to be removed.
+        /// </summary>
+        public string FriendPlayFabId;
+    }
+
+    [Serializable]
+    public class RemoveFriendResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RemoveGenericIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Generic service identifier to be removed from the player.
+        /// </summary>
+        public GenericServiceId GenericId;
+    }
+
+    [Serializable]
+    public class RemoveGenericIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RemoveSharedGroupMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// An array of unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public List<string> PlayFabIds;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class RemoveSharedGroupMembersResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Report ad activity
+    /// </summary>
+    [Serializable]
+    public class ReportAdActivityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Type of activity, may be Opened, Closed, Start or End
+        /// </summary>
+        public AdActivity Activity;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique ID of the placement to report for
+        /// </summary>
+        public string PlacementId;
+        /// <summary>
+        /// Unique ID of the reward the player was offered
+        /// </summary>
+        public string RewardId;
+    }
+
+    /// <summary>
+    /// Report ad activity response has no body
+    /// </summary>
+    [Serializable]
+    public class ReportAdActivityResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class ReportPlayerClientRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional additional comment by reporting player.
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab identifier of the reported player.
+        /// </summary>
+        public string ReporteeId;
+    }
+
+    /// <summary>
+    /// Players are currently limited to five reports per day. Attempts by a single user account to submit reports beyond five
+    /// will result in Updated being returned as false.
+    /// </summary>
+    [Serializable]
+    public class ReportPlayerClientResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The number of remaining reports which may be filed today.
+        /// </summary>
+        public int SubmissionsRemaining;
+    }
+
+    /// <summary>
+    /// The title should obtain a refresh receipt via restoreCompletedTransactions in the SKPaymentQueue of the Apple StoreKit
+    /// and pass that in to this call. The resultant receipt contains new receipt instances for all non-consumable goods
+    /// previously purchased by the user. This API call iterates through every purchase in the receipt and restores the items if
+    /// they still exist in the catalog and can be validated.
+    /// </summary>
+    [Serializable]
+    public class RestoreIOSPurchasesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the restored items. If null, defaults to primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Base64 encoded receipt data, passed back by the App Store as a result of a successful purchase.
+        /// </summary>
+        public string ReceiptData;
+    }
+
+    /// <summary>
+    /// Once verified, the valid items will be restored into the user's inventory.
+    /// </summary>
+    [Serializable]
+    public class RestoreIOSPurchasesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Fulfilled inventory items and recorded purchases in fulfillment of the validated receipt transactions.
+        /// </summary>
+        public List<PurchaseReceiptFulfillment> Fulfillments;
+    }
+
+    /// <summary>
+    /// Details on which placement and reward to perform a grant on
+    /// </summary>
+    [Serializable]
+    public class RewardAdActivityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Placement unique ID
+        /// </summary>
+        public string PlacementId;
+        /// <summary>
+        /// Reward unique ID
+        /// </summary>
+        public string RewardId;
+    }
+
+    /// <summary>
+    /// Result for rewarding an ad activity
+    /// </summary>
+    [Serializable]
+    public class RewardAdActivityResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// PlayStream Event ID that was generated by this reward (all subsequent events are associated with this event identifier)
+        /// </summary>
+        public string AdActivityEventId;
+        /// <summary>
+        /// Debug results from the grants
+        /// </summary>
+        public List<string> DebugResults;
+        /// <summary>
+        /// Id of the placement the reward was for
+        /// </summary>
+        public string PlacementId;
+        /// <summary>
+        /// Name of the placement the reward was for
+        /// </summary>
+        public string PlacementName;
+        /// <summary>
+        /// If placement has viewing limits indicates how many views are left
+        /// </summary>
+        public int? PlacementViewsRemaining;
+        /// <summary>
+        /// If placement has viewing limits indicates when they will next reset
+        /// </summary>
+        public double? PlacementViewsResetMinutes;
+        /// <summary>
+        /// Reward results
+        /// </summary>
+        public AdRewardResults RewardResults;
+    }
+
+    [Serializable]
+    public class ScriptExecutionError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Error code, such as CloudScriptNotFound, JavascriptException, CloudScriptFunctionArgumentSizeExceeded,
+        /// CloudScriptAPIRequestCountExceeded, CloudScriptAPIRequestError, or CloudScriptHTTPRequestError
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Details about the error
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Point during the execution of the script at which the error occurred, if any
+        /// </summary>
+        public string StackTrace;
+    }
+
+    /// <summary>
+    /// If the account in question is a "temporary" account (for example, one that was created via a call to
+    /// LoginFromIOSDeviceID), thisfunction will have no effect. Only PlayFab accounts which have valid email addresses will be
+    /// able to receive a password reset email using this API.
+    /// </summary>
+    [Serializable]
+    public class SendAccountRecoveryEmailRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// The email template id of the account recovery email template to send.
+        /// </summary>
+        public string EmailTemplateId;
+        /// <summary>
+        /// Unique identifier for the title, found in the Settings > Game Properties section of the PlayFab developer site when a
+        /// title has been selected.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class SendAccountRecoveryEmailResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This operation is not additive. It will completely replace the tag list for the specified user. Please note that only
+    /// users in the PlayFab friends list can be assigned tags. Attempting to set a tag on a friend only included in the friends
+    /// list from a social site integration (such as Facebook or Steam) will return the AccountNotFound error.
+    /// </summary>
+    [Serializable]
+    public class SetFriendTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// PlayFab identifier of the friend account to which the tag(s) should be applied.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Array of tags to set on the friend account.
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    [Serializable]
+    public class SetFriendTagsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// APIs that require signatures require that the player have a configured Player Secret Key that is used to sign all
+    /// requests. Players that don't have a secret will be blocked from making API calls until it is configured. To create a
+    /// signature header add a SHA256 hashed string containing UTF8 encoded JSON body as it will be sent to the server, the
+    /// current time in UTC formatted to ISO 8601, and the players secret formatted as 'body.date.secret'. Place the resulting
+    /// hash into the header X-PlayFab-Signature, along with a header X-PlayFab-Timestamp of the same UTC timestamp used in the
+    /// signature.
+    /// </summary>
+    [Serializable]
+    public class SetPlayerSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Base64 encoded body that is encrypted with the Title's public RSA key (Enterprise Only).
+        /// </summary>
+        public string EncryptedRequest;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+    }
+
+    [Serializable]
+    public class SetPlayerSecretResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class SharedGroupDataRecord : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Timestamp for when this data was last updated.
+        /// </summary>
+        public DateTime LastUpdated;
+        /// <summary>
+        /// Unique PlayFab identifier of the user to last update this value.
+        /// </summary>
+        public string LastUpdatedBy;
+        /// <summary>
+        /// Indicates whether this data can be read by all users (public) or only members of the group (private).
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Data stored for the specified group data key.
+        /// </summary>
+        public string Value;
+    }
+
+    public enum SourceType
+    {
+        Admin,
+        BackEnd,
+        GameClient,
+        GameServer,
+        Partner,
+        Custom,
+        API
+    }
+
+    /// <summary>
+    /// This API must be enabled for use as an option in the game manager website. It is disabled by default.
+    /// </summary>
+    [Serializable]
+    public class StartGameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// version information for the build of the game server which is to be started
+        /// </summary>
+        public string BuildVersion;
+        /// <summary>
+        /// character to use for stats based matching. Leave null to use account stats
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// custom command line argument when starting game server process
+        /// </summary>
+        public string CustomCommandLineData;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// the title-defined game mode this server is to be running (defaults to 0 if there is only one mode)
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// the region to associate this server with for match filtering
+        /// </summary>
+        public Region Region;
+        /// <summary>
+        /// player statistic for others to use in finding this game. May be null for no stat-based matching
+        /// </summary>
+        public string StatisticName;
+    }
+
+    [Serializable]
+    public class StartGameResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// timestamp for when the server should expire, if applicable
+        /// </summary>
+        public string Expires;
+        /// <summary>
+        /// unique identifier for the lobby of the server started
+        /// </summary>
+        public string LobbyID;
+        /// <summary>
+        /// password required to log into the server
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// server IPV4 address
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// server IPV6 address
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// port on the server to be used for communication
+        /// </summary>
+        public int? ServerPort;
+        /// <summary>
+        /// server public DNS name
+        /// </summary>
+        public string ServerPublicDNSName;
+        /// <summary>
+        /// unique identifier for the server
+        /// </summary>
+        public string Ticket;
+    }
+
+    /// <summary>
+    /// This is the first step in the purchasing process. For security purposes, once the order (or "cart") has been created,
+    /// additional inventory objects may no longer be added. In addition, inventory objects will be locked to the current
+    /// prices, regardless of any subsequent changes at the catalog level which may occur during the next two steps.
+    /// </summary>
+    [Serializable]
+    public class StartPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version for the items to be purchased. Defaults to most recent catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Array of items to purchase.
+        /// </summary>
+        public List<ItemPurchaseRequest> Items;
+        /// <summary>
+        /// Store through which to purchase items. If not set, prices will be pulled from the catalog itself.
+        /// </summary>
+        public string StoreId;
+    }
+
+    [Serializable]
+    public class StartPurchaseResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Cart items to be purchased.
+        /// </summary>
+        public List<CartItem> Contents;
+        /// <summary>
+        /// Purchase order identifier.
+        /// </summary>
+        public string OrderId;
+        /// <summary>
+        /// Available methods by which the user can pay.
+        /// </summary>
+        public List<PaymentOption> PaymentOptions;
+        /// <summary>
+        /// Current virtual currency totals for the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrencyBalances;
+    }
+
+    [Serializable]
+    public class StatisticModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Statistic value
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class StatisticNameVersion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// the version of the statistic to be returned
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class StatisticUpdate : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// statistic value for the player
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// for updates to an existing statistic value for a player, the version of the statistic when it was loaded. Null when
+        /// setting the statistic value for the first time.
+        /// </summary>
+        public uint? Version;
+    }
+
+    [Serializable]
+    public class StatisticValue : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// statistic value for the player
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// for updates to an existing statistic value for a player, the version of the statistic when it was loaded
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class SteamPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Steam identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique Steam identifier for a user.
+        /// </summary>
+        public string SteamStringId;
+    }
+
+    /// <summary>
+    /// A store entry that list a catalog item at a particular price
+    /// </summary>
+    [Serializable]
+    public class StoreItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Store specific custom data. The data only exists as part of this store; it is not transferred to item instances
+        /// </summary>
+        public object CustomData;
+        /// <summary>
+        /// Intended display position for this item. Note that 0 is the first position
+        /// </summary>
+        public uint? DisplayPosition;
+        /// <summary>
+        /// Unique identifier of the item as it exists in the catalog - note that this must exactly match the ItemId from the
+        /// catalog
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// Override prices for this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    /// <summary>
+    /// Marketing data about a specific store
+    /// </summary>
+    [Serializable]
+    public class StoreMarketingModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Tagline for a store.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Display name of a store as it will appear to users.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Custom data about a store.
+        /// </summary>
+        public object Metadata;
+    }
+
+    [Serializable]
+    public class SubscriptionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When this subscription expires.
+        /// </summary>
+        public DateTime Expiration;
+        /// <summary>
+        /// The time the subscription was orignially purchased
+        /// </summary>
+        public DateTime InitialSubscriptionTime;
+        /// <summary>
+        /// Whether this subscription is currently active. That is, if Expiration > now.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The status of this subscription, according to the subscription provider.
+        /// </summary>
+        public SubscriptionProviderStatus? Status;
+        /// <summary>
+        /// The id for this subscription
+        /// </summary>
+        public string SubscriptionId;
+        /// <summary>
+        /// The item id for this subscription from the primary catalog
+        /// </summary>
+        public string SubscriptionItemId;
+        /// <summary>
+        /// The provider for this subscription. Apple or Google Play are supported today.
+        /// </summary>
+        public string SubscriptionProvider;
+    }
+
+    public enum SubscriptionProviderStatus
+    {
+        NoError,
+        Cancelled,
+        UnknownError,
+        BillingError,
+        ProductUnavailable,
+        CustomerDidNotAcceptPriceChange,
+        FreeTrial,
+        PaymentPending
+    }
+
+    /// <summary>
+    /// This API must be enabled for use as an option in the game manager website. It is disabled by default.
+    /// </summary>
+    [Serializable]
+    public class SubtractUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be subtracted from the user balance of the specified virtual currency.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Name of the virtual currency which is to be decremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class TagModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Full value of the tag, including namespace
+        /// </summary>
+        public string TagValue;
+    }
+
+    public enum TitleActivationStatus
+    {
+        None,
+        ActivatedTitleKey,
+        PendingSteam,
+        ActivatedSteam,
+        RevokedSteam
+    }
+
+    [Serializable]
+    public class TitleNewsItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// News item text.
+        /// </summary>
+        public string Body;
+        /// <summary>
+        /// Unique identifier of news item.
+        /// </summary>
+        public string NewsId;
+        /// <summary>
+        /// Date and time when the news item was posted.
+        /// </summary>
+        public DateTime Timestamp;
+        /// <summary>
+        /// Title of the news item.
+        /// </summary>
+        public string Title;
+    }
+
+    [Serializable]
+    public class TradeInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Item instances from the accepting player that are used to fulfill the trade. If null, no one has accepted the trade.
+        /// </summary>
+        public List<string> AcceptedInventoryInstanceIds;
+        /// <summary>
+        /// The PlayFab ID of the player who accepted the trade. If null, no one has accepted the trade.
+        /// </summary>
+        public string AcceptedPlayerId;
+        /// <summary>
+        /// An optional list of players allowed to complete this trade. If null, anybody can complete the trade.
+        /// </summary>
+        public List<string> AllowedPlayerIds;
+        /// <summary>
+        /// If set, The UTC time when this trade was canceled.
+        /// </summary>
+        public DateTime? CancelledAt;
+        /// <summary>
+        /// If set, The UTC time when this trade was fulfilled.
+        /// </summary>
+        public DateTime? FilledAt;
+        /// <summary>
+        /// If set, The UTC time when this trade was made invalid.
+        /// </summary>
+        public DateTime? InvalidatedAt;
+        /// <summary>
+        /// The catalogItem Ids of the item instances being offered.
+        /// </summary>
+        public List<string> OfferedCatalogItemIds;
+        /// <summary>
+        /// The itemInstance Ids that are being offered.
+        /// </summary>
+        public List<string> OfferedInventoryInstanceIds;
+        /// <summary>
+        /// The PlayFabId for the offering player.
+        /// </summary>
+        public string OfferingPlayerId;
+        /// <summary>
+        /// The UTC time when this trade was created.
+        /// </summary>
+        public DateTime? OpenedAt;
+        /// <summary>
+        /// The catalogItem Ids requested in exchange.
+        /// </summary>
+        public List<string> RequestedCatalogItemIds;
+        /// <summary>
+        /// Describes the current state of this trade.
+        /// </summary>
+        public TradeStatus? Status;
+        /// <summary>
+        /// The identifier for this trade.
+        /// </summary>
+        public string TradeId;
+    }
+
+    public enum TradeStatus
+    {
+        Invalid,
+        Opening,
+        Open,
+        Accepting,
+        Accepted,
+        Filled,
+        Cancelled
+    }
+
+    public enum TransactionStatus
+    {
+        CreateCart,
+        Init,
+        Approved,
+        Succeeded,
+        FailedByProvider,
+        DisputePending,
+        RefundPending,
+        Refunded,
+        RefundFailed,
+        ChargedBack,
+        FailedByUber,
+        FailedByPlayFab,
+        Revoked,
+        TradePending,
+        Traded,
+        Upgraded,
+        StackPending,
+        Stacked,
+        Other,
+        Failed
+    }
+
+    [Serializable]
+    public class TreatmentAssignment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of the experiment variables.
+        /// </summary>
+        public List<Variable> Variables;
+        /// <summary>
+        /// List of the experiment variants.
+        /// </summary>
+        public List<string> Variants;
+    }
+
+    [Serializable]
+    public class TwitchPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Twitch identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique Twitch identifier for a user.
+        /// </summary>
+        public string TwitchId;
+    }
+
+    [Serializable]
+    public class UnlinkAndroidDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Android device identifier for the user's device. If not specified, the most recently signed in Android Device ID will be
+        /// used.
+        /// </summary>
+        public string AndroidDeviceId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkAndroidDeviceIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkAppleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkCustomIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom unique identifier for the user, generated by the title. If not specified, the most recently signed in Custom ID
+        /// will be used.
+        /// </summary>
+        public string CustomId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkCustomIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkFacebookAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkFacebookAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkFacebookInstantGamesIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Facebook Instant Games identifier for the user. If not specified, the most recently signed in ID will be used.
+        /// </summary>
+        public string FacebookInstantGamesId;
+    }
+
+    [Serializable]
+    public class UnlinkFacebookInstantGamesIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkGameCenterAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkGameCenterAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkGoogleAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkGoogleAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkIOSDeviceIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Vendor-specific iOS identifier for the user's device. If not specified, the most recently signed in iOS Device ID will
+        /// be used.
+        /// </summary>
+        public string DeviceId;
+    }
+
+    [Serializable]
+    public class UnlinkIOSDeviceIDResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkKongregateAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkKongregateAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkNintendoServiceAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkNintendoSwitchDeviceIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Nintendo Switch Device identifier for the user. If not specified, the most recently signed in device ID will be used.
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+    }
+
+    [Serializable]
+    public class UnlinkNintendoSwitchDeviceIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkOpenIdConnectRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A name that identifies which configured OpenID Connect provider relationship to use. Maximum 100 characters.
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkPSNAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkPSNAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkSteamAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkSteamAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkTwitchAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Valid token issued by Twitch. Used to specify which twitch account to unlink from the profile. By default it uses the
+        /// one that is present on the profile.
+        /// </summary>
+        public string AccessToken;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkTwitchAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkXboxAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UnlinkXboxAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Specify the container and optionally the catalogVersion for the container to open
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerInstanceRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to determine container contents. If unspecified, uses catalog
+        /// associated with the item instance.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// ItemInstanceId of the container to unlock.
+        /// </summary>
+        public string ContainerItemInstanceId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// ItemInstanceId of the key that will be consumed by unlocking this container. If the container requires a key, this
+        /// parameter is required.
+        /// </summary>
+        public string KeyItemInstanceId;
+    }
+
+    /// <summary>
+    /// Specify the type of container to open and optionally the catalogVersion for the container to open
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to determine container contents. If unspecified, uses default/primary
+        /// catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Catalog ItemId of the container type to unlock.
+        /// </summary>
+        public string ContainerItemId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// The items and vc found within the container. These will be added and stacked in the appropriate inventory.
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerItemResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Items granted to the player as a result of unlocking the container.
+        /// </summary>
+        public List<ItemInstance> GrantedItems;
+        /// <summary>
+        /// Unique instance identifier of the container unlocked.
+        /// </summary>
+        public string UnlockedItemInstanceId;
+        /// <summary>
+        /// Unique instance identifier of the key used to unlock the container, if applicable.
+        /// </summary>
+        public string UnlockedWithItemInstanceId;
+        /// <summary>
+        /// Virtual currency granted to the player as a result of unlocking the container.
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrency;
+    }
+
+    [Serializable]
+    public class UpdateAvatarUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// URL of the avatar image. If empty, it removes the existing avatar URL.
+        /// </summary>
+        public string ImageUrl;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary strings containing the custom data for the character. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, while keys
+    /// with null values will be removed. New keys will be added, with the given values. No other key-value pairs will be
+    /// changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateCharacterDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys written in this request. Defaults to "private" if not set.
+        /// </summary>
+        public UserDataPermission? Permission;
+    }
+
+    [Serializable]
+    public class UpdateCharacterDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// Enable this option with the 'Allow Client to Post Player Statistics' option in PlayFab GameManager for your title.
+    /// However, this is not best practice, as this data will no longer be safely controlled by the server. This operation is
+    /// additive. Character Statistics not currently defined will be added, while those already defined will be updated with the
+    /// given values. All other user statistics will remain unchanged. Character statistics are used by the
+    /// character-leaderboard apis, and accessible for custom game-logic.
+    /// </summary>
+    [Serializable]
+    public class UpdateCharacterStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Statistics to be updated with the provided values, in the Key(string), Value(int) pattern.
+        /// </summary>
+        public Dictionary<string,int> CharacterStatistics;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class UpdateCharacterStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Enable this option with the 'Allow Client to Post Player Statistics' option in PlayFab GameManager for your title.
+    /// However, this is not best practice, as this data will no longer be safely controlled by the server. This operation is
+    /// additive. Statistics not currently defined will be added, while those already defined will be updated with the given
+    /// values. All other user statistics will remain unchanged. Note that if the statistic is intended to have a reset period,
+    /// the UpdatePlayerStatisticDefinition API call can be used to define that reset period. Once a statistic has been
+    /// versioned (reset), the now-previous version can still be written to for up a short, pre-defined period (currently 10
+    /// seconds), using the Version parameter in this call.
+    /// </summary>
+    [Serializable]
+    public class UpdatePlayerStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Statistics to be updated with the provided values
+        /// </summary>
+        public List<StatisticUpdate> Statistics;
+    }
+
+    [Serializable]
+    public class UpdatePlayerStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Note that in the case of multiple calls to write to the same shared group data keys, the last write received by the
+    /// PlayFab service will determine the value available to subsequent read operations. For scenarios requiring coordination
+    /// of data updates, it is recommended that titles make use of user data with read permission set to public, or a
+    /// combination of user data and shared group data.
+    /// </summary>
+    [Serializable]
+    public class UpdateSharedGroupDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys in this request.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class UpdateSharedGroupDataResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary strings containing the custom data for the user. In updating
+    /// the custom data object, keys which already exist in the object will have their values overwritten, while keys with null
+    /// values will be removed. New keys will be added, with the given values. No other key-value pairs will be changed apart
+    /// from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys written in this request. Defaults to "private" if not set. This is used
+        /// for requests by one player for information about another player; those requests will only return Public keys.
+        /// </summary>
+        public UserDataPermission? Permission;
+    }
+
+    [Serializable]
+    public class UpdateUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// In addition to the PlayFab username, titles can make use of a DisplayName which is also a unique identifier, but
+    /// specific to the title. This allows for unique names which more closely match the theme or genre of a title, for example.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserTitleDisplayNameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// New title display name for the user - must be between 3 and 25 characters.
+        /// </summary>
+        public string DisplayName;
+    }
+
+    [Serializable]
+    public class UpdateUserTitleDisplayNameResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Current title display name for the user (this will be the original display name if the rename attempt failed).
+        /// </summary>
+        public string DisplayName;
+    }
+
+    [Serializable]
+    public class UserAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// User Android device information, if an Android device has been linked
+        /// </summary>
+        public UserAndroidDeviceInfo AndroidDeviceInfo;
+        /// <summary>
+        /// Sign in with Apple account information, if an Apple account has been linked
+        /// </summary>
+        public UserAppleIdInfo AppleAccountInfo;
+        /// <summary>
+        /// Timestamp indicating when the user account was created
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// Custom ID information, if a custom ID has been assigned
+        /// </summary>
+        public UserCustomIdInfo CustomIdInfo;
+        /// <summary>
+        /// User Facebook information, if a Facebook account has been linked
+        /// </summary>
+        public UserFacebookInfo FacebookInfo;
+        /// <summary>
+        /// Facebook Instant Games account information, if a Facebook Instant Games account has been linked
+        /// </summary>
+        public UserFacebookInstantGamesIdInfo FacebookInstantGamesIdInfo;
+        /// <summary>
+        /// User Gamecenter information, if a Gamecenter account has been linked
+        /// </summary>
+        public UserGameCenterInfo GameCenterInfo;
+        /// <summary>
+        /// User Google account information, if a Google account has been linked
+        /// </summary>
+        public UserGoogleInfo GoogleInfo;
+        /// <summary>
+        /// User iOS device information, if an iOS device has been linked
+        /// </summary>
+        public UserIosDeviceInfo IosDeviceInfo;
+        /// <summary>
+        /// User Kongregate account information, if a Kongregate account has been linked
+        /// </summary>
+        public UserKongregateInfo KongregateInfo;
+        /// <summary>
+        /// Nintendo Switch account information, if a Nintendo Switch account has been linked
+        /// </summary>
+        public UserNintendoSwitchAccountIdInfo NintendoSwitchAccountInfo;
+        /// <summary>
+        /// Nintendo Switch device information, if a Nintendo Switch device has been linked
+        /// </summary>
+        public UserNintendoSwitchDeviceIdInfo NintendoSwitchDeviceIdInfo;
+        /// <summary>
+        /// OpenID Connect information, if any OpenID Connect accounts have been linked
+        /// </summary>
+        public List<UserOpenIdInfo> OpenIdInfo;
+        /// <summary>
+        /// Unique identifier for the user account
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Personal information for the user which is considered more sensitive
+        /// </summary>
+        public UserPrivateAccountInfo PrivateInfo;
+        /// <summary>
+        /// User PSN account information, if a PSN account has been linked
+        /// </summary>
+        public UserPsnInfo PsnInfo;
+        /// <summary>
+        /// User Steam information, if a Steam account has been linked
+        /// </summary>
+        public UserSteamInfo SteamInfo;
+        /// <summary>
+        /// Title-specific information for the user account
+        /// </summary>
+        public UserTitleInfo TitleInfo;
+        /// <summary>
+        /// User Twitch account information, if a Twitch account has been linked
+        /// </summary>
+        public UserTwitchInfo TwitchInfo;
+        /// <summary>
+        /// User account name in the PlayFab service
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// User XBox account information, if a XBox account has been linked
+        /// </summary>
+        public UserXboxInfo XboxInfo;
+    }
+
+    [Serializable]
+    public class UserAndroidDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Android device ID
+        /// </summary>
+        public string AndroidDeviceId;
+    }
+
+    [Serializable]
+    public class UserAppleIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Apple subject ID
+        /// </summary>
+        public string AppleSubjectId;
+    }
+
+    [Serializable]
+    public class UserCustomIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Custom ID
+        /// </summary>
+        public string CustomId;
+    }
+
+    /// <summary>
+    /// Indicates whether a given data key is private (readable only by the player) or public (readable by all players). When a
+    /// player makes a GetUserData request about another player, only keys marked Public will be returned.
+    /// </summary>
+    public enum UserDataPermission
+    {
+        Private,
+        Public
+    }
+
+    [Serializable]
+    public class UserDataRecord : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Timestamp for when this data was last updated.
+        /// </summary>
+        public DateTime LastUpdated;
+        /// <summary>
+        /// Indicates whether this data can be read by all users (public) or only the user (private). This is used for GetUserData
+        /// requests being made by one player about another player.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Data stored for the specified user data key.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class UserFacebookInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook identifier
+        /// </summary>
+        public string FacebookId;
+        /// <summary>
+        /// Facebook full name
+        /// </summary>
+        public string FullName;
+    }
+
+    [Serializable]
+    public class UserFacebookInstantGamesIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook Instant Games ID
+        /// </summary>
+        public string FacebookInstantGamesId;
+    }
+
+    [Serializable]
+    public class UserGameCenterInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Gamecenter identifier
+        /// </summary>
+        public string GameCenterId;
+    }
+
+    [Serializable]
+    public class UserGoogleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Email address of the Google account
+        /// </summary>
+        public string GoogleEmail;
+        /// <summary>
+        /// Gender information of the Google account
+        /// </summary>
+        public string GoogleGender;
+        /// <summary>
+        /// Google ID
+        /// </summary>
+        public string GoogleId;
+        /// <summary>
+        /// Locale of the Google account
+        /// </summary>
+        public string GoogleLocale;
+        /// <summary>
+        /// Name of the Google account user
+        /// </summary>
+        public string GoogleName;
+    }
+
+    [Serializable]
+    public class UserIosDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// iOS device ID
+        /// </summary>
+        public string IosDeviceId;
+    }
+
+    [Serializable]
+    public class UserKongregateInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Kongregate ID
+        /// </summary>
+        public string KongregateId;
+        /// <summary>
+        /// Kongregate Username
+        /// </summary>
+        public string KongregateName;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchAccountIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch account subject ID
+        /// </summary>
+        public string NintendoSwitchAccountSubjectId;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchDeviceIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch Device ID
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+    }
+
+    [Serializable]
+    public class UserOpenIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// OpenID Connection ID
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// OpenID Issuer
+        /// </summary>
+        public string Issuer;
+        /// <summary>
+        /// OpenID Subject
+        /// </summary>
+        public string Subject;
+    }
+
+    public enum UserOrigination
+    {
+        Organic,
+        Steam,
+        Google,
+        Amazon,
+        Facebook,
+        Kongregate,
+        GamersFirst,
+        Unknown,
+        IOS,
+        LoadTest,
+        Android,
+        PSN,
+        GameCenter,
+        CustomId,
+        XboxLive,
+        Parse,
+        Twitch,
+        ServerCustomId,
+        NintendoSwitchDeviceId,
+        FacebookInstantGamesId,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class UserPrivateAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// user email address
+        /// </summary>
+        public string Email;
+    }
+
+    [Serializable]
+    public class UserPsnInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// PSN account ID
+        /// </summary>
+        public string PsnAccountId;
+        /// <summary>
+        /// PSN online ID
+        /// </summary>
+        public string PsnOnlineId;
+    }
+
+    [Serializable]
+    public class UserSettings : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Boolean for whether this player is eligible for gathering device info.
+        /// </summary>
+        public bool GatherDeviceInfo;
+        /// <summary>
+        /// Boolean for whether this player should report OnFocus play-time tracking.
+        /// </summary>
+        public bool GatherFocusInfo;
+        /// <summary>
+        /// Boolean for whether this player is eligible for ad tracking.
+        /// </summary>
+        public bool NeedsAttribution;
+    }
+
+    [Serializable]
+    public class UserSteamInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// what stage of game ownership the user is listed as being in, from Steam
+        /// </summary>
+        public TitleActivationStatus? SteamActivationStatus;
+        /// <summary>
+        /// the country in which the player resides, from Steam data
+        /// </summary>
+        public string SteamCountry;
+        /// <summary>
+        /// currency type set in the user Steam account
+        /// </summary>
+        public Currency? SteamCurrency;
+        /// <summary>
+        /// Steam identifier
+        /// </summary>
+        public string SteamId;
+        /// <summary>
+        /// Steam display name
+        /// </summary>
+        public string SteamName;
+    }
+
+    [Serializable]
+    public class UserTitleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// URL to the player's avatar.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// timestamp indicating when the user was first associated with this game (this can differ significantly from when the user
+        /// first registered with PlayFab)
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// name of the user, as it is displayed in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// timestamp indicating when the user first signed into this game (this can differ from the Created timestamp, as other
+        /// events, such as issuing a beta key to the user, can associate the title to the user)
+        /// </summary>
+        public DateTime? FirstLogin;
+        /// <summary>
+        /// boolean indicating whether or not the user is currently banned for a title
+        /// </summary>
+        public bool? isBanned;
+        /// <summary>
+        /// timestamp for the last user login for this title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// source by which the user first joined the game, if known
+        /// </summary>
+        public UserOrigination? Origination;
+        /// <summary>
+        /// Title player account entity for this user
+        /// </summary>
+        public EntityKey TitlePlayerAccount;
+    }
+
+    [Serializable]
+    public class UserTwitchInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Twitch ID
+        /// </summary>
+        public string TwitchId;
+        /// <summary>
+        /// Twitch Username
+        /// </summary>
+        public string TwitchUserName;
+    }
+
+    [Serializable]
+    public class UserXboxInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// XBox user ID
+        /// </summary>
+        public string XboxUserId;
+    }
+
+    [Serializable]
+    public class ValidateAmazonReceiptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the fulfilled items. If null, defaults to the primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Currency used to pay for the purchase (ISO 4217 currency code).
+        /// </summary>
+        public string CurrencyCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Amount of the stated currency paid, in centesimal units.
+        /// </summary>
+        public int PurchasePrice;
+        /// <summary>
+        /// ReceiptId returned by the Amazon App Store in-app purchase API
+        /// </summary>
+        public string ReceiptId;
+        /// <summary>
+        /// AmazonId of the user making the purchase as returned by the Amazon App Store in-app purchase API
+        /// </summary>
+        public string UserId;
+    }
+
+    /// <summary>
+    /// Once verified, the catalog item matching the Amazon item name will be added to the user's inventory.
+    /// </summary>
+    [Serializable]
+    public class ValidateAmazonReceiptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Fulfilled inventory items and recorded purchases in fulfillment of the validated receipt transactions.
+        /// </summary>
+        public List<PurchaseReceiptFulfillment> Fulfillments;
+    }
+
+    /// <summary>
+    /// The packageName and productId are defined in the GooglePlay store. The productId must match the ItemId of the inventory
+    /// item in the PlayFab catalog for the title. This enables the PlayFab service to securely validate that the purchase is
+    /// for the correct item, in order to prevent uses from passing valid receipts as being for more expensive items (passing a
+    /// receipt for a 99-cent purchase as being for a $19.99 purchase, for example). Each receipt may be validated only once to
+    /// avoid granting the same item over and over from a single purchase.
+    /// </summary>
+    [Serializable]
+    public class ValidateGooglePlayPurchaseRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the fulfilled items. If null, defaults to the primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Currency used to pay for the purchase (ISO 4217 currency code).
+        /// </summary>
+        public string CurrencyCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Amount of the stated currency paid, in centesimal units.
+        /// </summary>
+        public uint? PurchasePrice;
+        /// <summary>
+        /// Original JSON string returned by the Google Play IAB API.
+        /// </summary>
+        public string ReceiptJson;
+        /// <summary>
+        /// Signature returned by the Google Play IAB API.
+        /// </summary>
+        public string Signature;
+    }
+
+    /// <summary>
+    /// Once verified, the catalog item (ItemId) matching the GooglePlay store item (productId) will be added to the user's
+    /// inventory.
+    /// </summary>
+    [Serializable]
+    public class ValidateGooglePlayPurchaseResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Fulfilled inventory items and recorded purchases in fulfillment of the validated receipt transactions.
+        /// </summary>
+        public List<PurchaseReceiptFulfillment> Fulfillments;
+    }
+
+    /// <summary>
+    /// The CurrencyCode and PurchasePrice must match the price which was set up for the item in the Apple store. In addition,
+    /// The ItemId of the inventory in the PlayFab Catalog must match the Product ID as it was set up in the Apple store. This
+    /// enables the PlayFab service to securely validate that the purchase is for the correct item, in order to prevent uses
+    /// from passing valid receipts as being for more expensive items (passing a receipt for a 99-cent purchase as being for a
+    /// $19.99 purchase, for example).
+    /// </summary>
+    [Serializable]
+    public class ValidateIOSReceiptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the fulfilled items. If null, defaults to the primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Currency used to pay for the purchase (ISO 4217 currency code).
+        /// </summary>
+        public string CurrencyCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Amount of the stated currency paid, in centesimal units.
+        /// </summary>
+        public int PurchasePrice;
+        /// <summary>
+        /// Base64 encoded receipt data, passed back by the App Store as a result of a successful purchase.
+        /// </summary>
+        public string ReceiptData;
+    }
+
+    /// <summary>
+    /// Once verified, the catalog item matching the iTunes item name will be added to the user's inventory.
+    /// </summary>
+    [Serializable]
+    public class ValidateIOSReceiptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Fulfilled inventory items and recorded purchases in fulfillment of the validated receipt transactions.
+        /// </summary>
+        public List<PurchaseReceiptFulfillment> Fulfillments;
+    }
+
+    [Serializable]
+    public class ValidateWindowsReceiptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the fulfilled items. If null, defaults to the primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Currency used to pay for the purchase (ISO 4217 currency code).
+        /// </summary>
+        public string CurrencyCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Amount of the stated currency paid, in centesimal units.
+        /// </summary>
+        public uint PurchasePrice;
+        /// <summary>
+        /// XML Receipt returned by the Windows App Store in-app purchase API
+        /// </summary>
+        public string Receipt;
+    }
+
+    /// <summary>
+    /// Once verified, the catalog item matching the Product name will be added to the user's inventory.
+    /// </summary>
+    [Serializable]
+    public class ValidateWindowsReceiptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Fulfilled inventory items and recorded purchases in fulfillment of the validated receipt transactions.
+        /// </summary>
+        public List<PurchaseReceiptFulfillment> Fulfillments;
+    }
+
+    [Serializable]
+    public class ValueToDateModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ISO 4217 code of the currency used in the purchases
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// Total value of the purchases in a whole number of 1/100 monetary units. For example, 999 indicates nine dollars and
+        /// ninety-nine cents when Currency is 'USD')
+        /// </summary>
+        public uint TotalValue;
+        /// <summary>
+        /// Total value of the purchases in a string representation of decimal monetary units. For example, '9.99' indicates nine
+        /// dollars and ninety-nine cents when Currency is 'USD'.
+        /// </summary>
+        public string TotalValueAsDecimal;
+    }
+
+    [Serializable]
+    public class Variable : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the variable.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Value of the variable.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyRechargeTime : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Maximum value to which the regenerating currency will automatically increment. Note that it can exceed this value
+        /// through use of the AddUserVirtualCurrency API call. However, it will not regenerate automatically until it has fallen
+        /// below this value.
+        /// </summary>
+        public int RechargeMax;
+        /// <summary>
+        /// Server timestamp in UTC indicating the next time the virtual currency will be incremented.
+        /// </summary>
+        public DateTime RechargeTime;
+        /// <summary>
+        /// Time remaining (in seconds) before the next recharge increment of the virtual currency.
+        /// </summary>
+        public int SecondsToRecharge;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different client-defined events into PlayStream. It supports a flexible
+    /// JSON schema, which allowsfor arbitrary key-value pairs to describe any character-based event. The created event will be
+    /// locked to the authenticated title and player.
+    /// </summary>
+    [Serializable]
+    public class WriteClientCharacterEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom event properties. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different event types into PlayStream. It supports a flexible JSON schema,
+    /// which allowsfor arbitrary key-value pairs to describe any player-based event. The created event will be locked to the
+    /// authenticated title and player.
+    /// </summary>
+    [Serializable]
+    public class WriteClientPlayerEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom data properties associated with the event. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    [Serializable]
+    public class WriteEventResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The unique identifier of the event. The values of this identifier consist of ASCII characters and are not constrained to
+        /// any particular format.
+        /// </summary>
+        public string EventId;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different client-defined events into PlayStream. It supports a flexible
+    /// JSON schema, which allowsfor arbitrary key-value pairs to describe any title-based event. The created event will be
+    /// locked to the authenticated title.
+    /// </summary>
+    [Serializable]
+    public class WriteTitleEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom event properties. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    [Serializable]
+    public class XboxLiveAccountPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Xbox Live identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique Xbox Live identifier for a user.
+        /// </summary>
+        public string XboxLiveAccountId;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Client/PlayFabClientModels.cs.meta b/Assets/PlayFabSDK/Client/PlayFabClientModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e89f150ae85bdeb050144aeace3aad1a4f60ab1e
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabClientModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 3a0a4ef9b600e6540b14561880293235
+timeCreated: 1468524875
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs b/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0c0739662b331935fddee3c0c0292a69683ebf09
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs
@@ -0,0 +1,109 @@
+#if !DISABLE_PLAYFABCLIENT_API
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+using UnityEngine;
+
+namespace PlayFab.Internal
+{
+    public static class PlayFabDeviceUtil
+    {
+        private static bool _needsAttribution, _gatherDeviceInfo, _gatherScreenTime;
+
+        #region Scrape Device Info
+        private static void SendDeviceInfoToPlayFab(PlayFabApiSettings settings, IPlayFabInstanceApi instanceApi)
+        {
+            if (settings.DisableDeviceInfo || !_gatherDeviceInfo) return;
+
+            var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+            var request = new ClientModels.DeviceInfoRequest
+            {
+                Info = serializer.DeserializeObject<Dictionary<string, object>>(serializer.SerializeObject(new PlayFabDataGatherer()))
+            };
+            var clientInstanceApi = instanceApi as PlayFabClientInstanceAPI;
+            if (clientInstanceApi != null)
+                clientInstanceApi.ReportDeviceInfo(request, null, OnGatherFail, settings);
+#if !DISABLE_PLAYFAB_STATIC_API
+            else
+                PlayFabClientAPI.ReportDeviceInfo(request, null, OnGatherFail, settings);
+#endif
+        }
+        private static void OnGatherFail(PlayFabError error)
+        {
+            Debug.Log("OnGatherFail: " + error.GenerateErrorReport());
+        }
+        #endregion
+
+        /// <summary>
+        /// When a PlayFab login occurs, check the result information, and
+        ///   relay it to _OnPlayFabLogin where the information is used
+        /// </summary>
+        /// <param name="result"></param>
+        public static void OnPlayFabLogin(PlayFabResultCommon result, PlayFabApiSettings settings, IPlayFabInstanceApi instanceApi)
+        {
+            var loginResult = result as ClientModels.LoginResult;
+            var registerResult = result as ClientModels.RegisterPlayFabUserResult;
+            if (loginResult == null && registerResult == null)
+                return;
+
+            // Gather things common to the result types
+            ClientModels.UserSettings settingsForUser = null;
+            string playFabId = null;
+            string entityId = null;
+            string entityType = null;
+
+            if (loginResult != null)
+            {
+                settingsForUser = loginResult.SettingsForUser;
+                playFabId = loginResult.PlayFabId;
+                if (loginResult.EntityToken != null)
+                {
+                    entityId = loginResult.EntityToken.Entity.Id;
+                    entityType = loginResult.EntityToken.Entity.Type;
+                }
+            }
+            else if (registerResult != null)
+            {
+                settingsForUser = registerResult.SettingsForUser;
+                playFabId = registerResult.PlayFabId;
+                if (registerResult.EntityToken != null)
+                {
+                    entityId = registerResult.EntityToken.Entity.Id;
+                    entityType = registerResult.EntityToken.Entity.Type;
+                }
+            }
+
+            _OnPlayFabLogin(settingsForUser, playFabId, entityId, entityType, settings, instanceApi);
+        }
+
+        /// <summary>
+        /// Separated from OnPlayFabLogin, to explicitly lose the refs to loginResult and registerResult, because
+        ///   only one will be defined, but both usually have all the information we REALLY need here.
+        /// But the result signatures are different and clunky, so do the separation above, and processing here
+        /// </summary>
+        private static void _OnPlayFabLogin(ClientModels.UserSettings settingsForUser, string playFabId, string entityId, string entityType, PlayFabApiSettings settings, IPlayFabInstanceApi instanceApi)
+        {
+            _needsAttribution = _gatherDeviceInfo = _gatherScreenTime = false;
+            if (settingsForUser != null)
+            {
+                _needsAttribution = settingsForUser.NeedsAttribution;
+                _gatherDeviceInfo = settingsForUser.GatherDeviceInfo;
+                _gatherScreenTime = settingsForUser.GatherFocusInfo;
+            }
+
+            // Device information gathering
+            SendDeviceInfoToPlayFab(settings, instanceApi);
+
+#if !DISABLE_PLAYFABENTITY_API
+            if (!string.IsNullOrEmpty(entityId) && !string.IsNullOrEmpty(entityType) && _gatherScreenTime)
+            {
+                PlayFabHttp.InitializeScreenTimeTracker(entityId, entityType, playFabId);
+            }
+            else
+            {
+                settings.DisableFocusTimeCollection = true;
+            }
+#endif
+        }
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs.meta b/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c17526e93a6946e2b90fcb312976dc8f9fd6718d
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabDeviceUtil.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: dd4190ddf909a304eb43068a0caea903
+timeCreated: 1494526811
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Client/PlayFabEvents.cs b/Assets/PlayFabSDK/Client/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..4f5113a89679dcdf29cc3800e53baca8bd07a38d
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabEvents.cs
@@ -0,0 +1,318 @@
+#if !DISABLE_PLAYFABCLIENT_API
+using PlayFab.ClientModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabResultEvent<LoginResult> OnLoginResultEvent;
+
+        public event PlayFabRequestEvent<AcceptTradeRequest> OnAcceptTradeRequestEvent;
+        public event PlayFabResultEvent<AcceptTradeResponse> OnAcceptTradeResultEvent;
+        public event PlayFabRequestEvent<AddFriendRequest> OnAddFriendRequestEvent;
+        public event PlayFabResultEvent<AddFriendResult> OnAddFriendResultEvent;
+        public event PlayFabRequestEvent<AddGenericIDRequest> OnAddGenericIDRequestEvent;
+        public event PlayFabResultEvent<AddGenericIDResult> OnAddGenericIDResultEvent;
+        public event PlayFabRequestEvent<AddOrUpdateContactEmailRequest> OnAddOrUpdateContactEmailRequestEvent;
+        public event PlayFabResultEvent<AddOrUpdateContactEmailResult> OnAddOrUpdateContactEmailResultEvent;
+        public event PlayFabRequestEvent<AddSharedGroupMembersRequest> OnAddSharedGroupMembersRequestEvent;
+        public event PlayFabResultEvent<AddSharedGroupMembersResult> OnAddSharedGroupMembersResultEvent;
+        public event PlayFabRequestEvent<AddUsernamePasswordRequest> OnAddUsernamePasswordRequestEvent;
+        public event PlayFabResultEvent<AddUsernamePasswordResult> OnAddUsernamePasswordResultEvent;
+        public event PlayFabRequestEvent<AddUserVirtualCurrencyRequest> OnAddUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnAddUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<AndroidDevicePushNotificationRegistrationRequest> OnAndroidDevicePushNotificationRegistrationRequestEvent;
+        public event PlayFabResultEvent<AndroidDevicePushNotificationRegistrationResult> OnAndroidDevicePushNotificationRegistrationResultEvent;
+        public event PlayFabRequestEvent<AttributeInstallRequest> OnAttributeInstallRequestEvent;
+        public event PlayFabResultEvent<AttributeInstallResult> OnAttributeInstallResultEvent;
+        public event PlayFabRequestEvent<CancelTradeRequest> OnCancelTradeRequestEvent;
+        public event PlayFabResultEvent<CancelTradeResponse> OnCancelTradeResultEvent;
+        public event PlayFabRequestEvent<ConfirmPurchaseRequest> OnConfirmPurchaseRequestEvent;
+        public event PlayFabResultEvent<ConfirmPurchaseResult> OnConfirmPurchaseResultEvent;
+        public event PlayFabRequestEvent<ConsumeItemRequest> OnConsumeItemRequestEvent;
+        public event PlayFabResultEvent<ConsumeItemResult> OnConsumeItemResultEvent;
+        public event PlayFabRequestEvent<ConsumeMicrosoftStoreEntitlementsRequest> OnConsumeMicrosoftStoreEntitlementsRequestEvent;
+        public event PlayFabResultEvent<ConsumeMicrosoftStoreEntitlementsResponse> OnConsumeMicrosoftStoreEntitlementsResultEvent;
+        public event PlayFabRequestEvent<ConsumePS5EntitlementsRequest> OnConsumePS5EntitlementsRequestEvent;
+        public event PlayFabResultEvent<ConsumePS5EntitlementsResult> OnConsumePS5EntitlementsResultEvent;
+        public event PlayFabRequestEvent<ConsumePSNEntitlementsRequest> OnConsumePSNEntitlementsRequestEvent;
+        public event PlayFabResultEvent<ConsumePSNEntitlementsResult> OnConsumePSNEntitlementsResultEvent;
+        public event PlayFabRequestEvent<ConsumeXboxEntitlementsRequest> OnConsumeXboxEntitlementsRequestEvent;
+        public event PlayFabResultEvent<ConsumeXboxEntitlementsResult> OnConsumeXboxEntitlementsResultEvent;
+        public event PlayFabRequestEvent<CreateSharedGroupRequest> OnCreateSharedGroupRequestEvent;
+        public event PlayFabResultEvent<CreateSharedGroupResult> OnCreateSharedGroupResultEvent;
+        public event PlayFabRequestEvent<ExecuteCloudScriptRequest> OnExecuteCloudScriptRequestEvent;
+        public event PlayFabResultEvent<ExecuteCloudScriptResult> OnExecuteCloudScriptResultEvent;
+        public event PlayFabRequestEvent<GetAccountInfoRequest> OnGetAccountInfoRequestEvent;
+        public event PlayFabResultEvent<GetAccountInfoResult> OnGetAccountInfoResultEvent;
+        public event PlayFabRequestEvent<GetAdPlacementsRequest> OnGetAdPlacementsRequestEvent;
+        public event PlayFabResultEvent<GetAdPlacementsResult> OnGetAdPlacementsResultEvent;
+        public event PlayFabRequestEvent<ListUsersCharactersRequest> OnGetAllUsersCharactersRequestEvent;
+        public event PlayFabResultEvent<ListUsersCharactersResult> OnGetAllUsersCharactersResultEvent;
+        public event PlayFabRequestEvent<GetCatalogItemsRequest> OnGetCatalogItemsRequestEvent;
+        public event PlayFabResultEvent<GetCatalogItemsResult> OnGetCatalogItemsResultEvent;
+        public event PlayFabRequestEvent<GetCharacterDataRequest> OnGetCharacterDataRequestEvent;
+        public event PlayFabResultEvent<GetCharacterDataResult> OnGetCharacterDataResultEvent;
+        public event PlayFabRequestEvent<GetCharacterInventoryRequest> OnGetCharacterInventoryRequestEvent;
+        public event PlayFabResultEvent<GetCharacterInventoryResult> OnGetCharacterInventoryResultEvent;
+        public event PlayFabRequestEvent<GetCharacterLeaderboardRequest> OnGetCharacterLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetCharacterLeaderboardResult> OnGetCharacterLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetCharacterDataRequest> OnGetCharacterReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetCharacterDataResult> OnGetCharacterReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GetCharacterStatisticsRequest> OnGetCharacterStatisticsRequestEvent;
+        public event PlayFabResultEvent<GetCharacterStatisticsResult> OnGetCharacterStatisticsResultEvent;
+        public event PlayFabRequestEvent<GetContentDownloadUrlRequest> OnGetContentDownloadUrlRequestEvent;
+        public event PlayFabResultEvent<GetContentDownloadUrlResult> OnGetContentDownloadUrlResultEvent;
+        public event PlayFabRequestEvent<CurrentGamesRequest> OnGetCurrentGamesRequestEvent;
+        public event PlayFabResultEvent<CurrentGamesResult> OnGetCurrentGamesResultEvent;
+        public event PlayFabRequestEvent<GetFriendLeaderboardRequest> OnGetFriendLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardResult> OnGetFriendLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetFriendLeaderboardAroundPlayerRequest> OnGetFriendLeaderboardAroundPlayerRequestEvent;
+        public event PlayFabResultEvent<GetFriendLeaderboardAroundPlayerResult> OnGetFriendLeaderboardAroundPlayerResultEvent;
+        public event PlayFabRequestEvent<GetFriendsListRequest> OnGetFriendsListRequestEvent;
+        public event PlayFabResultEvent<GetFriendsListResult> OnGetFriendsListResultEvent;
+        public event PlayFabRequestEvent<GameServerRegionsRequest> OnGetGameServerRegionsRequestEvent;
+        public event PlayFabResultEvent<GameServerRegionsResult> OnGetGameServerRegionsResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardRequest> OnGetLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardResult> OnGetLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardAroundCharacterRequest> OnGetLeaderboardAroundCharacterRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardAroundCharacterResult> OnGetLeaderboardAroundCharacterResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardAroundPlayerRequest> OnGetLeaderboardAroundPlayerRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardAroundPlayerResult> OnGetLeaderboardAroundPlayerResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardForUsersCharactersRequest> OnGetLeaderboardForUserCharactersRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardForUsersCharactersResult> OnGetLeaderboardForUserCharactersResultEvent;
+        public event PlayFabRequestEvent<GetPaymentTokenRequest> OnGetPaymentTokenRequestEvent;
+        public event PlayFabResultEvent<GetPaymentTokenResult> OnGetPaymentTokenResultEvent;
+        public event PlayFabRequestEvent<GetPhotonAuthenticationTokenRequest> OnGetPhotonAuthenticationTokenRequestEvent;
+        public event PlayFabResultEvent<GetPhotonAuthenticationTokenResult> OnGetPhotonAuthenticationTokenResultEvent;
+        public event PlayFabRequestEvent<GetPlayerCombinedInfoRequest> OnGetPlayerCombinedInfoRequestEvent;
+        public event PlayFabResultEvent<GetPlayerCombinedInfoResult> OnGetPlayerCombinedInfoResultEvent;
+        public event PlayFabRequestEvent<GetPlayerProfileRequest> OnGetPlayerProfileRequestEvent;
+        public event PlayFabResultEvent<GetPlayerProfileResult> OnGetPlayerProfileResultEvent;
+        public event PlayFabRequestEvent<GetPlayerSegmentsRequest> OnGetPlayerSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerSegmentsResult> OnGetPlayerSegmentsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticsRequest> OnGetPlayerStatisticsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticsResult> OnGetPlayerStatisticsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticVersionsRequest> OnGetPlayerStatisticVersionsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticVersionsResult> OnGetPlayerStatisticVersionsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerTagsRequest> OnGetPlayerTagsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerTagsResult> OnGetPlayerTagsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerTradesRequest> OnGetPlayerTradesRequestEvent;
+        public event PlayFabResultEvent<GetPlayerTradesResponse> OnGetPlayerTradesResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromFacebookIDsRequest> OnGetPlayFabIDsFromFacebookIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromFacebookIDsResult> OnGetPlayFabIDsFromFacebookIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromFacebookInstantGamesIdsRequest> OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromFacebookInstantGamesIdsResult> OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromGameCenterIDsRequest> OnGetPlayFabIDsFromGameCenterIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromGameCenterIDsResult> OnGetPlayFabIDsFromGameCenterIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromGenericIDsRequest> OnGetPlayFabIDsFromGenericIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromGenericIDsResult> OnGetPlayFabIDsFromGenericIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromGoogleIDsRequest> OnGetPlayFabIDsFromGoogleIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromGoogleIDsResult> OnGetPlayFabIDsFromGoogleIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromKongregateIDsRequest> OnGetPlayFabIDsFromKongregateIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromKongregateIDsResult> OnGetPlayFabIDsFromKongregateIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest> OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromPSNAccountIDsRequest> OnGetPlayFabIDsFromPSNAccountIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromPSNAccountIDsResult> OnGetPlayFabIDsFromPSNAccountIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromSteamIDsRequest> OnGetPlayFabIDsFromSteamIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromSteamIDsResult> OnGetPlayFabIDsFromSteamIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromTwitchIDsRequest> OnGetPlayFabIDsFromTwitchIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromTwitchIDsResult> OnGetPlayFabIDsFromTwitchIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromXboxLiveIDsRequest> OnGetPlayFabIDsFromXboxLiveIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromXboxLiveIDsResult> OnGetPlayFabIDsFromXboxLiveIDsResultEvent;
+        public event PlayFabRequestEvent<GetPublisherDataRequest> OnGetPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetPublisherDataResult> OnGetPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetPurchaseRequest> OnGetPurchaseRequestEvent;
+        public event PlayFabResultEvent<GetPurchaseResult> OnGetPurchaseResultEvent;
+        public event PlayFabRequestEvent<GetSharedGroupDataRequest> OnGetSharedGroupDataRequestEvent;
+        public event PlayFabResultEvent<GetSharedGroupDataResult> OnGetSharedGroupDataResultEvent;
+        public event PlayFabRequestEvent<GetStoreItemsRequest> OnGetStoreItemsRequestEvent;
+        public event PlayFabResultEvent<GetStoreItemsResult> OnGetStoreItemsResultEvent;
+        public event PlayFabRequestEvent<GetTimeRequest> OnGetTimeRequestEvent;
+        public event PlayFabResultEvent<GetTimeResult> OnGetTimeResultEvent;
+        public event PlayFabRequestEvent<GetTitleDataRequest> OnGetTitleDataRequestEvent;
+        public event PlayFabResultEvent<GetTitleDataResult> OnGetTitleDataResultEvent;
+        public event PlayFabRequestEvent<GetTitleNewsRequest> OnGetTitleNewsRequestEvent;
+        public event PlayFabResultEvent<GetTitleNewsResult> OnGetTitleNewsResultEvent;
+        public event PlayFabRequestEvent<GetTitlePublicKeyRequest> OnGetTitlePublicKeyRequestEvent;
+        public event PlayFabResultEvent<GetTitlePublicKeyResult> OnGetTitlePublicKeyResultEvent;
+        public event PlayFabRequestEvent<GetTradeStatusRequest> OnGetTradeStatusRequestEvent;
+        public event PlayFabResultEvent<GetTradeStatusResponse> OnGetTradeStatusResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnGetUserDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnGetUserDataResultEvent;
+        public event PlayFabRequestEvent<GetUserInventoryRequest> OnGetUserInventoryRequestEvent;
+        public event PlayFabResultEvent<GetUserInventoryResult> OnGetUserInventoryResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnGetUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnGetUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnGetUserPublisherReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnGetUserPublisherReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnGetUserReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnGetUserReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GrantCharacterToUserRequest> OnGrantCharacterToUserRequestEvent;
+        public event PlayFabResultEvent<GrantCharacterToUserResult> OnGrantCharacterToUserResultEvent;
+        public event PlayFabRequestEvent<LinkAndroidDeviceIDRequest> OnLinkAndroidDeviceIDRequestEvent;
+        public event PlayFabResultEvent<LinkAndroidDeviceIDResult> OnLinkAndroidDeviceIDResultEvent;
+        public event PlayFabRequestEvent<LinkAppleRequest> OnLinkAppleRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnLinkAppleResultEvent;
+        public event PlayFabRequestEvent<LinkCustomIDRequest> OnLinkCustomIDRequestEvent;
+        public event PlayFabResultEvent<LinkCustomIDResult> OnLinkCustomIDResultEvent;
+        public event PlayFabRequestEvent<LinkFacebookAccountRequest> OnLinkFacebookAccountRequestEvent;
+        public event PlayFabResultEvent<LinkFacebookAccountResult> OnLinkFacebookAccountResultEvent;
+        public event PlayFabRequestEvent<LinkFacebookInstantGamesIdRequest> OnLinkFacebookInstantGamesIdRequestEvent;
+        public event PlayFabResultEvent<LinkFacebookInstantGamesIdResult> OnLinkFacebookInstantGamesIdResultEvent;
+        public event PlayFabRequestEvent<LinkGameCenterAccountRequest> OnLinkGameCenterAccountRequestEvent;
+        public event PlayFabResultEvent<LinkGameCenterAccountResult> OnLinkGameCenterAccountResultEvent;
+        public event PlayFabRequestEvent<LinkGoogleAccountRequest> OnLinkGoogleAccountRequestEvent;
+        public event PlayFabResultEvent<LinkGoogleAccountResult> OnLinkGoogleAccountResultEvent;
+        public event PlayFabRequestEvent<LinkIOSDeviceIDRequest> OnLinkIOSDeviceIDRequestEvent;
+        public event PlayFabResultEvent<LinkIOSDeviceIDResult> OnLinkIOSDeviceIDResultEvent;
+        public event PlayFabRequestEvent<LinkKongregateAccountRequest> OnLinkKongregateRequestEvent;
+        public event PlayFabResultEvent<LinkKongregateAccountResult> OnLinkKongregateResultEvent;
+        public event PlayFabRequestEvent<LinkNintendoServiceAccountRequest> OnLinkNintendoServiceAccountRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnLinkNintendoServiceAccountResultEvent;
+        public event PlayFabRequestEvent<LinkNintendoSwitchDeviceIdRequest> OnLinkNintendoSwitchDeviceIdRequestEvent;
+        public event PlayFabResultEvent<LinkNintendoSwitchDeviceIdResult> OnLinkNintendoSwitchDeviceIdResultEvent;
+        public event PlayFabRequestEvent<LinkOpenIdConnectRequest> OnLinkOpenIdConnectRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnLinkOpenIdConnectResultEvent;
+        public event PlayFabRequestEvent<LinkPSNAccountRequest> OnLinkPSNAccountRequestEvent;
+        public event PlayFabResultEvent<LinkPSNAccountResult> OnLinkPSNAccountResultEvent;
+        public event PlayFabRequestEvent<LinkSteamAccountRequest> OnLinkSteamAccountRequestEvent;
+        public event PlayFabResultEvent<LinkSteamAccountResult> OnLinkSteamAccountResultEvent;
+        public event PlayFabRequestEvent<LinkTwitchAccountRequest> OnLinkTwitchRequestEvent;
+        public event PlayFabResultEvent<LinkTwitchAccountResult> OnLinkTwitchResultEvent;
+        public event PlayFabRequestEvent<LinkXboxAccountRequest> OnLinkXboxAccountRequestEvent;
+        public event PlayFabResultEvent<LinkXboxAccountResult> OnLinkXboxAccountResultEvent;
+        public event PlayFabRequestEvent<LoginWithAndroidDeviceIDRequest> OnLoginWithAndroidDeviceIDRequestEvent;
+        public event PlayFabRequestEvent<LoginWithAppleRequest> OnLoginWithAppleRequestEvent;
+        public event PlayFabRequestEvent<LoginWithCustomIDRequest> OnLoginWithCustomIDRequestEvent;
+        public event PlayFabRequestEvent<LoginWithEmailAddressRequest> OnLoginWithEmailAddressRequestEvent;
+        public event PlayFabRequestEvent<LoginWithFacebookRequest> OnLoginWithFacebookRequestEvent;
+        public event PlayFabRequestEvent<LoginWithFacebookInstantGamesIdRequest> OnLoginWithFacebookInstantGamesIdRequestEvent;
+        public event PlayFabRequestEvent<LoginWithGameCenterRequest> OnLoginWithGameCenterRequestEvent;
+        public event PlayFabRequestEvent<LoginWithGoogleAccountRequest> OnLoginWithGoogleAccountRequestEvent;
+        public event PlayFabRequestEvent<LoginWithIOSDeviceIDRequest> OnLoginWithIOSDeviceIDRequestEvent;
+        public event PlayFabRequestEvent<LoginWithKongregateRequest> OnLoginWithKongregateRequestEvent;
+        public event PlayFabRequestEvent<LoginWithNintendoServiceAccountRequest> OnLoginWithNintendoServiceAccountRequestEvent;
+        public event PlayFabRequestEvent<LoginWithNintendoSwitchDeviceIdRequest> OnLoginWithNintendoSwitchDeviceIdRequestEvent;
+        public event PlayFabRequestEvent<LoginWithOpenIdConnectRequest> OnLoginWithOpenIdConnectRequestEvent;
+        public event PlayFabRequestEvent<LoginWithPlayFabRequest> OnLoginWithPlayFabRequestEvent;
+        public event PlayFabRequestEvent<LoginWithPSNRequest> OnLoginWithPSNRequestEvent;
+        public event PlayFabRequestEvent<LoginWithSteamRequest> OnLoginWithSteamRequestEvent;
+        public event PlayFabRequestEvent<LoginWithTwitchRequest> OnLoginWithTwitchRequestEvent;
+        public event PlayFabRequestEvent<LoginWithXboxRequest> OnLoginWithXboxRequestEvent;
+        public event PlayFabRequestEvent<MatchmakeRequest> OnMatchmakeRequestEvent;
+        public event PlayFabResultEvent<MatchmakeResult> OnMatchmakeResultEvent;
+        public event PlayFabRequestEvent<OpenTradeRequest> OnOpenTradeRequestEvent;
+        public event PlayFabResultEvent<OpenTradeResponse> OnOpenTradeResultEvent;
+        public event PlayFabRequestEvent<PayForPurchaseRequest> OnPayForPurchaseRequestEvent;
+        public event PlayFabResultEvent<PayForPurchaseResult> OnPayForPurchaseResultEvent;
+        public event PlayFabRequestEvent<PurchaseItemRequest> OnPurchaseItemRequestEvent;
+        public event PlayFabResultEvent<PurchaseItemResult> OnPurchaseItemResultEvent;
+        public event PlayFabRequestEvent<RedeemCouponRequest> OnRedeemCouponRequestEvent;
+        public event PlayFabResultEvent<RedeemCouponResult> OnRedeemCouponResultEvent;
+        public event PlayFabRequestEvent<RefreshPSNAuthTokenRequest> OnRefreshPSNAuthTokenRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnRefreshPSNAuthTokenResultEvent;
+        public event PlayFabRequestEvent<RegisterForIOSPushNotificationRequest> OnRegisterForIOSPushNotificationRequestEvent;
+        public event PlayFabResultEvent<RegisterForIOSPushNotificationResult> OnRegisterForIOSPushNotificationResultEvent;
+        public event PlayFabRequestEvent<RegisterPlayFabUserRequest> OnRegisterPlayFabUserRequestEvent;
+        public event PlayFabResultEvent<RegisterPlayFabUserResult> OnRegisterPlayFabUserResultEvent;
+        public event PlayFabRequestEvent<RemoveContactEmailRequest> OnRemoveContactEmailRequestEvent;
+        public event PlayFabResultEvent<RemoveContactEmailResult> OnRemoveContactEmailResultEvent;
+        public event PlayFabRequestEvent<RemoveFriendRequest> OnRemoveFriendRequestEvent;
+        public event PlayFabResultEvent<RemoveFriendResult> OnRemoveFriendResultEvent;
+        public event PlayFabRequestEvent<RemoveGenericIDRequest> OnRemoveGenericIDRequestEvent;
+        public event PlayFabResultEvent<RemoveGenericIDResult> OnRemoveGenericIDResultEvent;
+        public event PlayFabRequestEvent<RemoveSharedGroupMembersRequest> OnRemoveSharedGroupMembersRequestEvent;
+        public event PlayFabResultEvent<RemoveSharedGroupMembersResult> OnRemoveSharedGroupMembersResultEvent;
+        public event PlayFabRequestEvent<ReportAdActivityRequest> OnReportAdActivityRequestEvent;
+        public event PlayFabResultEvent<ReportAdActivityResult> OnReportAdActivityResultEvent;
+        public event PlayFabRequestEvent<DeviceInfoRequest> OnReportDeviceInfoRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnReportDeviceInfoResultEvent;
+        public event PlayFabRequestEvent<ReportPlayerClientRequest> OnReportPlayerRequestEvent;
+        public event PlayFabResultEvent<ReportPlayerClientResult> OnReportPlayerResultEvent;
+        public event PlayFabRequestEvent<RestoreIOSPurchasesRequest> OnRestoreIOSPurchasesRequestEvent;
+        public event PlayFabResultEvent<RestoreIOSPurchasesResult> OnRestoreIOSPurchasesResultEvent;
+        public event PlayFabRequestEvent<RewardAdActivityRequest> OnRewardAdActivityRequestEvent;
+        public event PlayFabResultEvent<RewardAdActivityResult> OnRewardAdActivityResultEvent;
+        public event PlayFabRequestEvent<SendAccountRecoveryEmailRequest> OnSendAccountRecoveryEmailRequestEvent;
+        public event PlayFabResultEvent<SendAccountRecoveryEmailResult> OnSendAccountRecoveryEmailResultEvent;
+        public event PlayFabRequestEvent<SetFriendTagsRequest> OnSetFriendTagsRequestEvent;
+        public event PlayFabResultEvent<SetFriendTagsResult> OnSetFriendTagsResultEvent;
+        public event PlayFabRequestEvent<SetPlayerSecretRequest> OnSetPlayerSecretRequestEvent;
+        public event PlayFabResultEvent<SetPlayerSecretResult> OnSetPlayerSecretResultEvent;
+        public event PlayFabRequestEvent<StartGameRequest> OnStartGameRequestEvent;
+        public event PlayFabResultEvent<StartGameResult> OnStartGameResultEvent;
+        public event PlayFabRequestEvent<StartPurchaseRequest> OnStartPurchaseRequestEvent;
+        public event PlayFabResultEvent<StartPurchaseResult> OnStartPurchaseResultEvent;
+        public event PlayFabRequestEvent<SubtractUserVirtualCurrencyRequest> OnSubtractUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnSubtractUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<UnlinkAndroidDeviceIDRequest> OnUnlinkAndroidDeviceIDRequestEvent;
+        public event PlayFabResultEvent<UnlinkAndroidDeviceIDResult> OnUnlinkAndroidDeviceIDResultEvent;
+        public event PlayFabRequestEvent<UnlinkAppleRequest> OnUnlinkAppleRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnUnlinkAppleResultEvent;
+        public event PlayFabRequestEvent<UnlinkCustomIDRequest> OnUnlinkCustomIDRequestEvent;
+        public event PlayFabResultEvent<UnlinkCustomIDResult> OnUnlinkCustomIDResultEvent;
+        public event PlayFabRequestEvent<UnlinkFacebookAccountRequest> OnUnlinkFacebookAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkFacebookAccountResult> OnUnlinkFacebookAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkFacebookInstantGamesIdRequest> OnUnlinkFacebookInstantGamesIdRequestEvent;
+        public event PlayFabResultEvent<UnlinkFacebookInstantGamesIdResult> OnUnlinkFacebookInstantGamesIdResultEvent;
+        public event PlayFabRequestEvent<UnlinkGameCenterAccountRequest> OnUnlinkGameCenterAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkGameCenterAccountResult> OnUnlinkGameCenterAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkGoogleAccountRequest> OnUnlinkGoogleAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkGoogleAccountResult> OnUnlinkGoogleAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkIOSDeviceIDRequest> OnUnlinkIOSDeviceIDRequestEvent;
+        public event PlayFabResultEvent<UnlinkIOSDeviceIDResult> OnUnlinkIOSDeviceIDResultEvent;
+        public event PlayFabRequestEvent<UnlinkKongregateAccountRequest> OnUnlinkKongregateRequestEvent;
+        public event PlayFabResultEvent<UnlinkKongregateAccountResult> OnUnlinkKongregateResultEvent;
+        public event PlayFabRequestEvent<UnlinkNintendoServiceAccountRequest> OnUnlinkNintendoServiceAccountRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnUnlinkNintendoServiceAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkNintendoSwitchDeviceIdRequest> OnUnlinkNintendoSwitchDeviceIdRequestEvent;
+        public event PlayFabResultEvent<UnlinkNintendoSwitchDeviceIdResult> OnUnlinkNintendoSwitchDeviceIdResultEvent;
+        public event PlayFabRequestEvent<UnlinkOpenIdConnectRequest> OnUnlinkOpenIdConnectRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnUnlinkOpenIdConnectResultEvent;
+        public event PlayFabRequestEvent<UnlinkPSNAccountRequest> OnUnlinkPSNAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkPSNAccountResult> OnUnlinkPSNAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkSteamAccountRequest> OnUnlinkSteamAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkSteamAccountResult> OnUnlinkSteamAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkTwitchAccountRequest> OnUnlinkTwitchRequestEvent;
+        public event PlayFabResultEvent<UnlinkTwitchAccountResult> OnUnlinkTwitchResultEvent;
+        public event PlayFabRequestEvent<UnlinkXboxAccountRequest> OnUnlinkXboxAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkXboxAccountResult> OnUnlinkXboxAccountResultEvent;
+        public event PlayFabRequestEvent<UnlockContainerInstanceRequest> OnUnlockContainerInstanceRequestEvent;
+        public event PlayFabResultEvent<UnlockContainerItemResult> OnUnlockContainerInstanceResultEvent;
+        public event PlayFabRequestEvent<UnlockContainerItemRequest> OnUnlockContainerItemRequestEvent;
+        public event PlayFabResultEvent<UnlockContainerItemResult> OnUnlockContainerItemResultEvent;
+        public event PlayFabRequestEvent<UpdateAvatarUrlRequest> OnUpdateAvatarUrlRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnUpdateAvatarUrlResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterDataRequest> OnUpdateCharacterDataRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterDataResult> OnUpdateCharacterDataResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterStatisticsRequest> OnUpdateCharacterStatisticsRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterStatisticsResult> OnUpdateCharacterStatisticsResultEvent;
+        public event PlayFabRequestEvent<UpdatePlayerStatisticsRequest> OnUpdatePlayerStatisticsRequestEvent;
+        public event PlayFabResultEvent<UpdatePlayerStatisticsResult> OnUpdatePlayerStatisticsResultEvent;
+        public event PlayFabRequestEvent<UpdateSharedGroupDataRequest> OnUpdateSharedGroupDataRequestEvent;
+        public event PlayFabResultEvent<UpdateSharedGroupDataResult> OnUpdateSharedGroupDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnUpdateUserDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnUpdateUserDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnUpdateUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnUpdateUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserTitleDisplayNameRequest> OnUpdateUserTitleDisplayNameRequestEvent;
+        public event PlayFabResultEvent<UpdateUserTitleDisplayNameResult> OnUpdateUserTitleDisplayNameResultEvent;
+        public event PlayFabRequestEvent<ValidateAmazonReceiptRequest> OnValidateAmazonIAPReceiptRequestEvent;
+        public event PlayFabResultEvent<ValidateAmazonReceiptResult> OnValidateAmazonIAPReceiptResultEvent;
+        public event PlayFabRequestEvent<ValidateGooglePlayPurchaseRequest> OnValidateGooglePlayPurchaseRequestEvent;
+        public event PlayFabResultEvent<ValidateGooglePlayPurchaseResult> OnValidateGooglePlayPurchaseResultEvent;
+        public event PlayFabRequestEvent<ValidateIOSReceiptRequest> OnValidateIOSReceiptRequestEvent;
+        public event PlayFabResultEvent<ValidateIOSReceiptResult> OnValidateIOSReceiptResultEvent;
+        public event PlayFabRequestEvent<ValidateWindowsReceiptRequest> OnValidateWindowsStoreReceiptRequestEvent;
+        public event PlayFabResultEvent<ValidateWindowsReceiptResult> OnValidateWindowsStoreReceiptResultEvent;
+        public event PlayFabRequestEvent<WriteClientCharacterEventRequest> OnWriteCharacterEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnWriteCharacterEventResultEvent;
+        public event PlayFabRequestEvent<WriteClientPlayerEventRequest> OnWritePlayerEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnWritePlayerEventResultEvent;
+        public event PlayFabRequestEvent<WriteTitleEventRequest> OnWriteTitleEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnWriteTitleEventResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Client/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Client/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e06d2d97499c12369fcef127b381d5fe0dcc13f4
--- /dev/null
+++ b/Assets/PlayFabSDK/Client/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: da33df462ae2fa04cb401398dc2b8a5d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/CloudScript.meta b/Assets/PlayFabSDK/CloudScript.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a8493465a91305c6f9a883507591aa39c7d29f8e
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 02094465bfb2b7541a0a06763843a2ee
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..a09fceb5314624c51be9fdc7f18780c47224f5ef
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs
@@ -0,0 +1,205 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.CloudScriptModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// API methods for executing CloudScript using an Entity Profile
+    /// </summary>
+    public static class PlayFabCloudScriptAPI
+    {
+        static PlayFabCloudScriptAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Cloud Script is one of PlayFab's most versatile features. It allows client code to request execution of any kind of
+        /// custom server-side functionality you can implement, and it can be used in conjunction with virtually anything.
+        /// </summary>
+        public static void ExecuteEntityCloudScript(ExecuteEntityCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/ExecuteEntityCloudScript", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Cloud Script is one of PlayFab's most versatile features. It allows client code to request execution of any kind of
+        /// custom server-side functionality you can implement, and it can be used in conjunction with virtually anything.
+        /// </summary>
+        public static void ExecuteFunction(ExecuteFunctionRequest request, Action<ExecuteFunctionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+            var localApiServerString = PlayFabSettings.LocalApiServer;
+            if (!string.IsNullOrEmpty(localApiServerString))
+            {
+                var baseUri = new Uri(localApiServerString);
+                var fullUri = new Uri(baseUri, "/CloudScript/ExecuteFunction".TrimStart('/'));
+                PlayFabHttp.MakeApiCallWithFullUri(fullUri.AbsoluteUri, request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+                return;
+            }
+
+            PlayFabHttp.MakeApiCall("/CloudScript/ExecuteFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all currently registered Azure Functions for a given title.
+        /// </summary>
+        public static void ListFunctions(ListFunctionsRequest request, Action<ListFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/ListFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all currently registered HTTP triggered Azure Functions for a given title.
+        /// </summary>
+        public static void ListHttpFunctions(ListFunctionsRequest request, Action<ListHttpFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/ListHttpFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all currently registered Queue triggered Azure Functions for a given title.
+        /// </summary>
+        public static void ListQueuedFunctions(ListFunctionsRequest request, Action<ListQueuedFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/ListQueuedFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Generate an entity PlayStream event for the provided function result.
+        /// </summary>
+        public static void PostFunctionResultForEntityTriggeredAction(PostFunctionResultForEntityTriggeredActionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForEntityTriggeredAction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Generate an entity PlayStream event for the provided function result.
+        /// </summary>
+        public static void PostFunctionResultForFunctionExecution(PostFunctionResultForFunctionExecutionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForFunctionExecution", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Generate a player PlayStream event for the provided function result.
+        /// </summary>
+        public static void PostFunctionResultForPlayerTriggeredAction(PostFunctionResultForPlayerTriggeredActionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForPlayerTriggeredAction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Generate a PlayStream event for the provided function result.
+        /// </summary>
+        public static void PostFunctionResultForScheduledTask(PostFunctionResultForScheduledTaskRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForScheduledTask", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers an HTTP triggered Azure function with a title.
+        /// </summary>
+        public static void RegisterHttpFunction(RegisterHttpFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/RegisterHttpFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Registers a queue triggered Azure Function with a title.
+        /// </summary>
+        public static void RegisterQueuedFunction(RegisterQueuedFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/RegisterQueuedFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unregisters an Azure Function with a title.
+        /// </summary>
+        public static void UnregisterFunction(UnregisterFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/CloudScript/UnregisterFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs.meta b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..833b29989efbe82809a28554f87b41a000efc422
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: e9b8ec61c6ab7d2438b7b65a4dd9ef59
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..aea3b262274c716ebf9a024caa3d36cfd5bb8514
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs
@@ -0,0 +1,191 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.CloudScriptModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// API methods for executing CloudScript using an Entity Profile
+    /// </summary>
+    public class PlayFabCloudScriptInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabCloudScriptInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabCloudScriptInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Cloud Script is one of PlayFab's most versatile features. It allows client code to request execution of any kind of
+        /// custom server-side functionality you can implement, and it can be used in conjunction with virtually anything.
+        /// </summary>
+        public void ExecuteEntityCloudScript(ExecuteEntityCloudScriptRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/ExecuteEntityCloudScript", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Cloud Script is one of PlayFab's most versatile features. It allows client code to request execution of any kind of
+        /// custom server-side functionality you can implement, and it can be used in conjunction with virtually anything.
+        /// </summary>
+        public void ExecuteFunction(ExecuteFunctionRequest request, Action<ExecuteFunctionResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/ExecuteFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all currently registered Azure Functions for a given title.
+        /// </summary>
+        public void ListFunctions(ListFunctionsRequest request, Action<ListFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/ListFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all currently registered HTTP triggered Azure Functions for a given title.
+        /// </summary>
+        public void ListHttpFunctions(ListFunctionsRequest request, Action<ListHttpFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/ListHttpFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all currently registered Queue triggered Azure Functions for a given title.
+        /// </summary>
+        public void ListQueuedFunctions(ListFunctionsRequest request, Action<ListQueuedFunctionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/ListQueuedFunctions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Generate an entity PlayStream event for the provided function result.
+        /// </summary>
+        public void PostFunctionResultForEntityTriggeredAction(PostFunctionResultForEntityTriggeredActionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForEntityTriggeredAction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Generate an entity PlayStream event for the provided function result.
+        /// </summary>
+        public void PostFunctionResultForFunctionExecution(PostFunctionResultForFunctionExecutionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForFunctionExecution", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Generate a player PlayStream event for the provided function result.
+        /// </summary>
+        public void PostFunctionResultForPlayerTriggeredAction(PostFunctionResultForPlayerTriggeredActionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForPlayerTriggeredAction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Generate a PlayStream event for the provided function result.
+        /// </summary>
+        public void PostFunctionResultForScheduledTask(PostFunctionResultForScheduledTaskRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/PostFunctionResultForScheduledTask", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers an HTTP triggered Azure function with a title.
+        /// </summary>
+        public void RegisterHttpFunction(RegisterHttpFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/RegisterHttpFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Registers a queue triggered Azure Function with a title.
+        /// </summary>
+        public void RegisterQueuedFunction(RegisterQueuedFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/RegisterQueuedFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unregisters an Azure Function with a title.
+        /// </summary>
+        public void UnregisterFunction(UnregisterFunctionRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/CloudScript/UnregisterFunction", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs.meta b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e8e15c2f66210fcca0cc31a2b1facbda209d76e9
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ac313c777a2b7054e9632c96829e1f7d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..89764b73e508f65473ce299fede2bc67358b1e60
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs
@@ -0,0 +1,1103 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.CloudScriptModels
+{
+    [Serializable]
+    public class AdCampaignAttributionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    public enum CloudScriptRevisionOption
+    {
+        Live,
+        Latest,
+        Specific
+    }
+
+    [Serializable]
+    public class ContactEmailInfoModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    public enum ContinentCode
+    {
+        AF,
+        AN,
+        AS,
+        EU,
+        NA,
+        OC,
+        SA
+    }
+
+    public enum CountryCode
+    {
+        AF,
+        AX,
+        AL,
+        DZ,
+        AS,
+        AD,
+        AO,
+        AI,
+        AQ,
+        AG,
+        AR,
+        AM,
+        AW,
+        AU,
+        AT,
+        AZ,
+        BS,
+        BH,
+        BD,
+        BB,
+        BY,
+        BE,
+        BZ,
+        BJ,
+        BM,
+        BT,
+        BO,
+        BQ,
+        BA,
+        BW,
+        BV,
+        BR,
+        IO,
+        BN,
+        BG,
+        BF,
+        BI,
+        KH,
+        CM,
+        CA,
+        CV,
+        KY,
+        CF,
+        TD,
+        CL,
+        CN,
+        CX,
+        CC,
+        CO,
+        KM,
+        CG,
+        CD,
+        CK,
+        CR,
+        CI,
+        HR,
+        CU,
+        CW,
+        CY,
+        CZ,
+        DK,
+        DJ,
+        DM,
+        DO,
+        EC,
+        EG,
+        SV,
+        GQ,
+        ER,
+        EE,
+        ET,
+        FK,
+        FO,
+        FJ,
+        FI,
+        FR,
+        GF,
+        PF,
+        TF,
+        GA,
+        GM,
+        GE,
+        DE,
+        GH,
+        GI,
+        GR,
+        GL,
+        GD,
+        GP,
+        GU,
+        GT,
+        GG,
+        GN,
+        GW,
+        GY,
+        HT,
+        HM,
+        VA,
+        HN,
+        HK,
+        HU,
+        IS,
+        IN,
+        ID,
+        IR,
+        IQ,
+        IE,
+        IM,
+        IL,
+        IT,
+        JM,
+        JP,
+        JE,
+        JO,
+        KZ,
+        KE,
+        KI,
+        KP,
+        KR,
+        KW,
+        KG,
+        LA,
+        LV,
+        LB,
+        LS,
+        LR,
+        LY,
+        LI,
+        LT,
+        LU,
+        MO,
+        MK,
+        MG,
+        MW,
+        MY,
+        MV,
+        ML,
+        MT,
+        MH,
+        MQ,
+        MR,
+        MU,
+        YT,
+        MX,
+        FM,
+        MD,
+        MC,
+        MN,
+        ME,
+        MS,
+        MA,
+        MZ,
+        MM,
+        NA,
+        NR,
+        NP,
+        NL,
+        NC,
+        NZ,
+        NI,
+        NE,
+        NG,
+        NU,
+        NF,
+        MP,
+        NO,
+        OM,
+        PK,
+        PW,
+        PS,
+        PA,
+        PG,
+        PY,
+        PE,
+        PH,
+        PN,
+        PL,
+        PT,
+        PR,
+        QA,
+        RE,
+        RO,
+        RU,
+        RW,
+        BL,
+        SH,
+        KN,
+        LC,
+        MF,
+        PM,
+        VC,
+        WS,
+        SM,
+        ST,
+        SA,
+        SN,
+        RS,
+        SC,
+        SL,
+        SG,
+        SX,
+        SK,
+        SI,
+        SB,
+        SO,
+        ZA,
+        GS,
+        SS,
+        ES,
+        LK,
+        SD,
+        SR,
+        SJ,
+        SZ,
+        SE,
+        CH,
+        SY,
+        TW,
+        TJ,
+        TZ,
+        TH,
+        TL,
+        TG,
+        TK,
+        TO,
+        TT,
+        TN,
+        TR,
+        TM,
+        TC,
+        TV,
+        UG,
+        UA,
+        AE,
+        GB,
+        US,
+        UM,
+        UY,
+        UZ,
+        VU,
+        VE,
+        VN,
+        VG,
+        VI,
+        WF,
+        EH,
+        YE,
+        ZM,
+        ZW
+    }
+
+    public enum EmailVerificationStatus
+    {
+        Unverified,
+        Pending,
+        Confirmed
+    }
+
+    [Serializable]
+    public class EmptyResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Number of PlayFab API requests issued by the CloudScript function
+        /// </summary>
+        public int APIRequestsIssued;
+        /// <summary>
+        /// Information about the error, if any, that occurred during execution
+        /// </summary>
+        public ScriptExecutionError Error;
+        public double ExecutionTimeSeconds;
+        /// <summary>
+        /// The name of the function that executed
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The object returned from the CloudScript function, if any
+        /// </summary>
+        public object FunctionResult;
+        /// <summary>
+        /// Flag indicating if the FunctionResult was too large and was subsequently dropped from this event. This only occurs if
+        /// the total event size is larger than 350KB.
+        /// </summary>
+        public bool? FunctionResultTooLarge;
+        /// <summary>
+        /// Number of external HTTP requests issued by the CloudScript function
+        /// </summary>
+        public int HttpRequestsIssued;
+        /// <summary>
+        /// Entries logged during the function execution. These include both entries logged in the function code using log.info()
+        /// and log.error() and error entries for API and HTTP request failures.
+        /// </summary>
+        public List<LogStatement> Logs;
+        /// <summary>
+        /// Flag indicating if the logs were too large and were subsequently dropped from this event. This only occurs if the total
+        /// event size is larger than 350KB after the FunctionResult was removed.
+        /// </summary>
+        public bool? LogsTooLarge;
+        public uint MemoryConsumedBytes;
+        /// <summary>
+        /// Processor time consumed while executing the function. This does not include time spent waiting on API calls or HTTP
+        /// requests.
+        /// </summary>
+        public double ProcessorTimeSeconds;
+        /// <summary>
+        /// The revision of the CloudScript that executed
+        /// </summary>
+        public int Revision;
+    }
+
+    /// <summary>
+    /// Executes CloudScript with the entity profile that is defined in the request.
+    /// </summary>
+    [Serializable]
+    public class ExecuteEntityCloudScriptRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the CloudScript function to execute
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// Object that is passed in to the function as the first argument
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Generate a 'entity_executed_cloudscript' PlayStream event containing the results of the function execution and other
+        /// contextual information. This event will show up in the PlayStream debugger console for the player in Game Manager.
+        /// </summary>
+        public bool? GeneratePlayStreamEvent;
+        /// <summary>
+        /// Option for which revision of the CloudScript to execute. 'Latest' executes the most recently created revision, 'Live'
+        /// executes the current live, published revision, and 'Specific' executes the specified revision. The default value is
+        /// 'Specific', if the SpecificRevision parameter is specified, otherwise it is 'Live'.
+        /// </summary>
+        public CloudScriptRevisionOption? RevisionSelection;
+        /// <summary>
+        /// The specific revision to execute, when RevisionSelection is set to 'Specific'
+        /// </summary>
+        public int? SpecificRevision;
+    }
+
+    /// <summary>
+    /// Executes an Azure Function with the profile of the entity that is defined in the request.
+    /// </summary>
+    [Serializable]
+    public class ExecuteFunctionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the CloudScript function to execute
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// Object that is passed in to the function as the FunctionArgument field of the FunctionExecutionContext data structure
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Generate a 'entity_executed_cloudscript_function' PlayStream event containing the results of the function execution and
+        /// other contextual information. This event will show up in the PlayStream debugger console for the player in Game Manager.
+        /// </summary>
+        public bool? GeneratePlayStreamEvent;
+    }
+
+    [Serializable]
+    public class ExecuteFunctionResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error from the CloudScript Azure Function.
+        /// </summary>
+        public FunctionExecutionError Error;
+        /// <summary>
+        /// The amount of time the function took to execute
+        /// </summary>
+        public int ExecutionTimeMilliseconds;
+        /// <summary>
+        /// The name of the function that executed
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The object returned from the function, if any
+        /// </summary>
+        public object FunctionResult;
+        /// <summary>
+        /// Flag indicating if the FunctionResult was too large and was subsequently dropped from this event.
+        /// </summary>
+        public bool? FunctionResultTooLarge;
+    }
+
+    [Serializable]
+    public class FunctionExecutionError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Error code, such as CloudScriptAzureFunctionsExecutionTimeLimitExceeded, CloudScriptAzureFunctionsArgumentSizeExceeded,
+        /// CloudScriptAzureFunctionsReturnSizeExceeded or CloudScriptAzureFunctionsHTTPRequestError
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Details about the error
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Point during the execution of the function at which the error occurred, if any
+        /// </summary>
+        public string StackTrace;
+    }
+
+    [Serializable]
+    public class FunctionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The address of the function.
+        /// </summary>
+        public string FunctionAddress;
+        /// <summary>
+        /// The name the function was registered under.
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The trigger type for the function.
+        /// </summary>
+        public string TriggerType;
+    }
+
+    [Serializable]
+    public class HttpFunctionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The name the function was registered under.
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The URL of the function.
+        /// </summary>
+        public string FunctionUrl;
+    }
+
+    [Serializable]
+    public class LinkedPlatformAccountModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account email of the user on the platform, if available
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Unique account identifier of the user on the platform
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account username of the user on the platform, if available
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// A title can have many functions, ListHttpFunctions will return a list of all the currently registered HTTP triggered
+    /// functions for a given title.
+    /// </summary>
+    [Serializable]
+    public class ListFunctionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class ListFunctionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of functions that are currently registered for the title.
+        /// </summary>
+        public List<FunctionModel> Functions;
+    }
+
+    [Serializable]
+    public class ListHttpFunctionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of HTTP triggered functions that are currently registered for the title.
+        /// </summary>
+        public List<HttpFunctionModel> Functions;
+    }
+
+    [Serializable]
+    public class ListQueuedFunctionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of Queue triggered functions that are currently registered for the title.
+        /// </summary>
+        public List<QueuedFunctionModel> Functions;
+    }
+
+    [Serializable]
+    public class LocationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City name.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode? ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode? CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    public enum LoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class LogStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Optional object accompanying the message as contextual information
+        /// </summary>
+        public object Data;
+        /// <summary>
+        /// 'Debug', 'Info', or 'Error'
+        /// </summary>
+        public string Level;
+        public string Message;
+    }
+
+    [Serializable]
+    public class MembershipModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether this membership is active. That is, whether the MembershipExpiration time has been reached.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The time this membership expires
+        /// </summary>
+        public DateTime MembershipExpiration;
+        /// <summary>
+        /// The id of the membership
+        /// </summary>
+        public string MembershipId;
+        /// <summary>
+        /// Membership expirations can be explicitly overridden (via game manager or the admin api). If this membership has been
+        /// overridden, this will be the new expiration time.
+        /// </summary>
+        public DateTime? OverrideExpiration;
+        /// <summary>
+        /// The list of subscriptions that this player has for this membership
+        /// </summary>
+        public List<SubscriptionModel> Subscriptions;
+    }
+
+    /// <summary>
+    /// Identifier by either name or ID. Note that a name may change due to renaming, or reused after being deleted. ID is
+    /// immutable and unique.
+    /// </summary>
+    [Serializable]
+    public class NameIdentifier : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Id Identifier, if present
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Name Identifier, if present
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class PlayerProfileModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of advertising campaigns the player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttributionModel> AdCampaignAttributions;
+        /// <summary>
+        /// URL of the player's avatar image
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// If the player is currently banned, the UTC Date when the ban expires
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// List of all contact email info associated with the player account
+        /// </summary>
+        public List<ContactEmailInfoModel> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player display name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// List of experiment variants for the player. Note that these variants are not guaranteed to be up-to-date when returned
+        /// during login because the player profile is updated only after login. Instead, use the LoginResult.TreatmentAssignment
+        /// property during login to get the correct variants and variables.
+        /// </summary>
+        public List<string> ExperimentVariants;
+        /// <summary>
+        /// UTC time when the player most recently logged in to the title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// List of all authentication systems linked to this player account
+        /// </summary>
+        public List<LinkedPlatformAccountModel> LinkedAccounts;
+        /// <summary>
+        /// List of geographic locations from which the player has logged in to the title
+        /// </summary>
+        public List<LocationModel> Locations;
+        /// <summary>
+        /// List of memberships for the player, along with whether are expired.
+        /// </summary>
+        public List<MembershipModel> Memberships;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// PlayFab player account unique identifier
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// List of configured end points registered for sending the player push notifications
+        /// </summary>
+        public List<PushNotificationRegistrationModel> PushNotificationRegistrations;
+        /// <summary>
+        /// List of leaderboard statistic values for the player
+        /// </summary>
+        public List<StatisticModel> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation
+        /// </summary>
+        public List<TagModel> Tags;
+        /// <summary>
+        /// Title ID this player profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Sum of the player's purchases made with real-money currencies, converted to US dollars equivalent and represented as a
+        /// whole number of cents (1/100 USD). For example, 999 indicates nine dollars and ninety-nine cents.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// List of the player's lifetime purchase totals, summed by real-money currency
+        /// </summary>
+        public List<ValueToDateModel> ValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayStreamEventEnvelopeModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The ID of the entity the event is about.
+        /// </summary>
+        public string EntityId;
+        /// <summary>
+        /// The type of the entity the event is about.
+        /// </summary>
+        public string EntityType;
+        /// <summary>
+        /// Data specific to this event.
+        /// </summary>
+        public string EventData;
+        /// <summary>
+        /// The name of the event.
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// The namespace of the event.
+        /// </summary>
+        public string EventNamespace;
+        /// <summary>
+        /// Settings for the event.
+        /// </summary>
+        public string EventSettings;
+    }
+
+    [Serializable]
+    public class PostFunctionResultForEntityTriggeredActionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The result of the function execution.
+        /// </summary>
+        public ExecuteFunctionResult FunctionResult;
+    }
+
+    [Serializable]
+    public class PostFunctionResultForFunctionExecutionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The result of the function execution.
+        /// </summary>
+        public ExecuteFunctionResult FunctionResult;
+    }
+
+    [Serializable]
+    public class PostFunctionResultForPlayerTriggeredActionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The result of the function execution.
+        /// </summary>
+        public ExecuteFunctionResult FunctionResult;
+        /// <summary>
+        /// The player profile the function was invoked with.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+        /// <summary>
+        /// The triggering PlayStream event, if any, that caused the function to be invoked.
+        /// </summary>
+        public PlayStreamEventEnvelopeModel PlayStreamEventEnvelope;
+    }
+
+    [Serializable]
+    public class PostFunctionResultForScheduledTaskRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The result of the function execution
+        /// </summary>
+        public ExecuteFunctionResult FunctionResult;
+        /// <summary>
+        /// The id of the scheduled task that invoked the function.
+        /// </summary>
+        public NameIdentifier ScheduledTaskId;
+    }
+
+    public enum PushNotificationPlatform
+    {
+        ApplePushNotificationService,
+        GoogleCloudMessaging
+    }
+
+    [Serializable]
+    public class PushNotificationRegistrationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    [Serializable]
+    public class QueuedFunctionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The connection string for the Azure Storage Account that hosts the queue.
+        /// </summary>
+        public string ConnectionString;
+        /// <summary>
+        /// The name the function was registered under.
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The name of the queue that triggers the Azure Function.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class RegisterHttpFunctionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the function to register
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// Full URL for Azure Function that implements the function.
+        /// </summary>
+        public string FunctionUrl;
+    }
+
+    /// <summary>
+    /// A title can have many functions, RegisterQueuedFunction associates a function name with a queue name and connection
+    /// string.
+    /// </summary>
+    [Serializable]
+    public class RegisterQueuedFunctionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A connection string for the storage account that hosts the queue for the Azure Function.
+        /// </summary>
+        public string ConnectionString;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the function to register
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The name of the queue for the Azure Function.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class ScriptExecutionError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Error code, such as CloudScriptNotFound, JavascriptException, CloudScriptFunctionArgumentSizeExceeded,
+        /// CloudScriptAPIRequestCountExceeded, CloudScriptAPIRequestError, or CloudScriptHTTPRequestError
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Details about the error
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Point during the execution of the script at which the error occurred, if any
+        /// </summary>
+        public string StackTrace;
+    }
+
+    [Serializable]
+    public class StatisticModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Statistic value
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class SubscriptionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When this subscription expires.
+        /// </summary>
+        public DateTime Expiration;
+        /// <summary>
+        /// The time the subscription was orignially purchased
+        /// </summary>
+        public DateTime InitialSubscriptionTime;
+        /// <summary>
+        /// Whether this subscription is currently active. That is, if Expiration > now.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The status of this subscription, according to the subscription provider.
+        /// </summary>
+        public SubscriptionProviderStatus? Status;
+        /// <summary>
+        /// The id for this subscription
+        /// </summary>
+        public string SubscriptionId;
+        /// <summary>
+        /// The item id for this subscription from the primary catalog
+        /// </summary>
+        public string SubscriptionItemId;
+        /// <summary>
+        /// The provider for this subscription. Apple or Google Play are supported today.
+        /// </summary>
+        public string SubscriptionProvider;
+    }
+
+    public enum SubscriptionProviderStatus
+    {
+        NoError,
+        Cancelled,
+        UnknownError,
+        BillingError,
+        ProductUnavailable,
+        CustomerDidNotAcceptPriceChange,
+        FreeTrial,
+        PaymentPending
+    }
+
+    [Serializable]
+    public class TagModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Full value of the tag, including namespace
+        /// </summary>
+        public string TagValue;
+    }
+
+    public enum TriggerType
+    {
+        HTTP,
+        Queue
+    }
+
+    [Serializable]
+    public class UnregisterFunctionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the function to unregister
+        /// </summary>
+        public string FunctionName;
+    }
+
+    [Serializable]
+    public class ValueToDateModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ISO 4217 code of the currency used in the purchases
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// Total value of the purchases in a whole number of 1/100 monetary units. For example, 999 indicates nine dollars and
+        /// ninety-nine cents when Currency is 'USD')
+        /// </summary>
+        public uint TotalValue;
+        /// <summary>
+        /// Total value of the purchases in a string representation of decimal monetary units. For example, '9.99' indicates nine
+        /// dollars and ninety-nine cents when Currency is 'USD'.
+        /// </summary>
+        public string TotalValueAsDecimal;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs.meta b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d4e812ca51598cc212b9ceeb4d7f4160cbe5d2df
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabCloudScriptModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: e51e70743e2edab4f88b8de52466db7d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs b/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d9de935f26849e222a3a8926431f5b692853bff9
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs
@@ -0,0 +1,34 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.CloudScriptModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<ExecuteEntityCloudScriptRequest> OnCloudScriptExecuteEntityCloudScriptRequestEvent;
+        public event PlayFabResultEvent<ExecuteCloudScriptResult> OnCloudScriptExecuteEntityCloudScriptResultEvent;
+        public event PlayFabRequestEvent<ExecuteFunctionRequest> OnCloudScriptExecuteFunctionRequestEvent;
+        public event PlayFabResultEvent<ExecuteFunctionResult> OnCloudScriptExecuteFunctionResultEvent;
+        public event PlayFabRequestEvent<ListFunctionsRequest> OnCloudScriptListFunctionsRequestEvent;
+        public event PlayFabResultEvent<ListFunctionsResult> OnCloudScriptListFunctionsResultEvent;
+        public event PlayFabRequestEvent<ListFunctionsRequest> OnCloudScriptListHttpFunctionsRequestEvent;
+        public event PlayFabResultEvent<ListHttpFunctionsResult> OnCloudScriptListHttpFunctionsResultEvent;
+        public event PlayFabRequestEvent<ListFunctionsRequest> OnCloudScriptListQueuedFunctionsRequestEvent;
+        public event PlayFabResultEvent<ListQueuedFunctionsResult> OnCloudScriptListQueuedFunctionsResultEvent;
+        public event PlayFabRequestEvent<PostFunctionResultForEntityTriggeredActionRequest> OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent;
+        public event PlayFabRequestEvent<PostFunctionResultForFunctionExecutionRequest> OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent;
+        public event PlayFabRequestEvent<PostFunctionResultForPlayerTriggeredActionRequest> OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent;
+        public event PlayFabRequestEvent<PostFunctionResultForScheduledTaskRequest> OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptPostFunctionResultForScheduledTaskResultEvent;
+        public event PlayFabRequestEvent<RegisterHttpFunctionRequest> OnCloudScriptRegisterHttpFunctionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptRegisterHttpFunctionResultEvent;
+        public event PlayFabRequestEvent<RegisterQueuedFunctionRequest> OnCloudScriptRegisterQueuedFunctionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptRegisterQueuedFunctionResultEvent;
+        public event PlayFabRequestEvent<UnregisterFunctionRequest> OnCloudScriptUnregisterFunctionRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnCloudScriptUnregisterFunctionResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d80817e00eba784b16bb7f4383dff48a3a030373
--- /dev/null
+++ b/Assets/PlayFabSDK/CloudScript/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ea444771567a8e747be86eb07cdef93a
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Data.meta b/Assets/PlayFabSDK/Data.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c82ab9d81fd362e8953bdeb333c26683c6d84da9
--- /dev/null
+++ b/Assets/PlayFabSDK/Data.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: f754faf8b4b186c438c8419bed778294
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs b/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..8ef399bbf7c75d98f5e8b1d0a706842b61dc7cff
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs
@@ -0,0 +1,133 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.DataModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Store arbitrary data associated with an entity. Objects are small (~1KB) JSON-compatible objects which are stored
+    /// directly on the entity profile. Objects are made available for use in other PlayFab contexts, such as PlayStream events
+    /// and CloudScript functions. Files can efficiently store data of any size or format. Both objects and files support a
+    /// flexible permissions system to control read and write access by other entities.
+    /// </summary>
+    public static class PlayFabDataAPI
+    {
+        static PlayFabDataAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Abort pending file uploads to an entity's profile.
+        /// </summary>
+        public static void AbortFileUploads(AbortFileUploadsRequest request, Action<AbortFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/File/AbortFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Delete files on an entity's profile.
+        /// </summary>
+        public static void DeleteFiles(DeleteFilesRequest request, Action<DeleteFilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/File/DeleteFiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Finalize file uploads to an entity's profile.
+        /// </summary>
+        public static void FinalizeFileUploads(FinalizeFileUploadsRequest request, Action<FinalizeFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/File/FinalizeFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves file metadata from an entity's profile.
+        /// </summary>
+        public static void GetFiles(GetFilesRequest request, Action<GetFilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/File/GetFiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves objects from an entity's profile.
+        /// </summary>
+        public static void GetObjects(GetObjectsRequest request, Action<GetObjectsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Object/GetObjects", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Initiates file uploads to an entity's profile.
+        /// </summary>
+        public static void InitiateFileUploads(InitiateFileUploadsRequest request, Action<InitiateFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/File/InitiateFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets objects on an entity's profile.
+        /// </summary>
+        public static void SetObjects(SetObjectsRequest request, Action<SetObjectsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Object/SetObjects", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs.meta b/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..df22d502cd5958832a7023a0bc8f492c6fc81982
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 1cb3cb06f2399ca44ad3395fed658494
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs b/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..f13c45350d03bcb655da02f06691aa0b52e79617
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs
@@ -0,0 +1,137 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.DataModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Store arbitrary data associated with an entity. Objects are small (~1KB) JSON-compatible objects which are stored
+    /// directly on the entity profile. Objects are made available for use in other PlayFab contexts, such as PlayStream events
+    /// and CloudScript functions. Files can efficiently store data of any size or format. Both objects and files support a
+    /// flexible permissions system to control read and write access by other entities.
+    /// </summary>
+    public class PlayFabDataInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabDataInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabDataInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Abort pending file uploads to an entity's profile.
+        /// </summary>
+        public void AbortFileUploads(AbortFileUploadsRequest request, Action<AbortFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/File/AbortFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Delete files on an entity's profile.
+        /// </summary>
+        public void DeleteFiles(DeleteFilesRequest request, Action<DeleteFilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/File/DeleteFiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Finalize file uploads to an entity's profile.
+        /// </summary>
+        public void FinalizeFileUploads(FinalizeFileUploadsRequest request, Action<FinalizeFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/File/FinalizeFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves file metadata from an entity's profile.
+        /// </summary>
+        public void GetFiles(GetFilesRequest request, Action<GetFilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/File/GetFiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves objects from an entity's profile.
+        /// </summary>
+        public void GetObjects(GetObjectsRequest request, Action<GetObjectsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Object/GetObjects", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Initiates file uploads to an entity's profile.
+        /// </summary>
+        public void InitiateFileUploads(InitiateFileUploadsRequest request, Action<InitiateFileUploadsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/File/InitiateFileUploads", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets objects on an entity's profile.
+        /// </summary>
+        public void SetObjects(SetObjectsRequest request, Action<SetObjectsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Object/SetObjects", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs.meta b/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f843ea554accb560e9001fc784cb2b98b726c032
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 6c754c6db47f4d943954121319b071d6
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataModels.cs b/Assets/PlayFabSDK/Data/PlayFabDataModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..f4b3ac2fc51c03e5cd3bbf798a633c34bf1bc997
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataModels.cs
@@ -0,0 +1,404 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.DataModels
+{
+    /// <summary>
+    /// Aborts the pending upload of the requested files.
+    /// </summary>
+    [Serializable]
+    public class AbortFileUploadsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Names of the files to have their pending uploads aborted.
+        /// </summary>
+        public List<string> FileNames;
+        /// <summary>
+        /// The expected version of the profile, if set and doesn't match the current version of the profile the operation will not
+        /// be performed.
+        /// </summary>
+        public int? ProfileVersion;
+    }
+
+    [Serializable]
+    public class AbortFileUploadsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    /// <summary>
+    /// Deletes the requested files from the entity's profile.
+    /// </summary>
+    [Serializable]
+    public class DeleteFilesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Names of the files to be deleted.
+        /// </summary>
+        public List<string> FileNames;
+        /// <summary>
+        /// The expected version of the profile, if set and doesn't match the current version of the profile the operation will not
+        /// be performed.
+        /// </summary>
+        public int? ProfileVersion;
+    }
+
+    [Serializable]
+    public class DeleteFilesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    /// <summary>
+    /// Finalizes the upload of the requested files. Verifies that the files have been successfully uploaded and moves the file
+    /// pointers from pending to live.
+    /// </summary>
+    [Serializable]
+    public class FinalizeFileUploadsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Names of the files to be finalized. Restricted to a-Z, 0-9, '(', ')', '_', '-' and '.'
+        /// </summary>
+        public List<string> FileNames;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    [Serializable]
+    public class FinalizeFileUploadsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Collection of metadata for the entity's files
+        /// </summary>
+        public Dictionary<string,GetFileMetadata> Metadata;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    [Serializable]
+    public class GetFileMetadata : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Checksum value for the file, can be used to check if the file on the server has changed.
+        /// </summary>
+        public string Checksum;
+        /// <summary>
+        /// Download URL where the file can be retrieved
+        /// </summary>
+        public string DownloadUrl;
+        /// <summary>
+        /// Name of the file
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// Last UTC time the file was modified
+        /// </summary>
+        public DateTime LastModified;
+        /// <summary>
+        /// Storage service's reported byte count
+        /// </summary>
+        public int Size;
+    }
+
+    /// <summary>
+    /// Returns URLs that may be used to download the files for a profile for a limited length of time. Only returns files that
+    /// have been successfully uploaded, files that are still pending will either return the old value, if it exists, or
+    /// nothing.
+    /// </summary>
+    [Serializable]
+    public class GetFilesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class GetFilesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Collection of metadata for the entity's files
+        /// </summary>
+        public Dictionary<string,GetFileMetadata> Metadata;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    /// <summary>
+    /// Gets JSON objects from an entity profile and returns it.
+    /// </summary>
+    [Serializable]
+    public class GetObjectsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Determines whether the object will be returned as an escaped JSON string or as a un-escaped JSON object. Default is JSON
+        /// object.
+        /// </summary>
+        public bool? EscapeObject;
+    }
+
+    [Serializable]
+    public class GetObjectsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Requested objects that the calling entity has access to
+        /// </summary>
+        public Dictionary<string,ObjectResult> Objects;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+    }
+
+    [Serializable]
+    public class InitiateFileUploadMetadata : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the file.
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// Location the data should be sent to via an HTTP PUT operation.
+        /// </summary>
+        public string UploadUrl;
+    }
+
+    /// <summary>
+    /// Returns URLs that may be used to upload the files for a profile 5 minutes. After using the upload calls
+    /// FinalizeFileUploads must be called to move the file status from pending to live.
+    /// </summary>
+    [Serializable]
+    public class InitiateFileUploadsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Names of the files to be set. Restricted to a-Z, 0-9, '(', ')', '_', '-' and '.'
+        /// </summary>
+        public List<string> FileNames;
+        /// <summary>
+        /// The expected version of the profile, if set and doesn't match the current version of the profile the operation will not
+        /// be performed.
+        /// </summary>
+        public int? ProfileVersion;
+    }
+
+    [Serializable]
+    public class InitiateFileUploadsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// Collection of file names and upload urls
+        /// </summary>
+        public List<InitiateFileUploadMetadata> UploadDetails;
+    }
+
+    [Serializable]
+    public class ObjectResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Un-escaped JSON object, if EscapeObject false or default.
+        /// </summary>
+        public object DataObject;
+        /// <summary>
+        /// Escaped string JSON body of the object, if EscapeObject is true.
+        /// </summary>
+        public string EscapedDataObject;
+        /// <summary>
+        /// Name of the object. Restricted to a-Z, 0-9, '(', ')', '_', '-' and '.'
+        /// </summary>
+        public string ObjectName;
+    }
+
+    public enum OperationTypes
+    {
+        Created,
+        Updated,
+        Deleted,
+        None
+    }
+
+    [Serializable]
+    public class SetObject : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Body of the object to be saved. If empty and DeleteObject is true object will be deleted if it exists, or no operation
+        /// will occur if it does not exist. Only one of Object or EscapedDataObject fields may be used.
+        /// </summary>
+        public object DataObject;
+        /// <summary>
+        /// Flag to indicate that this object should be deleted. Both DataObject and EscapedDataObject must not be set as well.
+        /// </summary>
+        public bool? DeleteObject;
+        /// <summary>
+        /// Body of the object to be saved as an escaped JSON string. If empty and DeleteObject is true object will be deleted if it
+        /// exists, or no operation will occur if it does not exist. Only one of DataObject or EscapedDataObject fields may be used.
+        /// </summary>
+        public string EscapedDataObject;
+        /// <summary>
+        /// Name of object. Restricted to a-Z, 0-9, '(', ')', '_', '-' and '.'.
+        /// </summary>
+        public string ObjectName;
+    }
+
+    [Serializable]
+    public class SetObjectInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the object
+        /// </summary>
+        public string ObjectName;
+        /// <summary>
+        /// Optional reason to explain why the operation was the result that it was.
+        /// </summary>
+        public string OperationReason;
+        /// <summary>
+        /// Indicates which operation was completed, either Created, Updated, Deleted or None.
+        /// </summary>
+        public OperationTypes? SetResult;
+    }
+
+    /// <summary>
+    /// Sets JSON objects on the requested entity profile. May include a version number to be used to perform optimistic
+    /// concurrency operations during update. If the current version differs from the version in the request the request will be
+    /// ignored. If no version is set on the request then the value will always be updated if the values differ. Using the
+    /// version value does not guarantee a write though, ConcurrentEditError may still occur if multiple clients are attempting
+    /// to update the same profile.
+    /// </summary>
+    [Serializable]
+    public class SetObjectsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// Optional field used for concurrency control. By specifying the previously returned value of ProfileVersion from
+        /// GetProfile API, you can ensure that the object set will only be performed if the profile has not been updated by any
+        /// other clients since the version you last loaded.
+        /// </summary>
+        public int? ExpectedProfileVersion;
+        /// <summary>
+        /// Collection of objects to set on the profile.
+        /// </summary>
+        public List<SetObject> Objects;
+    }
+
+    [Serializable]
+    public class SetObjectsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// New version of the entity profile.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// New version of the entity profile.
+        /// </summary>
+        public List<SetObjectInfo> SetResults;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Data/PlayFabDataModels.cs.meta b/Assets/PlayFabSDK/Data/PlayFabDataModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a4423ea5b36a3b636b1f8cb0288461f4238bb4d0
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabDataModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 3ab3048b1bd63d747b28b2fe0b181743
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Data/PlayFabEvents.cs b/Assets/PlayFabSDK/Data/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..39393df7ff6336ba0a1da37f7343f16c45eb0478
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabEvents.cs
@@ -0,0 +1,24 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.DataModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<AbortFileUploadsRequest> OnDataAbortFileUploadsRequestEvent;
+        public event PlayFabResultEvent<AbortFileUploadsResponse> OnDataAbortFileUploadsResultEvent;
+        public event PlayFabRequestEvent<DeleteFilesRequest> OnDataDeleteFilesRequestEvent;
+        public event PlayFabResultEvent<DeleteFilesResponse> OnDataDeleteFilesResultEvent;
+        public event PlayFabRequestEvent<FinalizeFileUploadsRequest> OnDataFinalizeFileUploadsRequestEvent;
+        public event PlayFabResultEvent<FinalizeFileUploadsResponse> OnDataFinalizeFileUploadsResultEvent;
+        public event PlayFabRequestEvent<GetFilesRequest> OnDataGetFilesRequestEvent;
+        public event PlayFabResultEvent<GetFilesResponse> OnDataGetFilesResultEvent;
+        public event PlayFabRequestEvent<GetObjectsRequest> OnDataGetObjectsRequestEvent;
+        public event PlayFabResultEvent<GetObjectsResponse> OnDataGetObjectsResultEvent;
+        public event PlayFabRequestEvent<InitiateFileUploadsRequest> OnDataInitiateFileUploadsRequestEvent;
+        public event PlayFabResultEvent<InitiateFileUploadsResponse> OnDataInitiateFileUploadsResultEvent;
+        public event PlayFabRequestEvent<SetObjectsRequest> OnDataSetObjectsRequestEvent;
+        public event PlayFabResultEvent<SetObjectsResponse> OnDataSetObjectsResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Data/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Data/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f8e51ea58d15cb279375e12eff8c2fa53a4c4b63
--- /dev/null
+++ b/Assets/PlayFabSDK/Data/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: deeaf7c863e34d24591edc6c7cf96650
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Entity.meta b/Assets/PlayFabSDK/Entity.meta
new file mode 100644
index 0000000000000000000000000000000000000000..004a68e2b79862df4fc33eaa5e4929bf87e69db9
--- /dev/null
+++ b/Assets/PlayFabSDK/Entity.meta
@@ -0,0 +1,10 @@
+fileFormatVersion: 2
+guid: 760e5091fc644574b9160901cc83b72b
+folderAsset: yes
+timeCreated: 1521234904
+licenseType: Pro
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs b/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d538e9c00a97f2eebfc902328a2ca4040b3ff058
--- /dev/null
+++ b/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs
@@ -0,0 +1,246 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+using System;
+using System.Collections.Generic;
+using UnityEngine;
+
+namespace PlayFab.Public
+{
+    /// <summary>
+    /// Interface which can be used to implement class responsible for gathering and sending information about session.
+    /// </summary>
+    public interface IScreenTimeTracker
+    {
+        // Unity MonoBehaviour callbacks
+        void OnEnable();
+        void OnDisable();
+        void OnDestroy();
+        void OnApplicationQuit();
+        void OnApplicationFocus(bool isFocused);
+
+        // Class specific methods
+        void ClientSessionStart(string entityId, string entityType, string playFabUserId);
+        void Send();
+    }
+
+    /// <summary>
+    /// Class responsible for gathering and sending information about session, for example: focus duration, device info, etc.
+    /// </summary>
+    public class ScreenTimeTracker : IScreenTimeTracker
+    {
+        private Guid focusId;
+        private Guid gameSessionID;
+        private bool initialFocus = true;
+        private bool isSending = false;
+        private DateTime focusOffDateTime = DateTime.UtcNow;
+        private DateTime focusOnDateTime = DateTime.UtcNow;
+
+        private Queue<EventsModels.EventContents> eventsRequests = new Queue<EventsModels.EventContents>();
+
+        private EventsModels.EntityKey entityKey = new EventsModels.EntityKey();
+        private const string eventNamespace = "com.playfab.events.sessions";
+        private const int maxBatchSizeInEvents = 10;
+
+        private PlayFabEventsInstanceAPI eventApi;
+
+        public ScreenTimeTracker()
+        {
+            eventApi = new PlayFabEventsInstanceAPI(PlayFabSettings.staticPlayer);
+        }
+
+        /// <summary>
+        /// Start session, the function responsible for creating SessionID and gathering information about user and device
+        /// </summary>
+        /// <param name="playFabUserId">Result of the user's login, represent user ID</param>
+        public void ClientSessionStart(string entityId, string entityType, string playFabUserId)
+        {
+            gameSessionID = Guid.NewGuid();
+
+            entityKey.Id = entityId;
+            entityKey.Type = entityType;
+
+            EventsModels.EventContents eventInfo = new EventsModels.EventContents();
+
+            eventInfo.Name = "client_session_start";
+            eventInfo.EventNamespace = eventNamespace;
+            eventInfo.Entity = entityKey;
+            eventInfo.OriginalTimestamp = DateTime.UtcNow;
+
+            var payload = new Dictionary<string, object>
+                {
+                    { "UserID", playFabUserId},
+                    { "DeviceType", SystemInfo.deviceType},
+                    { "DeviceModel", SystemInfo.deviceModel},
+                    { "OS", SystemInfo.operatingSystem },
+                    { "ClientSessionID", gameSessionID },
+                };
+
+            eventInfo.Payload = payload;
+            eventsRequests.Enqueue(eventInfo);
+
+            // Fake a focus-on event at the time of the first login:
+            OnApplicationFocus(true);
+        }
+
+        /// <summary>
+        /// Gather information about user's focus. Calculates interaction durations.
+        /// Name mimics MonoBehaviour method, for ease of integration.
+        /// </summary>
+        /// <param name="isFocused">State of focus</param>
+        public void OnApplicationFocus(bool isFocused)
+        {
+            EventsModels.EventContents eventInfo = new EventsModels.EventContents();
+            DateTime currentUtcDateTime = DateTime.UtcNow;
+
+            eventInfo.Name = "client_focus_change";
+            eventInfo.EventNamespace = eventNamespace;
+            eventInfo.Entity = entityKey;
+
+            double focusStateDuration = 0.0;
+
+            if (initialFocus)
+            {
+                focusId = Guid.NewGuid();
+            }
+
+            if (isFocused)
+            {
+                // start counting focus-on time
+                focusOnDateTime = currentUtcDateTime;
+
+                // new id per focus
+                focusId = Guid.NewGuid();
+
+                if (!initialFocus)
+                {
+                    focusStateDuration = (currentUtcDateTime - focusOffDateTime).TotalSeconds;
+
+                    // this check safeguards from manual time changes while app is running
+                    if (focusStateDuration < 0)
+                    {
+                        focusStateDuration = 0;
+                    }
+                }
+            }
+            else
+            {
+                focusStateDuration = (currentUtcDateTime - focusOnDateTime).TotalSeconds;
+
+                // this check safeguards from manual time changes while app is running
+                if (focusStateDuration < 0)
+                {
+                    focusStateDuration = 0;
+                }
+
+                // start counting focus-off time
+                focusOffDateTime = currentUtcDateTime;
+            }
+
+            var payload = new Dictionary<string, object> {
+                    { "FocusID", focusId },
+                    { "FocusState", isFocused },
+                    { "FocusStateDuration", focusStateDuration },
+                    { "EventTimestamp", currentUtcDateTime },
+                    { "ClientSessionID", gameSessionID },
+                };
+
+            eventInfo.OriginalTimestamp = currentUtcDateTime;
+            eventInfo.Payload = payload;
+            eventsRequests.Enqueue(eventInfo);
+
+            initialFocus = false;
+
+            if (!isFocused)
+            {
+                // Force the eventsRequests queue to empty.
+                // If we are losing focus we should make an attempt to push out a focus lost event ASAP
+                Send();
+            }
+
+        }
+
+        /// <summary>
+        /// Sends events to server.
+        /// </summary>
+        public void Send()
+        {
+            if (PlayFabSettings.staticPlayer.IsClientLoggedIn() && (isSending == false))
+            {
+                isSending = true;
+
+                EventsModels.WriteEventsRequest request = new EventsModels.WriteEventsRequest();
+                request.Events = new List<EventsModels.EventContents>();
+
+                while ((eventsRequests.Count > 0) && (request.Events.Count < maxBatchSizeInEvents))
+                {
+                    EventsModels.EventContents eventInfo = eventsRequests.Dequeue();
+                    request.Events.Add(eventInfo);
+                }
+
+                if (request.Events.Count > 0)
+                {
+                    eventApi.WriteEvents(request, EventSentSuccessfulCallback, EventSentErrorCallback);
+                }
+
+                isSending = false;
+            }
+        }
+
+        /// <summary>
+        /// Callback to handle successful server interaction.
+        /// </summary>
+        /// <param name="response">Server response</param>
+        private void EventSentSuccessfulCallback(EventsModels.WriteEventsResponse response)
+        {
+            // add code to work with successful callback
+        }
+
+        /// <summary>
+        /// Callback to handle unsuccessful server interaction.
+        /// </summary>
+        /// <param name="response">Server response</param>
+        private void EventSentErrorCallback(PlayFabError response)
+        {
+            Debug.LogWarning("Failed to send session data. Error: " + response.GenerateErrorReport());
+        }
+
+        #region Unused MonoBehaviour compatibility  methods
+        /// <summary>
+        /// Unused
+        /// Name mimics MonoBehaviour method, for ease of integration.
+        /// </summary>
+        public void OnEnable()
+        {
+            // add code sending events on enable
+        }
+
+        /// <summary>
+        /// Unused
+        /// Name mimics MonoBehaviour method, for ease of integration.
+        /// </summary>
+        public void OnDisable()
+        {
+            // add code sending events on disable
+        }
+
+        /// <summary>
+        /// Unused
+        /// Name mimics MonoBehaviour method, for ease of integration.
+        /// </summary>
+        public void OnDestroy()
+        {
+            // add code sending events on destroy
+        }
+        #endregion
+
+        /// <summary>
+        /// Trying to send event during game exit. Note: works only on certain platforms.
+        /// Name mimics MonoBehaviour method, for ease of integration.
+        /// </summary>
+        public void OnApplicationQuit()
+        {
+            // trying to send events during game exit
+            Send();
+        }
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs.meta b/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d44c53050688e13400404ecd8ad405f9a6cded0e
--- /dev/null
+++ b/Assets/PlayFabSDK/Entity/ScreenTimeTracker.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: bb87bdc3f40216e419c8f1b76c4517d6
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Events.meta b/Assets/PlayFabSDK/Events.meta
new file mode 100644
index 0000000000000000000000000000000000000000..043ec87072a95dfb5a55f4942c2d41b54e1f4fd5
--- /dev/null
+++ b/Assets/PlayFabSDK/Events.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 73a2eea4489bd9447a29c5114a2c0d7c
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Events/PlayFabEvents.cs b/Assets/PlayFabSDK/Events/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..fcc00a3e30c4e4e078ebecbdb33d15ce7f853cad
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEvents.cs
@@ -0,0 +1,14 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.EventsModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<WriteEventsRequest> OnEventsWriteEventsRequestEvent;
+        public event PlayFabResultEvent<WriteEventsResponse> OnEventsWriteEventsResultEvent;
+        public event PlayFabRequestEvent<WriteEventsRequest> OnEventsWriteTelemetryEventsRequestEvent;
+        public event PlayFabResultEvent<WriteEventsResponse> OnEventsWriteTelemetryEventsResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Events/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Events/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b3fa18a35128330b0ddd15ede96d7f36c448ea3a
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 816bf581b4b09c04bbf42adfea99a423
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs b/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..b5c70e447fbc80979ffb2193263eaffc3e5e4b77
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs
@@ -0,0 +1,67 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.EventsModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Write custom PlayStream and Telemetry events for any PlayFab entity. Telemetry events can be used for analytic,
+    /// reporting, or debugging. PlayStream events can do all of that and also trigger custom actions in near real-time.
+    /// </summary>
+    public static class PlayFabEventsAPI
+    {
+        static PlayFabEventsAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Write batches of entity based events to PlayStream. The namespace of the Event must be 'custom' or start with 'custom.'.
+        /// </summary>
+        public static void WriteEvents(WriteEventsRequest request, Action<WriteEventsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Event/WriteEvents", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Write batches of entity based events to as Telemetry events (bypass PlayStream). The namespace must be 'custom' or start
+        /// with 'custom.'
+        /// </summary>
+        public static void WriteTelemetryEvents(WriteEventsRequest request, Action<WriteEventsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Event/WriteTelemetryEvents", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs.meta b/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f41b342736cedbf817d8b6a878bccc87b982ed08
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 6209aee5722aa2c46ba625e1944d6fa8
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs b/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d07b2ce2c7cae712427cee7b3556107d75660eaf
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs
@@ -0,0 +1,81 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.EventsModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Write custom PlayStream and Telemetry events for any PlayFab entity. Telemetry events can be used for analytic,
+    /// reporting, or debugging. PlayStream events can do all of that and also trigger custom actions in near real-time.
+    /// </summary>
+    public class PlayFabEventsInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabEventsInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabEventsInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Write batches of entity based events to PlayStream. The namespace of the Event must be 'custom' or start with 'custom.'.
+        /// </summary>
+        public void WriteEvents(WriteEventsRequest request, Action<WriteEventsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Event/WriteEvents", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Write batches of entity based events to as Telemetry events (bypass PlayStream). The namespace must be 'custom' or start
+        /// with 'custom.'
+        /// </summary>
+        public void WriteTelemetryEvents(WriteEventsRequest request, Action<WriteEventsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Event/WriteTelemetryEvents", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs.meta b/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..38d0c3b7384119b5bd6f4a53aecc649412138542
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: efc8181560ecd0748a12a6df7137998e
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs b/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..131795fe43ef32c4f21166e4a606b7be69d0ac1f
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs
@@ -0,0 +1,89 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.EventsModels
+{
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EventContents : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The optional custom tags associated with the event (e.g. build number, external trace identifiers, etc.). Before an
+        /// event is written, this collection and the base request custom tags will be merged, but not overriden. This enables the
+        /// caller to specify static tags and per event tags.
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Entity associated with the event. If null, the event will apply to the calling entity.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The namespace in which the event is defined. Allowed namespaces can vary by API.
+        /// </summary>
+        public string EventNamespace;
+        /// <summary>
+        /// The name of this event.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The original unique identifier associated with this event before it was posted to PlayFab. The value might differ from
+        /// the EventId value, which is assigned when the event is received by the server.
+        /// </summary>
+        public string OriginalId;
+        /// <summary>
+        /// The time (in UTC) associated with this event when it occurred. If specified, this value is stored in the
+        /// OriginalTimestamp property of the PlayStream event.
+        /// </summary>
+        public DateTime? OriginalTimestamp;
+        /// <summary>
+        /// Arbitrary data associated with the event. Only one of Payload or PayloadJSON is allowed.
+        /// </summary>
+        public object Payload;
+        /// <summary>
+        /// Arbitrary data associated with the event, represented as a JSON serialized string. Only one of Payload or PayloadJSON is
+        /// allowed.
+        /// </summary>
+        public string PayloadJSON;
+    }
+
+    [Serializable]
+    public class WriteEventsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Collection of events to write to PlayStream.
+        /// </summary>
+        public List<EventContents> Events;
+    }
+
+    [Serializable]
+    public class WriteEventsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The unique identifiers assigned by the server to the events, in the same order as the events in the request. Only
+        /// returned if FlushToPlayStream option is true.
+        /// </summary>
+        public List<string> AssignedEventIds;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs.meta b/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..4e6f8cc4d4a2782c5fe3aeedd79a99971a318ed1
--- /dev/null
+++ b/Assets/PlayFabSDK/Events/PlayFabEventsModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 9ee524faa41ee444ca207259e58e70a1
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Experimentation.meta b/Assets/PlayFabSDK/Experimentation.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1cd58be03a11680ce8920329ca4a4497790e4968
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: f95f1281203327240a7f9f479dd781d9
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs b/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..816314ab04b88ee2339ca6ecf1aba56f0d4175e4
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs
@@ -0,0 +1,36 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.ExperimentationModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<CreateExclusionGroupRequest> OnExperimentationCreateExclusionGroupRequestEvent;
+        public event PlayFabResultEvent<CreateExclusionGroupResult> OnExperimentationCreateExclusionGroupResultEvent;
+        public event PlayFabRequestEvent<CreateExperimentRequest> OnExperimentationCreateExperimentRequestEvent;
+        public event PlayFabResultEvent<CreateExperimentResult> OnExperimentationCreateExperimentResultEvent;
+        public event PlayFabRequestEvent<DeleteExclusionGroupRequest> OnExperimentationDeleteExclusionGroupRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationDeleteExclusionGroupResultEvent;
+        public event PlayFabRequestEvent<DeleteExperimentRequest> OnExperimentationDeleteExperimentRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationDeleteExperimentResultEvent;
+        public event PlayFabRequestEvent<GetExclusionGroupsRequest> OnExperimentationGetExclusionGroupsRequestEvent;
+        public event PlayFabResultEvent<GetExclusionGroupsResult> OnExperimentationGetExclusionGroupsResultEvent;
+        public event PlayFabRequestEvent<GetExclusionGroupTrafficRequest> OnExperimentationGetExclusionGroupTrafficRequestEvent;
+        public event PlayFabResultEvent<GetExclusionGroupTrafficResult> OnExperimentationGetExclusionGroupTrafficResultEvent;
+        public event PlayFabRequestEvent<GetExperimentsRequest> OnExperimentationGetExperimentsRequestEvent;
+        public event PlayFabResultEvent<GetExperimentsResult> OnExperimentationGetExperimentsResultEvent;
+        public event PlayFabRequestEvent<GetLatestScorecardRequest> OnExperimentationGetLatestScorecardRequestEvent;
+        public event PlayFabResultEvent<GetLatestScorecardResult> OnExperimentationGetLatestScorecardResultEvent;
+        public event PlayFabRequestEvent<GetTreatmentAssignmentRequest> OnExperimentationGetTreatmentAssignmentRequestEvent;
+        public event PlayFabResultEvent<GetTreatmentAssignmentResult> OnExperimentationGetTreatmentAssignmentResultEvent;
+        public event PlayFabRequestEvent<StartExperimentRequest> OnExperimentationStartExperimentRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationStartExperimentResultEvent;
+        public event PlayFabRequestEvent<StopExperimentRequest> OnExperimentationStopExperimentRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationStopExperimentResultEvent;
+        public event PlayFabRequestEvent<UpdateExclusionGroupRequest> OnExperimentationUpdateExclusionGroupRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationUpdateExclusionGroupResultEvent;
+        public event PlayFabRequestEvent<UpdateExperimentRequest> OnExperimentationUpdateExperimentRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnExperimentationUpdateExperimentResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c97ee632c70a85e4ed44004f17f3292951da8354
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ad18b9280bb1a7f4c926eba4c1086b6e
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..22e4194564950f973e178b58239b6222ced4b6aa
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs
@@ -0,0 +1,208 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ExperimentationModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs for managing experiments.
+    /// </summary>
+    public static class PlayFabExperimentationAPI
+    {
+        static PlayFabExperimentationAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Creates a new experiment exclusion group for a title.
+        /// </summary>
+        public static void CreateExclusionGroup(CreateExclusionGroupRequest request, Action<CreateExclusionGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/CreateExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new experiment for a title.
+        /// </summary>
+        public static void CreateExperiment(CreateExperimentRequest request, Action<CreateExperimentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/CreateExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing exclusion group for a title.
+        /// </summary>
+        public static void DeleteExclusionGroup(DeleteExclusionGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/DeleteExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing experiment for a title.
+        /// </summary>
+        public static void DeleteExperiment(DeleteExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/DeleteExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the details of all exclusion groups for a title.
+        /// </summary>
+        public static void GetExclusionGroups(GetExclusionGroupsRequest request, Action<GetExclusionGroupsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExclusionGroups", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the details of all exclusion groups for a title.
+        /// </summary>
+        public static void GetExclusionGroupTraffic(GetExclusionGroupTrafficRequest request, Action<GetExclusionGroupTrafficResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExclusionGroupTraffic", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the details of all experiments for a title.
+        /// </summary>
+        public static void GetExperiments(GetExperimentsRequest request, Action<GetExperimentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExperiments", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the latest scorecard of the experiment for the title.
+        /// </summary>
+        public static void GetLatestScorecard(GetLatestScorecardRequest request, Action<GetLatestScorecardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/GetLatestScorecard", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the treatment assignments for a player for every running experiment in the title.
+        /// </summary>
+        public static void GetTreatmentAssignment(GetTreatmentAssignmentRequest request, Action<GetTreatmentAssignmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/GetTreatmentAssignment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Starts an existing experiment for a title.
+        /// </summary>
+        public static void StartExperiment(StartExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/StartExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Stops an existing experiment for a title.
+        /// </summary>
+        public static void StopExperiment(StopExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/StopExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates an existing exclusion group for a title.
+        /// </summary>
+        public static void UpdateExclusionGroup(UpdateExclusionGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/UpdateExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates an existing experiment for a title.
+        /// </summary>
+        public static void UpdateExperiment(UpdateExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Experimentation/UpdateExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs.meta b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c19eab741fa5790d92691936dbdf90d5d8bcf9de
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 9dbcafaa60e9f2a41930b9907fb0c133
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..eab7baeda736c78499d211dff04e63a4665e047e
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs
@@ -0,0 +1,200 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ExperimentationModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// APIs for managing experiments.
+    /// </summary>
+    public class PlayFabExperimentationInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabExperimentationInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabExperimentationInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Creates a new experiment exclusion group for a title.
+        /// </summary>
+        public void CreateExclusionGroup(CreateExclusionGroupRequest request, Action<CreateExclusionGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/CreateExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new experiment for a title.
+        /// </summary>
+        public void CreateExperiment(CreateExperimentRequest request, Action<CreateExperimentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/CreateExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing exclusion group for a title.
+        /// </summary>
+        public void DeleteExclusionGroup(DeleteExclusionGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/DeleteExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing experiment for a title.
+        /// </summary>
+        public void DeleteExperiment(DeleteExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/DeleteExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the details of all exclusion groups for a title.
+        /// </summary>
+        public void GetExclusionGroups(GetExclusionGroupsRequest request, Action<GetExclusionGroupsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExclusionGroups", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the details of all exclusion groups for a title.
+        /// </summary>
+        public void GetExclusionGroupTraffic(GetExclusionGroupTrafficRequest request, Action<GetExclusionGroupTrafficResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExclusionGroupTraffic", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the details of all experiments for a title.
+        /// </summary>
+        public void GetExperiments(GetExperimentsRequest request, Action<GetExperimentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/GetExperiments", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the latest scorecard of the experiment for the title.
+        /// </summary>
+        public void GetLatestScorecard(GetLatestScorecardRequest request, Action<GetLatestScorecardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/GetLatestScorecard", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the treatment assignments for a player for every running experiment in the title.
+        /// </summary>
+        public void GetTreatmentAssignment(GetTreatmentAssignmentRequest request, Action<GetTreatmentAssignmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/GetTreatmentAssignment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Starts an existing experiment for a title.
+        /// </summary>
+        public void StartExperiment(StartExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/StartExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Stops an existing experiment for a title.
+        /// </summary>
+        public void StopExperiment(StopExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/StopExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates an existing exclusion group for a title.
+        /// </summary>
+        public void UpdateExclusionGroup(UpdateExclusionGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/UpdateExclusionGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates an existing experiment for a title.
+        /// </summary>
+        public void UpdateExperiment(UpdateExperimentRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Experimentation/UpdateExperiment", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs.meta b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..26f0768361a62f178d6c54543a65d1b41e40b01d
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ecc5b8d11fae41b4daaaf638349fdc78
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..4fc1213fe8460af39fd6bf0ed24012cdc19d892f
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs
@@ -0,0 +1,670 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.ExperimentationModels
+{
+    public enum AnalysisTaskState
+    {
+        Waiting,
+        ReadyForSubmission,
+        SubmittingToPipeline,
+        Running,
+        Completed,
+        Failed,
+        Canceled
+    }
+
+    /// <summary>
+    /// Given a title entity token and exclusion group details, will create a new exclusion group for the title.
+    /// </summary>
+    [Serializable]
+    public class CreateExclusionGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description of the exclusion group.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Friendly name of the exclusion group.
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class CreateExclusionGroupResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Identifier of the exclusion group.
+        /// </summary>
+        public string ExclusionGroupId;
+    }
+
+    /// <summary>
+    /// Given a title entity token and experiment details, will create a new experiment for the title.
+    /// </summary>
+    [Serializable]
+    public class CreateExperimentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description of the experiment.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// When experiment should end.
+        /// </summary>
+        public DateTime? EndDate;
+        /// <summary>
+        /// Id of the exclusion group.
+        /// </summary>
+        public string ExclusionGroupId;
+        /// <summary>
+        /// Percentage of exclusion group traffic that will see this experiment.
+        /// </summary>
+        public uint? ExclusionGroupTrafficAllocation;
+        /// <summary>
+        /// Type of experiment.
+        /// </summary>
+        public ExperimentType? ExperimentType;
+        /// <summary>
+        /// Friendly name of the experiment.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Id of the segment to which this experiment applies. Defaults to the 'All Players' segment.
+        /// </summary>
+        public string SegmentId;
+        /// <summary>
+        /// When experiment should start.
+        /// </summary>
+        public DateTime StartDate;
+        /// <summary>
+        /// List of title player account IDs that automatically receive treatments in the experiment, but are not included when
+        /// calculating experiment metrics.
+        /// </summary>
+        public List<string> TitlePlayerAccountTestIds;
+        /// <summary>
+        /// List of variants for the experiment.
+        /// </summary>
+        public List<Variant> Variants;
+    }
+
+    [Serializable]
+    public class CreateExperimentResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The ID of the new experiment.
+        /// </summary>
+        public string ExperimentId;
+    }
+
+    /// <summary>
+    /// Given an entity token and an exclusion group ID this API deletes the exclusion group.
+    /// </summary>
+    [Serializable]
+    public class DeleteExclusionGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the exclusion group to delete.
+        /// </summary>
+        public string ExclusionGroupId;
+    }
+
+    /// <summary>
+    /// Given an entity token and an experiment ID this API deletes the experiment. A running experiment must be stopped before
+    /// it can be deleted.
+    /// </summary>
+    [Serializable]
+    public class DeleteExperimentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the experiment to delete.
+        /// </summary>
+        public string ExperimentId;
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class ExclusionGroupTrafficAllocation : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Id of the experiment.
+        /// </summary>
+        public string ExperimentId;
+        /// <summary>
+        /// Percentage of exclusion group traffic that will see this experiment.
+        /// </summary>
+        public uint TrafficAllocation;
+    }
+
+    [Serializable]
+    public class Experiment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the experiment.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// When experiment should end/was ended.
+        /// </summary>
+        public DateTime? EndDate;
+        /// <summary>
+        /// Id of the exclusion group for this experiment.
+        /// </summary>
+        public string ExclusionGroupId;
+        /// <summary>
+        /// Percentage of exclusion group traffic that will see this experiment.
+        /// </summary>
+        public uint? ExclusionGroupTrafficAllocation;
+        /// <summary>
+        /// Type of experiment.
+        /// </summary>
+        public ExperimentType? ExperimentType;
+        /// <summary>
+        /// Id of the experiment.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Friendly name of the experiment.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Id of the segment to which this experiment applies. Defaults to the 'All Players' segment.
+        /// </summary>
+        public string SegmentId;
+        /// <summary>
+        /// When experiment should start/was started.
+        /// </summary>
+        public DateTime StartDate;
+        /// <summary>
+        /// State experiment is currently in.
+        /// </summary>
+        public ExperimentState? State;
+        /// <summary>
+        /// List of title player account IDs that automatically receive treatments in the experiment, but are not included when
+        /// calculating experiment metrics.
+        /// </summary>
+        public List<string> TitlePlayerAccountTestIds;
+        /// <summary>
+        /// List of variants for the experiment.
+        /// </summary>
+        public List<Variant> Variants;
+    }
+
+    [Serializable]
+    public class ExperimentExclusionGroup : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the exclusion group.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Id of the exclusion group.
+        /// </summary>
+        public string ExclusionGroupId;
+        /// <summary>
+        /// Friendly name of the exclusion group.
+        /// </summary>
+        public string Name;
+    }
+
+    public enum ExperimentState
+    {
+        New,
+        Started,
+        Stopped,
+        Deleted
+    }
+
+    public enum ExperimentType
+    {
+        Active,
+        Snapshot
+    }
+
+    /// <summary>
+    /// Given a title entity token will return the list of all exclusion groups for a title.
+    /// </summary>
+    [Serializable]
+    public class GetExclusionGroupsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetExclusionGroupsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of exclusion groups for the title.
+        /// </summary>
+        public List<ExperimentExclusionGroup> ExclusionGroups;
+    }
+
+    /// <summary>
+    /// Given a title entity token and an exclusion group ID, will return the list of traffic allocations for the exclusion
+    /// group.
+    /// </summary>
+    [Serializable]
+    public class GetExclusionGroupTrafficRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the exclusion group.
+        /// </summary>
+        public string ExclusionGroupId;
+    }
+
+    [Serializable]
+    public class GetExclusionGroupTrafficResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of traffic allocations for the exclusion group.
+        /// </summary>
+        public List<ExclusionGroupTrafficAllocation> TrafficAllocations;
+    }
+
+    /// <summary>
+    /// Given a title entity token will return the list of all experiments for a title, including scheduled, started, stopped or
+    /// completed experiments.
+    /// </summary>
+    [Serializable]
+    public class GetExperimentsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetExperimentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of experiments for the title.
+        /// </summary>
+        public List<Experiment> Experiments;
+    }
+
+    /// <summary>
+    /// Given a title entity token and experiment details, will return the latest available scorecard.
+    /// </summary>
+    [Serializable]
+    public class GetLatestScorecardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the experiment.
+        /// </summary>
+        public string ExperimentId;
+    }
+
+    [Serializable]
+    public class GetLatestScorecardResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Scorecard for the experiment of the title.
+        /// </summary>
+        public Scorecard Scorecard;
+    }
+
+    /// <summary>
+    /// Given a title player or a title entity token, returns the treatment variants and variables assigned to the entity across
+    /// all running experiments
+    /// </summary>
+    [Serializable]
+    public class GetTreatmentAssignmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class GetTreatmentAssignmentResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Treatment assignment for the entity.
+        /// </summary>
+        public TreatmentAssignment TreatmentAssignment;
+    }
+
+    [Serializable]
+    public class MetricData : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The upper bound of the confidence interval for the relative delta (Delta.RelativeValue).
+        /// </summary>
+        public double ConfidenceIntervalEnd;
+        /// <summary>
+        /// The lower bound of the confidence interval for the relative delta (Delta.RelativeValue).
+        /// </summary>
+        public double ConfidenceIntervalStart;
+        /// <summary>
+        /// The absolute delta between TreatmentStats.Average and ControlStats.Average.
+        /// </summary>
+        public float DeltaAbsoluteChange;
+        /// <summary>
+        /// The relative delta ratio between TreatmentStats.Average and ControlStats.Average.
+        /// </summary>
+        public float DeltaRelativeChange;
+        /// <summary>
+        /// The machine name of the metric.
+        /// </summary>
+        public string InternalName;
+        /// <summary>
+        /// Indicates if a movement was detected on that metric.
+        /// </summary>
+        public string Movement;
+        /// <summary>
+        /// The readable name of the metric.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The expectation that a movement is real
+        /// </summary>
+        public float PMove;
+        /// <summary>
+        /// The p-value resulting from the statistical test run for this metric
+        /// </summary>
+        public float PValue;
+        /// <summary>
+        /// The threshold for observing sample ratio mismatch.
+        /// </summary>
+        public float PValueThreshold;
+        /// <summary>
+        /// Indicates if the movement is statistically significant.
+        /// </summary>
+        public string StatSigLevel;
+        /// <summary>
+        /// Observed standard deviation value of the metric.
+        /// </summary>
+        public float StdDev;
+        /// <summary>
+        /// Observed average value of the metric.
+        /// </summary>
+        public float Value;
+    }
+
+    [Serializable]
+    public class Scorecard : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Represents the date the scorecard was generated.
+        /// </summary>
+        public string DateGenerated;
+        /// <summary>
+        /// Represents the duration of scorecard analysis.
+        /// </summary>
+        public string Duration;
+        /// <summary>
+        /// Represents the number of events processed for the generation of this scorecard
+        /// </summary>
+        public double EventsProcessed;
+        /// <summary>
+        /// Id of the experiment.
+        /// </summary>
+        public string ExperimentId;
+        /// <summary>
+        /// Friendly name of the experiment.
+        /// </summary>
+        public string ExperimentName;
+        /// <summary>
+        /// Represents the latest compute job status.
+        /// </summary>
+        public AnalysisTaskState? LatestJobStatus;
+        /// <summary>
+        /// Represents the presence of a sample ratio mismatch in the scorecard data.
+        /// </summary>
+        public bool SampleRatioMismatch;
+        /// <summary>
+        /// Scorecard containing list of analysis.
+        /// </summary>
+        public List<ScorecardDataRow> ScorecardDataRows;
+    }
+
+    [Serializable]
+    public class ScorecardDataRow : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Represents whether the variant is control or not.
+        /// </summary>
+        public bool IsControl;
+        /// <summary>
+        /// Data of the analysis with the internal name of the metric as the key and an object of metric data as value.
+        /// </summary>
+        public Dictionary<string,MetricData> MetricDataRows;
+        /// <summary>
+        /// Represents the player count in the variant.
+        /// </summary>
+        public uint PlayerCount;
+        /// <summary>
+        /// Name of the variant of analysis.
+        /// </summary>
+        public string VariantName;
+    }
+
+    /// <summary>
+    /// Given a title entity token and an experiment ID, this API starts the experiment.
+    /// </summary>
+    [Serializable]
+    public class StartExperimentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the experiment to start.
+        /// </summary>
+        public string ExperimentId;
+    }
+
+    /// <summary>
+    /// Given a title entity token and an experiment ID, this API stops the experiment if it is running.
+    /// </summary>
+    [Serializable]
+    public class StopExperimentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the experiment to stop.
+        /// </summary>
+        public string ExperimentId;
+    }
+
+    [Serializable]
+    public class TreatmentAssignment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of the experiment variables.
+        /// </summary>
+        public List<Variable> Variables;
+        /// <summary>
+        /// List of the experiment variants.
+        /// </summary>
+        public List<string> Variants;
+    }
+
+    /// <summary>
+    /// Given an entity token and exclusion group details this API updates the exclusion group.
+    /// </summary>
+    [Serializable]
+    public class UpdateExclusionGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description of the exclusion group.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// The ID of the exclusion group to update.
+        /// </summary>
+        public string ExclusionGroupId;
+        /// <summary>
+        /// Friendly name of the exclusion group.
+        /// </summary>
+        public string Name;
+    }
+
+    /// <summary>
+    /// Given a title entity token and experiment details, this API updates the experiment. If an experiment is already running,
+    /// only the description and duration properties can be updated.
+    /// </summary>
+    [Serializable]
+    public class UpdateExperimentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Description of the experiment.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// When experiment should end.
+        /// </summary>
+        public DateTime? EndDate;
+        /// <summary>
+        /// Id of the exclusion group.
+        /// </summary>
+        public string ExclusionGroupId;
+        /// <summary>
+        /// Percentage of exclusion group traffic that will see this experiment.
+        /// </summary>
+        public uint? ExclusionGroupTrafficAllocation;
+        /// <summary>
+        /// Type of experiment.
+        /// </summary>
+        public ExperimentType? ExperimentType;
+        /// <summary>
+        /// Id of the experiment.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Friendly name of the experiment.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Id of the segment to which this experiment applies. Defaults to the 'All Players' segment.
+        /// </summary>
+        public string SegmentId;
+        /// <summary>
+        /// When experiment should start.
+        /// </summary>
+        public DateTime StartDate;
+        /// <summary>
+        /// List of title player account IDs that automatically receive treatments in the experiment, but are not included when
+        /// calculating experiment metrics.
+        /// </summary>
+        public List<string> TitlePlayerAccountTestIds;
+        /// <summary>
+        /// List of variants for the experiment.
+        /// </summary>
+        public List<Variant> Variants;
+    }
+
+    [Serializable]
+    public class Variable : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the variable.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Value of the variable.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class Variant : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the variant.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Id of the variant.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Specifies if variant is control for experiment.
+        /// </summary>
+        public bool IsControl;
+        /// <summary>
+        /// Name of the variant.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Id of the TitleDataOverride to use with this variant.
+        /// </summary>
+        public string TitleDataOverrideLabel;
+        /// <summary>
+        /// Percentage of target audience traffic that will see this variant.
+        /// </summary>
+        public uint TrafficPercentage;
+        /// <summary>
+        /// Variables returned by this variant.
+        /// </summary>
+        public List<Variable> Variables;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs.meta b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..45da40ecbecf5dd9a1c3662f28768e950d7656c6
--- /dev/null
+++ b/Assets/PlayFabSDK/Experimentation/PlayFabExperimentationModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 0804132d8066c1440a5cfdd0e56bf63c
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Groups.meta b/Assets/PlayFabSDK/Groups.meta
new file mode 100644
index 0000000000000000000000000000000000000000..fc6db3ec1f4d92651b05e644387f0dc874f5f883
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 362835eaf7c8a5e47baa567500fe68b1
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Groups/PlayFabEvents.cs b/Assets/PlayFabSDK/Groups/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..90a7937c9294cdd6d778acf55bb4fd34d56e0920
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabEvents.cs
@@ -0,0 +1,60 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.GroupsModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<AcceptGroupApplicationRequest> OnGroupsAcceptGroupApplicationRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsAcceptGroupApplicationResultEvent;
+        public event PlayFabRequestEvent<AcceptGroupInvitationRequest> OnGroupsAcceptGroupInvitationRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsAcceptGroupInvitationResultEvent;
+        public event PlayFabRequestEvent<AddMembersRequest> OnGroupsAddMembersRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsAddMembersResultEvent;
+        public event PlayFabRequestEvent<ApplyToGroupRequest> OnGroupsApplyToGroupRequestEvent;
+        public event PlayFabResultEvent<ApplyToGroupResponse> OnGroupsApplyToGroupResultEvent;
+        public event PlayFabRequestEvent<BlockEntityRequest> OnGroupsBlockEntityRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsBlockEntityResultEvent;
+        public event PlayFabRequestEvent<ChangeMemberRoleRequest> OnGroupsChangeMemberRoleRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsChangeMemberRoleResultEvent;
+        public event PlayFabRequestEvent<CreateGroupRequest> OnGroupsCreateGroupRequestEvent;
+        public event PlayFabResultEvent<CreateGroupResponse> OnGroupsCreateGroupResultEvent;
+        public event PlayFabRequestEvent<CreateGroupRoleRequest> OnGroupsCreateRoleRequestEvent;
+        public event PlayFabResultEvent<CreateGroupRoleResponse> OnGroupsCreateRoleResultEvent;
+        public event PlayFabRequestEvent<DeleteGroupRequest> OnGroupsDeleteGroupRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsDeleteGroupResultEvent;
+        public event PlayFabRequestEvent<DeleteRoleRequest> OnGroupsDeleteRoleRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsDeleteRoleResultEvent;
+        public event PlayFabRequestEvent<GetGroupRequest> OnGroupsGetGroupRequestEvent;
+        public event PlayFabResultEvent<GetGroupResponse> OnGroupsGetGroupResultEvent;
+        public event PlayFabRequestEvent<InviteToGroupRequest> OnGroupsInviteToGroupRequestEvent;
+        public event PlayFabResultEvent<InviteToGroupResponse> OnGroupsInviteToGroupResultEvent;
+        public event PlayFabRequestEvent<IsMemberRequest> OnGroupsIsMemberRequestEvent;
+        public event PlayFabResultEvent<IsMemberResponse> OnGroupsIsMemberResultEvent;
+        public event PlayFabRequestEvent<ListGroupApplicationsRequest> OnGroupsListGroupApplicationsRequestEvent;
+        public event PlayFabResultEvent<ListGroupApplicationsResponse> OnGroupsListGroupApplicationsResultEvent;
+        public event PlayFabRequestEvent<ListGroupBlocksRequest> OnGroupsListGroupBlocksRequestEvent;
+        public event PlayFabResultEvent<ListGroupBlocksResponse> OnGroupsListGroupBlocksResultEvent;
+        public event PlayFabRequestEvent<ListGroupInvitationsRequest> OnGroupsListGroupInvitationsRequestEvent;
+        public event PlayFabResultEvent<ListGroupInvitationsResponse> OnGroupsListGroupInvitationsResultEvent;
+        public event PlayFabRequestEvent<ListGroupMembersRequest> OnGroupsListGroupMembersRequestEvent;
+        public event PlayFabResultEvent<ListGroupMembersResponse> OnGroupsListGroupMembersResultEvent;
+        public event PlayFabRequestEvent<ListMembershipRequest> OnGroupsListMembershipRequestEvent;
+        public event PlayFabResultEvent<ListMembershipResponse> OnGroupsListMembershipResultEvent;
+        public event PlayFabRequestEvent<ListMembershipOpportunitiesRequest> OnGroupsListMembershipOpportunitiesRequestEvent;
+        public event PlayFabResultEvent<ListMembershipOpportunitiesResponse> OnGroupsListMembershipOpportunitiesResultEvent;
+        public event PlayFabRequestEvent<RemoveGroupApplicationRequest> OnGroupsRemoveGroupApplicationRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsRemoveGroupApplicationResultEvent;
+        public event PlayFabRequestEvent<RemoveGroupInvitationRequest> OnGroupsRemoveGroupInvitationRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsRemoveGroupInvitationResultEvent;
+        public event PlayFabRequestEvent<RemoveMembersRequest> OnGroupsRemoveMembersRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsRemoveMembersResultEvent;
+        public event PlayFabRequestEvent<UnblockEntityRequest> OnGroupsUnblockEntityRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnGroupsUnblockEntityResultEvent;
+        public event PlayFabRequestEvent<UpdateGroupRequest> OnGroupsUpdateGroupRequestEvent;
+        public event PlayFabResultEvent<UpdateGroupResponse> OnGroupsUpdateGroupResultEvent;
+        public event PlayFabRequestEvent<UpdateGroupRoleRequest> OnGroupsUpdateRoleRequestEvent;
+        public event PlayFabResultEvent<UpdateGroupRoleResponse> OnGroupsUpdateRoleResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Groups/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Groups/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..5d2b754ca1e12057abf7a6bba5d68bd75f8ff2bd
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 89aad6173ff54ed4092f14bd118f0652
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs b/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..82465f0d2d8e039d40e883ee4c180ede98882257
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs
@@ -0,0 +1,366 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.GroupsModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Groups API is designed for any permanent or semi-permanent collections of Entities (players, or non-players). If you
+    /// want to make Guilds/Clans/Corporations/etc., then you should use groups. Groups can also be used to make chatrooms,
+    /// parties, or any other persistent collection of entities.
+    /// </summary>
+    public static class PlayFabGroupsAPI
+    {
+        static PlayFabGroupsAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Accepts an outstanding invitation to to join a group
+        /// </summary>
+        public static void AcceptGroupApplication(AcceptGroupApplicationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/AcceptGroupApplication", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Accepts an invitation to join a group
+        /// </summary>
+        public static void AcceptGroupInvitation(AcceptGroupInvitationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/AcceptGroupInvitation", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds members to a group or role.
+        /// </summary>
+        public static void AddMembers(AddMembersRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/AddMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Applies to join a group
+        /// </summary>
+        public static void ApplyToGroup(ApplyToGroupRequest request, Action<ApplyToGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ApplyToGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Blocks a list of entities from joining a group.
+        /// </summary>
+        public static void BlockEntity(BlockEntityRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/BlockEntity", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Changes the role membership of a list of entities from one role to another.
+        /// </summary>
+        public static void ChangeMemberRole(ChangeMemberRoleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ChangeMemberRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new group.
+        /// </summary>
+        public static void CreateGroup(CreateGroupRequest request, Action<CreateGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/CreateGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a new group role.
+        /// </summary>
+        public static void CreateRole(CreateGroupRoleRequest request, Action<CreateGroupRoleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/CreateRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a group and all roles, invitations, join requests, and blocks associated with it.
+        /// </summary>
+        public static void DeleteGroup(DeleteGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/DeleteGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes an existing role in a group.
+        /// </summary>
+        public static void DeleteRole(DeleteRoleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/DeleteRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets information about a group and its roles
+        /// </summary>
+        public static void GetGroup(GetGroupRequest request, Action<GetGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/GetGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Invites a player to join a group
+        /// </summary>
+        public static void InviteToGroup(InviteToGroupRequest request, Action<InviteToGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/InviteToGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Checks to see if an entity is a member of a group or role within the group
+        /// </summary>
+        public static void IsMember(IsMemberRequest request, Action<IsMemberResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/IsMember", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all outstanding requests to join a group
+        /// </summary>
+        public static void ListGroupApplications(ListGroupApplicationsRequest request, Action<ListGroupApplicationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListGroupApplications", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all entities blocked from joining a group
+        /// </summary>
+        public static void ListGroupBlocks(ListGroupBlocksRequest request, Action<ListGroupBlocksResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListGroupBlocks", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all outstanding invitations for a group
+        /// </summary>
+        public static void ListGroupInvitations(ListGroupInvitationsRequest request, Action<ListGroupInvitationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListGroupInvitations", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all members for a group
+        /// </summary>
+        public static void ListGroupMembers(ListGroupMembersRequest request, Action<ListGroupMembersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListGroupMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all groups and roles for an entity
+        /// </summary>
+        public static void ListMembership(ListMembershipRequest request, Action<ListMembershipResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListMembership", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all outstanding invitations and group applications for an entity
+        /// </summary>
+        public static void ListMembershipOpportunities(ListMembershipOpportunitiesRequest request, Action<ListMembershipOpportunitiesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/ListMembershipOpportunities", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes an application to join a group
+        /// </summary>
+        public static void RemoveGroupApplication(RemoveGroupApplicationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/RemoveGroupApplication", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes an invitation join a group
+        /// </summary>
+        public static void RemoveGroupInvitation(RemoveGroupInvitationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/RemoveGroupInvitation", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes members from a group.
+        /// </summary>
+        public static void RemoveMembers(RemoveMembersRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/RemoveMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unblocks a list of entities from joining a group
+        /// </summary>
+        public static void UnblockEntity(UnblockEntityRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/UnblockEntity", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates non-membership data about a group.
+        /// </summary>
+        public static void UpdateGroup(UpdateGroupRequest request, Action<UpdateGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/UpdateGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates metadata about a role.
+        /// </summary>
+        public static void UpdateRole(UpdateGroupRoleRequest request, Action<UpdateGroupRoleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Group/UpdateRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs.meta b/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c4945c8f02b80a16c8d4d0e234328c9698965bae
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 42170e999ab34f549ac03af203959176
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs b/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..2a6fe0bd4f2dbb8da271c03272dab1f8eb4d0c13
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs
@@ -0,0 +1,334 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.GroupsModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Groups API is designed for any permanent or semi-permanent collections of Entities (players, or non-players). If you
+    /// want to make Guilds/Clans/Corporations/etc., then you should use groups. Groups can also be used to make chatrooms,
+    /// parties, or any other persistent collection of entities.
+    /// </summary>
+    public class PlayFabGroupsInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabGroupsInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabGroupsInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Accepts an outstanding invitation to to join a group
+        /// </summary>
+        public void AcceptGroupApplication(AcceptGroupApplicationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/AcceptGroupApplication", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Accepts an invitation to join a group
+        /// </summary>
+        public void AcceptGroupInvitation(AcceptGroupInvitationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/AcceptGroupInvitation", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds members to a group or role.
+        /// </summary>
+        public void AddMembers(AddMembersRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/AddMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Applies to join a group
+        /// </summary>
+        public void ApplyToGroup(ApplyToGroupRequest request, Action<ApplyToGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ApplyToGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Blocks a list of entities from joining a group.
+        /// </summary>
+        public void BlockEntity(BlockEntityRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/BlockEntity", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Changes the role membership of a list of entities from one role to another.
+        /// </summary>
+        public void ChangeMemberRole(ChangeMemberRoleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ChangeMemberRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new group.
+        /// </summary>
+        public void CreateGroup(CreateGroupRequest request, Action<CreateGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/CreateGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a new group role.
+        /// </summary>
+        public void CreateRole(CreateGroupRoleRequest request, Action<CreateGroupRoleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/CreateRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a group and all roles, invitations, join requests, and blocks associated with it.
+        /// </summary>
+        public void DeleteGroup(DeleteGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/DeleteGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes an existing role in a group.
+        /// </summary>
+        public void DeleteRole(DeleteRoleRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/DeleteRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets information about a group and its roles
+        /// </summary>
+        public void GetGroup(GetGroupRequest request, Action<GetGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/GetGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Invites a player to join a group
+        /// </summary>
+        public void InviteToGroup(InviteToGroupRequest request, Action<InviteToGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/InviteToGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Checks to see if an entity is a member of a group or role within the group
+        /// </summary>
+        public void IsMember(IsMemberRequest request, Action<IsMemberResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/IsMember", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all outstanding requests to join a group
+        /// </summary>
+        public void ListGroupApplications(ListGroupApplicationsRequest request, Action<ListGroupApplicationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListGroupApplications", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all entities blocked from joining a group
+        /// </summary>
+        public void ListGroupBlocks(ListGroupBlocksRequest request, Action<ListGroupBlocksResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListGroupBlocks", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all outstanding invitations for a group
+        /// </summary>
+        public void ListGroupInvitations(ListGroupInvitationsRequest request, Action<ListGroupInvitationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListGroupInvitations", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all members for a group
+        /// </summary>
+        public void ListGroupMembers(ListGroupMembersRequest request, Action<ListGroupMembersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListGroupMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all groups and roles for an entity
+        /// </summary>
+        public void ListMembership(ListMembershipRequest request, Action<ListMembershipResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListMembership", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all outstanding invitations and group applications for an entity
+        /// </summary>
+        public void ListMembershipOpportunities(ListMembershipOpportunitiesRequest request, Action<ListMembershipOpportunitiesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/ListMembershipOpportunities", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes an application to join a group
+        /// </summary>
+        public void RemoveGroupApplication(RemoveGroupApplicationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/RemoveGroupApplication", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes an invitation join a group
+        /// </summary>
+        public void RemoveGroupInvitation(RemoveGroupInvitationRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/RemoveGroupInvitation", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes members from a group.
+        /// </summary>
+        public void RemoveMembers(RemoveMembersRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/RemoveMembers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unblocks a list of entities from joining a group
+        /// </summary>
+        public void UnblockEntity(UnblockEntityRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/UnblockEntity", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates non-membership data about a group.
+        /// </summary>
+        public void UpdateGroup(UpdateGroupRequest request, Action<UpdateGroupResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/UpdateGroup", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates metadata about a role.
+        /// </summary>
+        public void UpdateRole(UpdateGroupRoleRequest request, Action<UpdateGroupRoleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Group/UpdateRole", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs.meta b/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..2de4310ff4a773380a2d57dc90ba9cbd0d166a29
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: e14b336d534f60f4e911c8db52e74a86
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs b/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..e6a81905d69261af6ffc1d85b4097825d0b58724
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs
@@ -0,0 +1,985 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.GroupsModels
+{
+    /// <summary>
+    /// Accepts an outstanding invitation to to join a group if the invited entity is not blocked by the group. Nothing is
+    /// returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class AcceptGroupApplicationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional. Type of the entity to accept as. If specified, must be the same entity as the claimant or an entity that is a
+        /// child of the claimant entity. Defaults to the claimant entity.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Accepts an outstanding invitation to join the group if the invited entity is not blocked by the group. Only the invited
+    /// entity or a parent in its chain (e.g. title) may accept the invitation on the invited entity's behalf. Nothing is
+    /// returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class AcceptGroupInvitationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Adds members to a group or role. Existing members of the group will added to roles within the group, but if the user is
+    /// not already a member of the group, only title claimants may add them to the group, and others must use the group
+    /// application or invite system to add new members to a group. Returns nothing if successful.
+    /// </summary>
+    [Serializable]
+    public class AddMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// List of entities to add to the group. Only entities of type title_player_account and character may be added to groups.
+        /// </summary>
+        public List<EntityKey> Members;
+        /// <summary>
+        /// Optional: The ID of the existing role to add the entities to. If this is not specified, the default member role for the
+        /// group will be used. Role IDs must be between 1 and 64 characters long.
+        /// </summary>
+        public string RoleId;
+    }
+
+    /// <summary>
+    /// Creates an application to join a group. Calling this while a group application already exists will return the same
+    /// application instead of an error and will not refresh the time before the application expires. By default, if the entity
+    /// has an invitation to join the group outstanding, this will accept the invitation to join the group instead and return an
+    /// error indicating such, rather than creating a duplicate application to join that will need to be cleaned up later.
+    /// Returns information about the application or an error indicating an invitation was accepted instead.
+    /// </summary>
+    [Serializable]
+    public class ApplyToGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional, default true. Automatically accept an outstanding invitation if one exists instead of creating an application
+        /// </summary>
+        public bool? AutoAcceptOutstandingInvite;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Describes an application to join a group
+    /// </summary>
+    [Serializable]
+    public class ApplyToGroupResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Type of entity that requested membership
+        /// </summary>
+        public EntityWithLineage Entity;
+        /// <summary>
+        /// When the application to join will expire and be deleted
+        /// </summary>
+        public DateTime Expires;
+        /// <summary>
+        /// ID of the group that the entity requesting membership to
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Blocks a list of entities from joining a group. Blocked entities may not create new applications to join, be invited to
+    /// join, accept an invitation, or have an application accepted. Failure due to being blocked does not clean up existing
+    /// applications or invitations to the group. No data is returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class BlockEntityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Changes the role membership of a list of entities from one role to another in in a single operation. The destination
+    /// role must already exist. This is equivalent to adding the entities to the destination role and removing from the origin
+    /// role. Returns nothing if successful.
+    /// </summary>
+    [Serializable]
+    public class ChangeMemberRoleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The ID of the role that the entities will become a member of. This must be an existing role. Role IDs must be between 1
+        /// and 64 characters long.
+        /// </summary>
+        public string DestinationRoleId;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// List of entities to move between roles in the group. All entities in this list must be members of the group and origin
+        /// role.
+        /// </summary>
+        public List<EntityKey> Members;
+        /// <summary>
+        /// The ID of the role that the entities currently are a member of. Role IDs must be between 1 and 64 characters long.
+        /// </summary>
+        public string OriginRoleId;
+    }
+
+    /// <summary>
+    /// Creates a new group, as well as administration and member roles, based off of a title's group template. Returns
+    /// information about the group that was created.
+    /// </summary>
+    [Serializable]
+    public class CreateGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the group. This is unique at the title level by default.
+        /// </summary>
+        public string GroupName;
+    }
+
+    [Serializable]
+    public class CreateGroupResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The ID of the administrator role for the group.
+        /// </summary>
+        public string AdminRoleId;
+        /// <summary>
+        /// The server date and time the group was created.
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The name of the group.
+        /// </summary>
+        public string GroupName;
+        /// <summary>
+        /// The ID of the default member role for the group.
+        /// </summary>
+        public string MemberRoleId;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// The list of roles and names that belong to the group.
+        /// </summary>
+        public Dictionary<string,string> Roles;
+    }
+
+    /// <summary>
+    /// Creates a new role within an existing group, with no members. Both the role ID and role name must be unique within the
+    /// group, but the name can be the same as the ID. The role ID is set at creation and cannot be changed. Returns information
+    /// about the role that was created.
+    /// </summary>
+    [Serializable]
+    public class CreateGroupRoleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The ID of the role. This must be unique within the group and cannot be changed. Role IDs must be between 1 and 64
+        /// characters long.
+        /// </summary>
+        public string RoleId;
+        /// <summary>
+        /// The name of the role. This must be unique within the group and can be changed later. Role names must be between 1 and
+        /// 100 characters long
+        /// </summary>
+        public string RoleName;
+    }
+
+    [Serializable]
+    public class CreateGroupRoleResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The current version of the group profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// ID for the role
+        /// </summary>
+        public string RoleId;
+        /// <summary>
+        /// The name of the role
+        /// </summary>
+        public string RoleName;
+    }
+
+    /// <summary>
+    /// Deletes a group and all roles, invitations, join requests, and blocks associated with it. Permission to delete is only
+    /// required the group itself to execute this action. The group and data cannot be cannot be recovered once removed, but any
+    /// abuse reports about the group will remain. No data is returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class DeleteGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// ID of the group or role to remove
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Returns information about the role
+    /// </summary>
+    [Serializable]
+    public class DeleteRoleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The ID of the role to delete. Role IDs must be between 1 and 64 characters long.
+        /// </summary>
+        public string RoleId;
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EntityMemberRole : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The list of members in the role
+        /// </summary>
+        public List<EntityWithLineage> Members;
+        /// <summary>
+        /// The ID of the role.
+        /// </summary>
+        public string RoleId;
+        /// <summary>
+        /// The name of the role
+        /// </summary>
+        public string RoleName;
+    }
+
+    /// <summary>
+    /// Entity wrapper class that contains the entity key and the entities that make up the lineage of the entity.
+    /// </summary>
+    [Serializable]
+    public class EntityWithLineage : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The entity key for the specified entity
+        /// </summary>
+        public EntityKey Key;
+        /// <summary>
+        /// Dictionary of entity keys for related entities. Dictionary key is entity type.
+        /// </summary>
+        public Dictionary<string,EntityKey> Lineage;
+    }
+
+    /// <summary>
+    /// Returns the ID, name, role list and other non-membership related information about a group.
+    /// </summary>
+    [Serializable]
+    public class GetGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The full name of the group
+        /// </summary>
+        public string GroupName;
+    }
+
+    [Serializable]
+    public class GetGroupResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The ID of the administrator role for the group.
+        /// </summary>
+        public string AdminRoleId;
+        /// <summary>
+        /// The server date and time the group was created.
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The name of the group.
+        /// </summary>
+        public string GroupName;
+        /// <summary>
+        /// The ID of the default member role for the group.
+        /// </summary>
+        public string MemberRoleId;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// The list of roles and names that belong to the group.
+        /// </summary>
+        public Dictionary<string,string> Roles;
+    }
+
+    /// <summary>
+    /// Describes an application to join a group
+    /// </summary>
+    [Serializable]
+    public class GroupApplication : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Type of entity that requested membership
+        /// </summary>
+        public EntityWithLineage Entity;
+        /// <summary>
+        /// When the application to join will expire and be deleted
+        /// </summary>
+        public DateTime Expires;
+        /// <summary>
+        /// ID of the group that the entity requesting membership to
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Describes an entity that is blocked from joining a group.
+    /// </summary>
+    [Serializable]
+    public class GroupBlock : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The entity that is blocked
+        /// </summary>
+        public EntityWithLineage Entity;
+        /// <summary>
+        /// ID of the group that the entity is blocked from
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Describes an invitation to a group.
+    /// </summary>
+    [Serializable]
+    public class GroupInvitation : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When the invitation will expire and be deleted
+        /// </summary>
+        public DateTime Expires;
+        /// <summary>
+        /// The group that the entity invited to
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The entity that created the invitation
+        /// </summary>
+        public EntityWithLineage InvitedByEntity;
+        /// <summary>
+        /// The entity that is invited
+        /// </summary>
+        public EntityWithLineage InvitedEntity;
+        /// <summary>
+        /// ID of the role in the group to assign the user to.
+        /// </summary>
+        public string RoleId;
+    }
+
+    /// <summary>
+    /// Describes a group role
+    /// </summary>
+    [Serializable]
+    public class GroupRole : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ID for the role
+        /// </summary>
+        public string RoleId;
+        /// <summary>
+        /// The name of the role
+        /// </summary>
+        public string RoleName;
+    }
+
+    /// <summary>
+    /// Describes a group and the roles that it contains
+    /// </summary>
+    [Serializable]
+    public class GroupWithRoles : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ID for the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The name of the group
+        /// </summary>
+        public string GroupName;
+        /// <summary>
+        /// The current version of the profile, can be used for concurrency control during updates.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// The list of roles within the group
+        /// </summary>
+        public List<GroupRole> Roles;
+    }
+
+    /// <summary>
+    /// Invites a player to join a group, if they are not blocked by the group. An optional role can be provided to
+    /// automatically assign the player to the role if they accept the invitation. By default, if the entity has an application
+    /// to the group outstanding, this will accept the application instead and return an error indicating such, rather than
+    /// creating a duplicate invitation to join that will need to be cleaned up later. Returns information about the new
+    /// invitation or an error indicating an existing application to join was accepted.
+    /// </summary>
+    [Serializable]
+    public class InviteToGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional, default true. Automatically accept an application if one exists instead of creating an invitation
+        /// </summary>
+        public bool? AutoAcceptOutstandingApplication;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// Optional. ID of an existing a role in the group to assign the user to. The group's default member role is used if this
+        /// is not specified. Role IDs must be between 1 and 64 characters long.
+        /// </summary>
+        public string RoleId;
+    }
+
+    /// <summary>
+    /// Describes an invitation to a group.
+    /// </summary>
+    [Serializable]
+    public class InviteToGroupResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// When the invitation will expire and be deleted
+        /// </summary>
+        public DateTime Expires;
+        /// <summary>
+        /// The group that the entity invited to
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// The entity that created the invitation
+        /// </summary>
+        public EntityWithLineage InvitedByEntity;
+        /// <summary>
+        /// The entity that is invited
+        /// </summary>
+        public EntityWithLineage InvitedEntity;
+        /// <summary>
+        /// ID of the role in the group to assign the user to.
+        /// </summary>
+        public string RoleId;
+    }
+
+    /// <summary>
+    /// Checks to see if an entity is a member of a group or role within the group. A result indicating if the entity is a
+    /// member of the group is returned, or a permission error if the caller does not have permission to read the group's member
+    /// list.
+    /// </summary>
+    [Serializable]
+    public class IsMemberRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// Optional: ID of the role to check membership of. Defaults to any role (that is, check to see if the entity is a member
+        /// of the group in any capacity) if not specified.
+        /// </summary>
+        public string RoleId;
+    }
+
+    [Serializable]
+    public class IsMemberResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// A value indicating whether or not the entity is a member.
+        /// </summary>
+        public bool IsMember;
+    }
+
+    /// <summary>
+    /// Lists all outstanding requests to join a group. Returns a list of all requests to join, as well as when the request will
+    /// expire. To get the group applications for a specific entity, use ListMembershipOpportunities.
+    /// </summary>
+    [Serializable]
+    public class ListGroupApplicationsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    [Serializable]
+    public class ListGroupApplicationsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of applications to the group.
+        /// </summary>
+        public List<GroupApplication> Applications;
+    }
+
+    /// <summary>
+    /// Lists all entities blocked from joining a group. A list of blocked entities is returned
+    /// </summary>
+    [Serializable]
+    public class ListGroupBlocksRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    [Serializable]
+    public class ListGroupBlocksResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list blocked entities.
+        /// </summary>
+        public List<GroupBlock> BlockedEntities;
+    }
+
+    /// <summary>
+    /// Lists all outstanding invitations for a group. Returns a list of entities that have been invited, as well as when the
+    /// invitation will expire. To get the group invitations for a specific entity, use ListMembershipOpportunities.
+    /// </summary>
+    [Serializable]
+    public class ListGroupInvitationsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    [Serializable]
+    public class ListGroupInvitationsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of group invitations.
+        /// </summary>
+        public List<GroupInvitation> Invitations;
+    }
+
+    /// <summary>
+    /// Gets a list of members and the roles they belong to within the group. If the caller does not have permission to view the
+    /// role, and the member is in no other role, the member is not displayed. Returns a list of entities that are members of
+    /// the group.
+    /// </summary>
+    [Serializable]
+    public class ListGroupMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// ID of the group to list the members and roles for
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    [Serializable]
+    public class ListGroupMembersResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of roles and member entity IDs.
+        /// </summary>
+        public List<EntityMemberRole> Members;
+    }
+
+    /// <summary>
+    /// Lists all outstanding group applications and invitations for an entity. Anyone may call this for any entity, but data
+    /// will only be returned for the entity or a parent of that entity. To list invitations or applications for a group to
+    /// check if a player is trying to join, use ListGroupInvitations and ListGroupApplications.
+    /// </summary>
+    [Serializable]
+    public class ListMembershipOpportunitiesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class ListMembershipOpportunitiesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of group applications.
+        /// </summary>
+        public List<GroupApplication> Applications;
+        /// <summary>
+        /// The requested list of group invitations.
+        /// </summary>
+        public List<GroupInvitation> Invitations;
+    }
+
+    /// <summary>
+    /// Lists the groups and roles that an entity is a part of, checking to see if group and role metadata and memberships
+    /// should be visible to the caller. If the entity is not in any roles that are visible to the caller, the group is not
+    /// returned in the results, even if the caller otherwise has permission to see that the entity is a member of that group.
+    /// </summary>
+    [Serializable]
+    public class ListMembershipRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class ListMembershipResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of groups
+        /// </summary>
+        public List<GroupWithRoles> Groups;
+    }
+
+    public enum OperationTypes
+    {
+        Created,
+        Updated,
+        Deleted,
+        None
+    }
+
+    /// <summary>
+    /// Removes an existing application to join the group. This is used for both rejection of an application as well as
+    /// withdrawing an application. The applying entity or a parent in its chain (e.g. title) may withdraw the application, and
+    /// any caller with appropriate access in the group may reject an application. No data is returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class RemoveGroupApplicationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Removes an existing invitation to join the group. This is used for both rejection of an invitation as well as rescinding
+    /// an invitation. The invited entity or a parent in its chain (e.g. title) may reject the invitation by calling this
+    /// method, and any caller with appropriate access in the group may rescind an invitation. No data is returned in the case
+    /// of success.
+    /// </summary>
+    [Serializable]
+    public class RemoveGroupInvitationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Removes members from a group. A member can always remove themselves from a group, regardless of permissions. Returns
+    /// nothing if successful.
+    /// </summary>
+    [Serializable]
+    public class RemoveMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// List of entities to remove
+        /// </summary>
+        public List<EntityKey> Members;
+        /// <summary>
+        /// The ID of the role to remove the entities from.
+        /// </summary>
+        public string RoleId;
+    }
+
+    /// <summary>
+    /// Unblocks a list of entities from joining a group. No data is returned in the case of success.
+    /// </summary>
+    [Serializable]
+    public class UnblockEntityRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+    }
+
+    /// <summary>
+    /// Updates data about a group, such as the name or default member role. Returns information about whether the update was
+    /// successful. Only title claimants may modify the administration role for a group.
+    /// </summary>
+    [Serializable]
+    public class UpdateGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional: the ID of an existing role to set as the new administrator role for the group
+        /// </summary>
+        public string AdminRoleId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional field used for concurrency control. By specifying the previously returned value of ProfileVersion from the
+        /// GetGroup API, you can ensure that the group data update will only be performed if the group has not been updated by any
+        /// other clients since the version you last loaded.
+        /// </summary>
+        public int? ExpectedProfileVersion;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// Optional: the new name of the group
+        /// </summary>
+        public string GroupName;
+        /// <summary>
+        /// Optional: the ID of an existing role to set as the new member role for the group
+        /// </summary>
+        public string MemberRoleId;
+    }
+
+    [Serializable]
+    public class UpdateGroupResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Optional reason to explain why the operation was the result that it was.
+        /// </summary>
+        public string OperationReason;
+        /// <summary>
+        /// New version of the group data.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// Indicates which operation was completed, either Created, Updated, Deleted or None.
+        /// </summary>
+        public OperationTypes? SetResult;
+    }
+
+    /// <summary>
+    /// Updates the role name. Returns information about whether the update was successful.
+    /// </summary>
+    [Serializable]
+    public class UpdateGroupRoleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional field used for concurrency control. By specifying the previously returned value of ProfileVersion from the
+        /// GetGroup API, you can ensure that the group data update will only be performed if the group has not been updated by any
+        /// other clients since the version you last loaded.
+        /// </summary>
+        public int? ExpectedProfileVersion;
+        /// <summary>
+        /// The identifier of the group
+        /// </summary>
+        public EntityKey Group;
+        /// <summary>
+        /// ID of the role to update. Role IDs must be between 1 and 64 characters long.
+        /// </summary>
+        public string RoleId;
+        /// <summary>
+        /// The new name of the role
+        /// </summary>
+        public string RoleName;
+    }
+
+    [Serializable]
+    public class UpdateGroupRoleResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Optional reason to explain why the operation was the result that it was.
+        /// </summary>
+        public string OperationReason;
+        /// <summary>
+        /// New version of the role data.
+        /// </summary>
+        public int ProfileVersion;
+        /// <summary>
+        /// Indicates which operation was completed, either Created, Updated, Deleted or None.
+        /// </summary>
+        public OperationTypes? SetResult;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs.meta b/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c093d7516dd15fc6360f253cf45c1cfa89bbc5e0
--- /dev/null
+++ b/Assets/PlayFabSDK/Groups/PlayFabGroupsModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: d73f86b427d81044bb2417ea3b5b03ac
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Insights.meta b/Assets/PlayFabSDK/Insights.meta
new file mode 100644
index 0000000000000000000000000000000000000000..10264c5277e1bf13cd1f87cf361570c57fa75aa6
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 9e9ed76149c97e14c85789225c8c3971
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Insights/PlayFabEvents.cs b/Assets/PlayFabSDK/Insights/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..b07d1a5c2d83fb02655073ef411da5eea1240c6c
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabEvents.cs
@@ -0,0 +1,22 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.InsightsModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<InsightsEmptyRequest> OnInsightsGetDetailsRequestEvent;
+        public event PlayFabResultEvent<InsightsGetDetailsResponse> OnInsightsGetDetailsResultEvent;
+        public event PlayFabRequestEvent<InsightsEmptyRequest> OnInsightsGetLimitsRequestEvent;
+        public event PlayFabResultEvent<InsightsGetLimitsResponse> OnInsightsGetLimitsResultEvent;
+        public event PlayFabRequestEvent<InsightsGetOperationStatusRequest> OnInsightsGetOperationStatusRequestEvent;
+        public event PlayFabResultEvent<InsightsGetOperationStatusResponse> OnInsightsGetOperationStatusResultEvent;
+        public event PlayFabRequestEvent<InsightsGetPendingOperationsRequest> OnInsightsGetPendingOperationsRequestEvent;
+        public event PlayFabResultEvent<InsightsGetPendingOperationsResponse> OnInsightsGetPendingOperationsResultEvent;
+        public event PlayFabRequestEvent<InsightsSetPerformanceRequest> OnInsightsSetPerformanceRequestEvent;
+        public event PlayFabResultEvent<InsightsOperationResponse> OnInsightsSetPerformanceResultEvent;
+        public event PlayFabRequestEvent<InsightsSetStorageRetentionRequest> OnInsightsSetStorageRetentionRequestEvent;
+        public event PlayFabResultEvent<InsightsOperationResponse> OnInsightsSetStorageRetentionResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Insights/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Insights/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..a7bdce181f2fe3897a88639cebabed7cc8d372b9
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: f37defb20913be94a8d7b0e4ed5b97cf
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs b/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..b67e38833c42e36b42a10a41304201cdfe8a2040
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs
@@ -0,0 +1,119 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.InsightsModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Manage the Insights performance level and data storage retention settings.
+    /// </summary>
+    public static class PlayFabInsightsAPI
+    {
+        static PlayFabInsightsAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Gets the current values for the Insights performance and data storage retention, list of pending operations, and the
+        /// performance and data storage retention limits.
+        /// </summary>
+        public static void GetDetails(InsightsEmptyRequest request, Action<InsightsGetDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/GetDetails", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the range of allowed values for performance and data storage retention values as well as the submeter details
+        /// for each performance level.
+        /// </summary>
+        public static void GetLimits(InsightsEmptyRequest request, Action<InsightsGetLimitsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/GetLimits", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the status of a SetPerformance or SetStorageRetention operation.
+        /// </summary>
+        public static void GetOperationStatus(InsightsGetOperationStatusRequest request, Action<InsightsGetOperationStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/GetOperationStatus", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a list of pending SetPerformance and/or SetStorageRetention operations for the title.
+        /// </summary>
+        public static void GetPendingOperations(InsightsGetPendingOperationsRequest request, Action<InsightsGetPendingOperationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/GetPendingOperations", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the Insights performance level value for the title.
+        /// </summary>
+        public static void SetPerformance(InsightsSetPerformanceRequest request, Action<InsightsOperationResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/SetPerformance", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the Insights data storage retention days value for the title.
+        /// </summary>
+        public static void SetStorageRetention(InsightsSetStorageRetentionRequest request, Action<InsightsOperationResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Insights/SetStorageRetention", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs.meta b/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..51bd4edb6630cf0fc60014fcfeef49901efb6088
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 711d5cb10af3bcf44b9a605a7e7c03e3
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs b/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..5a6c42002c8ad67bd2be82cef77fa61d3b3a4cf6
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs
@@ -0,0 +1,125 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.InsightsModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Manage the Insights performance level and data storage retention settings.
+    /// </summary>
+    public class PlayFabInsightsInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabInsightsInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabInsightsInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Gets the current values for the Insights performance and data storage retention, list of pending operations, and the
+        /// performance and data storage retention limits.
+        /// </summary>
+        public void GetDetails(InsightsEmptyRequest request, Action<InsightsGetDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/GetDetails", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the range of allowed values for performance and data storage retention values as well as the submeter details
+        /// for each performance level.
+        /// </summary>
+        public void GetLimits(InsightsEmptyRequest request, Action<InsightsGetLimitsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/GetLimits", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the status of a SetPerformance or SetStorageRetention operation.
+        /// </summary>
+        public void GetOperationStatus(InsightsGetOperationStatusRequest request, Action<InsightsGetOperationStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/GetOperationStatus", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a list of pending SetPerformance and/or SetStorageRetention operations for the title.
+        /// </summary>
+        public void GetPendingOperations(InsightsGetPendingOperationsRequest request, Action<InsightsGetPendingOperationsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/GetPendingOperations", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the Insights performance level value for the title.
+        /// </summary>
+        public void SetPerformance(InsightsSetPerformanceRequest request, Action<InsightsOperationResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/SetPerformance", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the Insights data storage retention days value for the title.
+        /// </summary>
+        public void SetStorageRetention(InsightsSetStorageRetentionRequest request, Action<InsightsOperationResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Insights/SetStorageRetention", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs.meta b/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..3007153cb04fd04618afd4711828cb3792d01167
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: c2e7ee83796bb834cbd6263a7a6d65ca
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs b/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..fbfd2d62822f7bcbe143bb8790616e817d4eb90b
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs
@@ -0,0 +1,235 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.InsightsModels
+{
+    [Serializable]
+    public class InsightsEmptyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class InsightsGetDetailsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Amount of data (in MB) currently used by Insights.
+        /// </summary>
+        public uint DataUsageMb;
+        /// <summary>
+        /// Details of any error that occurred while retrieving Insights details.
+        /// </summary>
+        public string ErrorMessage;
+        /// <summary>
+        /// Allowed range of values for performance level and data storage retention.
+        /// </summary>
+        public InsightsGetLimitsResponse Limits;
+        /// <summary>
+        /// List of pending Insights operations for the title.
+        /// </summary>
+        public List<InsightsGetOperationStatusResponse> PendingOperations;
+        /// <summary>
+        /// Current Insights performance level setting.
+        /// </summary>
+        public int PerformanceLevel;
+        /// <summary>
+        /// Current Insights data storage retention value in days.
+        /// </summary>
+        public int RetentionDays;
+    }
+
+    [Serializable]
+    public class InsightsGetLimitsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Default Insights performance level.
+        /// </summary>
+        public int DefaultPerformanceLevel;
+        /// <summary>
+        /// Default Insights data storage retention days.
+        /// </summary>
+        public int DefaultStorageRetentionDays;
+        /// <summary>
+        /// Maximum allowed data storage retention days.
+        /// </summary>
+        public int StorageMaxRetentionDays;
+        /// <summary>
+        /// Minimum allowed data storage retention days.
+        /// </summary>
+        public int StorageMinRetentionDays;
+        /// <summary>
+        /// List of Insights submeter limits for the allowed performance levels.
+        /// </summary>
+        public List<InsightsPerformanceLevel> SubMeters;
+    }
+
+    /// <summary>
+    /// Returns the current status for the requested operation id.
+    /// </summary>
+    [Serializable]
+    public class InsightsGetOperationStatusRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Id of the Insights operation.
+        /// </summary>
+        public string OperationId;
+    }
+
+    [Serializable]
+    public class InsightsGetOperationStatusResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Optional message related to the operation details.
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Time the operation was completed.
+        /// </summary>
+        public DateTime OperationCompletedTime;
+        /// <summary>
+        /// Id of the Insights operation.
+        /// </summary>
+        public string OperationId;
+        /// <summary>
+        /// Time the operation status was last updated.
+        /// </summary>
+        public DateTime OperationLastUpdated;
+        /// <summary>
+        /// Time the operation started.
+        /// </summary>
+        public DateTime OperationStartedTime;
+        /// <summary>
+        /// The type of operation, SetPerformance or SetStorageRetention.
+        /// </summary>
+        public string OperationType;
+        /// <summary>
+        /// The value requested for the operation.
+        /// </summary>
+        public int OperationValue;
+        /// <summary>
+        /// Current status of the operation.
+        /// </summary>
+        public string Status;
+    }
+
+    /// <summary>
+    /// Returns a list of operations that are in the pending state for the requested operation type.
+    /// </summary>
+    [Serializable]
+    public class InsightsGetPendingOperationsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The type of pending operations requested, or blank for all operation types.
+        /// </summary>
+        public string OperationType;
+    }
+
+    [Serializable]
+    public class InsightsGetPendingOperationsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// List of pending Insights operations.
+        /// </summary>
+        public List<InsightsGetOperationStatusResponse> PendingOperations;
+    }
+
+    [Serializable]
+    public class InsightsOperationResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Optional message related to the operation details.
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Id of the Insights operation.
+        /// </summary>
+        public string OperationId;
+        /// <summary>
+        /// The type of operation, SetPerformance or SetStorageRetention.
+        /// </summary>
+        public string OperationType;
+    }
+
+    [Serializable]
+    public class InsightsPerformanceLevel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Number of allowed active event exports.
+        /// </summary>
+        public int ActiveEventExports;
+        /// <summary>
+        /// Maximum cache size.
+        /// </summary>
+        public int CacheSizeMB;
+        /// <summary>
+        /// Maximum number of concurrent queries.
+        /// </summary>
+        public int Concurrency;
+        /// <summary>
+        /// Number of Insights credits consumed per minute.
+        /// </summary>
+        public double CreditsPerMinute;
+        /// <summary>
+        /// Maximum events per second.
+        /// </summary>
+        public int EventsPerSecond;
+        /// <summary>
+        /// Performance level.
+        /// </summary>
+        public int Level;
+        /// <summary>
+        /// Maximum amount of memory allowed per query.
+        /// </summary>
+        public int MaxMemoryPerQueryMB;
+        /// <summary>
+        /// Amount of compute power allocated for queries and operations.
+        /// </summary>
+        public int VirtualCpuCores;
+    }
+
+    /// <summary>
+    /// Sets the performance level to the requested value. Use the GetLimits method to get the allowed values.
+    /// </summary>
+    [Serializable]
+    public class InsightsSetPerformanceRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The Insights performance level to apply to the title.
+        /// </summary>
+        public int PerformanceLevel;
+    }
+
+    /// <summary>
+    /// Sets the data storage retention to the requested value. Use the GetLimits method to get the range of allowed values.
+    /// </summary>
+    [Serializable]
+    public class InsightsSetStorageRetentionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The Insights data storage retention value (in days) to apply to the title.
+        /// </summary>
+        public int RetentionDays;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs.meta b/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ab052d031a46f7ba50de91a10bc8f3f678d1bc17
--- /dev/null
+++ b/Assets/PlayFabSDK/Insights/PlayFabInsightsModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 0018df8cb03ec3a498320c2be74427e4
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Localization.meta b/Assets/PlayFabSDK/Localization.meta
new file mode 100644
index 0000000000000000000000000000000000000000..7afe09a1bd0f891971edea6068e9936a3ab1849f
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 36cb4effc7537d94294cbcd603c399af
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Localization/PlayFabEvents.cs b/Assets/PlayFabSDK/Localization/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..02a262eb8d1bd4e325c7526bca09d6702d710800
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabEvents.cs
@@ -0,0 +1,12 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.LocalizationModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<GetLanguageListRequest> OnLocalizationGetLanguageListRequestEvent;
+        public event PlayFabResultEvent<GetLanguageListResponse> OnLocalizationGetLanguageListResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Localization/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Localization/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0edb54cedaad4880c37a87cc8232cb76c7c2e035
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 1c3bd18b65a5d8d4eb83e5ef98114e4d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs b/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d16787fe99569df44bb73dba012a7ab4eb5667c7
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs
@@ -0,0 +1,52 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.LocalizationModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Localization APIs give you the tools needed to manage language setup in your title.
+    /// </summary>
+    public static class PlayFabLocalizationAPI
+    {
+        static PlayFabLocalizationAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Retrieves the list of allowed languages, only accessible by title entities
+        /// </summary>
+        public static void GetLanguageList(GetLanguageListRequest request, Action<GetLanguageListResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Locale/GetLanguageList", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs.meta b/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..997fea2010ed8bbc5669a3150784360c51a0859e
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ca10b96ef3ce52644a989907c77d047f
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs b/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..8797cfc7d14eab7653ebea1ba3442a6933060b9b
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs
@@ -0,0 +1,68 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.LocalizationModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// The Localization APIs give you the tools needed to manage language setup in your title.
+    /// </summary>
+    public class PlayFabLocalizationInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabLocalizationInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabLocalizationInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Retrieves the list of allowed languages, only accessible by title entities
+        /// </summary>
+        public void GetLanguageList(GetLanguageListRequest request, Action<GetLanguageListResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Locale/GetLanguageList", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs.meta b/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ab52fccc0492c0e51acb554eea8fdf47fddd9047
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 0e3a59c48c3c6fb45a9d83845b225dde
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs b/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..49d2d475180d7176a0db942b8a3bfaed4ecea820
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs
@@ -0,0 +1,26 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.LocalizationModels
+{
+    [Serializable]
+    public class GetLanguageListRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetLanguageListResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of allowed languages, in BCP47 two-letter format
+        /// </summary>
+        public List<string> LanguageList;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs.meta b/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0e2da1e13cdac7262833a286913dd83b45798830
--- /dev/null
+++ b/Assets/PlayFabSDK/Localization/PlayFabLocalizationModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 772d6350724839b498944cab1b377fb5
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Matchmaker.meta b/Assets/PlayFabSDK/Matchmaker.meta
new file mode 100644
index 0000000000000000000000000000000000000000..143b4fea750fb11feea0926748857773d17c65dd
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 8a412908d5a194e469d8ca0be97748d7
+folderAsset: yes
+timeCreated: 1468524875
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs b/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..750b95febd4eaa11c029f2b676f3add14903fde6
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs
@@ -0,0 +1,20 @@
+#if ENABLE_PLAYFABSERVER_API
+using PlayFab.MatchmakerModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<AuthUserRequest> OnMatchmakerAuthUserRequestEvent;
+        public event PlayFabResultEvent<AuthUserResponse> OnMatchmakerAuthUserResultEvent;
+        public event PlayFabRequestEvent<PlayerJoinedRequest> OnMatchmakerPlayerJoinedRequestEvent;
+        public event PlayFabResultEvent<PlayerJoinedResponse> OnMatchmakerPlayerJoinedResultEvent;
+        public event PlayFabRequestEvent<PlayerLeftRequest> OnMatchmakerPlayerLeftRequestEvent;
+        public event PlayFabResultEvent<PlayerLeftResponse> OnMatchmakerPlayerLeftResultEvent;
+        public event PlayFabRequestEvent<StartGameRequest> OnMatchmakerStartGameRequestEvent;
+        public event PlayFabResultEvent<StartGameResponse> OnMatchmakerStartGameResultEvent;
+        public event PlayFabRequestEvent<UserInfoRequest> OnMatchmakerUserInfoRequestEvent;
+        public event PlayFabResultEvent<UserInfoResponse> OnMatchmakerUserInfoResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e3a3343c9025f10bfba357e21e2f883c4d185380
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 1055058934189914bac79666a289e9fd
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..74ddf7c0dbe437f839f68f975872be0e2e3204b9
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs
@@ -0,0 +1,97 @@
+#if ENABLE_PLAYFABSERVER_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.MatchmakerModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Enables the use of an external match-making service in conjunction with PlayFab hosted Game Server instances
+    /// </summary>
+    public static class PlayFabMatchmakerAPI
+    {
+        static PlayFabMatchmakerAPI() {}
+
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Validates a user with the PlayFab service
+        /// </summary>
+        public static void AuthUser(AuthUserRequest request, Action<AuthUserResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Matchmaker/AuthUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab game server hosting service that the indicated user has joined the Game Server Instance specified
+        /// </summary>
+        public static void PlayerJoined(PlayerJoinedRequest request, Action<PlayerJoinedResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Matchmaker/PlayerJoined", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab game server hosting service that the indicated user has left the Game Server Instance specified
+        /// </summary>
+        public static void PlayerLeft(PlayerLeftRequest request, Action<PlayerLeftResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Matchmaker/PlayerLeft", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Instructs the PlayFab game server hosting service to instantiate a new Game Server Instance
+        /// </summary>
+        public static void StartGame(StartGameRequest request, Action<StartGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Matchmaker/StartGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user, which the external match-making service can then use to compute
+        /// effective matches
+        /// </summary>
+        public static void UserInfo(UserInfoRequest request, Action<UserInfoResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Matchmaker/UserInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs.meta b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e6f48d33364beaf264fa67e056268c4156bd9bfd
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerAPI.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: c712eeedbc85dfa4c80d30f8a2ed6cd9
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..260a72c8eaad2b860b50933431cc6fb7fc76e8e8
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs
@@ -0,0 +1,105 @@
+#if ENABLE_PLAYFABSERVER_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.MatchmakerModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Enables the use of an external match-making service in conjunction with PlayFab hosted Game Server instances
+    /// </summary>
+    public class PlayFabMatchmakerInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabMatchmakerInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabMatchmakerInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Validates a user with the PlayFab service
+        /// </summary>
+        public void AuthUser(AuthUserRequest request, Action<AuthUserResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Matchmaker/AuthUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab game server hosting service that the indicated user has joined the Game Server Instance specified
+        /// </summary>
+        public void PlayerJoined(PlayerJoinedRequest request, Action<PlayerJoinedResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Matchmaker/PlayerJoined", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab game server hosting service that the indicated user has left the Game Server Instance specified
+        /// </summary>
+        public void PlayerLeft(PlayerLeftRequest request, Action<PlayerLeftResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Matchmaker/PlayerLeft", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Instructs the PlayFab game server hosting service to instantiate a new Game Server Instance
+        /// </summary>
+        public void StartGame(StartGameRequest request, Action<StartGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Matchmaker/StartGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user, which the external match-making service can then use to compute
+        /// effective matches
+        /// </summary>
+        public void UserInfo(UserInfoRequest request, Action<UserInfoResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Matchmaker/UserInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs.meta b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..cb8059c9d26b42c41567c55fd1643ce0aef0e111
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 77057761a62cdb648960d924f1b322af
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0ce04e835a9246faa5d608e095c5b68b4468c5e6
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs
@@ -0,0 +1,296 @@
+#if ENABLE_PLAYFABSERVER_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.MatchmakerModels
+{
+    /// <summary>
+    /// This API allows the external match-making service to confirm that the user has a valid Session Ticket for the title, in
+    /// order to securely enable match-making. The client passes the user's Session Ticket to the external match-making service,
+    /// which then passes the Session Ticket in as the AuthorizationTicket in this call.
+    /// </summary>
+    [Serializable]
+    public class AuthUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Session Ticket provided by the client.
+        /// </summary>
+        public string AuthorizationTicket;
+    }
+
+    [Serializable]
+    public class AuthUserResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Boolean indicating if the user has been authorized to use the external match-making service.
+        /// </summary>
+        public bool Authorized;
+        /// <summary>
+        /// PlayFab unique identifier of the account that has been authorized.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// A unique instance of an item in a user's inventory. Note, to retrieve additional information for an item such as Tags,
+    /// Description that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can
+    /// be matched to a catalog entry, which contains the additional information. Also note that Custom Data is only set when
+    /// the User's specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields
+    /// such as UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class ItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    [Serializable]
+    public class PlayerJoinedRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier of the Game Server Instance the user is joining. This must be a Game Server Instance started with the
+        /// Matchmaker/StartGame API.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// PlayFab unique identifier for the player joining.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class PlayerJoinedResponse : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class PlayerLeftRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier of the Game Server Instance the user is leaving. This must be a Game Server Instance started with the
+        /// Matchmaker/StartGame API.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// PlayFab unique identifier for the player leaving.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class PlayerLeftResponse : PlayFabResultCommon
+    {
+    }
+
+    public enum Region
+    {
+        USCentral,
+        USEast,
+        EUWest,
+        Singapore,
+        Japan,
+        Brazil,
+        Australia
+    }
+
+    [Serializable]
+    public class StartGameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the previously uploaded build executable which is to be started.
+        /// </summary>
+        public string Build;
+        /// <summary>
+        /// Custom command line argument when starting game server process.
+        /// </summary>
+        public string CustomCommandLineData;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// HTTP endpoint URL for receiving game status events, if using an external matchmaker. When the game ends, PlayFab will
+        /// make a POST request to this URL with the X-SecretKey header set to the value of the game's secret and an
+        /// application/json body of { "EventName": "game_ended", "GameID": "<gameid>" }.
+        /// </summary>
+        public string ExternalMatchmakerEventEndpoint;
+        /// <summary>
+        /// Game mode for this Game Server Instance.
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// Region with which to associate the server, for filtering.
+        /// </summary>
+        public Region Region;
+    }
+
+    [Serializable]
+    public class StartGameResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier for the game/lobby in the new Game Server Instance.
+        /// </summary>
+        public string GameID;
+        /// <summary>
+        /// IPV4 address of the server
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// IPV6 address of the new Game Server Instance.
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// Port number for communication with the Game Server Instance.
+        /// </summary>
+        public uint ServerPort;
+        /// <summary>
+        /// Public DNS name (if any) of the server
+        /// </summary>
+        public string ServerPublicDNSName;
+    }
+
+    [Serializable]
+    public class UserInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Minimum catalog version for which data is requested (filters the results to only contain inventory items which have a
+        /// catalog version of this or higher).
+        /// </summary>
+        public int MinCatalogVersion;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose information is being requested.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UserInfoResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of inventory items in the user's current inventory.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Boolean indicating whether the user is a developer.
+        /// </summary>
+        public bool IsDeveloper;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose information was requested.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Steam unique identifier, if the user has an associated Steam account.
+        /// </summary>
+        public string SteamId;
+        /// <summary>
+        /// Title specific display name, if set.
+        /// </summary>
+        public string TitleDisplayName;
+        /// <summary>
+        /// PlayFab unique user name.
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyRechargeTime : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Maximum value to which the regenerating currency will automatically increment. Note that it can exceed this value
+        /// through use of the AddUserVirtualCurrency API call. However, it will not regenerate automatically until it has fallen
+        /// below this value.
+        /// </summary>
+        public int RechargeMax;
+        /// <summary>
+        /// Server timestamp in UTC indicating the next time the virtual currency will be incremented.
+        /// </summary>
+        public DateTime RechargeTime;
+        /// <summary>
+        /// Time remaining (in seconds) before the next recharge increment of the virtual currency.
+        /// </summary>
+        public int SecondsToRecharge;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs.meta b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ca305967dc2b904528e6a75a66b8e321cc65d72d
--- /dev/null
+++ b/Assets/PlayFabSDK/Matchmaker/PlayFabMatchmakerModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: c7c60a1006c1e64499804ca82b2412ed
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Multiplayer.meta b/Assets/PlayFabSDK/Multiplayer.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d9a8414e6a804d9d08c2e89c96ba1ef203d5c05b
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: e40ecd498354adc4d835280bde786361
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs b/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..326b00a3f61962756189984653cfa41a62386642
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs
@@ -0,0 +1,140 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.MultiplayerModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<CancelAllMatchmakingTicketsForPlayerRequest> OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent;
+        public event PlayFabResultEvent<CancelAllMatchmakingTicketsForPlayerResult> OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent;
+        public event PlayFabRequestEvent<CancelAllServerBackfillTicketsForPlayerRequest> OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent;
+        public event PlayFabResultEvent<CancelAllServerBackfillTicketsForPlayerResult> OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent;
+        public event PlayFabRequestEvent<CancelMatchmakingTicketRequest> OnMultiplayerCancelMatchmakingTicketRequestEvent;
+        public event PlayFabResultEvent<CancelMatchmakingTicketResult> OnMultiplayerCancelMatchmakingTicketResultEvent;
+        public event PlayFabRequestEvent<CancelServerBackfillTicketRequest> OnMultiplayerCancelServerBackfillTicketRequestEvent;
+        public event PlayFabResultEvent<CancelServerBackfillTicketResult> OnMultiplayerCancelServerBackfillTicketResultEvent;
+        public event PlayFabRequestEvent<CreateBuildAliasRequest> OnMultiplayerCreateBuildAliasRequestEvent;
+        public event PlayFabResultEvent<BuildAliasDetailsResponse> OnMultiplayerCreateBuildAliasResultEvent;
+        public event PlayFabRequestEvent<CreateBuildWithCustomContainerRequest> OnMultiplayerCreateBuildWithCustomContainerRequestEvent;
+        public event PlayFabResultEvent<CreateBuildWithCustomContainerResponse> OnMultiplayerCreateBuildWithCustomContainerResultEvent;
+        public event PlayFabRequestEvent<CreateBuildWithManagedContainerRequest> OnMultiplayerCreateBuildWithManagedContainerRequestEvent;
+        public event PlayFabResultEvent<CreateBuildWithManagedContainerResponse> OnMultiplayerCreateBuildWithManagedContainerResultEvent;
+        public event PlayFabRequestEvent<CreateBuildWithProcessBasedServerRequest> OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent;
+        public event PlayFabResultEvent<CreateBuildWithProcessBasedServerResponse> OnMultiplayerCreateBuildWithProcessBasedServerResultEvent;
+        public event PlayFabRequestEvent<CreateMatchmakingTicketRequest> OnMultiplayerCreateMatchmakingTicketRequestEvent;
+        public event PlayFabResultEvent<CreateMatchmakingTicketResult> OnMultiplayerCreateMatchmakingTicketResultEvent;
+        public event PlayFabRequestEvent<CreateRemoteUserRequest> OnMultiplayerCreateRemoteUserRequestEvent;
+        public event PlayFabResultEvent<CreateRemoteUserResponse> OnMultiplayerCreateRemoteUserResultEvent;
+        public event PlayFabRequestEvent<CreateServerBackfillTicketRequest> OnMultiplayerCreateServerBackfillTicketRequestEvent;
+        public event PlayFabResultEvent<CreateServerBackfillTicketResult> OnMultiplayerCreateServerBackfillTicketResultEvent;
+        public event PlayFabRequestEvent<CreateServerMatchmakingTicketRequest> OnMultiplayerCreateServerMatchmakingTicketRequestEvent;
+        public event PlayFabResultEvent<CreateMatchmakingTicketResult> OnMultiplayerCreateServerMatchmakingTicketResultEvent;
+        public event PlayFabRequestEvent<CreateTitleMultiplayerServersQuotaChangeRequest> OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent;
+        public event PlayFabResultEvent<CreateTitleMultiplayerServersQuotaChangeResponse> OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent;
+        public event PlayFabRequestEvent<DeleteAssetRequest> OnMultiplayerDeleteAssetRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteAssetResultEvent;
+        public event PlayFabRequestEvent<DeleteBuildRequest> OnMultiplayerDeleteBuildRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteBuildResultEvent;
+        public event PlayFabRequestEvent<DeleteBuildAliasRequest> OnMultiplayerDeleteBuildAliasRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteBuildAliasResultEvent;
+        public event PlayFabRequestEvent<DeleteBuildRegionRequest> OnMultiplayerDeleteBuildRegionRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteBuildRegionResultEvent;
+        public event PlayFabRequestEvent<DeleteCertificateRequest> OnMultiplayerDeleteCertificateRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteCertificateResultEvent;
+        public event PlayFabRequestEvent<DeleteContainerImageRequest> OnMultiplayerDeleteContainerImageRepositoryRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteContainerImageRepositoryResultEvent;
+        public event PlayFabRequestEvent<DeleteRemoteUserRequest> OnMultiplayerDeleteRemoteUserRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerDeleteRemoteUserResultEvent;
+        public event PlayFabRequestEvent<EnableMultiplayerServersForTitleRequest> OnMultiplayerEnableMultiplayerServersForTitleRequestEvent;
+        public event PlayFabResultEvent<EnableMultiplayerServersForTitleResponse> OnMultiplayerEnableMultiplayerServersForTitleResultEvent;
+        public event PlayFabRequestEvent<GetAssetDownloadUrlRequest> OnMultiplayerGetAssetDownloadUrlRequestEvent;
+        public event PlayFabResultEvent<GetAssetDownloadUrlResponse> OnMultiplayerGetAssetDownloadUrlResultEvent;
+        public event PlayFabRequestEvent<GetAssetUploadUrlRequest> OnMultiplayerGetAssetUploadUrlRequestEvent;
+        public event PlayFabResultEvent<GetAssetUploadUrlResponse> OnMultiplayerGetAssetUploadUrlResultEvent;
+        public event PlayFabRequestEvent<GetBuildRequest> OnMultiplayerGetBuildRequestEvent;
+        public event PlayFabResultEvent<GetBuildResponse> OnMultiplayerGetBuildResultEvent;
+        public event PlayFabRequestEvent<GetBuildAliasRequest> OnMultiplayerGetBuildAliasRequestEvent;
+        public event PlayFabResultEvent<BuildAliasDetailsResponse> OnMultiplayerGetBuildAliasResultEvent;
+        public event PlayFabRequestEvent<GetContainerRegistryCredentialsRequest> OnMultiplayerGetContainerRegistryCredentialsRequestEvent;
+        public event PlayFabResultEvent<GetContainerRegistryCredentialsResponse> OnMultiplayerGetContainerRegistryCredentialsResultEvent;
+        public event PlayFabRequestEvent<GetMatchRequest> OnMultiplayerGetMatchRequestEvent;
+        public event PlayFabResultEvent<GetMatchResult> OnMultiplayerGetMatchResultEvent;
+        public event PlayFabRequestEvent<GetMatchmakingQueueRequest> OnMultiplayerGetMatchmakingQueueRequestEvent;
+        public event PlayFabResultEvent<GetMatchmakingQueueResult> OnMultiplayerGetMatchmakingQueueResultEvent;
+        public event PlayFabRequestEvent<GetMatchmakingTicketRequest> OnMultiplayerGetMatchmakingTicketRequestEvent;
+        public event PlayFabResultEvent<GetMatchmakingTicketResult> OnMultiplayerGetMatchmakingTicketResultEvent;
+        public event PlayFabRequestEvent<GetMultiplayerServerDetailsRequest> OnMultiplayerGetMultiplayerServerDetailsRequestEvent;
+        public event PlayFabResultEvent<GetMultiplayerServerDetailsResponse> OnMultiplayerGetMultiplayerServerDetailsResultEvent;
+        public event PlayFabRequestEvent<GetMultiplayerServerLogsRequest> OnMultiplayerGetMultiplayerServerLogsRequestEvent;
+        public event PlayFabResultEvent<GetMultiplayerServerLogsResponse> OnMultiplayerGetMultiplayerServerLogsResultEvent;
+        public event PlayFabRequestEvent<GetMultiplayerSessionLogsBySessionIdRequest> OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent;
+        public event PlayFabResultEvent<GetMultiplayerServerLogsResponse> OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent;
+        public event PlayFabRequestEvent<GetQueueStatisticsRequest> OnMultiplayerGetQueueStatisticsRequestEvent;
+        public event PlayFabResultEvent<GetQueueStatisticsResult> OnMultiplayerGetQueueStatisticsResultEvent;
+        public event PlayFabRequestEvent<GetRemoteLoginEndpointRequest> OnMultiplayerGetRemoteLoginEndpointRequestEvent;
+        public event PlayFabResultEvent<GetRemoteLoginEndpointResponse> OnMultiplayerGetRemoteLoginEndpointResultEvent;
+        public event PlayFabRequestEvent<GetServerBackfillTicketRequest> OnMultiplayerGetServerBackfillTicketRequestEvent;
+        public event PlayFabResultEvent<GetServerBackfillTicketResult> OnMultiplayerGetServerBackfillTicketResultEvent;
+        public event PlayFabRequestEvent<GetTitleEnabledForMultiplayerServersStatusRequest> OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent;
+        public event PlayFabResultEvent<GetTitleEnabledForMultiplayerServersStatusResponse> OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent;
+        public event PlayFabRequestEvent<GetTitleMultiplayerServersQuotaChangeRequest> OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent;
+        public event PlayFabResultEvent<GetTitleMultiplayerServersQuotaChangeResponse> OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent;
+        public event PlayFabRequestEvent<GetTitleMultiplayerServersQuotasRequest> OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent;
+        public event PlayFabResultEvent<GetTitleMultiplayerServersQuotasResponse> OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent;
+        public event PlayFabRequestEvent<JoinMatchmakingTicketRequest> OnMultiplayerJoinMatchmakingTicketRequestEvent;
+        public event PlayFabResultEvent<JoinMatchmakingTicketResult> OnMultiplayerJoinMatchmakingTicketResultEvent;
+        public event PlayFabRequestEvent<ListMultiplayerServersRequest> OnMultiplayerListArchivedMultiplayerServersRequestEvent;
+        public event PlayFabResultEvent<ListMultiplayerServersResponse> OnMultiplayerListArchivedMultiplayerServersResultEvent;
+        public event PlayFabRequestEvent<ListAssetSummariesRequest> OnMultiplayerListAssetSummariesRequestEvent;
+        public event PlayFabResultEvent<ListAssetSummariesResponse> OnMultiplayerListAssetSummariesResultEvent;
+        public event PlayFabRequestEvent<ListBuildAliasesRequest> OnMultiplayerListBuildAliasesRequestEvent;
+        public event PlayFabResultEvent<ListBuildAliasesResponse> OnMultiplayerListBuildAliasesResultEvent;
+        public event PlayFabRequestEvent<ListBuildSummariesRequest> OnMultiplayerListBuildSummariesV2RequestEvent;
+        public event PlayFabResultEvent<ListBuildSummariesResponse> OnMultiplayerListBuildSummariesV2ResultEvent;
+        public event PlayFabRequestEvent<ListCertificateSummariesRequest> OnMultiplayerListCertificateSummariesRequestEvent;
+        public event PlayFabResultEvent<ListCertificateSummariesResponse> OnMultiplayerListCertificateSummariesResultEvent;
+        public event PlayFabRequestEvent<ListContainerImagesRequest> OnMultiplayerListContainerImagesRequestEvent;
+        public event PlayFabResultEvent<ListContainerImagesResponse> OnMultiplayerListContainerImagesResultEvent;
+        public event PlayFabRequestEvent<ListContainerImageTagsRequest> OnMultiplayerListContainerImageTagsRequestEvent;
+        public event PlayFabResultEvent<ListContainerImageTagsResponse> OnMultiplayerListContainerImageTagsResultEvent;
+        public event PlayFabRequestEvent<ListMatchmakingQueuesRequest> OnMultiplayerListMatchmakingQueuesRequestEvent;
+        public event PlayFabResultEvent<ListMatchmakingQueuesResult> OnMultiplayerListMatchmakingQueuesResultEvent;
+        public event PlayFabRequestEvent<ListMatchmakingTicketsForPlayerRequest> OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent;
+        public event PlayFabResultEvent<ListMatchmakingTicketsForPlayerResult> OnMultiplayerListMatchmakingTicketsForPlayerResultEvent;
+        public event PlayFabRequestEvent<ListMultiplayerServersRequest> OnMultiplayerListMultiplayerServersRequestEvent;
+        public event PlayFabResultEvent<ListMultiplayerServersResponse> OnMultiplayerListMultiplayerServersResultEvent;
+        public event PlayFabRequestEvent<ListPartyQosServersRequest> OnMultiplayerListPartyQosServersRequestEvent;
+        public event PlayFabResultEvent<ListPartyQosServersResponse> OnMultiplayerListPartyQosServersResultEvent;
+        public event PlayFabRequestEvent<ListQosServersForTitleRequest> OnMultiplayerListQosServersForTitleRequestEvent;
+        public event PlayFabResultEvent<ListQosServersForTitleResponse> OnMultiplayerListQosServersForTitleResultEvent;
+        public event PlayFabRequestEvent<ListServerBackfillTicketsForPlayerRequest> OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent;
+        public event PlayFabResultEvent<ListServerBackfillTicketsForPlayerResult> OnMultiplayerListServerBackfillTicketsForPlayerResultEvent;
+        public event PlayFabRequestEvent<ListTitleMultiplayerServersQuotaChangesRequest> OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent;
+        public event PlayFabResultEvent<ListTitleMultiplayerServersQuotaChangesResponse> OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent;
+        public event PlayFabRequestEvent<ListVirtualMachineSummariesRequest> OnMultiplayerListVirtualMachineSummariesRequestEvent;
+        public event PlayFabResultEvent<ListVirtualMachineSummariesResponse> OnMultiplayerListVirtualMachineSummariesResultEvent;
+        public event PlayFabRequestEvent<RemoveMatchmakingQueueRequest> OnMultiplayerRemoveMatchmakingQueueRequestEvent;
+        public event PlayFabResultEvent<RemoveMatchmakingQueueResult> OnMultiplayerRemoveMatchmakingQueueResultEvent;
+        public event PlayFabRequestEvent<RequestMultiplayerServerRequest> OnMultiplayerRequestMultiplayerServerRequestEvent;
+        public event PlayFabResultEvent<RequestMultiplayerServerResponse> OnMultiplayerRequestMultiplayerServerResultEvent;
+        public event PlayFabRequestEvent<RolloverContainerRegistryCredentialsRequest> OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent;
+        public event PlayFabResultEvent<RolloverContainerRegistryCredentialsResponse> OnMultiplayerRolloverContainerRegistryCredentialsResultEvent;
+        public event PlayFabRequestEvent<SetMatchmakingQueueRequest> OnMultiplayerSetMatchmakingQueueRequestEvent;
+        public event PlayFabResultEvent<SetMatchmakingQueueResult> OnMultiplayerSetMatchmakingQueueResultEvent;
+        public event PlayFabRequestEvent<ShutdownMultiplayerServerRequest> OnMultiplayerShutdownMultiplayerServerRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerShutdownMultiplayerServerResultEvent;
+        public event PlayFabRequestEvent<UntagContainerImageRequest> OnMultiplayerUntagContainerImageRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerUntagContainerImageResultEvent;
+        public event PlayFabRequestEvent<UpdateBuildAliasRequest> OnMultiplayerUpdateBuildAliasRequestEvent;
+        public event PlayFabResultEvent<BuildAliasDetailsResponse> OnMultiplayerUpdateBuildAliasResultEvent;
+        public event PlayFabRequestEvent<UpdateBuildNameRequest> OnMultiplayerUpdateBuildNameRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerUpdateBuildNameResultEvent;
+        public event PlayFabRequestEvent<UpdateBuildRegionRequest> OnMultiplayerUpdateBuildRegionRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerUpdateBuildRegionResultEvent;
+        public event PlayFabRequestEvent<UpdateBuildRegionsRequest> OnMultiplayerUpdateBuildRegionsRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerUpdateBuildRegionsResultEvent;
+        public event PlayFabRequestEvent<UploadCertificateRequest> OnMultiplayerUploadCertificateRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnMultiplayerUploadCertificateResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..90c0c0902a0a9d084d0acabb7b8408fed0fda90d
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: fe16c398171536247a7e4685790d4dac
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..a60948a3f579359b5a7d0d7d914147d0d098324d
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs
@@ -0,0 +1,892 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.MultiplayerModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// API methods for managing multiplayer servers. API methods for managing parties.
+    /// </summary>
+    public static partial class PlayFabMultiplayerAPI
+    {
+        static PlayFabMultiplayerAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Cancel all active tickets the player is a member of in a given queue.
+        /// </summary>
+        public static void CancelAllMatchmakingTicketsForPlayer(CancelAllMatchmakingTicketsForPlayerRequest request, Action<CancelAllMatchmakingTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CancelAllMatchmakingTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Cancel all active backfill tickets the player is a member of in a given queue.
+        /// </summary>
+        public static void CancelAllServerBackfillTicketsForPlayer(CancelAllServerBackfillTicketsForPlayerRequest request, Action<CancelAllServerBackfillTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CancelAllServerBackfillTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Cancel a matchmaking ticket.
+        /// </summary>
+        public static void CancelMatchmakingTicket(CancelMatchmakingTicketRequest request, Action<CancelMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CancelMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Cancel a server backfill ticket.
+        /// </summary>
+        public static void CancelServerBackfillTicket(CancelServerBackfillTicketRequest request, Action<CancelServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CancelServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build alias.
+        /// </summary>
+        public static void CreateBuildAlias(CreateBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with a custom container.
+        /// </summary>
+        public static void CreateBuildWithCustomContainer(CreateBuildWithCustomContainerRequest request, Action<CreateBuildWithCustomContainerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithCustomContainer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with a managed container.
+        /// </summary>
+        public static void CreateBuildWithManagedContainer(CreateBuildWithManagedContainerRequest request, Action<CreateBuildWithManagedContainerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithManagedContainer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with the server running as a process.
+        /// </summary>
+        public static void CreateBuildWithProcessBasedServer(CreateBuildWithProcessBasedServerRequest request, Action<CreateBuildWithProcessBasedServerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithProcessBasedServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create a matchmaking ticket as a client.
+        /// </summary>
+        public static void CreateMatchmakingTicket(CreateMatchmakingTicketRequest request, Action<CreateMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CreateMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a remote user to log on to a VM for a multiplayer server build.
+        /// </summary>
+        public static void CreateRemoteUser(CreateRemoteUserRequest request, Action<CreateRemoteUserResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateRemoteUser", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create a backfill matchmaking ticket as a server. A backfill ticket represents an ongoing game. The matchmaking service
+        /// automatically starts matching the backfill ticket against other matchmaking tickets. Backfill tickets cannot match with
+        /// other backfill tickets.
+        /// </summary>
+        public static void CreateServerBackfillTicket(CreateServerBackfillTicketRequest request, Action<CreateServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CreateServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Create a matchmaking ticket as a server. The matchmaking service automatically starts matching the ticket against other
+        /// matchmaking tickets.
+        /// </summary>
+        public static void CreateServerMatchmakingTicket(CreateServerMatchmakingTicketRequest request, Action<CreateMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/CreateServerMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a request to change a title's multiplayer server quotas.
+        /// </summary>
+        public static void CreateTitleMultiplayerServersQuotaChange(CreateTitleMultiplayerServersQuotaChangeRequest request, Action<CreateTitleMultiplayerServersQuotaChangeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateTitleMultiplayerServersQuotaChange", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server game asset for a title.
+        /// </summary>
+        public static void DeleteAsset(DeleteAssetRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteAsset", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server build.
+        /// </summary>
+        public static void DeleteBuild(DeleteBuildRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuild", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server build alias.
+        /// </summary>
+        public static void DeleteBuildAlias(DeleteBuildAliasRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a multiplayer server build's region.
+        /// </summary>
+        public static void DeleteBuildRegion(DeleteBuildRegionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuildRegion", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server game certificate.
+        /// </summary>
+        public static void DeleteCertificate(DeleteCertificateRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteCertificate", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a container image repository.
+        /// </summary>
+        public static void DeleteContainerImageRepository(DeleteContainerImageRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteContainerImageRepository", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a remote user to log on to a VM for a multiplayer server build.
+        /// </summary>
+        public static void DeleteRemoteUser(DeleteRemoteUserRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteRemoteUser", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Enables the multiplayer server feature for a title.
+        /// </summary>
+        public static void EnableMultiplayerServersForTitle(EnableMultiplayerServersForTitleRequest request, Action<EnableMultiplayerServersForTitleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/EnableMultiplayerServersForTitle", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a URL that can be used to download the specified asset. A sample pre-authenticated url -
+        /// https://sampleStorageAccount.blob.core.windows.net/gameassets/gameserver.zip?sv=2015-04-05&ss=b&srt=sco&sp=rw&st=<startDate>&se=<endDate>&spr=https&sig=<sampleSig>&api-version=2017-07-29
+        /// </summary>
+        public static void GetAssetDownloadUrl(GetAssetDownloadUrlRequest request, Action<GetAssetDownloadUrlResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetAssetDownloadUrl", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the URL to upload assets to. A sample pre-authenticated url -
+        /// https://sampleStorageAccount.blob.core.windows.net/gameassets/gameserver.zip?sv=2015-04-05&ss=b&srt=sco&sp=rw&st=<startDate>&se=<endDate>&spr=https&sig=<sampleSig>&api-version=2017-07-29
+        /// </summary>
+        public static void GetAssetUploadUrl(GetAssetUploadUrlRequest request, Action<GetAssetUploadUrlResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetAssetUploadUrl", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a multiplayer server build.
+        /// </summary>
+        public static void GetBuild(GetBuildRequest request, Action<GetBuildResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetBuild", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a multiplayer server build alias.
+        /// </summary>
+        public static void GetBuildAlias(GetBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the credentials to the container registry.
+        /// </summary>
+        public static void GetContainerRegistryCredentials(GetContainerRegistryCredentialsRequest request, Action<GetContainerRegistryCredentialsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetContainerRegistryCredentials", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get a match.
+        /// </summary>
+        public static void GetMatch(GetMatchRequest request, Action<GetMatchResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/GetMatch", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Get a matchmaking queue configuration.
+        /// </summary>
+        public static void GetMatchmakingQueue(GetMatchmakingQueueRequest request, Action<GetMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/GetMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get a matchmaking ticket by ticket Id.
+        /// </summary>
+        public static void GetMatchmakingTicket(GetMatchmakingTicketRequest request, Action<GetMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/GetMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server session details for a build.
+        /// </summary>
+        public static void GetMultiplayerServerDetails(GetMultiplayerServerDetailsRequest request, Action<GetMultiplayerServerDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerServerDetails", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server logs after a server has terminated.
+        /// </summary>
+        public static void GetMultiplayerServerLogs(GetMultiplayerServerLogsRequest request, Action<GetMultiplayerServerLogsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerServerLogs", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server logs after a server has terminated.
+        /// </summary>
+        public static void GetMultiplayerSessionLogsBySessionId(GetMultiplayerSessionLogsBySessionIdRequest request, Action<GetMultiplayerServerLogsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerSessionLogsBySessionId", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get the statistics for a queue.
+        /// </summary>
+        public static void GetQueueStatistics(GetQueueStatisticsRequest request, Action<GetQueueStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/GetQueueStatistics", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a remote login endpoint to a VM that is hosting a multiplayer server build.
+        /// </summary>
+        public static void GetRemoteLoginEndpoint(GetRemoteLoginEndpointRequest request, Action<GetRemoteLoginEndpointResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetRemoteLoginEndpoint", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get a matchmaking backfill ticket by ticket Id.
+        /// </summary>
+        public static void GetServerBackfillTicket(GetServerBackfillTicketRequest request, Action<GetServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/GetServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the status of whether a title is enabled for the multiplayer server feature.
+        /// </summary>
+        public static void GetTitleEnabledForMultiplayerServersStatus(GetTitleEnabledForMultiplayerServersStatusRequest request, Action<GetTitleEnabledForMultiplayerServersStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleEnabledForMultiplayerServersStatus", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets a title's server quota change request.
+        /// </summary>
+        public static void GetTitleMultiplayerServersQuotaChange(GetTitleMultiplayerServersQuotaChangeRequest request, Action<GetTitleMultiplayerServersQuotaChangeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleMultiplayerServersQuotaChange", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets the quotas for a title in relation to multiplayer servers.
+        /// </summary>
+        public static void GetTitleMultiplayerServersQuotas(GetTitleMultiplayerServersQuotasRequest request, Action<GetTitleMultiplayerServersQuotasResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleMultiplayerServersQuotas", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Join a matchmaking ticket.
+        /// </summary>
+        public static void JoinMatchmakingTicket(JoinMatchmakingTicketRequest request, Action<JoinMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/JoinMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists archived multiplayer server sessions for a build.
+        /// </summary>
+        public static void ListArchivedMultiplayerServers(ListMultiplayerServersRequest request, Action<ListMultiplayerServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListArchivedMultiplayerServers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server game assets for a title.
+        /// </summary>
+        public static void ListAssetSummaries(ListAssetSummariesRequest request, Action<ListAssetSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListAssetSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists details of all build aliases for a title. Accepts tokens for title and if game client access is enabled, allows
+        /// game client to request list of builds with player entity token.
+        /// </summary>
+        public static void ListBuildAliases(ListBuildAliasesRequest request, Action<ListBuildAliasesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListBuildAliases", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists summarized details of all multiplayer server builds for a title. Accepts tokens for title and if game client
+        /// access is enabled, allows game client to request list of builds with player entity token.
+        /// </summary>
+        public static void ListBuildSummariesV2(ListBuildSummariesRequest request, Action<ListBuildSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListBuildSummariesV2", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server game certificates for a title.
+        /// </summary>
+        public static void ListCertificateSummaries(ListCertificateSummariesRequest request, Action<ListCertificateSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListCertificateSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists custom container images for a title.
+        /// </summary>
+        public static void ListContainerImages(ListContainerImagesRequest request, Action<ListContainerImagesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListContainerImages", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists the tags for a custom container image.
+        /// </summary>
+        public static void ListContainerImageTags(ListContainerImageTagsRequest request, Action<ListContainerImageTagsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListContainerImageTags", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. List all matchmaking queue configs.
+        /// </summary>
+        public static void ListMatchmakingQueues(ListMatchmakingQueuesRequest request, Action<ListMatchmakingQueuesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/ListMatchmakingQueues", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all matchmaking ticket Ids the user is a member of.
+        /// </summary>
+        public static void ListMatchmakingTicketsForPlayer(ListMatchmakingTicketsForPlayerRequest request, Action<ListMatchmakingTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/ListMatchmakingTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server sessions for a build.
+        /// </summary>
+        public static void ListMultiplayerServers(ListMultiplayerServersRequest request, Action<ListMultiplayerServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListMultiplayerServers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists quality of service servers for party.
+        /// </summary>
+        public static void ListPartyQosServers(ListPartyQosServersRequest request, Action<ListPartyQosServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListPartyQosServers", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists quality of service servers for the title. By default, servers are only returned for regions where a Multiplayer
+        /// Servers build has been deployed.
+        /// </summary>
+        public static void ListQosServersForTitle(ListQosServersForTitleRequest request, Action<ListQosServersForTitleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListQosServersForTitle", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all server backfill ticket Ids the user is a member of.
+        /// </summary>
+        public static void ListServerBackfillTicketsForPlayer(ListServerBackfillTicketsForPlayerRequest request, Action<ListServerBackfillTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/ListServerBackfillTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all server quota change requests for a title.
+        /// </summary>
+        public static void ListTitleMultiplayerServersQuotaChanges(ListTitleMultiplayerServersQuotaChangesRequest request, Action<ListTitleMultiplayerServersQuotaChangesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListTitleMultiplayerServersQuotaChanges", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists virtual machines for a title.
+        /// </summary>
+        public static void ListVirtualMachineSummaries(ListVirtualMachineSummariesRequest request, Action<ListVirtualMachineSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListVirtualMachineSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Remove a matchmaking queue config.
+        /// </summary>
+        public static void RemoveMatchmakingQueue(RemoveMatchmakingQueueRequest request, Action<RemoveMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/RemoveMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Request a multiplayer server session. Accepts tokens for title and if game client access is enabled, allows game client
+        /// to request a server with player entity token.
+        /// </summary>
+        public static void RequestMultiplayerServer(RequestMultiplayerServerRequest request, Action<RequestMultiplayerServerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/RequestMultiplayerServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Rolls over the credentials to the container registry.
+        /// </summary>
+        public static void RolloverContainerRegistryCredentials(RolloverContainerRegistryCredentialsRequest request, Action<RolloverContainerRegistryCredentialsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/RolloverContainerRegistryCredentials", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Create or update a matchmaking queue configuration.
+        /// </summary>
+        public static void SetMatchmakingQueue(SetMatchmakingQueueRequest request, Action<SetMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Match/SetMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Shuts down a multiplayer server session.
+        /// </summary>
+        public static void ShutdownMultiplayerServer(ShutdownMultiplayerServerRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ShutdownMultiplayerServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Untags a container image.
+        /// </summary>
+        public static void UntagContainerImage(UntagContainerImageRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UntagContainerImage", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build alias.
+        /// </summary>
+        public static void UpdateBuildAlias(UpdateBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's name.
+        /// </summary>
+        public static void UpdateBuildName(UpdateBuildNameRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildName", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's region. If the region is not yet created, it will be created
+        /// </summary>
+        public static void UpdateBuildRegion(UpdateBuildRegionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildRegion", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's regions.
+        /// </summary>
+        public static void UpdateBuildRegions(UpdateBuildRegionsRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildRegions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Uploads a multiplayer server game certificate.
+        /// </summary>
+        public static void UploadCertificate(UploadCertificateRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UploadCertificate", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs.meta b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..d022d5dca787171ae965083b4cb966bd000e39d9
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: a5dd863da40a92a46b55d58a56b8db93
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..023042dc0712b90395096326a68ef5d78e2d03f9
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs
@@ -0,0 +1,780 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.MultiplayerModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// API methods for managing multiplayer servers. API methods for managing parties.
+    /// </summary>
+    public partial class PlayFabMultiplayerInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabMultiplayerInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabMultiplayerInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Cancel all active tickets the player is a member of in a given queue.
+        /// </summary>
+        public void CancelAllMatchmakingTicketsForPlayer(CancelAllMatchmakingTicketsForPlayerRequest request, Action<CancelAllMatchmakingTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CancelAllMatchmakingTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Cancel all active backfill tickets the player is a member of in a given queue.
+        /// </summary>
+        public void CancelAllServerBackfillTicketsForPlayer(CancelAllServerBackfillTicketsForPlayerRequest request, Action<CancelAllServerBackfillTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CancelAllServerBackfillTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Cancel a matchmaking ticket.
+        /// </summary>
+        public void CancelMatchmakingTicket(CancelMatchmakingTicketRequest request, Action<CancelMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CancelMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Cancel a server backfill ticket.
+        /// </summary>
+        public void CancelServerBackfillTicket(CancelServerBackfillTicketRequest request, Action<CancelServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CancelServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build alias.
+        /// </summary>
+        public void CreateBuildAlias(CreateBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with a custom container.
+        /// </summary>
+        public void CreateBuildWithCustomContainer(CreateBuildWithCustomContainerRequest request, Action<CreateBuildWithCustomContainerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithCustomContainer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with a managed container.
+        /// </summary>
+        public void CreateBuildWithManagedContainer(CreateBuildWithManagedContainerRequest request, Action<CreateBuildWithManagedContainerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithManagedContainer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build with the server running as a process.
+        /// </summary>
+        public void CreateBuildWithProcessBasedServer(CreateBuildWithProcessBasedServerRequest request, Action<CreateBuildWithProcessBasedServerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateBuildWithProcessBasedServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create a matchmaking ticket as a client.
+        /// </summary>
+        public void CreateMatchmakingTicket(CreateMatchmakingTicketRequest request, Action<CreateMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CreateMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a remote user to log on to a VM for a multiplayer server build.
+        /// </summary>
+        public void CreateRemoteUser(CreateRemoteUserRequest request, Action<CreateRemoteUserResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateRemoteUser", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create a backfill matchmaking ticket as a server. A backfill ticket represents an ongoing game. The matchmaking service
+        /// automatically starts matching the backfill ticket against other matchmaking tickets. Backfill tickets cannot match with
+        /// other backfill tickets.
+        /// </summary>
+        public void CreateServerBackfillTicket(CreateServerBackfillTicketRequest request, Action<CreateServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CreateServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Create a matchmaking ticket as a server. The matchmaking service automatically starts matching the ticket against other
+        /// matchmaking tickets.
+        /// </summary>
+        public void CreateServerMatchmakingTicket(CreateServerMatchmakingTicketRequest request, Action<CreateMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/CreateServerMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a request to change a title's multiplayer server quotas.
+        /// </summary>
+        public void CreateTitleMultiplayerServersQuotaChange(CreateTitleMultiplayerServersQuotaChangeRequest request, Action<CreateTitleMultiplayerServersQuotaChangeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/CreateTitleMultiplayerServersQuotaChange", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server game asset for a title.
+        /// </summary>
+        public void DeleteAsset(DeleteAssetRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteAsset", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server build.
+        /// </summary>
+        public void DeleteBuild(DeleteBuildRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuild", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server build alias.
+        /// </summary>
+        public void DeleteBuildAlias(DeleteBuildAliasRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a multiplayer server build's region.
+        /// </summary>
+        public void DeleteBuildRegion(DeleteBuildRegionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteBuildRegion", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a multiplayer server game certificate.
+        /// </summary>
+        public void DeleteCertificate(DeleteCertificateRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteCertificate", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a container image repository.
+        /// </summary>
+        public void DeleteContainerImageRepository(DeleteContainerImageRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteContainerImageRepository", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a remote user to log on to a VM for a multiplayer server build.
+        /// </summary>
+        public void DeleteRemoteUser(DeleteRemoteUserRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/DeleteRemoteUser", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Enables the multiplayer server feature for a title.
+        /// </summary>
+        public void EnableMultiplayerServersForTitle(EnableMultiplayerServersForTitleRequest request, Action<EnableMultiplayerServersForTitleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/EnableMultiplayerServersForTitle", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a URL that can be used to download the specified asset. A sample pre-authenticated url -
+        /// https://sampleStorageAccount.blob.core.windows.net/gameassets/gameserver.zip?sv=2015-04-05&ss=b&srt=sco&sp=rw&st=<startDate>&se=<endDate>&spr=https&sig=<sampleSig>&api-version=2017-07-29
+        /// </summary>
+        public void GetAssetDownloadUrl(GetAssetDownloadUrlRequest request, Action<GetAssetDownloadUrlResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetAssetDownloadUrl", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the URL to upload assets to. A sample pre-authenticated url -
+        /// https://sampleStorageAccount.blob.core.windows.net/gameassets/gameserver.zip?sv=2015-04-05&ss=b&srt=sco&sp=rw&st=<startDate>&se=<endDate>&spr=https&sig=<sampleSig>&api-version=2017-07-29
+        /// </summary>
+        public void GetAssetUploadUrl(GetAssetUploadUrlRequest request, Action<GetAssetUploadUrlResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetAssetUploadUrl", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a multiplayer server build.
+        /// </summary>
+        public void GetBuild(GetBuildRequest request, Action<GetBuildResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetBuild", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a multiplayer server build alias.
+        /// </summary>
+        public void GetBuildAlias(GetBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the credentials to the container registry.
+        /// </summary>
+        public void GetContainerRegistryCredentials(GetContainerRegistryCredentialsRequest request, Action<GetContainerRegistryCredentialsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetContainerRegistryCredentials", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get a match.
+        /// </summary>
+        public void GetMatch(GetMatchRequest request, Action<GetMatchResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/GetMatch", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Get a matchmaking queue configuration.
+        /// </summary>
+        public void GetMatchmakingQueue(GetMatchmakingQueueRequest request, Action<GetMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/GetMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get a matchmaking ticket by ticket Id.
+        /// </summary>
+        public void GetMatchmakingTicket(GetMatchmakingTicketRequest request, Action<GetMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/GetMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server session details for a build.
+        /// </summary>
+        public void GetMultiplayerServerDetails(GetMultiplayerServerDetailsRequest request, Action<GetMultiplayerServerDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerServerDetails", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server logs after a server has terminated.
+        /// </summary>
+        public void GetMultiplayerServerLogs(GetMultiplayerServerLogsRequest request, Action<GetMultiplayerServerLogsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerServerLogs", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets multiplayer server logs after a server has terminated.
+        /// </summary>
+        public void GetMultiplayerSessionLogsBySessionId(GetMultiplayerSessionLogsBySessionIdRequest request, Action<GetMultiplayerServerLogsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetMultiplayerSessionLogsBySessionId", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get the statistics for a queue.
+        /// </summary>
+        public void GetQueueStatistics(GetQueueStatisticsRequest request, Action<GetQueueStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/GetQueueStatistics", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a remote login endpoint to a VM that is hosting a multiplayer server build.
+        /// </summary>
+        public void GetRemoteLoginEndpoint(GetRemoteLoginEndpointRequest request, Action<GetRemoteLoginEndpointResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetRemoteLoginEndpoint", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get a matchmaking backfill ticket by ticket Id.
+        /// </summary>
+        public void GetServerBackfillTicket(GetServerBackfillTicketRequest request, Action<GetServerBackfillTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/GetServerBackfillTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the status of whether a title is enabled for the multiplayer server feature.
+        /// </summary>
+        public void GetTitleEnabledForMultiplayerServersStatus(GetTitleEnabledForMultiplayerServersStatusRequest request, Action<GetTitleEnabledForMultiplayerServersStatusResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleEnabledForMultiplayerServersStatus", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets a title's server quota change request.
+        /// </summary>
+        public void GetTitleMultiplayerServersQuotaChange(GetTitleMultiplayerServersQuotaChangeRequest request, Action<GetTitleMultiplayerServersQuotaChangeResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleMultiplayerServersQuotaChange", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets the quotas for a title in relation to multiplayer servers.
+        /// </summary>
+        public void GetTitleMultiplayerServersQuotas(GetTitleMultiplayerServersQuotasRequest request, Action<GetTitleMultiplayerServersQuotasResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/GetTitleMultiplayerServersQuotas", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Join a matchmaking ticket.
+        /// </summary>
+        public void JoinMatchmakingTicket(JoinMatchmakingTicketRequest request, Action<JoinMatchmakingTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/JoinMatchmakingTicket", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists archived multiplayer server sessions for a build.
+        /// </summary>
+        public void ListArchivedMultiplayerServers(ListMultiplayerServersRequest request, Action<ListMultiplayerServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListArchivedMultiplayerServers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server game assets for a title.
+        /// </summary>
+        public void ListAssetSummaries(ListAssetSummariesRequest request, Action<ListAssetSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListAssetSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists details of all build aliases for a title. Accepts tokens for title and if game client access is enabled, allows
+        /// game client to request list of builds with player entity token.
+        /// </summary>
+        public void ListBuildAliases(ListBuildAliasesRequest request, Action<ListBuildAliasesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListBuildAliases", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists summarized details of all multiplayer server builds for a title. Accepts tokens for title and if game client
+        /// access is enabled, allows game client to request list of builds with player entity token.
+        /// </summary>
+        public void ListBuildSummariesV2(ListBuildSummariesRequest request, Action<ListBuildSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListBuildSummariesV2", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server game certificates for a title.
+        /// </summary>
+        public void ListCertificateSummaries(ListCertificateSummariesRequest request, Action<ListCertificateSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListCertificateSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists custom container images for a title.
+        /// </summary>
+        public void ListContainerImages(ListContainerImagesRequest request, Action<ListContainerImagesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListContainerImages", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists the tags for a custom container image.
+        /// </summary>
+        public void ListContainerImageTags(ListContainerImageTagsRequest request, Action<ListContainerImageTagsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListContainerImageTags", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. List all matchmaking queue configs.
+        /// </summary>
+        public void ListMatchmakingQueues(ListMatchmakingQueuesRequest request, Action<ListMatchmakingQueuesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/ListMatchmakingQueues", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all matchmaking ticket Ids the user is a member of.
+        /// </summary>
+        public void ListMatchmakingTicketsForPlayer(ListMatchmakingTicketsForPlayerRequest request, Action<ListMatchmakingTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/ListMatchmakingTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists multiplayer server sessions for a build.
+        /// </summary>
+        public void ListMultiplayerServers(ListMultiplayerServersRequest request, Action<ListMultiplayerServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListMultiplayerServers", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists quality of service servers for party.
+        /// </summary>
+        public void ListPartyQosServers(ListPartyQosServersRequest request, Action<ListPartyQosServersResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListPartyQosServers", request, AuthType.None, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists quality of service servers for the title. By default, servers are only returned for regions where a Multiplayer
+        /// Servers build has been deployed.
+        /// </summary>
+        public void ListQosServersForTitle(ListQosServersForTitleRequest request, Action<ListQosServersForTitleResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListQosServersForTitle", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all server backfill ticket Ids the user is a member of.
+        /// </summary>
+        public void ListServerBackfillTicketsForPlayer(ListServerBackfillTicketsForPlayerRequest request, Action<ListServerBackfillTicketsForPlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/ListServerBackfillTicketsForPlayer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all server quota change requests for a title.
+        /// </summary>
+        public void ListTitleMultiplayerServersQuotaChanges(ListTitleMultiplayerServersQuotaChangesRequest request, Action<ListTitleMultiplayerServersQuotaChangesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListTitleMultiplayerServersQuotaChanges", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists virtual machines for a title.
+        /// </summary>
+        public void ListVirtualMachineSummaries(ListVirtualMachineSummariesRequest request, Action<ListVirtualMachineSummariesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ListVirtualMachineSummaries", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Remove a matchmaking queue config.
+        /// </summary>
+        public void RemoveMatchmakingQueue(RemoveMatchmakingQueueRequest request, Action<RemoveMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/RemoveMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Request a multiplayer server session. Accepts tokens for title and if game client access is enabled, allows game client
+        /// to request a server with player entity token.
+        /// </summary>
+        public void RequestMultiplayerServer(RequestMultiplayerServerRequest request, Action<RequestMultiplayerServerResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/RequestMultiplayerServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Rolls over the credentials to the container registry.
+        /// </summary>
+        public void RolloverContainerRegistryCredentials(RolloverContainerRegistryCredentialsRequest request, Action<RolloverContainerRegistryCredentialsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/RolloverContainerRegistryCredentials", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// SDK support is limited to C# and Java for this API. Create or update a matchmaking queue configuration.
+        /// </summary>
+        public void SetMatchmakingQueue(SetMatchmakingQueueRequest request, Action<SetMatchmakingQueueResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Match/SetMatchmakingQueue", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Shuts down a multiplayer server session.
+        /// </summary>
+        public void ShutdownMultiplayerServer(ShutdownMultiplayerServerRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/ShutdownMultiplayerServer", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Untags a container image.
+        /// </summary>
+        public void UntagContainerImage(UntagContainerImageRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UntagContainerImage", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Creates a multiplayer server build alias.
+        /// </summary>
+        public void UpdateBuildAlias(UpdateBuildAliasRequest request, Action<BuildAliasDetailsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildAlias", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's name.
+        /// </summary>
+        public void UpdateBuildName(UpdateBuildNameRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildName", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's region. If the region is not yet created, it will be created
+        /// </summary>
+        public void UpdateBuildRegion(UpdateBuildRegionRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildRegion", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates a multiplayer server build's regions.
+        /// </summary>
+        public void UpdateBuildRegions(UpdateBuildRegionsRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UpdateBuildRegions", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Uploads a multiplayer server game certificate.
+        /// </summary>
+        public void UploadCertificate(UploadCertificateRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/MultiplayerServer/UploadCertificate", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs.meta b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0d3c42fabedadb093caf5b88cdf74ad439d23650
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: a4dbb109fa8001b4b9fa53260ba50cf8
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..237d9c3fafc81a867e9d9f8d0ee013cb7bf41ed8
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs
@@ -0,0 +1,3841 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.MultiplayerModels
+{
+    [Serializable]
+    public class AssetReference : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The asset's file name. This is a filename with the .zip, .tar, or .tar.gz extension.
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// The asset's mount path.
+        /// </summary>
+        public string MountPath;
+    }
+
+    [Serializable]
+    public class AssetReferenceParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The asset's file name.
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// The asset's mount path.
+        /// </summary>
+        public string MountPath;
+    }
+
+    [Serializable]
+    public class AssetSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The asset's file name. This is a filename with the .zip, .tar, or .tar.gz extension.
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// The metadata associated with the asset.
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+    }
+
+    public enum AttributeMergeFunction
+    {
+        Min,
+        Max,
+        Average
+    }
+
+    public enum AttributeNotSpecifiedBehavior
+    {
+        UseDefault,
+        MatchAny
+    }
+
+    public enum AttributeSource
+    {
+        User,
+        PlayerEntity
+    }
+
+    public enum AzureRegion
+    {
+        AustraliaEast,
+        AustraliaSoutheast,
+        BrazilSouth,
+        CentralUs,
+        EastAsia,
+        EastUs,
+        EastUs2,
+        JapanEast,
+        JapanWest,
+        NorthCentralUs,
+        NorthEurope,
+        SouthCentralUs,
+        SoutheastAsia,
+        WestEurope,
+        WestUs,
+        SouthAfricaNorth,
+        WestCentralUs,
+        KoreaCentral,
+        FranceCentral,
+        WestUs2,
+        CentralIndia,
+        UaeNorth,
+        UkSouth
+    }
+
+    public enum AzureVmFamily
+    {
+        A,
+        Av2,
+        Dv2,
+        Dv3,
+        F,
+        Fsv2,
+        Dasv4,
+        Dav4,
+        Eav4,
+        Easv4,
+        Ev4,
+        Esv4,
+        Dsv3,
+        Dsv2,
+        NCasT4_v3,
+        Ddv4,
+        Ddsv4
+    }
+
+    public enum AzureVmSize
+    {
+        Standard_A1,
+        Standard_A2,
+        Standard_A3,
+        Standard_A4,
+        Standard_A1_v2,
+        Standard_A2_v2,
+        Standard_A4_v2,
+        Standard_A8_v2,
+        Standard_D1_v2,
+        Standard_D2_v2,
+        Standard_D3_v2,
+        Standard_D4_v2,
+        Standard_D5_v2,
+        Standard_D2_v3,
+        Standard_D4_v3,
+        Standard_D8_v3,
+        Standard_D16_v3,
+        Standard_F1,
+        Standard_F2,
+        Standard_F4,
+        Standard_F8,
+        Standard_F16,
+        Standard_F2s_v2,
+        Standard_F4s_v2,
+        Standard_F8s_v2,
+        Standard_F16s_v2,
+        Standard_D2as_v4,
+        Standard_D4as_v4,
+        Standard_D8as_v4,
+        Standard_D16as_v4,
+        Standard_D2a_v4,
+        Standard_D4a_v4,
+        Standard_D8a_v4,
+        Standard_D16a_v4,
+        Standard_E2a_v4,
+        Standard_E4a_v4,
+        Standard_E8a_v4,
+        Standard_E16a_v4,
+        Standard_E2as_v4,
+        Standard_E4as_v4,
+        Standard_E8as_v4,
+        Standard_E16as_v4,
+        Standard_D2s_v3,
+        Standard_D4s_v3,
+        Standard_D8s_v3,
+        Standard_D16s_v3,
+        Standard_DS1_v2,
+        Standard_DS2_v2,
+        Standard_DS3_v2,
+        Standard_DS4_v2,
+        Standard_DS5_v2,
+        Standard_NC4as_T4_v3,
+        Standard_D2d_v4,
+        Standard_D4d_v4,
+        Standard_D8d_v4,
+        Standard_D16d_v4,
+        Standard_D2ds_v4,
+        Standard_D4ds_v4,
+        Standard_D8ds_v4,
+        Standard_D16ds_v4
+    }
+
+    [Serializable]
+    public class BuildAliasDetailsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The guid string alias Id of the alias to be created or updated.
+        /// </summary>
+        public string AliasId;
+        /// <summary>
+        /// The alias name.
+        /// </summary>
+        public string AliasName;
+        /// <summary>
+        /// Array of build selection criteria.
+        /// </summary>
+        public List<BuildSelectionCriterion> BuildSelectionCriteria;
+    }
+
+    [Serializable]
+    public class BuildAliasParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The guid string alias ID to use for the request.
+        /// </summary>
+        public string AliasId;
+    }
+
+    [Serializable]
+    public class BuildRegion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The current multiplayer server stats for the region.
+        /// </summary>
+        public CurrentServerStats CurrentServerStats;
+        /// <summary>
+        /// Optional settings to control dynamic adjustment of standby target
+        /// </summary>
+        public DynamicStandbySettings DynamicStandbySettings;
+        /// <summary>
+        /// The maximum number of multiplayer servers for the region.
+        /// </summary>
+        public int MaxServers;
+        /// <summary>
+        /// The build region.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// Optional settings to set the standby target to specified values during the supplied schedules
+        /// </summary>
+        public ScheduledStandbySettings ScheduledStandbySettings;
+        /// <summary>
+        /// The target number of standby multiplayer servers for the region.
+        /// </summary>
+        public int StandbyServers;
+        /// <summary>
+        /// The status of multiplayer servers in the build region. Valid values are - Unknown, Initialized, Deploying, Deployed,
+        /// Unhealthy, Deleting, Deleted.
+        /// </summary>
+        public string Status;
+    }
+
+    [Serializable]
+    public class BuildRegionParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Optional settings to control dynamic adjustment of standby target. If not specified, dynamic standby is disabled
+        /// </summary>
+        public DynamicStandbySettings DynamicStandbySettings;
+        /// <summary>
+        /// The maximum number of multiplayer servers for the region.
+        /// </summary>
+        public int MaxServers;
+        /// <summary>
+        /// The build region.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// Optional settings to set the standby target to specified values during the supplied schedules
+        /// </summary>
+        public ScheduledStandbySettings ScheduledStandbySettings;
+        /// <summary>
+        /// The number of standby multiplayer servers for the region.
+        /// </summary>
+        public int StandbyServers;
+    }
+
+    [Serializable]
+    public class BuildSelectionCriterion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Dictionary of build ids and their respective weights for distribution of allocation requests.
+        /// </summary>
+        public Dictionary<string,uint> BuildWeightDistribution;
+    }
+
+    [Serializable]
+    public class BuildSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The guid string build ID of the build.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The time the build was created in UTC.
+        /// </summary>
+        public DateTime? CreationTime;
+        /// <summary>
+        /// The metadata of the build.
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The configuration and status for each region in the build.
+        /// </summary>
+        public List<BuildRegion> RegionConfigurations;
+    }
+
+    /// <summary>
+    /// Cancels all tickets of which the player is a member in a given queue that are not cancelled or matched. This API is
+    /// useful if you lose track of what tickets the player is a member of (if the title crashes for instance) and want to
+    /// "reset". The Entity field is optional if the caller is a player and defaults to that player. Players may not cancel
+    /// tickets for other people. The Entity field is required if the caller is a server (authenticated as the title).
+    /// </summary>
+    [Serializable]
+    public class CancelAllMatchmakingTicketsForPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity key of the player whose tickets should be canceled.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the queue from which a player's tickets should be canceled.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class CancelAllMatchmakingTicketsForPlayerResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Cancels all backfill tickets of which the player is a member in a given queue that are not cancelled or matched. This
+    /// API is useful if you lose track of what tickets the player is a member of (if the server crashes for instance) and want
+    /// to "reset".
+    /// </summary>
+    [Serializable]
+    public class CancelAllServerBackfillTicketsForPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity key of the player whose backfill tickets should be canceled.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the queue from which a player's backfill tickets should be canceled.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class CancelAllServerBackfillTicketsForPlayerResult : PlayFabResultCommon
+    {
+    }
+
+    public enum CancellationReason
+    {
+        Requested,
+        Internal,
+        Timeout
+    }
+
+    /// <summary>
+    /// Only servers and ticket members can cancel a ticket. The ticket can be in five different states when it is cancelled. 1:
+    /// the ticket is waiting for members to join it, and it has not started matching. If the ticket is cancelled at this stage,
+    /// it will never match. 2: the ticket is matching. If the ticket is cancelled, it will stop matching. 3: the ticket is
+    /// matched. A matched ticket cannot be cancelled. 4: the ticket is already cancelled and nothing happens. 5: the ticket is
+    /// waiting for a server. If the ticket is cancelled, server allocation will be stopped. A server may still be allocated due
+    /// to a race condition, but that will not be reflected in the ticket. There may be race conditions between the ticket
+    /// getting matched and the client making a cancellation request. The client must handle the possibility that the cancel
+    /// request fails if a match is found before the cancellation request is processed. We do not allow resubmitting a cancelled
+    /// ticket because players must consent to enter matchmaking again. Create a new ticket instead.
+    /// </summary>
+    [Serializable]
+    public class CancelMatchmakingTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the queue the ticket is in.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    [Serializable]
+    public class CancelMatchmakingTicketResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Only servers can cancel a backfill ticket. The ticket can be in three different states when it is cancelled. 1: the
+    /// ticket is matching. If the ticket is cancelled, it will stop matching. 2: the ticket is matched. A matched ticket cannot
+    /// be cancelled. 3: the ticket is already cancelled and nothing happens. There may be race conditions between the ticket
+    /// getting matched and the server making a cancellation request. The server must handle the possibility that the cancel
+    /// request fails if a match is found before the cancellation request is processed. We do not allow resubmitting a cancelled
+    /// ticket. Create a new ticket instead.
+    /// </summary>
+    [Serializable]
+    public class CancelServerBackfillTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the queue the ticket is in.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    [Serializable]
+    public class CancelServerBackfillTicketResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class Certificate : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Base64 encoded string contents of the certificate.
+        /// </summary>
+        public string Base64EncodedValue;
+        /// <summary>
+        /// A name for the certificate. This is used to reference certificates in build configurations.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// If required for your PFX certificate, use this field to provide a password that will be used to install the certificate
+        /// on the container.
+        /// </summary>
+        public string Password;
+    }
+
+    [Serializable]
+    public class CertificateSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The name of the certificate.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The thumbprint for the certificate.
+        /// </summary>
+        public string Thumbprint;
+    }
+
+    [Serializable]
+    public class ConnectedPlayer : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The player ID of the player connected to the multiplayer server.
+        /// </summary>
+        public string PlayerId;
+    }
+
+    public enum ContainerFlavor
+    {
+        ManagedWindowsServerCore,
+        CustomLinux,
+        ManagedWindowsServerCorePreview,
+        Invalid
+    }
+
+    [Serializable]
+    public class ContainerImageReference : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The container image name.
+        /// </summary>
+        public string ImageName;
+        /// <summary>
+        /// The container tag.
+        /// </summary>
+        public string Tag;
+    }
+
+    [Serializable]
+    public class CoreCapacity : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The available core capacity for the (Region, VmFamily)
+        /// </summary>
+        public int Available;
+        /// <summary>
+        /// The AzureRegion
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The total core capacity for the (Region, VmFamily)
+        /// </summary>
+        public int Total;
+        /// <summary>
+        /// The AzureVmFamily
+        /// </summary>
+        public AzureVmFamily? VmFamily;
+    }
+
+    [Serializable]
+    public class CoreCapacityChange : PlayFabBaseModel
+    {
+        /// <summary>
+        /// New quota core limit for the given vm family/region.
+        /// </summary>
+        public int NewCoreLimit;
+        /// <summary>
+        /// Region to change.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// Virtual machine family to change.
+        /// </summary>
+        public AzureVmFamily VmFamily;
+    }
+
+    /// <summary>
+    /// Creates a multiplayer server build alias and returns the created alias.
+    /// </summary>
+    [Serializable]
+    public class CreateBuildAliasRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The alias name.
+        /// </summary>
+        public string AliasName;
+        /// <summary>
+        /// Array of build selection criteria.
+        /// </summary>
+        public List<BuildSelectionCriterion> BuildSelectionCriteria;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Creates a multiplayer server build with a custom container and returns information about the build creation request.
+    /// </summary>
+    [Serializable]
+    public class CreateBuildWithCustomContainerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The flavor of container to create a build from.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The container reference, consisting of the image name and tag.
+        /// </summary>
+        public ContainerImageReference ContainerImageReference;
+        /// <summary>
+        /// The container command to run when the multiplayer server has been allocated, including any arguments.
+        /// </summary>
+        public string ContainerRunCommand;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The list of game assets related to the build.
+        /// </summary>
+        public List<AssetReferenceParams> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReferenceParams> GameCertificateReferences;
+        /// <summary>
+        /// The Linux instrumentation configuration for the build.
+        /// </summary>
+        public LinuxInstrumentationConfiguration LinuxInstrumentationConfiguration;
+        /// <summary>
+        /// Metadata to tag the build. The keys are case insensitive. The build metadata is made available to the server through
+        /// Game Server SDK (GSDK).Constraints: Maximum number of keys: 30, Maximum key length: 50, Maximum value length: 100
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The ports to map the build on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configurations for the build.
+        /// </summary>
+        public List<BuildRegionParams> RegionConfigurations;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size to create the build on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    [Serializable]
+    public class CreateBuildWithCustomContainerResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The guid string build ID. Must be unique for every build.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The flavor of container of the build.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The container command to run when the multiplayer server has been allocated, including any arguments.
+        /// </summary>
+        public string ContainerRunCommand;
+        /// <summary>
+        /// The time the build was created in UTC.
+        /// </summary>
+        public DateTime? CreationTime;
+        /// <summary>
+        /// The custom game container image reference information.
+        /// </summary>
+        public ContainerImageReference CustomGameContainerImage;
+        /// <summary>
+        /// The game assets for the build.
+        /// </summary>
+        public List<AssetReference> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReference> GameCertificateReferences;
+        /// <summary>
+        /// The Linux instrumentation configuration for this build.
+        /// </summary>
+        public LinuxInstrumentationConfiguration LinuxInstrumentationConfiguration;
+        /// <summary>
+        /// The metadata of the build.
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM of the build.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The OS platform used for running the game process.
+        /// </summary>
+        public string OsPlatform;
+        /// <summary>
+        /// The ports the build is mapped on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configuration for the build.
+        /// </summary>
+        public List<BuildRegion> RegionConfigurations;
+        /// <summary>
+        /// The type of game server being hosted.
+        /// </summary>
+        public string ServerType;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size the build was created on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    /// <summary>
+    /// Creates a multiplayer server build with a managed container and returns information about the build creation request.
+    /// </summary>
+    [Serializable]
+    public class CreateBuildWithManagedContainerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The flavor of container to create a build from.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The list of game assets related to the build.
+        /// </summary>
+        public List<AssetReferenceParams> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReferenceParams> GameCertificateReferences;
+        /// <summary>
+        /// The directory containing the game executable. This would be the start path of the game assets that contain the main game
+        /// server executable. If not provided, a best effort will be made to extract it from the start game command.
+        /// </summary>
+        public string GameWorkingDirectory;
+        /// <summary>
+        /// The instrumentation configuration for the build.
+        /// </summary>
+        public InstrumentationConfiguration InstrumentationConfiguration;
+        /// <summary>
+        /// Metadata to tag the build. The keys are case insensitive. The build metadata is made available to the server through
+        /// Game Server SDK (GSDK).Constraints: Maximum number of keys: 30, Maximum key length: 50, Maximum value length: 100
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The ports to map the build on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configurations for the build.
+        /// </summary>
+        public List<BuildRegionParams> RegionConfigurations;
+        /// <summary>
+        /// The command to run when the multiplayer server is started, including any arguments.
+        /// </summary>
+        public string StartMultiplayerServerCommand;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size to create the build on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    [Serializable]
+    public class CreateBuildWithManagedContainerResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The guid string build ID. Must be unique for every build.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The flavor of container of the build.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The time the build was created in UTC.
+        /// </summary>
+        public DateTime? CreationTime;
+        /// <summary>
+        /// The game assets for the build.
+        /// </summary>
+        public List<AssetReference> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReference> GameCertificateReferences;
+        /// <summary>
+        /// The directory containing the game executable. This would be the start path of the game assets that contain the main game
+        /// server executable. If not provided, a best effort will be made to extract it from the start game command.
+        /// </summary>
+        public string GameWorkingDirectory;
+        /// <summary>
+        /// The instrumentation configuration for this build.
+        /// </summary>
+        public InstrumentationConfiguration InstrumentationConfiguration;
+        /// <summary>
+        /// The metadata of the build.
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM of the build.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The OS platform used for running the game process.
+        /// </summary>
+        public string OsPlatform;
+        /// <summary>
+        /// The ports the build is mapped on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configuration for the build.
+        /// </summary>
+        public List<BuildRegion> RegionConfigurations;
+        /// <summary>
+        /// The type of game server being hosted.
+        /// </summary>
+        public string ServerType;
+        /// <summary>
+        /// The command to run when the multiplayer server has been allocated, including any arguments.
+        /// </summary>
+        public string StartMultiplayerServerCommand;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size the build was created on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    /// <summary>
+    /// Creates a multiplayer server build with the game server running as a process and returns information about the build
+    /// creation request.
+    /// </summary>
+    [Serializable]
+    public class CreateBuildWithProcessBasedServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The list of game assets related to the build.
+        /// </summary>
+        public List<AssetReferenceParams> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReferenceParams> GameCertificateReferences;
+        /// <summary>
+        /// The working directory for the game process. If this is not provided, the working directory will be set based on the
+        /// mount path of the game server executable.
+        /// </summary>
+        public string GameWorkingDirectory;
+        /// <summary>
+        /// The instrumentation configuration for the build.
+        /// </summary>
+        public InstrumentationConfiguration InstrumentationConfiguration;
+        /// <summary>
+        /// Indicates whether this build will be created using the OS Preview versionPreview OS is recommended for dev builds to
+        /// detect any breaking changes before they are released to retail. Retail builds should set this value to false.
+        /// </summary>
+        public bool? IsOSPreview;
+        /// <summary>
+        /// Metadata to tag the build. The keys are case insensitive. The build metadata is made available to the server through
+        /// Game Server SDK (GSDK).Constraints: Maximum number of keys: 30, Maximum key length: 50, Maximum value length: 100
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The OS platform used for running the game process.
+        /// </summary>
+        public string OsPlatform;
+        /// <summary>
+        /// The ports to map the build on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configurations for the build.
+        /// </summary>
+        public List<BuildRegionParams> RegionConfigurations;
+        /// <summary>
+        /// The command to run when the multiplayer server is started, including any arguments. The path to any executable should be
+        /// relative to the root asset folder when unzipped.
+        /// </summary>
+        public string StartMultiplayerServerCommand;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size to create the build on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    [Serializable]
+    public class CreateBuildWithProcessBasedServerResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The guid string build ID. Must be unique for every build.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The flavor of container of the build.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The time the build was created in UTC.
+        /// </summary>
+        public DateTime? CreationTime;
+        /// <summary>
+        /// The game assets for the build.
+        /// </summary>
+        public List<AssetReference> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReference> GameCertificateReferences;
+        /// <summary>
+        /// The working directory for the game process. If this is not provided, the working directory will be set based on the
+        /// mount path of the game server executable.
+        /// </summary>
+        public string GameWorkingDirectory;
+        /// <summary>
+        /// The instrumentation configuration for this build.
+        /// </summary>
+        public InstrumentationConfiguration InstrumentationConfiguration;
+        /// <summary>
+        /// Indicates whether this build will be created using the OS Preview versionPreview OS is recommended for dev builds to
+        /// detect any breaking changes before they are released to retail. Retail builds should set this value to false.
+        /// </summary>
+        public bool? IsOSPreview;
+        /// <summary>
+        /// The metadata of the build.
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to host on a single VM of the build.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The OS platform used for running the game process.
+        /// </summary>
+        public string OsPlatform;
+        /// <summary>
+        /// The ports the build is mapped on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configuration for the build.
+        /// </summary>
+        public List<BuildRegion> RegionConfigurations;
+        /// <summary>
+        /// The type of game server being hosted.
+        /// </summary>
+        public string ServerType;
+        /// <summary>
+        /// The command to run when the multiplayer server is started, including any arguments. The path to any executable is
+        /// relative to the root asset folder when unzipped.
+        /// </summary>
+        public string StartMultiplayerServerCommand;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size the build was created on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    /// <summary>
+    /// The client specifies the creator's attributes and optionally a list of other users to match with.
+    /// </summary>
+    [Serializable]
+    public class CreateMatchmakingTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The User who created this ticket.
+        /// </summary>
+        public MatchmakingPlayer Creator;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// How long to attempt matching this ticket in seconds.
+        /// </summary>
+        public int GiveUpAfterSeconds;
+        /// <summary>
+        /// A list of Entity Keys of other users to match with.
+        /// </summary>
+        public List<EntityKey> MembersToMatchWith;
+        /// <summary>
+        /// The Id of a match queue.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class CreateMatchmakingTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    /// <summary>
+    /// Creates a remote user to log on to a VM for a multiplayer server build in a specific region. Returns user credential
+    /// information necessary to log on.
+    /// </summary>
+    [Serializable]
+    public class CreateRemoteUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of to create the remote user for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The expiration time for the remote user created. Defaults to expiring in one day if not specified.
+        /// </summary>
+        public DateTime? ExpirationTime;
+        /// <summary>
+        /// The region of virtual machine to create the remote user for.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The username to create the remote user with.
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// The virtual machine ID the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    [Serializable]
+    public class CreateRemoteUserResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The expiration time for the remote user created.
+        /// </summary>
+        public DateTime? ExpirationTime;
+        /// <summary>
+        /// The generated password for the remote user that was created.
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// The username for the remote user that was created.
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// The server specifies all the members, their teams and their attributes, and the server details if applicable.
+    /// </summary>
+    [Serializable]
+    public class CreateServerBackfillTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// How long to attempt matching this ticket in seconds.
+        /// </summary>
+        public int GiveUpAfterSeconds;
+        /// <summary>
+        /// The users who will be part of this ticket, along with their team assignments.
+        /// </summary>
+        public List<MatchmakingPlayerWithTeamAssignment> Members;
+        /// <summary>
+        /// The Id of a match queue.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The details of the server the members are connected to.
+        /// </summary>
+        public ServerDetails ServerDetails;
+    }
+
+    [Serializable]
+    public class CreateServerBackfillTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    /// <summary>
+    /// The server specifies all the members and their attributes.
+    /// </summary>
+    [Serializable]
+    public class CreateServerMatchmakingTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// How long to attempt matching this ticket in seconds.
+        /// </summary>
+        public int GiveUpAfterSeconds;
+        /// <summary>
+        /// The users who will be part of this ticket.
+        /// </summary>
+        public List<MatchmakingPlayer> Members;
+        /// <summary>
+        /// The Id of a match queue.
+        /// </summary>
+        public string QueueName;
+    }
+
+    /// <summary>
+    /// Creates a request to change a title's multiplayer server quotas.
+    /// </summary>
+    [Serializable]
+    public class CreateTitleMultiplayerServersQuotaChangeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// A brief description of the requested changes.
+        /// </summary>
+        public string ChangeDescription;
+        /// <summary>
+        /// Changes to make to the titles cores quota.
+        /// </summary>
+        public List<CoreCapacityChange> Changes;
+        /// <summary>
+        /// Email to be contacted by our team about this request. Only required when a request is not approved.
+        /// </summary>
+        public string ContactEmail;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Additional information about this request that our team can use to better understand the requirements.
+        /// </summary>
+        public string Notes;
+        /// <summary>
+        /// When these changes would need to be in effect. Only required when a request is not approved.
+        /// </summary>
+        public DateTime? StartDate;
+    }
+
+    [Serializable]
+    public class CreateTitleMultiplayerServersQuotaChangeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Id of the change request that was created.
+        /// </summary>
+        public string RequestId;
+        /// <summary>
+        /// Determines if the request was approved or not. When false, our team is reviewing and may respond within 2 business days.
+        /// </summary>
+        public bool WasApproved;
+    }
+
+    [Serializable]
+    public class CurrentServerStats : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The number of active multiplayer servers.
+        /// </summary>
+        public int Active;
+        /// <summary>
+        /// The number of multiplayer servers still downloading game resources (such as assets).
+        /// </summary>
+        public int Propping;
+        /// <summary>
+        /// The number of standingby multiplayer servers.
+        /// </summary>
+        public int StandingBy;
+        /// <summary>
+        /// The total number of multiplayer servers.
+        /// </summary>
+        public int Total;
+    }
+
+    [Serializable]
+    public class CustomDifferenceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the values to use for each expansion interval (this overrides Difference, Delta, and MaxDifference).
+        /// </summary>
+        public List<OverrideDouble> DifferenceOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class CustomRegionSelectionRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the maximum latency to use for each expansion interval.
+        /// </summary>
+        public List<OverrideUnsignedInt> MaxLatencyOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class CustomSetIntersectionRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the values to use for each expansion interval.
+        /// </summary>
+        public List<OverrideUnsignedInt> MinIntersectionSizeOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class CustomTeamDifferenceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the team difference value to use for each expansion interval.
+        /// </summary>
+        public List<OverrideDouble> DifferenceOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class CustomTeamSizeBalanceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the team size difference to use for each expansion interval.
+        /// </summary>
+        public List<OverrideUnsignedInt> DifferenceOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    /// <summary>
+    /// Deletes a multiplayer server game asset for a title.
+    /// </summary>
+    [Serializable]
+    public class DeleteAssetRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The filename of the asset to delete.
+        /// </summary>
+        public string FileName;
+    }
+
+    /// <summary>
+    /// Deletes a multiplayer server build alias.
+    /// </summary>
+    [Serializable]
+    public class DeleteBuildAliasRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string alias ID of the alias to perform the action on.
+        /// </summary>
+        public string AliasId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Removes a multiplayer server build's region.
+    /// </summary>
+    [Serializable]
+    public class DeleteBuildRegionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string ID of the build we want to update regions for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The build region to delete.
+        /// </summary>
+        public string Region;
+    }
+
+    /// <summary>
+    /// Deletes a multiplayer server build.
+    /// </summary>
+    [Serializable]
+    public class DeleteBuildRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the build to delete.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Deletes a multiplayer server game certificate.
+    /// </summary>
+    [Serializable]
+    public class DeleteCertificateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the certificate.
+        /// </summary>
+        public string Name;
+    }
+
+    /// <summary>
+    /// Removes the specified container image repository. After this operation, a 'docker pull' will fail for all the tags of
+    /// the specified image. Morever, ListContainerImages will not return the specified image.
+    /// </summary>
+    [Serializable]
+    public class DeleteContainerImageRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The container image repository we want to delete.
+        /// </summary>
+        public string ImageName;
+    }
+
+    /// <summary>
+    /// Deletes a remote user to log on to a VM for a multiplayer server build in a specific region. Returns user credential
+    /// information necessary to log on.
+    /// </summary>
+    [Serializable]
+    public class DeleteRemoteUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the multiplayer server where the remote user is to delete.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The region of the multiplayer server where the remote user is to delete.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The username of the remote user to delete.
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// The virtual machine ID the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    [Serializable]
+    public class DifferenceRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the attribute used by this rule to match tickets.
+        /// </summary>
+        public QueueRuleAttribute Attribute;
+        /// <summary>
+        /// Describes the behavior when an attribute is not specified in the ticket creation request or in the user's entity
+        /// profile.
+        /// </summary>
+        public AttributeNotSpecifiedBehavior AttributeNotSpecifiedBehavior;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule. When this
+        /// is set, Difference is ignored.
+        /// </summary>
+        public CustomDifferenceRuleExpansion CustomExpansion;
+        /// <summary>
+        /// The default value assigned to tickets that are missing the attribute specified by AttributePath (assuming that
+        /// AttributeNotSpecifiedBehavior is false). Optional.
+        /// </summary>
+        public double? DefaultAttributeValue;
+        /// <summary>
+        /// The allowed difference between any two tickets at the start of matchmaking.
+        /// </summary>
+        public double Difference;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule.
+        /// </summary>
+        public LinearDifferenceRuleExpansion LinearExpansion;
+        /// <summary>
+        /// How values are treated when there are multiple players in a single ticket.
+        /// </summary>
+        public AttributeMergeFunction MergeFunction;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+        /// <summary>
+        /// The relative weight of this rule compared to others.
+        /// </summary>
+        public double Weight;
+    }
+
+    [Serializable]
+    public class DynamicStandbySettings : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of auto standing by trigger values and corresponding standing by multiplier. Defaults to 1.5X at 50%, 3X at 25%,
+        /// and 4X at 5%
+        /// </summary>
+        public List<DynamicStandbyThreshold> DynamicFloorMultiplierThresholds;
+        /// <summary>
+        /// When true, dynamic standby will be enabled
+        /// </summary>
+        public bool IsEnabled;
+        /// <summary>
+        /// The time it takes to reduce target standing by to configured floor value after an increase. Defaults to 30 minutes
+        /// </summary>
+        public int? RampDownSeconds;
+    }
+
+    [Serializable]
+    public class DynamicStandbyThreshold : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When the trigger threshold is reached, multiply by this value
+        /// </summary>
+        public double Multiplier;
+        /// <summary>
+        /// The multiplier will be applied when the actual standby divided by target standby floor is less than this value
+        /// </summary>
+        public double TriggerThresholdPercentage;
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Enables the multiplayer server feature for a title and returns the enabled status. The enabled status can be
+    /// Initializing, Enabled, and Disabled. It can up to 20 minutes or more for the title to be enabled for the feature. On
+    /// average, it can take up to 20 minutes for the title to be enabled for the feature.
+    /// </summary>
+    [Serializable]
+    public class EnableMultiplayerServersForTitleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class EnableMultiplayerServersForTitleResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The enabled status for the multiplayer server features for the title.
+        /// </summary>
+        public TitleMultiplayerServerEnabledStatus? Status;
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class GameCertificateReference : PlayFabBaseModel
+    {
+        /// <summary>
+        /// An alias for the game certificate. The game server will reference this alias via GSDK config to retrieve the game
+        /// certificate. This alias is used as an identifier in game server code to allow a new certificate with different Name
+        /// field to be uploaded without the need to change any game server code to reference the new Name.
+        /// </summary>
+        public string GsdkAlias;
+        /// <summary>
+        /// The name of the game certificate. This name should match the name of a certificate that was previously uploaded to this
+        /// title.
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class GameCertificateReferenceParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// An alias for the game certificate. The game server will reference this alias via GSDK config to retrieve the game
+        /// certificate. This alias is used as an identifier in game server code to allow a new certificate with different Name
+        /// field to be uploaded without the need to change any game server code to reference the new Name.
+        /// </summary>
+        public string GsdkAlias;
+        /// <summary>
+        /// The name of the game certificate. This name should match the name of a certificate that was previously uploaded to this
+        /// title.
+        /// </summary>
+        public string Name;
+    }
+
+    /// <summary>
+    /// Gets a URL that can be used to download the specified asset.
+    /// </summary>
+    [Serializable]
+    public class GetAssetDownloadUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The asset's file name to get the download URL for.
+        /// </summary>
+        public string FileName;
+    }
+
+    [Serializable]
+    public class GetAssetDownloadUrlResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The asset's download URL.
+        /// </summary>
+        public string AssetDownloadUrl;
+        /// <summary>
+        /// The asset's file name to get the download URL for.
+        /// </summary>
+        public string FileName;
+    }
+
+    /// <summary>
+    /// Gets the URL to upload assets to.
+    /// </summary>
+    [Serializable]
+    public class GetAssetUploadUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The asset's file name to get the upload URL for.
+        /// </summary>
+        public string FileName;
+    }
+
+    [Serializable]
+    public class GetAssetUploadUrlResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The asset's upload URL.
+        /// </summary>
+        public string AssetUploadUrl;
+        /// <summary>
+        /// The asset's file name to get the upload URL for.
+        /// </summary>
+        public string FileName;
+    }
+
+    /// <summary>
+    /// Returns the details about a multiplayer server build alias.
+    /// </summary>
+    [Serializable]
+    public class GetBuildAliasRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string alias ID of the alias to perform the action on.
+        /// </summary>
+        public string AliasId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Returns the details about a multiplayer server build.
+    /// </summary>
+    [Serializable]
+    public class GetBuildRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the build to get.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetBuildResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// When true, assets will not be copied for each server inside the VM. All serverswill run from the same set of assets, or
+        /// will have the same assets mounted in the container.
+        /// </summary>
+        public bool? AreAssetsReadonly;
+        /// <summary>
+        /// The guid string build ID of the build.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The current build status. Valid values are - Deploying, Deployed, DeletingRegion, Unhealthy.
+        /// </summary>
+        public string BuildStatus;
+        /// <summary>
+        /// The flavor of container of he build.
+        /// </summary>
+        public ContainerFlavor? ContainerFlavor;
+        /// <summary>
+        /// The container command to run when the multiplayer server has been allocated, including any arguments. This only applies
+        /// to custom builds. If the build is a managed build, this field will be null.
+        /// </summary>
+        public string ContainerRunCommand;
+        /// <summary>
+        /// The time the build was created in UTC.
+        /// </summary>
+        public DateTime? CreationTime;
+        /// <summary>
+        /// The custom game container image for a custom build.
+        /// </summary>
+        public ContainerImageReference CustomGameContainerImage;
+        /// <summary>
+        /// The game assets for the build.
+        /// </summary>
+        public List<AssetReference> GameAssetReferences;
+        /// <summary>
+        /// The game certificates for the build.
+        /// </summary>
+        public List<GameCertificateReference> GameCertificateReferences;
+        /// <summary>
+        /// The instrumentation configuration of the build.
+        /// </summary>
+        public InstrumentationConfiguration InstrumentationConfiguration;
+        /// <summary>
+        /// Metadata of the build. The keys are case insensitive. The build metadata is made available to the server through Game
+        /// Server SDK (GSDK).
+        /// </summary>
+        public Dictionary<string,string> Metadata;
+        /// <summary>
+        /// The number of multiplayer servers to hosted on a single VM of the build.
+        /// </summary>
+        public int MultiplayerServerCountPerVm;
+        /// <summary>
+        /// The OS platform used for running the game process.
+        /// </summary>
+        public string OsPlatform;
+        /// <summary>
+        /// The ports the build is mapped on.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region configuration for the build.
+        /// </summary>
+        public List<BuildRegion> RegionConfigurations;
+        /// <summary>
+        /// The type of game server being hosted.
+        /// </summary>
+        public string ServerType;
+        /// <summary>
+        /// The command to run when the multiplayer server has been allocated, including any arguments. This only applies to managed
+        /// builds. If the build is a custom build, this field will be null.
+        /// </summary>
+        public string StartMultiplayerServerCommand;
+        /// <summary>
+        /// When true, assets will be downloaded and uncompressed in memory, without the compressedversion being written first to
+        /// disc.
+        /// </summary>
+        public bool? UseStreamingForAssetDownloads;
+        /// <summary>
+        /// The VM size the build was created on.
+        /// </summary>
+        public AzureVmSize? VmSize;
+    }
+
+    /// <summary>
+    /// Gets credentials to the container registry where game developers can upload custom container images to before creating a
+    /// new build.
+    /// </summary>
+    [Serializable]
+    public class GetContainerRegistryCredentialsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetContainerRegistryCredentialsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The url of the container registry.
+        /// </summary>
+        public string DnsName;
+        /// <summary>
+        /// The password for accessing the container registry.
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// The username for accessing the container registry.
+        /// </summary>
+        public string Username;
+    }
+
+    /// <summary>
+    /// Gets the current configuration for a queue.
+    /// </summary>
+    [Serializable]
+    public class GetMatchmakingQueueRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The Id of the matchmaking queue to retrieve.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class GetMatchmakingQueueResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The matchmaking queue config.
+        /// </summary>
+        public MatchmakingQueueConfig MatchmakingQueue;
+    }
+
+    /// <summary>
+    /// The ticket includes the invited players, their attributes if they have joined, the ticket status, the match Id when
+    /// applicable, etc. Only servers, the ticket creator and the invited players can get the ticket.
+    /// </summary>
+    [Serializable]
+    public class GetMatchmakingTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Determines whether the matchmaking attributes will be returned as an escaped JSON string or as an un-escaped JSON
+        /// object.
+        /// </summary>
+        public bool EscapeObject;
+        /// <summary>
+        /// The name of the queue to find a match for.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    [Serializable]
+    public class GetMatchmakingTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The reason why the current ticket was canceled. This field is only set if the ticket is in canceled state.
+        /// </summary>
+        public string CancellationReasonString;
+        /// <summary>
+        /// The server date and time at which ticket was created.
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// The Creator's entity key.
+        /// </summary>
+        public EntityKey Creator;
+        /// <summary>
+        /// How long to attempt matching this ticket in seconds.
+        /// </summary>
+        public int GiveUpAfterSeconds;
+        /// <summary>
+        /// The Id of a match.
+        /// </summary>
+        public string MatchId;
+        /// <summary>
+        /// A list of Users that have joined this ticket.
+        /// </summary>
+        public List<MatchmakingPlayer> Members;
+        /// <summary>
+        /// A list of PlayFab Ids of Users to match with.
+        /// </summary>
+        public List<EntityKey> MembersToMatchWith;
+        /// <summary>
+        /// The Id of a match queue.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The current ticket status. Possible values are: WaitingForPlayers, WaitingForMatch, WaitingForServer, Canceled and
+        /// Matched.
+        /// </summary>
+        public string Status;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    /// <summary>
+    /// When matchmaking has successfully matched together a collection of tickets, it produces a 'match' with an Id. The match
+    /// contains all of the players that were matched together, and their team assigments. Only servers and ticket members can
+    /// get the match.
+    /// </summary>
+    [Serializable]
+    public class GetMatchRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Determines whether the matchmaking attributes will be returned as an escaped JSON string or as an un-escaped JSON
+        /// object.
+        /// </summary>
+        public bool EscapeObject;
+        /// <summary>
+        /// The Id of a match.
+        /// </summary>
+        public string MatchId;
+        /// <summary>
+        /// The name of the queue to join.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// Determines whether the matchmaking attributes for each user should be returned in the response for match request.
+        /// </summary>
+        public bool ReturnMemberAttributes;
+    }
+
+    [Serializable]
+    public class GetMatchResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The Id of a match.
+        /// </summary>
+        public string MatchId;
+        /// <summary>
+        /// A list of Users that are matched together, along with their team assignments.
+        /// </summary>
+        public List<MatchmakingPlayerWithTeamAssignment> Members;
+        /// <summary>
+        /// A list of regions that the match could be played in sorted by preference. This value is only set if the queue has a
+        /// region selection rule.
+        /// </summary>
+        public List<string> RegionPreferences;
+        /// <summary>
+        /// The details of the server that the match has been allocated to.
+        /// </summary>
+        public ServerDetails ServerDetails;
+    }
+
+    /// <summary>
+    /// Gets multiplayer server session details for a build in a specific region.
+    /// </summary>
+    [Serializable]
+    public class GetMultiplayerServerDetailsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the multiplayer server to get details for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The region the multiplayer server is located in to get details for.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The title generated guid string session ID of the multiplayer server to get details for. This is to keep track of
+        /// multiplayer server sessions.
+        /// </summary>
+        public string SessionId;
+    }
+
+    [Serializable]
+    public class GetMultiplayerServerDetailsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The identity of the build in which the server was allocated.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The connected players in the multiplayer server.
+        /// </summary>
+        public List<ConnectedPlayer> ConnectedPlayers;
+        /// <summary>
+        /// The fully qualified domain name of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string FQDN;
+        /// <summary>
+        /// The IPv4 address of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string IPV4Address;
+        /// <summary>
+        /// The time (UTC) at which a change in the multiplayer server state was observed.
+        /// </summary>
+        public DateTime? LastStateTransitionTime;
+        /// <summary>
+        /// The ports the multiplayer server uses.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region the multiplayer server is located in.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The string server ID of the multiplayer server generated by PlayFab.
+        /// </summary>
+        public string ServerId;
+        /// <summary>
+        /// The guid string session ID of the multiplayer server.
+        /// </summary>
+        public string SessionId;
+        /// <summary>
+        /// The state of the multiplayer server.
+        /// </summary>
+        public string State;
+        /// <summary>
+        /// The virtual machine ID that the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    /// <summary>
+    /// Gets multiplayer server logs for a specific server id in a region. The logs are available only after a server has
+    /// terminated.
+    /// </summary>
+    [Serializable]
+    public class GetMultiplayerServerLogsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The server ID of multiplayer server to get logs for.
+        /// </summary>
+        public string ServerId;
+    }
+
+    [Serializable]
+    public class GetMultiplayerServerLogsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// URL for logs download.
+        /// </summary>
+        public string LogDownloadUrl;
+    }
+
+    /// <summary>
+    /// Gets multiplayer server logs for a specific server id in a region. The logs are available only after a server has
+    /// terminated.
+    /// </summary>
+    [Serializable]
+    public class GetMultiplayerSessionLogsBySessionIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The server ID of multiplayer server to get logs for.
+        /// </summary>
+        public string SessionId;
+    }
+
+    /// <summary>
+    /// Returns the matchmaking statistics for a queue. These include the number of players matching and the statistics related
+    /// to the time to match statistics in seconds (average and percentiles). Statistics are refreshed once every 5 minutes.
+    /// Servers can access all statistics no matter what the ClientStatisticsVisibility is configured to. Clients can access
+    /// statistics according to the ClientStatisticsVisibility. Client requests are forbidden if all visibility fields are
+    /// false.
+    /// </summary>
+    [Serializable]
+    public class GetQueueStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the queue.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class GetQueueStatisticsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The current number of players in the matchmaking queue, who are waiting to be matched.
+        /// </summary>
+        public uint? NumberOfPlayersMatching;
+        /// <summary>
+        /// Statistics representing the time (in seconds) it takes for tickets to find a match.
+        /// </summary>
+        public Statistics TimeToMatchStatisticsInSeconds;
+    }
+
+    /// <summary>
+    /// Gets a remote login endpoint to a VM that is hosting a multiplayer server build in a specific region.
+    /// </summary>
+    [Serializable]
+    public class GetRemoteLoginEndpointRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the multiplayer server to get remote login information for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The region of the multiplayer server to get remote login information for.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The virtual machine ID the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    [Serializable]
+    public class GetRemoteLoginEndpointResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The remote login IPV4 address of multiplayer server.
+        /// </summary>
+        public string IPV4Address;
+        /// <summary>
+        /// The remote login port of multiplayer server.
+        /// </summary>
+        public int Port;
+    }
+
+    /// <summary>
+    /// The ticket includes the players, their attributes, their teams, the ticket status, the match Id and the server details
+    /// when applicable, etc. Only servers can get the ticket.
+    /// </summary>
+    [Serializable]
+    public class GetServerBackfillTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Determines whether the matchmaking attributes will be returned as an escaped JSON string or as an un-escaped JSON
+        /// object.
+        /// </summary>
+        public bool EscapeObject;
+        /// <summary>
+        /// The name of the queue to find a match for.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    [Serializable]
+    public class GetServerBackfillTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The reason why the current ticket was canceled. This field is only set if the ticket is in canceled state.
+        /// </summary>
+        public string CancellationReasonString;
+        /// <summary>
+        /// The server date and time at which ticket was created.
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// How long to attempt matching this ticket in seconds.
+        /// </summary>
+        public int GiveUpAfterSeconds;
+        /// <summary>
+        /// The Id of a match.
+        /// </summary>
+        public string MatchId;
+        /// <summary>
+        /// A list of Users that are part of this ticket, along with their team assignments.
+        /// </summary>
+        public List<MatchmakingPlayerWithTeamAssignment> Members;
+        /// <summary>
+        /// The Id of a match queue.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The details of the server the members are connected to.
+        /// </summary>
+        public ServerDetails ServerDetails;
+        /// <summary>
+        /// The current ticket status. Possible values are: WaitingForMatch, Canceled and Matched.
+        /// </summary>
+        public string Status;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    /// <summary>
+    /// Gets the status of whether a title is enabled for the multiplayer server feature. The enabled status can be
+    /// Initializing, Enabled, and Disabled.
+    /// </summary>
+    [Serializable]
+    public class GetTitleEnabledForMultiplayerServersStatusRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetTitleEnabledForMultiplayerServersStatusResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The enabled status for the multiplayer server features for the title.
+        /// </summary>
+        public TitleMultiplayerServerEnabledStatus? Status;
+    }
+
+    /// <summary>
+    /// Gets a title's server quota change request.
+    /// </summary>
+    [Serializable]
+    public class GetTitleMultiplayerServersQuotaChangeRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Id of the change request to get.
+        /// </summary>
+        public string RequestId;
+    }
+
+    [Serializable]
+    public class GetTitleMultiplayerServersQuotaChangeResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The change request for this title.
+        /// </summary>
+        public QuotaChange Change;
+    }
+
+    /// <summary>
+    /// Gets the quotas for a title in relation to multiplayer servers.
+    /// </summary>
+    [Serializable]
+    public class GetTitleMultiplayerServersQuotasRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetTitleMultiplayerServersQuotasResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The various quotas for multiplayer servers for the title.
+        /// </summary>
+        public TitleMultiplayerServersQuotas Quotas;
+    }
+
+    [Serializable]
+    public class InstrumentationConfiguration : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Designates whether windows instrumentation configuration will be enabled for this Build
+        /// </summary>
+        public bool? IsEnabled;
+        /// <summary>
+        /// This property is deprecated, use IsEnabled. The list of processes to be monitored on a VM for this build. Providing
+        /// processes will turn on performance metrics collection for this build. Process names should not include extensions. If
+        /// the game server process is: GameServer.exe; then, ProcessesToMonitor = [ GameServer ]
+        /// </summary>
+        public List<string> ProcessesToMonitor;
+    }
+
+    /// <summary>
+    /// Add the player to a matchmaking ticket and specify all of its matchmaking attributes. Players can join a ticket if and
+    /// only if their EntityKeys are already listed in the ticket's Members list. The matchmaking service automatically starts
+    /// matching the ticket against other matchmaking tickets once all players have joined the ticket. It is not possible to
+    /// join a ticket once it has started matching.
+    /// </summary>
+    [Serializable]
+    public class JoinMatchmakingTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The User who wants to join the ticket. Their Id must be listed in PlayFabIdsToMatchWith.
+        /// </summary>
+        public MatchmakingPlayer Member;
+        /// <summary>
+        /// The name of the queue to join.
+        /// </summary>
+        public string QueueName;
+        /// <summary>
+        /// The Id of the ticket to find a match for.
+        /// </summary>
+        public string TicketId;
+    }
+
+    [Serializable]
+    public class JoinMatchmakingTicketResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinearDifferenceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This value gets added to Difference at every expansion interval.
+        /// </summary>
+        public double Delta;
+        /// <summary>
+        /// Once the total difference reaches this value, expansion stops. Optional.
+        /// </summary>
+        public double? Limit;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class LinearRegionSelectionRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This value gets added to MaxLatency at every expansion interval.
+        /// </summary>
+        public uint Delta;
+        /// <summary>
+        /// Once the max Latency reaches this value, expansion stops.
+        /// </summary>
+        public uint Limit;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class LinearSetIntersectionRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This value gets added to MinIntersectionSize at every expansion interval.
+        /// </summary>
+        public uint Delta;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class LinearTeamDifferenceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This value gets added to Difference at every expansion interval.
+        /// </summary>
+        public double Delta;
+        /// <summary>
+        /// Once the total difference reaches this value, expansion stops. Optional.
+        /// </summary>
+        public double? Limit;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class LinearTeamSizeBalanceRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This value gets added to Difference at every expansion interval.
+        /// </summary>
+        public uint Delta;
+        /// <summary>
+        /// Once the total difference reaches this value, expansion stops. Optional.
+        /// </summary>
+        public uint? Limit;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class LinuxInstrumentationConfiguration : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Designates whether Linux instrumentation configuration will be enabled for this Build
+        /// </summary>
+        public bool IsEnabled;
+    }
+
+    /// <summary>
+    /// Returns a list of multiplayer server game asset summaries for a title.
+    /// </summary>
+    [Serializable]
+    public class ListAssetSummariesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListAssetSummariesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of asset summaries.
+        /// </summary>
+        public List<AssetSummary> AssetSummaries;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of summarized details of all multiplayer server builds for a title.
+    /// </summary>
+    [Serializable]
+    public class ListBuildAliasesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListBuildAliasesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of build aliases for the title
+        /// </summary>
+        public List<BuildAliasDetailsResponse> BuildAliases;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of summarized details of all multiplayer server builds for a title.
+    /// </summary>
+    [Serializable]
+    public class ListBuildSummariesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListBuildSummariesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of build summaries for a title.
+        /// </summary>
+        public List<BuildSummary> BuildSummaries;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of multiplayer server game certificates for a title.
+    /// </summary>
+    [Serializable]
+    public class ListCertificateSummariesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListCertificateSummariesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of game certificates.
+        /// </summary>
+        public List<CertificateSummary> CertificateSummaries;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of the container images that have been uploaded to the container registry for a title.
+    /// </summary>
+    [Serializable]
+    public class ListContainerImagesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListContainerImagesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of container images.
+        /// </summary>
+        public List<string> Images;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of the tags for a particular container image that exists in the container registry for a title.
+    /// </summary>
+    [Serializable]
+    public class ListContainerImageTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The container images we want to list tags for.
+        /// </summary>
+        public string ImageName;
+    }
+
+    [Serializable]
+    public class ListContainerImageTagsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of tags for a particular container image.
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    /// <summary>
+    /// Gets a list of all the matchmaking queue configurations for the title.
+    /// </summary>
+    [Serializable]
+    public class ListMatchmakingQueuesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class ListMatchmakingQueuesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of matchmaking queue configs for this title.
+        /// </summary>
+        public List<MatchmakingQueueConfig> MatchMakingQueues;
+    }
+
+    /// <summary>
+    /// If the caller is a title, the EntityKey in the request is required. If the caller is a player, then it is optional. If
+    /// it is provided it must match the caller's entity.
+    /// </summary>
+    [Serializable]
+    public class ListMatchmakingTicketsForPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity key for which to find the ticket Ids.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the queue to find a match for.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class ListMatchmakingTicketsForPlayerResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of ticket Ids the user is a member of.
+        /// </summary>
+        public List<string> TicketIds;
+    }
+
+    /// <summary>
+    /// Returns a list of multiplayer servers for a build in a specific region.
+    /// </summary>
+    [Serializable]
+    public class ListMultiplayerServersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the multiplayer servers to list.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The region the multiplayer servers to list.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListMultiplayerServersResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of multiplayer server summary details.
+        /// </summary>
+        public List<MultiplayerServerSummary> MultiplayerServerSummaries;
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of quality of service servers for party.
+    /// </summary>
+    [Serializable]
+    public class ListPartyQosServersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class ListPartyQosServersResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The list of QoS servers.
+        /// </summary>
+        public List<QosServer> QosServers;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// Returns a list of quality of service servers for a title.
+    /// </summary>
+    [Serializable]
+    public class ListQosServersForTitleRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates that the response should contain Qos servers for all regions, including those where there are no builds
+        /// deployed for the title.
+        /// </summary>
+        public bool? IncludeAllRegions;
+    }
+
+    [Serializable]
+    public class ListQosServersForTitleResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The list of QoS servers.
+        /// </summary>
+        public List<QosServer> QosServers;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    /// <summary>
+    /// List all server backfill ticket Ids the user is a member of.
+    /// </summary>
+    [Serializable]
+    public class ListServerBackfillTicketsForPlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity key for which to find the ticket Ids.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The name of the queue the tickets are in.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class ListServerBackfillTicketsForPlayerResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The list of backfill ticket Ids the user is a member of.
+        /// </summary>
+        public List<string> TicketIds;
+    }
+
+    /// <summary>
+    /// List all server quota change requests for a title.
+    /// </summary>
+    [Serializable]
+    public class ListTitleMultiplayerServersQuotaChangesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class ListTitleMultiplayerServersQuotaChangesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// All change requests for this title.
+        /// </summary>
+        public List<QuotaChange> Changes;
+    }
+
+    /// <summary>
+    /// Returns a list of virtual machines for a title.
+    /// </summary>
+    [Serializable]
+    public class ListVirtualMachineSummariesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the virtual machines to list.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The page size for the request.
+        /// </summary>
+        public int? PageSize;
+        /// <summary>
+        /// The region of the virtual machines to list.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The skip token for the paged request.
+        /// </summary>
+        public string SkipToken;
+    }
+
+    [Serializable]
+    public class ListVirtualMachineSummariesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The page size on the response.
+        /// </summary>
+        public int PageSize;
+        /// <summary>
+        /// The skip token for the paged response.
+        /// </summary>
+        public string SkipToken;
+        /// <summary>
+        /// The list of virtual machine summaries.
+        /// </summary>
+        public List<VirtualMachineSummary> VirtualMachines;
+    }
+
+    /// <summary>
+    /// A user in a matchmaking ticket.
+    /// </summary>
+    [Serializable]
+    public class MatchmakingPlayer : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The user's attributes custom to the title.
+        /// </summary>
+        public MatchmakingPlayerAttributes Attributes;
+        /// <summary>
+        /// The entity key of the matchmaking user.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    /// <summary>
+    /// The matchmaking attributes for a user.
+    /// </summary>
+    [Serializable]
+    public class MatchmakingPlayerAttributes : PlayFabBaseModel
+    {
+        /// <summary>
+        /// A data object representing a user's attributes.
+        /// </summary>
+        public object DataObject;
+        /// <summary>
+        /// An escaped data object representing a user's attributes.
+        /// </summary>
+        public string EscapedDataObject;
+    }
+
+    /// <summary>
+    /// A player in a created matchmaking match with a team assignment.
+    /// </summary>
+    [Serializable]
+    public class MatchmakingPlayerWithTeamAssignment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The user's attributes custom to the title. These attributes will be null unless the request has ReturnMemberAttributes
+        /// flag set to true.
+        /// </summary>
+        public MatchmakingPlayerAttributes Attributes;
+        /// <summary>
+        /// The entity key of the matchmaking user.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The Id of the team the User is assigned to.
+        /// </summary>
+        public string TeamId;
+    }
+
+    [Serializable]
+    public class MatchmakingQueueConfig : PlayFabBaseModel
+    {
+        /// <summary>
+        /// This is the buildId that will be used to allocate the multiplayer server for the match.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// List of difference rules used to find an optimal match.
+        /// </summary>
+        public List<DifferenceRule> DifferenceRules;
+        /// <summary>
+        /// List of match total rules used to find an optimal match.
+        /// </summary>
+        public List<MatchTotalRule> MatchTotalRules;
+        /// <summary>
+        /// Maximum number of players in a match.
+        /// </summary>
+        public uint MaxMatchSize;
+        /// <summary>
+        /// Maximum number of players in a ticket. Optional.
+        /// </summary>
+        public uint? MaxTicketSize;
+        /// <summary>
+        /// Minimum number of players in a match.
+        /// </summary>
+        public uint MinMatchSize;
+        /// <summary>
+        /// Unique identifier for a Queue. Chosen by the developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Region selection rule used to find an optimal match.
+        /// </summary>
+        public RegionSelectionRule RegionSelectionRule;
+        /// <summary>
+        /// Boolean flag to enable server allocation for the queue.
+        /// </summary>
+        public bool ServerAllocationEnabled;
+        /// <summary>
+        /// List of set intersection rules used to find an optimal match.
+        /// </summary>
+        public List<SetIntersectionRule> SetIntersectionRules;
+        /// <summary>
+        /// Controls which statistics are visible to players.
+        /// </summary>
+        public StatisticsVisibilityToPlayers StatisticsVisibilityToPlayers;
+        /// <summary>
+        /// List of string equality rules used to find an optimal match.
+        /// </summary>
+        public List<StringEqualityRule> StringEqualityRules;
+        /// <summary>
+        /// List of team difference rules used to find an optimal match.
+        /// </summary>
+        public List<TeamDifferenceRule> TeamDifferenceRules;
+        /// <summary>
+        /// The team configuration for a match. This may be null if there are no teams.
+        /// </summary>
+        public List<MatchmakingQueueTeam> Teams;
+        /// <summary>
+        /// Team size balance rule used to find an optimal match.
+        /// </summary>
+        public TeamSizeBalanceRule TeamSizeBalanceRule;
+        /// <summary>
+        /// Team ticket size similarity rule used to find an optimal match.
+        /// </summary>
+        public TeamTicketSizeSimilarityRule TeamTicketSizeSimilarityRule;
+    }
+
+    [Serializable]
+    public class MatchmakingQueueTeam : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The maximum number of players required for the team.
+        /// </summary>
+        public uint MaxTeamSize;
+        /// <summary>
+        /// The minimum number of players required for the team.
+        /// </summary>
+        public uint MinTeamSize;
+        /// <summary>
+        /// A name to identify the team. This is case insensitive.
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class MatchTotalRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the attribute used by this rule to match tickets.
+        /// </summary>
+        public QueueRuleAttribute Attribute;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals.
+        /// </summary>
+        public MatchTotalRuleExpansion Expansion;
+        /// <summary>
+        /// The maximum total value for a group. Must be >= Min.
+        /// </summary>
+        public double Max;
+        /// <summary>
+        /// The minimum total value for a group. Must be >=2.
+        /// </summary>
+        public double Min;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+        /// <summary>
+        /// The relative weight of this rule compared to others.
+        /// </summary>
+        public double Weight;
+    }
+
+    [Serializable]
+    public class MatchTotalRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Manually specify the values to use for each expansion interval. When this is set, Max is ignored.
+        /// </summary>
+        public List<OverrideDouble> MaxOverrides;
+        /// <summary>
+        /// Manually specify the values to use for each expansion interval. When this is set, Min is ignored.
+        /// </summary>
+        public List<OverrideDouble> MinOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class MultiplayerServerSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The connected players in the multiplayer server.
+        /// </summary>
+        public List<ConnectedPlayer> ConnectedPlayers;
+        /// <summary>
+        /// The time (UTC) at which a change in the multiplayer server state was observed.
+        /// </summary>
+        public DateTime? LastStateTransitionTime;
+        /// <summary>
+        /// The region the multiplayer server is located in.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The string server ID of the multiplayer server generated by PlayFab.
+        /// </summary>
+        public string ServerId;
+        /// <summary>
+        /// The title generated guid string session ID of the multiplayer server.
+        /// </summary>
+        public string SessionId;
+        /// <summary>
+        /// The state of the multiplayer server.
+        /// </summary>
+        public string State;
+        /// <summary>
+        /// The virtual machine ID that the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    public enum OsPlatform
+    {
+        Windows,
+        Linux
+    }
+
+    [Serializable]
+    public class OverrideDouble : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The custom expansion value.
+        /// </summary>
+        public double Value;
+    }
+
+    [Serializable]
+    public class OverrideUnsignedInt : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The custom expansion value.
+        /// </summary>
+        public uint Value;
+    }
+
+    [Serializable]
+    public class Port : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The name for the port.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The number for the port.
+        /// </summary>
+        public int Num;
+        /// <summary>
+        /// The protocol for the port.
+        /// </summary>
+        public ProtocolType Protocol;
+    }
+
+    public enum ProtocolType
+    {
+        TCP,
+        UDP
+    }
+
+    [Serializable]
+    public class QosServer : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The region the QoS server is located in.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The QoS server URL.
+        /// </summary>
+        public string ServerUrl;
+    }
+
+    [Serializable]
+    public class QueueRuleAttribute : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Specifies which attribute in a ticket to use.
+        /// </summary>
+        public string Path;
+        /// <summary>
+        /// Specifies which source the attribute comes from.
+        /// </summary>
+        public AttributeSource Source;
+    }
+
+    [Serializable]
+    public class QuotaChange : PlayFabBaseModel
+    {
+        /// <summary>
+        /// A brief description of the requested changes.
+        /// </summary>
+        public string ChangeDescription;
+        /// <summary>
+        /// Requested changes to make to the titles cores quota.
+        /// </summary>
+        public List<CoreCapacityChange> Changes;
+        /// <summary>
+        /// Whether or not this request is pending a review.
+        /// </summary>
+        public bool IsPendingReview;
+        /// <summary>
+        /// Additional information about this request that our team can use to better understand the requirements.
+        /// </summary>
+        public string Notes;
+        /// <summary>
+        /// Id of the change request.
+        /// </summary>
+        public string RequestId;
+        /// <summary>
+        /// Comments by our team when a request is reviewed.
+        /// </summary>
+        public string ReviewComments;
+        /// <summary>
+        /// Whether or not this request was approved.
+        /// </summary>
+        public bool WasApproved;
+    }
+
+    [Serializable]
+    public class RegionSelectionRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Controls how the Max Latency parameter expands over time. Only one expansion can be set per rule. When this is set,
+        /// MaxLatency is ignored.
+        /// </summary>
+        public CustomRegionSelectionRuleExpansion CustomExpansion;
+        /// <summary>
+        /// Controls how the Max Latency parameter expands over time. Only one expansion can be set per rule.
+        /// </summary>
+        public LinearRegionSelectionRuleExpansion LinearExpansion;
+        /// <summary>
+        /// Specifies the maximum latency that is allowed between the client and the selected server. The value is in milliseconds.
+        /// </summary>
+        public uint MaxLatency;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Specifies which attribute in a ticket to use.
+        /// </summary>
+        public string Path;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+        /// <summary>
+        /// The relative weight of this rule compared to others.
+        /// </summary>
+        public double Weight;
+    }
+
+    /// <summary>
+    /// Deletes the configuration for a queue. This will permanently delete the configuration and players will no longer be able
+    /// to match in the queue. All outstanding matchmaking tickets will be cancelled.
+    /// </summary>
+    [Serializable]
+    public class RemoveMatchmakingQueueRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The Id of the matchmaking queue to remove.
+        /// </summary>
+        public string QueueName;
+    }
+
+    [Serializable]
+    public class RemoveMatchmakingQueueResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Requests a multiplayer server session from a particular build in any of the given preferred regions.
+    /// </summary>
+    [Serializable]
+    public class RequestMultiplayerServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The identifiers of the build alias to use for the request.
+        /// </summary>
+        public BuildAliasParams BuildAliasParams;
+        /// <summary>
+        /// The guid string build ID of the multiplayer server to request.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Initial list of players (potentially matchmade) allowed to connect to the game. This list is passed to the game server
+        /// when requested (via GSDK) and can be used to validate players connecting to it.
+        /// </summary>
+        public List<string> InitialPlayers;
+        /// <summary>
+        /// The preferred regions to request a multiplayer server from. The Multiplayer Service will iterate through the regions in
+        /// the specified order and allocate a server from the first one that has servers available.
+        /// </summary>
+        public List<string> PreferredRegions;
+        /// <summary>
+        /// Data encoded as a string that is passed to the game server when requested. This can be used to to communicate
+        /// information such as game mode or map through the request flow.
+        /// </summary>
+        public string SessionCookie;
+        /// <summary>
+        /// A guid string session ID created track the multiplayer server session over its life.
+        /// </summary>
+        public string SessionId;
+    }
+
+    [Serializable]
+    public class RequestMultiplayerServerResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The identity of the build in which the server was allocated.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The connected players in the multiplayer server.
+        /// </summary>
+        public List<ConnectedPlayer> ConnectedPlayers;
+        /// <summary>
+        /// The fully qualified domain name of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string FQDN;
+        /// <summary>
+        /// The IPv4 address of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string IPV4Address;
+        /// <summary>
+        /// The time (UTC) at which a change in the multiplayer server state was observed.
+        /// </summary>
+        public DateTime? LastStateTransitionTime;
+        /// <summary>
+        /// The ports the multiplayer server uses.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The region the multiplayer server is located in.
+        /// </summary>
+        public string Region;
+        /// <summary>
+        /// The string server ID of the multiplayer server generated by PlayFab.
+        /// </summary>
+        public string ServerId;
+        /// <summary>
+        /// The guid string session ID of the multiplayer server.
+        /// </summary>
+        public string SessionId;
+        /// <summary>
+        /// The state of the multiplayer server.
+        /// </summary>
+        public string State;
+        /// <summary>
+        /// The virtual machine ID that the multiplayer server is located on.
+        /// </summary>
+        public string VmId;
+    }
+
+    /// <summary>
+    /// Gets new credentials to the container registry where game developers can upload custom container images to before
+    /// creating a new build.
+    /// </summary>
+    [Serializable]
+    public class RolloverContainerRegistryCredentialsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class RolloverContainerRegistryCredentialsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The url of the container registry.
+        /// </summary>
+        public string DnsName;
+        /// <summary>
+        /// The password for accessing the container registry.
+        /// </summary>
+        public string Password;
+        /// <summary>
+        /// The username for accessing the container registry.
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class Schedule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// A short description about this schedule. For example, "Game launch on July 15th".
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// The date and time in UTC at which the schedule ends. If IsRecurringWeekly is true, this schedule will keep renewing for
+        /// future weeks until disabled or removed.
+        /// </summary>
+        public DateTime EndTime;
+        /// <summary>
+        /// Disables the schedule.
+        /// </summary>
+        public bool IsDisabled;
+        /// <summary>
+        /// If true, the StartTime and EndTime will get renewed every week.
+        /// </summary>
+        public bool IsRecurringWeekly;
+        /// <summary>
+        /// The date and time in UTC at which the schedule starts.
+        /// </summary>
+        public DateTime StartTime;
+        /// <summary>
+        /// The standby target to maintain for the duration of the schedule.
+        /// </summary>
+        public int TargetStandby;
+    }
+
+    [Serializable]
+    public class ScheduledStandbySettings : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When true, scheduled standby will be enabled
+        /// </summary>
+        public bool IsEnabled;
+        /// <summary>
+        /// A list of non-overlapping schedules
+        /// </summary>
+        public List<Schedule> ScheduleList;
+    }
+
+    [Serializable]
+    public class ServerDetails : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The fully qualified domain name of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string Fqdn;
+        /// <summary>
+        /// The IPv4 address of the virtual machine that is hosting this multiplayer server.
+        /// </summary>
+        public string IPV4Address;
+        /// <summary>
+        /// The ports the multiplayer server uses.
+        /// </summary>
+        public List<Port> Ports;
+        /// <summary>
+        /// The server's region.
+        /// </summary>
+        public string Region;
+    }
+
+    public enum ServerType
+    {
+        Container,
+        Process
+    }
+
+    [Serializable]
+    public class SetIntersectionRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the attribute used by this rule to match tickets.
+        /// </summary>
+        public QueueRuleAttribute Attribute;
+        /// <summary>
+        /// Describes the behavior when an attribute is not specified in the ticket creation request or in the user's entity
+        /// profile.
+        /// </summary>
+        public AttributeNotSpecifiedBehavior AttributeNotSpecifiedBehavior;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule. When this
+        /// is set, MinIntersectionSize is ignored.
+        /// </summary>
+        public CustomSetIntersectionRuleExpansion CustomExpansion;
+        /// <summary>
+        /// The default value assigned to tickets that are missing the attribute specified by AttributePath (assuming that
+        /// AttributeNotSpecifiedBehavior is UseDefault). Values must be unique.
+        /// </summary>
+        public List<string> DefaultAttributeValue;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule.
+        /// </summary>
+        public LinearSetIntersectionRuleExpansion LinearExpansion;
+        /// <summary>
+        /// The minimum number of values that must match between sets.
+        /// </summary>
+        public uint MinIntersectionSize;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+        /// <summary>
+        /// The relative weight of this rule compared to others.
+        /// </summary>
+        public double Weight;
+    }
+
+    /// <summary>
+    /// Use this API to create or update matchmaking queue configurations. The queue configuration defines the matchmaking
+    /// rules. The matchmaking service will match tickets together according to the configured rules. Queue resources are not
+    /// spun up by calling this API. Queues are created when the first ticket is submitted.
+    /// </summary>
+    [Serializable]
+    public class SetMatchmakingQueueRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The matchmaking queue config.
+        /// </summary>
+        public MatchmakingQueueConfig MatchmakingQueue;
+    }
+
+    [Serializable]
+    public class SetMatchmakingQueueResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Executes the shutdown callback from the GSDK and terminates the multiplayer server session. The callback in the GSDK
+    /// will allow for graceful shutdown with a 15 minute timeoutIf graceful shutdown has not been completed before 15 minutes
+    /// have elapsed, the multiplayer server session will be forcefully terminated on it's own.
+    /// </summary>
+    [Serializable]
+    public class ShutdownMultiplayerServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string build ID of the multiplayer server to delete.
+        /// </summary>
+        [Obsolete("No longer available", false)]
+        public string BuildId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The region of the multiplayer server to shut down.
+        /// </summary>
+        [Obsolete("No longer available", false)]
+        public string Region;
+        /// <summary>
+        /// A guid string session ID of the multiplayer server to shut down.
+        /// </summary>
+        public string SessionId;
+    }
+
+    [Serializable]
+    public class Statistics : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The average.
+        /// </summary>
+        public double Average;
+        /// <summary>
+        /// The 50th percentile.
+        /// </summary>
+        public double Percentile50;
+        /// <summary>
+        /// The 90th percentile.
+        /// </summary>
+        public double Percentile90;
+        /// <summary>
+        /// The 99th percentile.
+        /// </summary>
+        public double Percentile99;
+    }
+
+    [Serializable]
+    public class StatisticsVisibilityToPlayers : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to allow players to view the current number of players in the matchmaking queue.
+        /// </summary>
+        public bool ShowNumberOfPlayersMatching;
+        /// <summary>
+        /// Whether to allow players to view statistics representing the time it takes for tickets to find a match.
+        /// </summary>
+        public bool ShowTimeToMatch;
+    }
+
+    [Serializable]
+    public class StringEqualityRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the attribute used by this rule to match tickets.
+        /// </summary>
+        public QueueRuleAttribute Attribute;
+        /// <summary>
+        /// Describes the behavior when an attribute is not specified in the ticket creation request or in the user's entity
+        /// profile.
+        /// </summary>
+        public AttributeNotSpecifiedBehavior AttributeNotSpecifiedBehavior;
+        /// <summary>
+        /// The default value assigned to tickets that are missing the attribute specified by AttributePath (assuming that
+        /// AttributeNotSpecifiedBehavior is false).
+        /// </summary>
+        public string DefaultAttributeValue;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. For StringEqualityRules, this is limited to
+        /// turning the rule off or on during different intervals.
+        /// </summary>
+        public StringEqualityRuleExpansion Expansion;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+        /// <summary>
+        /// The relative weight of this rule compared to others.
+        /// </summary>
+        public double Weight;
+    }
+
+    [Serializable]
+    public class StringEqualityRuleExpansion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of bools specifying whether the rule is applied during this expansion.
+        /// </summary>
+        public List<bool> EnabledOverrides;
+        /// <summary>
+        /// How many seconds before this rule is expanded.
+        /// </summary>
+        public uint SecondsBetweenExpansions;
+    }
+
+    [Serializable]
+    public class TeamDifferenceRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Description of the attribute used by this rule to match teams.
+        /// </summary>
+        public QueueRuleAttribute Attribute;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule. When this
+        /// is set, Difference is ignored.
+        /// </summary>
+        public CustomTeamDifferenceRuleExpansion CustomExpansion;
+        /// <summary>
+        /// The default value assigned to tickets that are missing the attribute specified by AttributePath (assuming that
+        /// AttributeNotSpecifiedBehavior is false).
+        /// </summary>
+        public double DefaultAttributeValue;
+        /// <summary>
+        /// The allowed difference between any two teams at the start of matchmaking.
+        /// </summary>
+        public double Difference;
+        /// <summary>
+        /// Collection of fields relating to expanding this rule at set intervals. Only one expansion can be set per rule.
+        /// </summary>
+        public LinearTeamDifferenceRuleExpansion LinearExpansion;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+    }
+
+    [Serializable]
+    public class TeamSizeBalanceRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Controls how the Difference parameter expands over time. Only one expansion can be set per rule. When this is set,
+        /// Difference is ignored.
+        /// </summary>
+        public CustomTeamSizeBalanceRuleExpansion CustomExpansion;
+        /// <summary>
+        /// The allowed difference in team size between any two teams.
+        /// </summary>
+        public uint Difference;
+        /// <summary>
+        /// Controls how the Difference parameter expands over time. Only one expansion can be set per rule.
+        /// </summary>
+        public LinearTeamSizeBalanceRuleExpansion LinearExpansion;
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+    }
+
+    [Serializable]
+    public class TeamTicketSizeSimilarityRule : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Friendly name chosen by developer.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// How many seconds before this rule is no longer enforced (but tickets that comply with this rule will still be
+        /// prioritized over those that don't). Leave blank if this rule is always enforced.
+        /// </summary>
+        public uint? SecondsUntilOptional;
+    }
+
+    public enum TitleMultiplayerServerEnabledStatus
+    {
+        Initializing,
+        Enabled,
+        Disabled
+    }
+
+    [Serializable]
+    public class TitleMultiplayerServersQuotas : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The core capacity for the various regions and VM Family
+        /// </summary>
+        public List<CoreCapacity> CoreCapacities;
+    }
+
+    /// <summary>
+    /// Removes the specified tag from the image. After this operation, a 'docker pull' will fail for the specified image and
+    /// tag combination. Morever, ListContainerImageTags will not return the specified tag.
+    /// </summary>
+    [Serializable]
+    public class UntagContainerImageRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The container image which tag we want to remove.
+        /// </summary>
+        public string ImageName;
+        /// <summary>
+        /// The tag we want to remove.
+        /// </summary>
+        public string Tag;
+    }
+
+    /// <summary>
+    /// Creates a multiplayer server build alias and returns the created alias.
+    /// </summary>
+    [Serializable]
+    public class UpdateBuildAliasRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string alias Id of the alias to be updated.
+        /// </summary>
+        public string AliasId;
+        /// <summary>
+        /// The alias name.
+        /// </summary>
+        public string AliasName;
+        /// <summary>
+        /// Array of build selection criteria.
+        /// </summary>
+        public List<BuildSelectionCriterion> BuildSelectionCriteria;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Updates a multiplayer server build's name.
+    /// </summary>
+    [Serializable]
+    public class UpdateBuildNameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string ID of the build we want to update the name of.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The build name.
+        /// </summary>
+        public string BuildName;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Updates a multiplayer server build's region.
+    /// </summary>
+    [Serializable]
+    public class UpdateBuildRegionRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string ID of the build we want to update regions for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The updated region configuration that should be applied to the specified build.
+        /// </summary>
+        public BuildRegionParams BuildRegion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Updates a multiplayer server build's regions.
+    /// </summary>
+    [Serializable]
+    public class UpdateBuildRegionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The guid string ID of the build we want to update regions for.
+        /// </summary>
+        public string BuildId;
+        /// <summary>
+        /// The updated region configuration that should be applied to the specified build.
+        /// </summary>
+        public List<BuildRegionParams> BuildRegions;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    /// <summary>
+    /// Uploads a multiplayer server game certificate.
+    /// </summary>
+    [Serializable]
+    public class UploadCertificateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The game certificate to upload.
+        /// </summary>
+        public Certificate GameCertificate;
+    }
+
+    [Serializable]
+    public class VirtualMachineSummary : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The virtual machine health status.
+        /// </summary>
+        public string HealthStatus;
+        /// <summary>
+        /// The virtual machine state.
+        /// </summary>
+        public string State;
+        /// <summary>
+        /// The virtual machine ID.
+        /// </summary>
+        public string VmId;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs.meta b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f6ca95fdc89ac381d833228ae3f5afa684f71e0b
--- /dev/null
+++ b/Assets/PlayFabSDK/Multiplayer/PlayFabMultiplayerModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: c9c53dd06e97f414cafc09e35d9f24aa
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/PlayFab.asmdef b/Assets/PlayFabSDK/PlayFab.asmdef
new file mode 100644
index 0000000000000000000000000000000000000000..bb74f7cbab1458ef40a66f9ced5909b02832e47e
--- /dev/null
+++ b/Assets/PlayFabSDK/PlayFab.asmdef
@@ -0,0 +1,12 @@
+{
+    "name": "PlayFab",
+    "optionalUnityReferences": [],
+    "includePlatforms": [],
+    "excludePlatforms": [],
+    "allowUnsafeCode": false,
+    "overrideReferences": false,
+    "precompiledReferences": [],
+    "autoReferenced": true,
+    "defineConstraints": [],
+    "versionDefines": []
+}
\ No newline at end of file
diff --git a/Assets/PlayFabSDK/PlayFab.asmdef.meta b/Assets/PlayFabSDK/PlayFab.asmdef.meta
new file mode 100644
index 0000000000000000000000000000000000000000..e1a45097bde0957ef955a7a67fb433ee71e9e36a
--- /dev/null
+++ b/Assets/PlayFabSDK/PlayFab.asmdef.meta
@@ -0,0 +1,7 @@
+fileFormatVersion: 2
+guid: 0da6d172d18a54e4389d0dce1e1ffdf2
+AssemblyDefinitionImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Profiles.meta b/Assets/PlayFabSDK/Profiles.meta
new file mode 100644
index 0000000000000000000000000000000000000000..cd65838df72e60b1ea25f9d290d65b1dd07a8117
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: eb038585995bfe148853edfdae25b48c
+folderAsset: yes
+DefaultImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs b/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..34ee4debd0962ccea89e52d5de074da4f89f79f8
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs
@@ -0,0 +1,24 @@
+#if !DISABLE_PLAYFABENTITY_API
+using PlayFab.ProfilesModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<GetGlobalPolicyRequest> OnProfilesGetGlobalPolicyRequestEvent;
+        public event PlayFabResultEvent<GetGlobalPolicyResponse> OnProfilesGetGlobalPolicyResultEvent;
+        public event PlayFabRequestEvent<GetEntityProfileRequest> OnProfilesGetProfileRequestEvent;
+        public event PlayFabResultEvent<GetEntityProfileResponse> OnProfilesGetProfileResultEvent;
+        public event PlayFabRequestEvent<GetEntityProfilesRequest> OnProfilesGetProfilesRequestEvent;
+        public event PlayFabResultEvent<GetEntityProfilesResponse> OnProfilesGetProfilesResultEvent;
+        public event PlayFabRequestEvent<GetTitlePlayersFromMasterPlayerAccountIdsRequest> OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent;
+        public event PlayFabResultEvent<GetTitlePlayersFromMasterPlayerAccountIdsResponse> OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent;
+        public event PlayFabRequestEvent<SetGlobalPolicyRequest> OnProfilesSetGlobalPolicyRequestEvent;
+        public event PlayFabResultEvent<SetGlobalPolicyResponse> OnProfilesSetGlobalPolicyResultEvent;
+        public event PlayFabRequestEvent<SetProfileLanguageRequest> OnProfilesSetProfileLanguageRequestEvent;
+        public event PlayFabResultEvent<SetProfileLanguageResponse> OnProfilesSetProfileLanguageResultEvent;
+        public event PlayFabRequestEvent<SetEntityProfilePolicyRequest> OnProfilesSetProfilePolicyRequestEvent;
+        public event PlayFabResultEvent<SetEntityProfilePolicyResponse> OnProfilesSetProfilePolicyResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..7b89c240c35fffce9029c007e5aceca1f2ef16f2
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 108a292bd382f6c4a88576ed2173cb93
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs b/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..7285ce33767914517c5bc59df2e51487c029eb85
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs
@@ -0,0 +1,132 @@
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ProfilesModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// All PlayFab entities have profiles, which hold top-level properties about the entity. These APIs give you the tools
+    /// needed to manage entity profiles.
+    /// </summary>
+    public static class PlayFabProfilesAPI
+    {
+        static PlayFabProfilesAPI() {}
+
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public static bool IsEntityLoggedIn()
+        {
+            return PlayFabSettings.staticPlayer.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Gets the global title access policy
+        /// </summary>
+        public static void GetGlobalPolicy(GetGlobalPolicyRequest request, Action<GetGlobalPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/GetGlobalPolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the entity's profile.
+        /// </summary>
+        public static void GetProfile(GetEntityProfileRequest request, Action<GetEntityProfileResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/GetProfile", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the entity's profile.
+        /// </summary>
+        public static void GetProfiles(GetEntityProfilesRequest request, Action<GetEntityProfilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/GetProfiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title player accounts associated with the given master player account.
+        /// </summary>
+        public static void GetTitlePlayersFromMasterPlayerAccountIds(GetTitlePlayersFromMasterPlayerAccountIdsRequest request, Action<GetTitlePlayersFromMasterPlayerAccountIdsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/GetTitlePlayersFromMasterPlayerAccountIds", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the global title access policy
+        /// </summary>
+        public static void SetGlobalPolicy(SetGlobalPolicyRequest request, Action<SetGlobalPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/SetGlobalPolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the entity's language. The precedence hierarchy for communication to the player is Title Player Account
+        /// language, Master Player Account language, and then title default language if the first two aren't set or supported.
+        /// </summary>
+        public static void SetProfileLanguage(SetProfileLanguageRequest request, Action<SetProfileLanguageResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/SetProfileLanguage", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the profiles access policy
+        /// </summary>
+        public static void SetProfilePolicy(SetEntityProfilePolicyRequest request, Action<SetEntityProfilePolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+
+
+            PlayFabHttp.MakeApiCall("/Profile/SetProfilePolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs.meta b/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..eb3d8cb1c15764e8d2c02475df0e93500b0d111c
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 04039b10ae9eebd46a8c4a5b401ea567
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs b/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..269137a50b94aef51a25fedf023cbc22055c0a7f
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs
@@ -0,0 +1,136 @@
+#if !DISABLE_PLAYFABENTITY_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ProfilesModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// All PlayFab entities have profiles, which hold top-level properties about the entity. These APIs give you the tools
+    /// needed to manage entity profiles.
+    /// </summary>
+    public class PlayFabProfilesInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabProfilesInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            authenticationContext = context;
+        }
+
+        public PlayFabProfilesInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            if (context == null)
+                throw new PlayFabException(PlayFabExceptionCode.AuthContextRequired, "Context cannot be null, create a PlayFabAuthenticationContext for each player in advance, or call <PlayFabClientInstanceAPI>.GetAuthenticationContext()");
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Verify entity login.
+        /// </summary>
+        public bool IsEntityLoggedIn()
+        {
+            return authenticationContext == null ? false : authenticationContext.IsEntityLoggedIn();
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Gets the global title access policy
+        /// </summary>
+        public void GetGlobalPolicy(GetGlobalPolicyRequest request, Action<GetGlobalPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/GetGlobalPolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the entity's profile.
+        /// </summary>
+        public void GetProfile(GetEntityProfileRequest request, Action<GetEntityProfileResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/GetProfile", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the entity's profile.
+        /// </summary>
+        public void GetProfiles(GetEntityProfilesRequest request, Action<GetEntityProfilesResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/GetProfiles", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title player accounts associated with the given master player account.
+        /// </summary>
+        public void GetTitlePlayersFromMasterPlayerAccountIds(GetTitlePlayersFromMasterPlayerAccountIdsRequest request, Action<GetTitlePlayersFromMasterPlayerAccountIdsResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/GetTitlePlayersFromMasterPlayerAccountIds", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the global title access policy
+        /// </summary>
+        public void SetGlobalPolicy(SetGlobalPolicyRequest request, Action<SetGlobalPolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/SetGlobalPolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the entity's language. The precedence hierarchy for communication to the player is Title Player Account
+        /// language, Master Player Account language, and then title default language if the first two aren't set or supported.
+        /// </summary>
+        public void SetProfileLanguage(SetProfileLanguageRequest request, Action<SetProfileLanguageResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/SetProfileLanguage", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the profiles access policy
+        /// </summary>
+        public void SetProfilePolicy(SetEntityProfilePolicyRequest request, Action<SetEntityProfilePolicyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (!context.IsEntityLoggedIn()) throw new PlayFabException(PlayFabExceptionCode.NotLoggedIn,"Must be logged in to call this method");
+            PlayFabHttp.MakeApiCall("/Profile/SetProfilePolicy", request, AuthType.EntityToken, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs.meta b/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ffd238a742a940c58ca375856370dd6abadb9c05
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: ef2cfc8d3e49a7e479e1fe8c2cf18478
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs b/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..961ba6e20ffecf5dd55015a6fdca2455a0848dac
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs
@@ -0,0 +1,457 @@
+#if !DISABLE_PLAYFABENTITY_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.ProfilesModels
+{
+    public enum EffectType
+    {
+        Allow,
+        Deny
+    }
+
+    /// <summary>
+    /// An entity object and its associated meta data.
+    /// </summary>
+    [Serializable]
+    public class EntityDataObject : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Un-escaped JSON object, if DataAsObject is true.
+        /// </summary>
+        public object DataObject;
+        /// <summary>
+        /// Escaped string JSON body of the object, if DataAsObject is default or false.
+        /// </summary>
+        public string EscapedDataObject;
+        /// <summary>
+        /// Name of this object.
+        /// </summary>
+        public string ObjectName;
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EntityLineage : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The Character Id of the associated entity.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The Group Id of the associated entity.
+        /// </summary>
+        public string GroupId;
+        /// <summary>
+        /// The Master Player Account Id of the associated entity.
+        /// </summary>
+        public string MasterPlayerAccountId;
+        /// <summary>
+        /// The Namespace Id of the associated entity.
+        /// </summary>
+        public string NamespaceId;
+        /// <summary>
+        /// The Title Id of the associated entity.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// The Title Player Account Id of the associated entity.
+        /// </summary>
+        public string TitlePlayerAccountId;
+    }
+
+    [Serializable]
+    public class EntityPermissionStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The action this statement effects. May be 'Read', 'Write' or '*' for both read and write.
+        /// </summary>
+        public string Action;
+        /// <summary>
+        /// A comment about the statement. Intended solely for bookkeeping and debugging.
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// Additional conditions to be applied for entity resources.
+        /// </summary>
+        public object Condition;
+        /// <summary>
+        /// The effect this statement will have. It may be either Allow or Deny
+        /// </summary>
+        public EffectType Effect;
+        /// <summary>
+        /// The principal this statement will effect.
+        /// </summary>
+        public object Principal;
+        /// <summary>
+        /// The resource this statements effects. Similar to 'pfrn:data--title![Title ID]/Profile/*'
+        /// </summary>
+        public string Resource;
+    }
+
+    [Serializable]
+    public class EntityProfileBody : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Avatar URL for the entity.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// The creation time of this profile in UTC.
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// The display name of the entity. This field may serve different purposes for different entity types. i.e.: for a title
+        /// player account it could represent the display name of the player, whereas on a character it could be character's name.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The chain of responsibility for this entity. Use Lineage.
+        /// </summary>
+        public string EntityChain;
+        /// <summary>
+        /// The experiment variants of this profile.
+        /// </summary>
+        public List<string> ExperimentVariants;
+        /// <summary>
+        /// The files on this profile.
+        /// </summary>
+        public Dictionary<string,EntityProfileFileMetadata> Files;
+        /// <summary>
+        /// The language on this profile.
+        /// </summary>
+        public string Language;
+        /// <summary>
+        /// Leaderboard metadata for the entity.
+        /// </summary>
+        public string LeaderboardMetadata;
+        /// <summary>
+        /// The lineage of this profile.
+        /// </summary>
+        public EntityLineage Lineage;
+        /// <summary>
+        /// The objects on this profile.
+        /// </summary>
+        public Dictionary<string,EntityDataObject> Objects;
+        /// <summary>
+        /// The permissions that govern access to this entity profile and its properties. Only includes permissions set on this
+        /// profile, not global statements from titles and namespaces.
+        /// </summary>
+        public List<EntityPermissionStatement> Permissions;
+        /// <summary>
+        /// The statistics on this profile.
+        /// </summary>
+        public Dictionary<string,EntityStatisticValue> Statistics;
+        /// <summary>
+        /// The version number of the profile in persistent storage at the time of the read. Used for optional optimistic
+        /// concurrency during update.
+        /// </summary>
+        public int VersionNumber;
+    }
+
+    /// <summary>
+    /// An entity file's meta data. To get a download URL call File/GetFiles API.
+    /// </summary>
+    [Serializable]
+    public class EntityProfileFileMetadata : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Checksum value for the file, can be used to check if the file on the server has changed.
+        /// </summary>
+        public string Checksum;
+        /// <summary>
+        /// Name of the file
+        /// </summary>
+        public string FileName;
+        /// <summary>
+        /// Last UTC time the file was modified
+        /// </summary>
+        public DateTime LastModified;
+        /// <summary>
+        /// Storage service's reported byte count
+        /// </summary>
+        public int Size;
+    }
+
+    [Serializable]
+    public class EntityStatisticChildValue : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Child name value, if child statistic
+        /// </summary>
+        public string ChildName;
+        /// <summary>
+        /// Child statistic metadata
+        /// </summary>
+        public string Metadata;
+        /// <summary>
+        /// Child statistic value
+        /// </summary>
+        public int Value;
+    }
+
+    [Serializable]
+    public class EntityStatisticValue : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Child statistic values
+        /// </summary>
+        public Dictionary<string,EntityStatisticChildValue> ChildStatistics;
+        /// <summary>
+        /// Statistic metadata
+        /// </summary>
+        public string Metadata;
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Statistic value
+        /// </summary>
+        public int? Value;
+        /// <summary>
+        /// Statistic version
+        /// </summary>
+        public int Version;
+    }
+
+    /// <summary>
+    /// Given an entity type and entity identifier will retrieve the profile from the entity store. If the profile being
+    /// retrieved is the caller's, then the read operation is consistent, if not it is an inconsistent read. An inconsistent
+    /// read means that we do not guarantee all committed writes have occurred before reading the profile, allowing for a stale
+    /// read. If consistency is important the Version Number on the result can be used to compare which version of the profile
+    /// any reader has.
+    /// </summary>
+    [Serializable]
+    public class GetEntityProfileRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Determines whether the objects will be returned as an escaped JSON string or as a un-escaped JSON object. Default is
+        /// JSON string.
+        /// </summary>
+        public bool? DataAsObject;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+    }
+
+    [Serializable]
+    public class GetEntityProfileResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Entity profile
+        /// </summary>
+        public EntityProfileBody Profile;
+    }
+
+    /// <summary>
+    /// Given a set of entity types and entity identifiers will retrieve all readable profiles properties for the caller.
+    /// Profiles that the caller is not allowed to read will silently not be included in the results.
+    /// </summary>
+    [Serializable]
+    public class GetEntityProfilesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Determines whether the objects will be returned as an escaped JSON string or as a un-escaped JSON object. Default is
+        /// JSON string.
+        /// </summary>
+        public bool? DataAsObject;
+        /// <summary>
+        /// Entity keys of the profiles to load. Must be between 1 and 25
+        /// </summary>
+        public List<EntityKey> Entities;
+    }
+
+    [Serializable]
+    public class GetEntityProfilesResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Entity profiles
+        /// </summary>
+        public List<EntityProfileBody> Profiles;
+    }
+
+    /// <summary>
+    /// Retrieves the title access policy that is used before the profile's policy is inspected during a request. If never
+    /// customized this will return the default starter policy built by PlayFab.
+    /// </summary>
+    [Serializable]
+    public class GetGlobalPolicyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class GetGlobalPolicyResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The permissions that govern access to all entities under this title or namespace.
+        /// </summary>
+        public List<EntityPermissionStatement> Permissions;
+    }
+
+    /// <summary>
+    /// Given a master player account id (PlayFab ID), returns all title player accounts associated with it.
+    /// </summary>
+    [Serializable]
+    public class GetTitlePlayersFromMasterPlayerAccountIdsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Master player account ids.
+        /// </summary>
+        public List<string> MasterPlayerAccountIds;
+        /// <summary>
+        /// Id of title to get players from.
+        /// </summary>
+        public string TitleId;
+    }
+
+    [Serializable]
+    public class GetTitlePlayersFromMasterPlayerAccountIdsResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Optional id of title to get players from, required if calling using a master_player_account.
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Dictionary of master player ids mapped to title player entity keys and id pairs
+        /// </summary>
+        public Dictionary<string,EntityKey> TitlePlayerAccounts;
+    }
+
+    public enum OperationTypes
+    {
+        Created,
+        Updated,
+        Deleted,
+        None
+    }
+
+    /// <summary>
+    /// This will set the access policy statements on the given entity profile. This is not additive, any existing statements
+    /// will be replaced with the statements in this request.
+    /// </summary>
+    [Serializable]
+    public class SetEntityProfilePolicyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The statements to include in the access policy.
+        /// </summary>
+        public List<EntityPermissionStatement> Statements;
+    }
+
+    [Serializable]
+    public class SetEntityProfilePolicyResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The permissions that govern access to this entity profile and its properties. Only includes permissions set on this
+        /// profile, not global statements from titles and namespaces.
+        /// </summary>
+        public List<EntityPermissionStatement> Permissions;
+    }
+
+    /// <summary>
+    /// Updates the title access policy that is used before the profile's policy is inspected during a request. Policies are
+    /// compiled and cached for several minutes so an update here may not be reflected in behavior for a short time.
+    /// </summary>
+    [Serializable]
+    public class SetGlobalPolicyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The permissions that govern access to all entities under this title or namespace.
+        /// </summary>
+        public List<EntityPermissionStatement> Permissions;
+    }
+
+    [Serializable]
+    public class SetGlobalPolicyResponse : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Given an entity profile, will update its language to the one passed in if the profile's version is equal to the one
+    /// passed in.
+    /// </summary>
+    [Serializable]
+    public class SetProfileLanguageRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The entity to perform this action on.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The expected version of a profile to perform this update on
+        /// </summary>
+        public int? ExpectedVersion;
+        /// <summary>
+        /// The language to set on the given entity. Deletes the profile's language if passed in a null string.
+        /// </summary>
+        public string Language;
+    }
+
+    [Serializable]
+    public class SetProfileLanguageResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The type of operation that occured on the profile's language
+        /// </summary>
+        public OperationTypes? OperationResult;
+        /// <summary>
+        /// The updated version of the profile after the language update
+        /// </summary>
+        public int? VersionNumber;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs.meta b/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..9250c5c9404aade88af02a6f5199d3916b7b57bc
--- /dev/null
+++ b/Assets/PlayFabSDK/Profiles/PlayFabProfilesModels.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: d7cf1e15acb646e4eaf8ef5d951b1477
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Server.meta b/Assets/PlayFabSDK/Server.meta
new file mode 100644
index 0000000000000000000000000000000000000000..6b50bbf5653e46e7ac34cb3b184760cf72c84a09
--- /dev/null
+++ b/Assets/PlayFabSDK/Server.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: be1738c19ed8d48468d5163ea56f2b1e
+folderAsset: yes
+timeCreated: 1468524875
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Server/PlayFabEvents.cs b/Assets/PlayFabSDK/Server/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0ec61caaf37353bc656ee38ea33a4364d0094b7c
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabEvents.cs
@@ -0,0 +1,276 @@
+#if ENABLE_PLAYFABSERVER_API
+using PlayFab.ServerModels;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public event PlayFabRequestEvent<AddCharacterVirtualCurrencyRequest> OnServerAddCharacterVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyCharacterVirtualCurrencyResult> OnServerAddCharacterVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<AddFriendRequest> OnServerAddFriendRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerAddFriendResultEvent;
+        public event PlayFabRequestEvent<AddGenericIDRequest> OnServerAddGenericIDRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnServerAddGenericIDResultEvent;
+        public event PlayFabRequestEvent<AddPlayerTagRequest> OnServerAddPlayerTagRequestEvent;
+        public event PlayFabResultEvent<AddPlayerTagResult> OnServerAddPlayerTagResultEvent;
+        public event PlayFabRequestEvent<AddSharedGroupMembersRequest> OnServerAddSharedGroupMembersRequestEvent;
+        public event PlayFabResultEvent<AddSharedGroupMembersResult> OnServerAddSharedGroupMembersResultEvent;
+        public event PlayFabRequestEvent<AddUserVirtualCurrencyRequest> OnServerAddUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnServerAddUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<AuthenticateSessionTicketRequest> OnServerAuthenticateSessionTicketRequestEvent;
+        public event PlayFabResultEvent<AuthenticateSessionTicketResult> OnServerAuthenticateSessionTicketResultEvent;
+        public event PlayFabRequestEvent<AwardSteamAchievementRequest> OnServerAwardSteamAchievementRequestEvent;
+        public event PlayFabResultEvent<AwardSteamAchievementResult> OnServerAwardSteamAchievementResultEvent;
+        public event PlayFabRequestEvent<BanUsersRequest> OnServerBanUsersRequestEvent;
+        public event PlayFabResultEvent<BanUsersResult> OnServerBanUsersResultEvent;
+        public event PlayFabRequestEvent<ConsumeItemRequest> OnServerConsumeItemRequestEvent;
+        public event PlayFabResultEvent<ConsumeItemResult> OnServerConsumeItemResultEvent;
+        public event PlayFabRequestEvent<CreateSharedGroupRequest> OnServerCreateSharedGroupRequestEvent;
+        public event PlayFabResultEvent<CreateSharedGroupResult> OnServerCreateSharedGroupResultEvent;
+        public event PlayFabRequestEvent<DeleteCharacterFromUserRequest> OnServerDeleteCharacterFromUserRequestEvent;
+        public event PlayFabResultEvent<DeleteCharacterFromUserResult> OnServerDeleteCharacterFromUserResultEvent;
+        public event PlayFabRequestEvent<DeletePlayerRequest> OnServerDeletePlayerRequestEvent;
+        public event PlayFabResultEvent<DeletePlayerResult> OnServerDeletePlayerResultEvent;
+        public event PlayFabRequestEvent<DeletePushNotificationTemplateRequest> OnServerDeletePushNotificationTemplateRequestEvent;
+        public event PlayFabResultEvent<DeletePushNotificationTemplateResult> OnServerDeletePushNotificationTemplateResultEvent;
+        public event PlayFabRequestEvent<DeleteSharedGroupRequest> OnServerDeleteSharedGroupRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerDeleteSharedGroupResultEvent;
+        public event PlayFabRequestEvent<DeregisterGameRequest> OnServerDeregisterGameRequestEvent;
+        public event PlayFabResultEvent<DeregisterGameResponse> OnServerDeregisterGameResultEvent;
+        public event PlayFabRequestEvent<EvaluateRandomResultTableRequest> OnServerEvaluateRandomResultTableRequestEvent;
+        public event PlayFabResultEvent<EvaluateRandomResultTableResult> OnServerEvaluateRandomResultTableResultEvent;
+        public event PlayFabRequestEvent<ExecuteCloudScriptServerRequest> OnServerExecuteCloudScriptRequestEvent;
+        public event PlayFabResultEvent<ExecuteCloudScriptResult> OnServerExecuteCloudScriptResultEvent;
+        public event PlayFabRequestEvent<GetAllSegmentsRequest> OnServerGetAllSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetAllSegmentsResult> OnServerGetAllSegmentsResultEvent;
+        public event PlayFabRequestEvent<ListUsersCharactersRequest> OnServerGetAllUsersCharactersRequestEvent;
+        public event PlayFabResultEvent<ListUsersCharactersResult> OnServerGetAllUsersCharactersResultEvent;
+        public event PlayFabRequestEvent<GetCatalogItemsRequest> OnServerGetCatalogItemsRequestEvent;
+        public event PlayFabResultEvent<GetCatalogItemsResult> OnServerGetCatalogItemsResultEvent;
+        public event PlayFabRequestEvent<GetCharacterDataRequest> OnServerGetCharacterDataRequestEvent;
+        public event PlayFabResultEvent<GetCharacterDataResult> OnServerGetCharacterDataResultEvent;
+        public event PlayFabRequestEvent<GetCharacterDataRequest> OnServerGetCharacterInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetCharacterDataResult> OnServerGetCharacterInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetCharacterInventoryRequest> OnServerGetCharacterInventoryRequestEvent;
+        public event PlayFabResultEvent<GetCharacterInventoryResult> OnServerGetCharacterInventoryResultEvent;
+        public event PlayFabRequestEvent<GetCharacterLeaderboardRequest> OnServerGetCharacterLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetCharacterLeaderboardResult> OnServerGetCharacterLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetCharacterDataRequest> OnServerGetCharacterReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetCharacterDataResult> OnServerGetCharacterReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GetCharacterStatisticsRequest> OnServerGetCharacterStatisticsRequestEvent;
+        public event PlayFabResultEvent<GetCharacterStatisticsResult> OnServerGetCharacterStatisticsResultEvent;
+        public event PlayFabRequestEvent<GetContentDownloadUrlRequest> OnServerGetContentDownloadUrlRequestEvent;
+        public event PlayFabResultEvent<GetContentDownloadUrlResult> OnServerGetContentDownloadUrlResultEvent;
+        public event PlayFabRequestEvent<GetFriendLeaderboardRequest> OnServerGetFriendLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardResult> OnServerGetFriendLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetFriendsListRequest> OnServerGetFriendsListRequestEvent;
+        public event PlayFabResultEvent<GetFriendsListResult> OnServerGetFriendsListResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardRequest> OnServerGetLeaderboardRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardResult> OnServerGetLeaderboardResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardAroundCharacterRequest> OnServerGetLeaderboardAroundCharacterRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardAroundCharacterResult> OnServerGetLeaderboardAroundCharacterResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardAroundUserRequest> OnServerGetLeaderboardAroundUserRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardAroundUserResult> OnServerGetLeaderboardAroundUserResultEvent;
+        public event PlayFabRequestEvent<GetLeaderboardForUsersCharactersRequest> OnServerGetLeaderboardForUserCharactersRequestEvent;
+        public event PlayFabResultEvent<GetLeaderboardForUsersCharactersResult> OnServerGetLeaderboardForUserCharactersResultEvent;
+        public event PlayFabRequestEvent<GetPlayerCombinedInfoRequest> OnServerGetPlayerCombinedInfoRequestEvent;
+        public event PlayFabResultEvent<GetPlayerCombinedInfoResult> OnServerGetPlayerCombinedInfoResultEvent;
+        public event PlayFabRequestEvent<GetPlayerProfileRequest> OnServerGetPlayerProfileRequestEvent;
+        public event PlayFabResultEvent<GetPlayerProfileResult> OnServerGetPlayerProfileResultEvent;
+        public event PlayFabRequestEvent<GetPlayersSegmentsRequest> OnServerGetPlayerSegmentsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerSegmentsResult> OnServerGetPlayerSegmentsResultEvent;
+        public event PlayFabRequestEvent<GetPlayersInSegmentRequest> OnServerGetPlayersInSegmentRequestEvent;
+        public event PlayFabResultEvent<GetPlayersInSegmentResult> OnServerGetPlayersInSegmentResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticsRequest> OnServerGetPlayerStatisticsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticsResult> OnServerGetPlayerStatisticsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerStatisticVersionsRequest> OnServerGetPlayerStatisticVersionsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerStatisticVersionsResult> OnServerGetPlayerStatisticVersionsResultEvent;
+        public event PlayFabRequestEvent<GetPlayerTagsRequest> OnServerGetPlayerTagsRequestEvent;
+        public event PlayFabResultEvent<GetPlayerTagsResult> OnServerGetPlayerTagsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromFacebookIDsRequest> OnServerGetPlayFabIDsFromFacebookIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromFacebookIDsResult> OnServerGetPlayFabIDsFromFacebookIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromFacebookInstantGamesIdsRequest> OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromFacebookInstantGamesIdsResult> OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromGenericIDsRequest> OnServerGetPlayFabIDsFromGenericIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromGenericIDsResult> OnServerGetPlayFabIDsFromGenericIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest> OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromPSNAccountIDsRequest> OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromPSNAccountIDsResult> OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromSteamIDsRequest> OnServerGetPlayFabIDsFromSteamIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromSteamIDsResult> OnServerGetPlayFabIDsFromSteamIDsResultEvent;
+        public event PlayFabRequestEvent<GetPlayFabIDsFromXboxLiveIDsRequest> OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent;
+        public event PlayFabResultEvent<GetPlayFabIDsFromXboxLiveIDsResult> OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent;
+        public event PlayFabRequestEvent<GetPublisherDataRequest> OnServerGetPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetPublisherDataResult> OnServerGetPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetRandomResultTablesRequest> OnServerGetRandomResultTablesRequestEvent;
+        public event PlayFabResultEvent<GetRandomResultTablesResult> OnServerGetRandomResultTablesResultEvent;
+        public event PlayFabRequestEvent<GetServerCustomIDsFromPlayFabIDsRequest> OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent;
+        public event PlayFabResultEvent<GetServerCustomIDsFromPlayFabIDsResult> OnServerGetServerCustomIDsFromPlayFabIDsResultEvent;
+        public event PlayFabRequestEvent<GetSharedGroupDataRequest> OnServerGetSharedGroupDataRequestEvent;
+        public event PlayFabResultEvent<GetSharedGroupDataResult> OnServerGetSharedGroupDataResultEvent;
+        public event PlayFabRequestEvent<GetStoreItemsServerRequest> OnServerGetStoreItemsRequestEvent;
+        public event PlayFabResultEvent<GetStoreItemsResult> OnServerGetStoreItemsResultEvent;
+        public event PlayFabRequestEvent<GetTimeRequest> OnServerGetTimeRequestEvent;
+        public event PlayFabResultEvent<GetTimeResult> OnServerGetTimeResultEvent;
+        public event PlayFabRequestEvent<GetTitleDataRequest> OnServerGetTitleDataRequestEvent;
+        public event PlayFabResultEvent<GetTitleDataResult> OnServerGetTitleDataResultEvent;
+        public event PlayFabRequestEvent<GetTitleDataRequest> OnServerGetTitleInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetTitleDataResult> OnServerGetTitleInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetTitleNewsRequest> OnServerGetTitleNewsRequestEvent;
+        public event PlayFabResultEvent<GetTitleNewsResult> OnServerGetTitleNewsResultEvent;
+        public event PlayFabRequestEvent<GetUserAccountInfoRequest> OnServerGetUserAccountInfoRequestEvent;
+        public event PlayFabResultEvent<GetUserAccountInfoResult> OnServerGetUserAccountInfoResultEvent;
+        public event PlayFabRequestEvent<GetUserBansRequest> OnServerGetUserBansRequestEvent;
+        public event PlayFabResultEvent<GetUserBansResult> OnServerGetUserBansResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetUserInventoryRequest> OnServerGetUserInventoryRequestEvent;
+        public event PlayFabResultEvent<GetUserInventoryResult> OnServerGetUserInventoryResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserPublisherInternalDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserPublisherInternalDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserPublisherReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserPublisherReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GetUserDataRequest> OnServerGetUserReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<GetUserDataResult> OnServerGetUserReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<GrantCharacterToUserRequest> OnServerGrantCharacterToUserRequestEvent;
+        public event PlayFabResultEvent<GrantCharacterToUserResult> OnServerGrantCharacterToUserResultEvent;
+        public event PlayFabRequestEvent<GrantItemsToCharacterRequest> OnServerGrantItemsToCharacterRequestEvent;
+        public event PlayFabResultEvent<GrantItemsToCharacterResult> OnServerGrantItemsToCharacterResultEvent;
+        public event PlayFabRequestEvent<GrantItemsToUserRequest> OnServerGrantItemsToUserRequestEvent;
+        public event PlayFabResultEvent<GrantItemsToUserResult> OnServerGrantItemsToUserResultEvent;
+        public event PlayFabRequestEvent<GrantItemsToUsersRequest> OnServerGrantItemsToUsersRequestEvent;
+        public event PlayFabResultEvent<GrantItemsToUsersResult> OnServerGrantItemsToUsersResultEvent;
+        public event PlayFabRequestEvent<LinkPSNAccountRequest> OnServerLinkPSNAccountRequestEvent;
+        public event PlayFabResultEvent<LinkPSNAccountResult> OnServerLinkPSNAccountResultEvent;
+        public event PlayFabRequestEvent<LinkServerCustomIdRequest> OnServerLinkServerCustomIdRequestEvent;
+        public event PlayFabResultEvent<LinkServerCustomIdResult> OnServerLinkServerCustomIdResultEvent;
+        public event PlayFabRequestEvent<LinkXboxAccountRequest> OnServerLinkXboxAccountRequestEvent;
+        public event PlayFabResultEvent<LinkXboxAccountResult> OnServerLinkXboxAccountResultEvent;
+        public event PlayFabRequestEvent<LoginWithServerCustomIdRequest> OnServerLoginWithServerCustomIdRequestEvent;
+        public event PlayFabResultEvent<ServerLoginResult> OnServerLoginWithServerCustomIdResultEvent;
+        public event PlayFabRequestEvent<LoginWithSteamIdRequest> OnServerLoginWithSteamIdRequestEvent;
+        public event PlayFabResultEvent<ServerLoginResult> OnServerLoginWithSteamIdResultEvent;
+        public event PlayFabRequestEvent<LoginWithXboxRequest> OnServerLoginWithXboxRequestEvent;
+        public event PlayFabResultEvent<ServerLoginResult> OnServerLoginWithXboxResultEvent;
+        public event PlayFabRequestEvent<LoginWithXboxIdRequest> OnServerLoginWithXboxIdRequestEvent;
+        public event PlayFabResultEvent<ServerLoginResult> OnServerLoginWithXboxIdResultEvent;
+        public event PlayFabRequestEvent<ModifyItemUsesRequest> OnServerModifyItemUsesRequestEvent;
+        public event PlayFabResultEvent<ModifyItemUsesResult> OnServerModifyItemUsesResultEvent;
+        public event PlayFabRequestEvent<MoveItemToCharacterFromCharacterRequest> OnServerMoveItemToCharacterFromCharacterRequestEvent;
+        public event PlayFabResultEvent<MoveItemToCharacterFromCharacterResult> OnServerMoveItemToCharacterFromCharacterResultEvent;
+        public event PlayFabRequestEvent<MoveItemToCharacterFromUserRequest> OnServerMoveItemToCharacterFromUserRequestEvent;
+        public event PlayFabResultEvent<MoveItemToCharacterFromUserResult> OnServerMoveItemToCharacterFromUserResultEvent;
+        public event PlayFabRequestEvent<MoveItemToUserFromCharacterRequest> OnServerMoveItemToUserFromCharacterRequestEvent;
+        public event PlayFabResultEvent<MoveItemToUserFromCharacterResult> OnServerMoveItemToUserFromCharacterResultEvent;
+        public event PlayFabRequestEvent<NotifyMatchmakerPlayerLeftRequest> OnServerNotifyMatchmakerPlayerLeftRequestEvent;
+        public event PlayFabResultEvent<NotifyMatchmakerPlayerLeftResult> OnServerNotifyMatchmakerPlayerLeftResultEvent;
+        public event PlayFabRequestEvent<RedeemCouponRequest> OnServerRedeemCouponRequestEvent;
+        public event PlayFabResultEvent<RedeemCouponResult> OnServerRedeemCouponResultEvent;
+        public event PlayFabRequestEvent<RedeemMatchmakerTicketRequest> OnServerRedeemMatchmakerTicketRequestEvent;
+        public event PlayFabResultEvent<RedeemMatchmakerTicketResult> OnServerRedeemMatchmakerTicketResultEvent;
+        public event PlayFabRequestEvent<RefreshGameServerInstanceHeartbeatRequest> OnServerRefreshGameServerInstanceHeartbeatRequestEvent;
+        public event PlayFabResultEvent<RefreshGameServerInstanceHeartbeatResult> OnServerRefreshGameServerInstanceHeartbeatResultEvent;
+        public event PlayFabRequestEvent<RegisterGameRequest> OnServerRegisterGameRequestEvent;
+        public event PlayFabResultEvent<RegisterGameResponse> OnServerRegisterGameResultEvent;
+        public event PlayFabRequestEvent<RemoveFriendRequest> OnServerRemoveFriendRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerRemoveFriendResultEvent;
+        public event PlayFabRequestEvent<RemoveGenericIDRequest> OnServerRemoveGenericIDRequestEvent;
+        public event PlayFabResultEvent<EmptyResult> OnServerRemoveGenericIDResultEvent;
+        public event PlayFabRequestEvent<RemovePlayerTagRequest> OnServerRemovePlayerTagRequestEvent;
+        public event PlayFabResultEvent<RemovePlayerTagResult> OnServerRemovePlayerTagResultEvent;
+        public event PlayFabRequestEvent<RemoveSharedGroupMembersRequest> OnServerRemoveSharedGroupMembersRequestEvent;
+        public event PlayFabResultEvent<RemoveSharedGroupMembersResult> OnServerRemoveSharedGroupMembersResultEvent;
+        public event PlayFabRequestEvent<ReportPlayerServerRequest> OnServerReportPlayerRequestEvent;
+        public event PlayFabResultEvent<ReportPlayerServerResult> OnServerReportPlayerResultEvent;
+        public event PlayFabRequestEvent<RevokeAllBansForUserRequest> OnServerRevokeAllBansForUserRequestEvent;
+        public event PlayFabResultEvent<RevokeAllBansForUserResult> OnServerRevokeAllBansForUserResultEvent;
+        public event PlayFabRequestEvent<RevokeBansRequest> OnServerRevokeBansRequestEvent;
+        public event PlayFabResultEvent<RevokeBansResult> OnServerRevokeBansResultEvent;
+        public event PlayFabRequestEvent<RevokeInventoryItemRequest> OnServerRevokeInventoryItemRequestEvent;
+        public event PlayFabResultEvent<RevokeInventoryResult> OnServerRevokeInventoryItemResultEvent;
+        public event PlayFabRequestEvent<RevokeInventoryItemsRequest> OnServerRevokeInventoryItemsRequestEvent;
+        public event PlayFabResultEvent<RevokeInventoryItemsResult> OnServerRevokeInventoryItemsResultEvent;
+        public event PlayFabRequestEvent<SavePushNotificationTemplateRequest> OnServerSavePushNotificationTemplateRequestEvent;
+        public event PlayFabResultEvent<SavePushNotificationTemplateResult> OnServerSavePushNotificationTemplateResultEvent;
+        public event PlayFabRequestEvent<SendCustomAccountRecoveryEmailRequest> OnServerSendCustomAccountRecoveryEmailRequestEvent;
+        public event PlayFabResultEvent<SendCustomAccountRecoveryEmailResult> OnServerSendCustomAccountRecoveryEmailResultEvent;
+        public event PlayFabRequestEvent<SendEmailFromTemplateRequest> OnServerSendEmailFromTemplateRequestEvent;
+        public event PlayFabResultEvent<SendEmailFromTemplateResult> OnServerSendEmailFromTemplateResultEvent;
+        public event PlayFabRequestEvent<SendPushNotificationRequest> OnServerSendPushNotificationRequestEvent;
+        public event PlayFabResultEvent<SendPushNotificationResult> OnServerSendPushNotificationResultEvent;
+        public event PlayFabRequestEvent<SendPushNotificationFromTemplateRequest> OnServerSendPushNotificationFromTemplateRequestEvent;
+        public event PlayFabResultEvent<SendPushNotificationResult> OnServerSendPushNotificationFromTemplateResultEvent;
+        public event PlayFabRequestEvent<SetFriendTagsRequest> OnServerSetFriendTagsRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerSetFriendTagsResultEvent;
+        public event PlayFabRequestEvent<SetGameServerInstanceDataRequest> OnServerSetGameServerInstanceDataRequestEvent;
+        public event PlayFabResultEvent<SetGameServerInstanceDataResult> OnServerSetGameServerInstanceDataResultEvent;
+        public event PlayFabRequestEvent<SetGameServerInstanceStateRequest> OnServerSetGameServerInstanceStateRequestEvent;
+        public event PlayFabResultEvent<SetGameServerInstanceStateResult> OnServerSetGameServerInstanceStateResultEvent;
+        public event PlayFabRequestEvent<SetGameServerInstanceTagsRequest> OnServerSetGameServerInstanceTagsRequestEvent;
+        public event PlayFabResultEvent<SetGameServerInstanceTagsResult> OnServerSetGameServerInstanceTagsResultEvent;
+        public event PlayFabRequestEvent<SetPlayerSecretRequest> OnServerSetPlayerSecretRequestEvent;
+        public event PlayFabResultEvent<SetPlayerSecretResult> OnServerSetPlayerSecretResultEvent;
+        public event PlayFabRequestEvent<SetPublisherDataRequest> OnServerSetPublisherDataRequestEvent;
+        public event PlayFabResultEvent<SetPublisherDataResult> OnServerSetPublisherDataResultEvent;
+        public event PlayFabRequestEvent<SetTitleDataRequest> OnServerSetTitleDataRequestEvent;
+        public event PlayFabResultEvent<SetTitleDataResult> OnServerSetTitleDataResultEvent;
+        public event PlayFabRequestEvent<SetTitleDataRequest> OnServerSetTitleInternalDataRequestEvent;
+        public event PlayFabResultEvent<SetTitleDataResult> OnServerSetTitleInternalDataResultEvent;
+        public event PlayFabRequestEvent<SubtractCharacterVirtualCurrencyRequest> OnServerSubtractCharacterVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyCharacterVirtualCurrencyResult> OnServerSubtractCharacterVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<SubtractUserVirtualCurrencyRequest> OnServerSubtractUserVirtualCurrencyRequestEvent;
+        public event PlayFabResultEvent<ModifyUserVirtualCurrencyResult> OnServerSubtractUserVirtualCurrencyResultEvent;
+        public event PlayFabRequestEvent<UnlinkPSNAccountRequest> OnServerUnlinkPSNAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkPSNAccountResult> OnServerUnlinkPSNAccountResultEvent;
+        public event PlayFabRequestEvent<UnlinkServerCustomIdRequest> OnServerUnlinkServerCustomIdRequestEvent;
+        public event PlayFabResultEvent<UnlinkServerCustomIdResult> OnServerUnlinkServerCustomIdResultEvent;
+        public event PlayFabRequestEvent<UnlinkXboxAccountRequest> OnServerUnlinkXboxAccountRequestEvent;
+        public event PlayFabResultEvent<UnlinkXboxAccountResult> OnServerUnlinkXboxAccountResultEvent;
+        public event PlayFabRequestEvent<UnlockContainerInstanceRequest> OnServerUnlockContainerInstanceRequestEvent;
+        public event PlayFabResultEvent<UnlockContainerItemResult> OnServerUnlockContainerInstanceResultEvent;
+        public event PlayFabRequestEvent<UnlockContainerItemRequest> OnServerUnlockContainerItemRequestEvent;
+        public event PlayFabResultEvent<UnlockContainerItemResult> OnServerUnlockContainerItemResultEvent;
+        public event PlayFabRequestEvent<UpdateAvatarUrlRequest> OnServerUpdateAvatarUrlRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerUpdateAvatarUrlResultEvent;
+        public event PlayFabRequestEvent<UpdateBansRequest> OnServerUpdateBansRequestEvent;
+        public event PlayFabResultEvent<UpdateBansResult> OnServerUpdateBansResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterDataRequest> OnServerUpdateCharacterDataRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterDataResult> OnServerUpdateCharacterDataResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterDataRequest> OnServerUpdateCharacterInternalDataRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterDataResult> OnServerUpdateCharacterInternalDataResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterDataRequest> OnServerUpdateCharacterReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterDataResult> OnServerUpdateCharacterReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<UpdateCharacterStatisticsRequest> OnServerUpdateCharacterStatisticsRequestEvent;
+        public event PlayFabResultEvent<UpdateCharacterStatisticsResult> OnServerUpdateCharacterStatisticsResultEvent;
+        public event PlayFabRequestEvent<UpdatePlayerStatisticsRequest> OnServerUpdatePlayerStatisticsRequestEvent;
+        public event PlayFabResultEvent<UpdatePlayerStatisticsResult> OnServerUpdatePlayerStatisticsResultEvent;
+        public event PlayFabRequestEvent<UpdateSharedGroupDataRequest> OnServerUpdateSharedGroupDataRequestEvent;
+        public event PlayFabResultEvent<UpdateSharedGroupDataResult> OnServerUpdateSharedGroupDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnServerUpdateUserDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserInternalDataRequest> OnServerUpdateUserInternalDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserInternalDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserInventoryItemDataRequest> OnServerUpdateUserInventoryItemCustomDataRequestEvent;
+        public event PlayFabResultEvent<EmptyResponse> OnServerUpdateUserInventoryItemCustomDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnServerUpdateUserPublisherDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserPublisherDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserInternalDataRequest> OnServerUpdateUserPublisherInternalDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserPublisherInternalDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnServerUpdateUserPublisherReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserPublisherReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<UpdateUserDataRequest> OnServerUpdateUserReadOnlyDataRequestEvent;
+        public event PlayFabResultEvent<UpdateUserDataResult> OnServerUpdateUserReadOnlyDataResultEvent;
+        public event PlayFabRequestEvent<WriteServerCharacterEventRequest> OnServerWriteCharacterEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnServerWriteCharacterEventResultEvent;
+        public event PlayFabRequestEvent<WriteServerPlayerEventRequest> OnServerWritePlayerEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnServerWritePlayerEventResultEvent;
+        public event PlayFabRequestEvent<WriteTitleEventRequest> OnServerWriteTitleEventRequestEvent;
+        public event PlayFabResultEvent<WriteEventResponse> OnServerWriteTitleEventResultEvent;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Server/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Server/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..0cac239c48c82f8961dcf8511e6c625b8b37a8f0
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 0d5076be1f923f141a2a5ea2a53a1385
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs b/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..5c22aa82ec6bdf328e190098b9abd26d317dd9a0
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs
@@ -0,0 +1,1838 @@
+#if ENABLE_PLAYFABSERVER_API && !DISABLE_PLAYFAB_STATIC_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ServerModels;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Provides functionality to allow external (developer-controlled) servers to interact with user inventories and data in a
+    /// trusted manner, and to handle matchmaking and client connection orchestration
+    /// </summary>
+    public static class PlayFabServerAPI
+    {
+        static PlayFabServerAPI() {}
+
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public static void ForgetAllCredentials()
+        {
+            PlayFabSettings.staticPlayer.ForgetAllCredentials();
+        }
+
+        /// <summary>
+        /// Increments the character's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public static void AddCharacterVirtualCurrency(AddCharacterVirtualCurrencyRequest request, Action<ModifyCharacterVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddCharacterVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the Friend user to the friendlist of the user with PlayFabId. At least one of
+        /// FriendPlayFabId,FriendUsername,FriendEmail, or FriendTitleDisplayName should be initialized.
+        /// </summary>
+        public static void AddFriend(AddFriendRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddFriend", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified generic service identifier to the player's PlayFab account. This is designed to allow for a PlayFab
+        /// ID lookup of any arbitrary service identifier a title wants to add. This identifier should never be used as
+        /// authentication credentials, as the intent is that it is easily accessible by other players.
+        /// </summary>
+        public static void AddGenericID(AddGenericIDRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddGenericID", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds a given tag to a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public static void AddPlayerTag(AddPlayerTagRequest request, Action<AddPlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddPlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds users to the set of those able to update both the shared data, as well as the set of users in the group. Only users
+        /// in the group (and the server) can add new members. Shared Groups are designed for sharing data between a very small
+        /// number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void AddSharedGroupMembers(AddSharedGroupMembersRequest request, Action<AddSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddSharedGroupMembers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Increments the user's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public static void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AddUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validated a client's session ticket, and if successful, returns details for that user
+        /// </summary>
+        public static void AuthenticateSessionTicket(AuthenticateSessionTicketRequest request, Action<AuthenticateSessionTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AuthenticateSessionTicket", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Awards the specified users the specified Steam achievements
+        /// </summary>
+        public static void AwardSteamAchievement(AwardSteamAchievementRequest request, Action<AwardSteamAchievementResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/AwardSteamAchievement", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Bans users by PlayFab ID with optional IP address, or MAC address for the provided game.
+        /// </summary>
+        public static void BanUsers(BanUsersRequest request, Action<BanUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/BanUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Consume uses of a consumable item. When all uses are consumed, it will be removed from the player's inventory.
+        /// </summary>
+        public static void ConsumeItem(ConsumeItemRequest request, Action<ConsumeItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/ConsumeItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Requests the creation of a shared group object, containing key/value pairs which may be updated by all members of the
+        /// group. When created by a server, the group will initially have no members. Shared Groups are designed for sharing data
+        /// between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void CreateSharedGroup(CreateSharedGroupRequest request, Action<CreateSharedGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/CreateSharedGroup", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes the specific character ID from the specified user.
+        /// </summary>
+        public static void DeleteCharacterFromUser(DeleteCharacterFromUserRequest request, Action<DeleteCharacterFromUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/DeleteCharacterFromUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes a user's player account from a title and deletes all associated data
+        /// </summary>
+        public static void DeletePlayer(DeletePlayerRequest request, Action<DeletePlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/DeletePlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes push notification template for title
+        /// </summary>
+        public static void DeletePushNotificationTemplate(DeletePushNotificationTemplateRequest request, Action<DeletePushNotificationTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/DeletePushNotificationTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Deletes a shared group, freeing up the shared group ID to be reused for a new group. Shared Groups are designed for
+        /// sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void DeleteSharedGroup(DeleteSharedGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/DeleteSharedGroup", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Inform the matchmaker that a Game Server Instance is removed.
+        /// </summary>
+        public static void DeregisterGame(DeregisterGameRequest request, Action<DeregisterGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/DeregisterGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Returns the result of an evaluation of a Random Result Table - the ItemId from the game Catalog which would have been
+        /// added to the player inventory, if the Random Result Table were added via a Bundle or a call to UnlockContainer.
+        /// </summary>
+        public static void EvaluateRandomResultTable(EvaluateRandomResultTableRequest request, Action<EvaluateRandomResultTableResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/EvaluateRandomResultTable", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Executes a CloudScript function, with the 'currentPlayerId' variable set to the specified PlayFabId parameter value.
+        /// </summary>
+        public static void ExecuteCloudScript(ExecuteCloudScriptServerRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/ExecuteCloudScript", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        public static void ExecuteCloudScript<TOut>(ExecuteCloudScriptServerRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method");
+            Action<ExecuteCloudScriptResult> wrappedResultCallback = (wrappedResult) =>
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var wrappedJson = serializer.SerializeObject(wrappedResult.FunctionResult);
+                try {
+                    wrappedResult.FunctionResult = serializer.DeserializeObject<TOut>(wrappedJson);
+                } catch (Exception) {
+                    wrappedResult.FunctionResult = wrappedJson;
+                    wrappedResult.Logs.Add(new LogStatement { Level = "Warning", Data = wrappedJson, Message = "Sdk Message: Could not deserialize result as: " + typeof(TOut).Name });
+                }
+                resultCallback(wrappedResult);
+            };
+            PlayFabHttp.MakeApiCall("/Server/ExecuteCloudScript", request, AuthType.DevSecretKey, wrappedResultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves an array of player segment definitions. Results from this can be used in subsequent API calls such as
+        /// GetPlayersInSegment which requires a Segment ID. While segment names can change the ID for that segment will not change.
+        /// </summary>
+        public static void GetAllSegments(GetAllSegmentsRequest request, Action<GetAllSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetAllSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Lists all of the characters that belong to a specific user. CharacterIds are not globally unique; characterId must be
+        /// evaluated with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public static void GetAllUsersCharacters(ListUsersCharactersRequest request, Action<ListUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetAllUsersCharacters", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public static void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetCharacterData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user's character which cannot be accessed by the client
+        /// </summary>
+        public static void GetCharacterInternalData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified character's current inventory of virtual goods
+        /// </summary>
+        public static void GetCharacterInventory(GetCharacterInventoryRequest request, Action<GetCharacterInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public static void GetCharacterLeaderboard(GetCharacterLeaderboardRequest request, Action<GetCharacterLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user's character which can only be read by the client
+        /// </summary>
+        public static void GetCharacterReadOnlyData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the details of all title-specific statistics for the specific character
+        /// </summary>
+        public static void GetCharacterStatistics(GetCharacterStatisticsRequest request, Action<GetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// This API retrieves a pre-signed URL for accessing a content file for the title. A subsequent HTTP GET to the returned
+        /// URL will attempt to download the content. A HEAD query to the returned URL will attempt to retrieve the metadata of the
+        /// content. Note that a successful result does not guarantee the existence of this content - if it has not been uploaded,
+        /// the query to retrieve the data will fail. See this post for more information:
+        /// https://community.playfab.com/hc/community/posts/205469488-How-to-upload-files-to-PlayFab-s-Content-Service. Also,
+        /// please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN rates apply.
+        /// </summary>
+        public static void GetContentDownloadUrl(GetContentDownloadUrlRequest request, Action<GetContentDownloadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetContentDownloadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the given player for the given statistic, starting from the indicated point in the
+        /// leaderboard
+        /// </summary>
+        public static void GetFriendLeaderboard(GetFriendLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetFriendLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the current friends for the user with PlayFabId, constrained to users who have PlayFab accounts. Friends from
+        /// linked accounts (Facebook, Steam) are also included. You may optionally exclude some linked services' friends.
+        /// </summary>
+        public static void GetFriendsList(GetFriendsListRequest request, Action<GetFriendsListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetFriendsList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public static void GetLeaderboard(GetLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, centered on the requested user
+        /// </summary>
+        public static void GetLeaderboardAroundCharacter(GetLeaderboardAroundCharacterRequest request, Action<GetLeaderboardAroundCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardAroundCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, centered on the currently signed-in user
+        /// </summary>
+        public static void GetLeaderboardAroundUser(GetLeaderboardAroundUserRequest request, Action<GetLeaderboardAroundUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardAroundUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all of the user's characters for the given statistic.
+        /// </summary>
+        public static void GetLeaderboardForUserCharacters(GetLeaderboardForUsersCharactersRequest request, Action<GetLeaderboardForUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardForUserCharacters", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Returns whatever info is requested in the response for the user. Note that PII (like email address, facebook id) may be
+        /// returned. All parameters default to false.
+        /// </summary>
+        public static void GetPlayerCombinedInfo(GetPlayerCombinedInfoRequest request, Action<GetPlayerCombinedInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerCombinedInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public static void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerProfile", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public static void GetPlayerSegments(GetPlayersSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Allows for paging through all players in a given segment. This API creates a snapshot of all player profiles that match
+        /// the segment definition at the time of its creation and lives through the Total Seconds to Live, refreshing its life span
+        /// on each subsequent use of the Continuation Token. Profiles that change during the course of paging will not be reflected
+        /// in the results. AB Test segments are currently not supported by this operation. NOTE: This API is limited to being
+        /// called 30 times in one minute. You will be returned an error if you exceed this threshold.
+        /// </summary>
+        public static void GetPlayersInSegment(GetPlayersInSegmentRequest request, Action<GetPlayersInSegmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayersInSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the current version and values for the indicated statistics, for the local player.
+        /// </summary>
+        public static void GetPlayerStatistics(GetPlayerStatisticsRequest request, Action<GetPlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public static void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerStatisticVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public static void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromFacebookIDs(GetPlayFabIDsFromFacebookIDsRequest request, Action<GetPlayFabIDsFromFacebookIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromFacebookIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook Instant Games identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromFacebookInstantGamesIds(GetPlayFabIDsFromFacebookInstantGamesIdsRequest request, Action<GetPlayFabIDsFromFacebookInstantGamesIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromFacebookInstantGamesIds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of generic service identifiers. A generic identifier is the
+        /// service name plus the service-specific ID for the player, as specified by the title when the generic identifier was
+        /// added to the player account.
+        /// </summary>
+        public static void GetPlayFabIDsFromGenericIDs(GetPlayFabIDsFromGenericIDsRequest request, Action<GetPlayFabIDsFromGenericIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromGenericIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Nintendo Switch Device identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromNintendoSwitchDeviceIds(GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest request, Action<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromNintendoSwitchDeviceIds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of PlayStation Network identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromPSNAccountIDs(GetPlayFabIDsFromPSNAccountIDsRequest request, Action<GetPlayFabIDsFromPSNAccountIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromPSNAccountIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Steam identifiers. The Steam identifiers are the profile
+        /// IDs for the user accounts, available as SteamId in the Steamworks Community API calls.
+        /// </summary>
+        public static void GetPlayFabIDsFromSteamIDs(GetPlayFabIDsFromSteamIDsRequest request, Action<GetPlayFabIDsFromSteamIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromSteamIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of XboxLive identifiers.
+        /// </summary>
+        public static void GetPlayFabIDsFromXboxLiveIDs(GetPlayFabIDsFromXboxLiveIDsRequest request, Action<GetPlayFabIDsFromXboxLiveIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromXboxLiveIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public static void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the configuration information for the specified random results tables for the title, including all ItemId
+        /// values and weights
+        /// </summary>
+        public static void GetRandomResultTables(GetRandomResultTablesRequest request, Action<GetRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the associated PlayFab account identifiers for the given set of server custom identifiers.
+        /// </summary>
+        public static void GetServerCustomIDsFromPlayFabIDs(GetServerCustomIDsFromPlayFabIDsRequest request, Action<GetServerCustomIDsFromPlayFabIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetServerCustomIDsFromPlayFabIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves data stored in a shared group object, as well as the list of members in the group. The server can access all
+        /// public and private group data. Shared Groups are designed for sharing data between a very small number of players,
+        /// please see our guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void GetSharedGroupData(GetSharedGroupDataRequest request, Action<GetSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetSharedGroupData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined, for the specified player
+        /// </summary>
+        public static void GetStoreItems(GetStoreItemsServerRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the current server time
+        /// </summary>
+        public static void GetTime(GetTimeRequest request, Action<GetTimeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetTime", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings
+        /// </summary>
+        public static void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom internal title settings
+        /// </summary>
+        public static void GetTitleInternalData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title news feed, as configured in the developer portal
+        /// </summary>
+        public static void GetTitleNews(GetTitleNewsRequest request, Action<GetTitleNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetTitleNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user
+        /// </summary>
+        public static void GetUserAccountInfo(GetUserAccountInfoRequest request, Action<GetUserAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserAccountInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Gets all bans for a user.
+        /// </summary>
+        public static void GetUserBans(GetUserBansRequest request, Action<GetUserBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void GetUserInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the specified user's current inventory of virtual goods
+        /// </summary>
+        public static void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void GetUserPublisherInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GetUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Grants the specified character type to the user. CharacterIds are not globally unique; characterId must be evaluated
+        /// with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public static void GrantCharacterToUser(GrantCharacterToUserRequest request, Action<GrantCharacterToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GrantCharacterToUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified character's inventory
+        /// </summary>
+        public static void GrantItemsToCharacter(GrantItemsToCharacterRequest request, Action<GrantItemsToCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user's inventory
+        /// </summary>
+        public static void GrantItemsToUser(GrantItemsToUserRequest request, Action<GrantItemsToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user inventories
+        /// </summary>
+        public static void GrantItemsToUsers(GrantItemsToUsersRequest request, Action<GrantItemsToUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the PlayStation Network account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public static void LinkPSNAccount(LinkPSNAccountRequest request, Action<LinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LinkPSNAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the custom server identifier, generated by the title, to the user's PlayFab account.
+        /// </summary>
+        public static void LinkServerCustomId(LinkServerCustomIdRequest request, Action<LinkServerCustomIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LinkServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Links the Xbox Live account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public static void LinkXboxAccount(LinkXboxAccountRequest request, Action<LinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LinkXboxAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Securely login a game client from an external server backend using a custom identifier for that player. Server Custom ID
+        /// and Client Custom ID are mutually exclusive and cannot be used to retrieve the same player account.
+        /// </summary>
+        public static void LoginWithServerCustomId(LoginWithServerCustomIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LoginWithServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using an Steam ID, returning a session identifier that can subsequently be used for API calls which
+        /// require an authenticated user
+        /// </summary>
+        public static void LoginWithSteamId(LoginWithSteamIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LoginWithSteamId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Xbox Live Token from an external server backend, returning a session identifier that can
+        /// subsequently be used for API calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithXbox(LoginWithXboxRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LoginWithXbox", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Signs the user in using an Xbox ID and Sandbox ID, returning a session identifier that can subsequently be used for API
+        /// calls which require an authenticated user
+        /// </summary>
+        public static void LoginWithXboxId(LoginWithXboxIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/LoginWithXboxId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Modifies the number of remaining uses of a player's inventory item
+        /// </summary>
+        public static void ModifyItemUses(ModifyItemUsesRequest request, Action<ModifyItemUsesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/ModifyItemUses", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Moves an item from a character's inventory into another of the users's character's inventory.
+        /// </summary>
+        public static void MoveItemToCharacterFromCharacter(MoveItemToCharacterFromCharacterRequest request, Action<MoveItemToCharacterFromCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToCharacterFromCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Moves an item from a user's inventory into their character's inventory.
+        /// </summary>
+        public static void MoveItemToCharacterFromUser(MoveItemToCharacterFromUserRequest request, Action<MoveItemToCharacterFromUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToCharacterFromUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Moves an item from a character's inventory into the owning user's inventory.
+        /// </summary>
+        public static void MoveItemToUserFromCharacter(MoveItemToUserFromCharacterRequest request, Action<MoveItemToUserFromCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToUserFromCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab match-making service that the user specified has left the Game Server Instance
+        /// </summary>
+        public static void NotifyMatchmakerPlayerLeft(NotifyMatchmakerPlayerLeftRequest request, Action<NotifyMatchmakerPlayerLeftResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/NotifyMatchmakerPlayerLeft", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds the virtual goods associated with the coupon to the user's inventory. Coupons can be generated via the
+        /// Economy->Catalogs tab in the PlayFab Game Manager.
+        /// </summary>
+        public static void RedeemCoupon(RedeemCouponRequest request, Action<RedeemCouponResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RedeemCoupon", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Validates a Game Server session ticket and returns details about the user
+        /// </summary>
+        public static void RedeemMatchmakerTicket(RedeemMatchmakerTicketRequest request, Action<RedeemMatchmakerTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RedeemMatchmakerTicket", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Set the state of the indicated Game Server Instance. Also update the heartbeat for the instance.
+        /// </summary>
+        public static void RefreshGameServerInstanceHeartbeat(RefreshGameServerInstanceHeartbeatRequest request, Action<RefreshGameServerInstanceHeartbeatResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RefreshGameServerInstanceHeartbeat", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Inform the matchmaker that a new Game Server Instance is added.
+        /// </summary>
+        public static void RegisterGame(RegisterGameRequest request, Action<RegisterGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RegisterGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes the specified friend from the the user's friend list
+        /// </summary>
+        public static void RemoveFriend(RemoveFriendRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RemoveFriend", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes the specified generic service identifier from the player's PlayFab account.
+        /// </summary>
+        public static void RemoveGenericID(RemoveGenericIDRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RemoveGenericID", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Remove a given tag from a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public static void RemovePlayerTag(RemovePlayerTagRequest request, Action<RemovePlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RemovePlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Removes users from the set of those able to update the shared data and the set of users in the group. Only users in the
+        /// group can remove members. If as a result of the call, zero users remain with access, the group and its associated data
+        /// will be deleted. Shared Groups are designed for sharing data between a very small number of players, please see our
+        /// guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void RemoveSharedGroupMembers(RemoveSharedGroupMembersRequest request, Action<RemoveSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RemoveSharedGroupMembers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Submit a report about a player (due to bad bahavior, etc.) on behalf of another player, so that customer service
+        /// representatives for the title can take action concerning potentially toxic players.
+        /// </summary>
+        public static void ReportPlayer(ReportPlayerServerRequest request, Action<ReportPlayerServerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/ReportPlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revoke all active bans for a user.
+        /// </summary>
+        public static void RevokeAllBansForUser(RevokeAllBansForUserRequest request, Action<RevokeAllBansForUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RevokeAllBansForUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revoke all active bans specified with BanId.
+        /// </summary>
+        public static void RevokeBans(RevokeBansRequest request, Action<RevokeBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RevokeBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revokes access to an item in a user's inventory
+        /// </summary>
+        public static void RevokeInventoryItem(RevokeInventoryItemRequest request, Action<RevokeInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RevokeInventoryItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Revokes access for up to 25 items across multiple users and characters.
+        /// </summary>
+        public static void RevokeInventoryItems(RevokeInventoryItemsRequest request, Action<RevokeInventoryItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/RevokeInventoryItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Saves push notification template for title
+        /// </summary>
+        public static void SavePushNotificationTemplate(SavePushNotificationTemplateRequest request, Action<SavePushNotificationTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SavePushNotificationTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered contact email address for the user's account based on an account recovery
+        /// email template
+        /// </summary>
+        public static void SendCustomAccountRecoveryEmail(SendCustomAccountRecoveryEmailRequest request, Action<SendCustomAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SendCustomAccountRecoveryEmail", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sends an email based on an email template to a player's contact email
+        /// </summary>
+        public static void SendEmailFromTemplate(SendEmailFromTemplateRequest request, Action<SendEmailFromTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SendEmailFromTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sends an iOS/Android Push Notification to a specific user, if that user's device has been configured for Push
+        /// Notifications in PlayFab. If a user has linked both Android and iOS devices, both will be notified.
+        /// </summary>
+        public static void SendPushNotification(SendPushNotificationRequest request, Action<SendPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SendPushNotification", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sends an iOS/Android Push Notification template to a specific user, if that user's device has been configured for Push
+        /// Notifications in PlayFab. If a user has linked both Android and iOS devices, both will be notified.
+        /// </summary>
+        public static void SendPushNotificationFromTemplate(SendPushNotificationFromTemplateRequest request, Action<SendPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SendPushNotificationFromTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the tag list for a specified user in the friend list of another user
+        /// </summary>
+        public static void SetFriendTags(SetFriendTagsRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetFriendTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the custom data of the indicated Game Server Instance
+        /// </summary>
+        public static void SetGameServerInstanceData(SetGameServerInstanceDataRequest request, Action<SetGameServerInstanceDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Set the state of the indicated Game Server Instance.
+        /// </summary>
+        public static void SetGameServerInstanceState(SetGameServerInstanceStateRequest request, Action<SetGameServerInstanceStateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceState", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Set custom tags for the specified Game Server Instance
+        /// </summary>
+        public static void SetGameServerInstanceTags(SetGameServerInstanceTagsRequest request, Action<SetGameServerInstanceTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Sets the player's secret if it is not already set. Player secrets are used to sign API requests. To reset a player's
+        /// secret use the Admin or Server API method SetPlayerSecret.
+        /// </summary>
+        public static void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetPlayerSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom publisher settings
+        /// </summary>
+        public static void SetPublisherData(SetPublisherDataRequest request, Action<SetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings
+        /// </summary>
+        public static void SetTitleData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings
+        /// </summary>
+        public static void SetTitleInternalData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Decrements the character's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public static void SubtractCharacterVirtualCurrency(SubtractCharacterVirtualCurrencyRequest request, Action<ModifyCharacterVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SubtractCharacterVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Decrements the user's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public static void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/SubtractUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related PSN account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkPSNAccount(UnlinkPSNAccountRequest request, Action<UnlinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UnlinkPSNAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the custom server identifier from the user's PlayFab account.
+        /// </summary>
+        public static void UnlinkServerCustomId(UnlinkServerCustomIdRequest request, Action<UnlinkServerCustomIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UnlinkServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Unlinks the related Xbox Live account from the user's PlayFab account
+        /// </summary>
+        public static void UnlinkXboxAccount(UnlinkXboxAccountRequest request, Action<UnlinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UnlinkXboxAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Opens a specific container (ContainerItemInstanceId), with a specific key (KeyItemInstanceId, when required), and
+        /// returns the contents of the opened container. If the container (and key when relevant) are consumable (RemainingUses >
+        /// 0), their RemainingUses will be decremented, consistent with the operation of ConsumeItem.
+        /// </summary>
+        public static void UnlockContainerInstance(UnlockContainerInstanceRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UnlockContainerInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Searches Player or Character inventory for any ItemInstance matching the given CatalogItemId, if necessary unlocks it
+        /// using any appropriate key, and returns the contents of the opened container. If the container (and key when relevant)
+        /// are consumable (RemainingUses > 0), their RemainingUses will be decremented, consistent with the operation of
+        /// ConsumeItem.
+        /// </summary>
+        public static void UnlockContainerItem(UnlockContainerItemRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UnlockContainerItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Update the avatar URL of the specified player
+        /// </summary>
+        public static void UpdateAvatarUrl(UpdateAvatarUrlRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateAvatarUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates information of a list of existing bans specified with Ban Ids.
+        /// </summary>
+        public static void UpdateBans(UpdateBansRequest request, Action<UpdateBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which is readable and writable by the client
+        /// </summary>
+        public static void UpdateCharacterData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which cannot be accessed by the client
+        /// </summary>
+        public static void UpdateCharacterInternalData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which can only be read by the client
+        /// </summary>
+        public static void UpdateCharacterReadOnlyData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the specific character
+        /// </summary>
+        public static void UpdateCharacterStatistics(UpdateCharacterStatisticsRequest request, Action<UpdateCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the user
+        /// </summary>
+        public static void UpdatePlayerStatistics(UpdatePlayerStatisticsRequest request, Action<UpdatePlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdatePlayerStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Adds, updates, and removes data keys for a shared group object. If the permission is set to Public, all fields updated
+        /// or added in this call will be readable by users not in the group. By default, data permissions are set to Private.
+        /// Regardless of the permission setting, only members of the group (and the server) can update the data. Shared Groups are
+        /// designed for sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public static void UpdateSharedGroupData(UpdateSharedGroupDataRequest request, Action<UpdateSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateSharedGroupData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void UpdateUserInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the key-value pair data tagged to the specified item, which is read-only from the client.
+        /// </summary>
+        public static void UpdateUserInventoryItemCustomData(UpdateUserInventoryItemDataRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserInventoryItemCustomData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public static void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public static void UpdateUserPublisherInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void UpdateUserPublisherReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public static void UpdateUserReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a character-based event into PlayStream.
+        /// </summary>
+        public static void WriteCharacterEvent(WriteServerCharacterEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/WriteCharacterEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a player-based event into PlayStream.
+        /// </summary>
+        public static void WritePlayerEvent(WriteServerPlayerEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/WritePlayerEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+        /// <summary>
+        /// Writes a title-based event into PlayStream.
+        /// </summary>
+        public static void WriteTitleEvent(WriteTitleEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? PlayFabSettings.staticPlayer;
+            var callSettings = PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+
+
+            PlayFabHttp.MakeApiCall("/Server/WriteTitleEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings);
+        }
+
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs.meta b/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..259a32e72afbcd584ba0fa7fe4f12aca3c0b49d7
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerAPI.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: d1e12172e1632754fa9cf42f58d7bc9e
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs b/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs
new file mode 100644
index 0000000000000000000000000000000000000000..77b984c3085d1b149b8a0e9a2ba037ff7ba6b528
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs
@@ -0,0 +1,1593 @@
+#if ENABLE_PLAYFABSERVER_API
+
+using System;
+using System.Collections.Generic;
+using PlayFab.ServerModels;
+using PlayFab.Internal;
+using PlayFab.SharedModels;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Provides functionality to allow external (developer-controlled) servers to interact with user inventories and data in a
+    /// trusted manner, and to handle matchmaking and client connection orchestration
+    /// </summary>
+    public class PlayFabServerInstanceAPI : IPlayFabInstanceApi
+    {
+        public readonly PlayFabApiSettings apiSettings = null;
+        public readonly PlayFabAuthenticationContext authenticationContext = null;
+
+        public PlayFabServerInstanceAPI() { }
+
+        public PlayFabServerInstanceAPI(PlayFabApiSettings settings)
+        {
+            apiSettings = settings;
+        }
+
+        public PlayFabServerInstanceAPI(PlayFabAuthenticationContext context)
+        {
+            authenticationContext = context;
+        }
+
+        public PlayFabServerInstanceAPI(PlayFabApiSettings settings, PlayFabAuthenticationContext context)
+        {
+            apiSettings = settings;
+            authenticationContext = context;
+        }
+
+        /// <summary>
+        /// Clear the Client SessionToken which allows this Client to call API calls requiring login.
+        /// A new/fresh login will be required after calling this.
+        /// </summary>
+        public void ForgetAllCredentials()
+        {
+            if (authenticationContext != null)
+            {
+                authenticationContext.ForgetAllCredentials();
+            }
+        }
+
+        /// <summary>
+        /// Increments the character's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public void AddCharacterVirtualCurrency(AddCharacterVirtualCurrencyRequest request, Action<ModifyCharacterVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddCharacterVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the Friend user to the friendlist of the user with PlayFabId. At least one of
+        /// FriendPlayFabId,FriendUsername,FriendEmail, or FriendTitleDisplayName should be initialized.
+        /// </summary>
+        public void AddFriend(AddFriendRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddFriend", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified generic service identifier to the player's PlayFab account. This is designed to allow for a PlayFab
+        /// ID lookup of any arbitrary service identifier a title wants to add. This identifier should never be used as
+        /// authentication credentials, as the intent is that it is easily accessible by other players.
+        /// </summary>
+        public void AddGenericID(AddGenericIDRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddGenericID", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds a given tag to a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public void AddPlayerTag(AddPlayerTagRequest request, Action<AddPlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddPlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds users to the set of those able to update both the shared data, as well as the set of users in the group. Only users
+        /// in the group (and the server) can add new members. Shared Groups are designed for sharing data between a very small
+        /// number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void AddSharedGroupMembers(AddSharedGroupMembersRequest request, Action<AddSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddSharedGroupMembers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Increments the user's balance of the specified virtual currency by the stated amount
+        /// </summary>
+        public void AddUserVirtualCurrency(AddUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AddUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validated a client's session ticket, and if successful, returns details for that user
+        /// </summary>
+        public void AuthenticateSessionTicket(AuthenticateSessionTicketRequest request, Action<AuthenticateSessionTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AuthenticateSessionTicket", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Awards the specified users the specified Steam achievements
+        /// </summary>
+        public void AwardSteamAchievement(AwardSteamAchievementRequest request, Action<AwardSteamAchievementResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/AwardSteamAchievement", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Bans users by PlayFab ID with optional IP address, or MAC address for the provided game.
+        /// </summary>
+        public void BanUsers(BanUsersRequest request, Action<BanUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/BanUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Consume uses of a consumable item. When all uses are consumed, it will be removed from the player's inventory.
+        /// </summary>
+        public void ConsumeItem(ConsumeItemRequest request, Action<ConsumeItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/ConsumeItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Requests the creation of a shared group object, containing key/value pairs which may be updated by all members of the
+        /// group. When created by a server, the group will initially have no members. Shared Groups are designed for sharing data
+        /// between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void CreateSharedGroup(CreateSharedGroupRequest request, Action<CreateSharedGroupResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/CreateSharedGroup", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes the specific character ID from the specified user.
+        /// </summary>
+        public void DeleteCharacterFromUser(DeleteCharacterFromUserRequest request, Action<DeleteCharacterFromUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/DeleteCharacterFromUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes a user's player account from a title and deletes all associated data
+        /// </summary>
+        public void DeletePlayer(DeletePlayerRequest request, Action<DeletePlayerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/DeletePlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes push notification template for title
+        /// </summary>
+        public void DeletePushNotificationTemplate(DeletePushNotificationTemplateRequest request, Action<DeletePushNotificationTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/DeletePushNotificationTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Deletes a shared group, freeing up the shared group ID to be reused for a new group. Shared Groups are designed for
+        /// sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void DeleteSharedGroup(DeleteSharedGroupRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/DeleteSharedGroup", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Inform the matchmaker that a Game Server Instance is removed.
+        /// </summary>
+        public void DeregisterGame(DeregisterGameRequest request, Action<DeregisterGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/DeregisterGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Returns the result of an evaluation of a Random Result Table - the ItemId from the game Catalog which would have been
+        /// added to the player inventory, if the Random Result Table were added via a Bundle or a call to UnlockContainer.
+        /// </summary>
+        public void EvaluateRandomResultTable(EvaluateRandomResultTableRequest request, Action<EvaluateRandomResultTableResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/EvaluateRandomResultTable", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Executes a CloudScript function, with the 'currentPlayerId' variable set to the specified PlayFabId parameter value.
+        /// </summary>
+        public void ExecuteCloudScript(ExecuteCloudScriptServerRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/ExecuteCloudScript", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        public void ExecuteCloudScript<TOut>(ExecuteCloudScriptServerRequest request, Action<ExecuteCloudScriptResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method");
+            Action<ExecuteCloudScriptResult> wrappedResultCallback = (wrappedResult) =>
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var wrappedJson = serializer.SerializeObject(wrappedResult.FunctionResult);
+                try {
+                    wrappedResult.FunctionResult = serializer.DeserializeObject<TOut>(wrappedJson);
+                } catch (Exception) {
+                    wrappedResult.FunctionResult = wrappedJson;
+                    wrappedResult.Logs.Add(new LogStatement { Level = "Warning", Data = wrappedJson, Message = "Sdk Message: Could not deserialize result as: " + typeof(TOut).Name });
+                }
+                resultCallback(wrappedResult);
+            };
+            PlayFabHttp.MakeApiCall("/Server/ExecuteCloudScript", request, AuthType.DevSecretKey, wrappedResultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves an array of player segment definitions. Results from this can be used in subsequent API calls such as
+        /// GetPlayersInSegment which requires a Segment ID. While segment names can change the ID for that segment will not change.
+        /// </summary>
+        public void GetAllSegments(GetAllSegmentsRequest request, Action<GetAllSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetAllSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Lists all of the characters that belong to a specific user. CharacterIds are not globally unique; characterId must be
+        /// evaluated with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public void GetAllUsersCharacters(ListUsersCharactersRequest request, Action<ListUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetAllUsersCharacters", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified version of the title's catalog of virtual goods, including all defined properties
+        /// </summary>
+        public void GetCatalogItems(GetCatalogItemsRequest request, Action<GetCatalogItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCatalogItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetCharacterData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user's character which cannot be accessed by the client
+        /// </summary>
+        public void GetCharacterInternalData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified character's current inventory of virtual goods
+        /// </summary>
+        public void GetCharacterInventory(GetCharacterInventoryRequest request, Action<GetCharacterInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public void GetCharacterLeaderboard(GetCharacterLeaderboardRequest request, Action<GetCharacterLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user's character which can only be read by the client
+        /// </summary>
+        public void GetCharacterReadOnlyData(GetCharacterDataRequest request, Action<GetCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the details of all title-specific statistics for the specific character
+        /// </summary>
+        public void GetCharacterStatistics(GetCharacterStatisticsRequest request, Action<GetCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// This API retrieves a pre-signed URL for accessing a content file for the title. A subsequent HTTP GET to the returned
+        /// URL will attempt to download the content. A HEAD query to the returned URL will attempt to retrieve the metadata of the
+        /// content. Note that a successful result does not guarantee the existence of this content - if it has not been uploaded,
+        /// the query to retrieve the data will fail. See this post for more information:
+        /// https://community.playfab.com/hc/community/posts/205469488-How-to-upload-files-to-PlayFab-s-Content-Service. Also,
+        /// please be aware that the Content service is specifically PlayFab's CDN offering, for which standard CDN rates apply.
+        /// </summary>
+        public void GetContentDownloadUrl(GetContentDownloadUrlRequest request, Action<GetContentDownloadUrlResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetContentDownloadUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked friends of the given player for the given statistic, starting from the indicated point in the
+        /// leaderboard
+        /// </summary>
+        public void GetFriendLeaderboard(GetFriendLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetFriendLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the current friends for the user with PlayFabId, constrained to users who have PlayFab accounts. Friends from
+        /// linked accounts (Facebook, Steam) are also included. You may optionally exclude some linked services' friends.
+        /// </summary>
+        public void GetFriendsList(GetFriendsListRequest request, Action<GetFriendsListResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetFriendsList", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, starting from the indicated point in the leaderboard
+        /// </summary>
+        public void GetLeaderboard(GetLeaderboardRequest request, Action<GetLeaderboardResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboard", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked characters for the given statistic, centered on the requested user
+        /// </summary>
+        public void GetLeaderboardAroundCharacter(GetLeaderboardAroundCharacterRequest request, Action<GetLeaderboardAroundCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardAroundCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of ranked users for the given statistic, centered on the currently signed-in user
+        /// </summary>
+        public void GetLeaderboardAroundUser(GetLeaderboardAroundUserRequest request, Action<GetLeaderboardAroundUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardAroundUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves a list of all of the user's characters for the given statistic.
+        /// </summary>
+        public void GetLeaderboardForUserCharacters(GetLeaderboardForUsersCharactersRequest request, Action<GetLeaderboardForUsersCharactersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetLeaderboardForUserCharacters", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Returns whatever info is requested in the response for the user. Note that PII (like email address, facebook id) may be
+        /// returned. All parameters default to false.
+        /// </summary>
+        public void GetPlayerCombinedInfo(GetPlayerCombinedInfoRequest request, Action<GetPlayerCombinedInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerCombinedInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the player's profile
+        /// </summary>
+        public void GetPlayerProfile(GetPlayerProfileRequest request, Action<GetPlayerProfileResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerProfile", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// List all segments that a player currently belongs to at this moment in time.
+        /// </summary>
+        public void GetPlayerSegments(GetPlayersSegmentsRequest request, Action<GetPlayerSegmentsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerSegments", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Allows for paging through all players in a given segment. This API creates a snapshot of all player profiles that match
+        /// the segment definition at the time of its creation and lives through the Total Seconds to Live, refreshing its life span
+        /// on each subsequent use of the Continuation Token. Profiles that change during the course of paging will not be reflected
+        /// in the results. AB Test segments are currently not supported by this operation. NOTE: This API is limited to being
+        /// called 30 times in one minute. You will be returned an error if you exceed this threshold.
+        /// </summary>
+        public void GetPlayersInSegment(GetPlayersInSegmentRequest request, Action<GetPlayersInSegmentResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayersInSegment", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the current version and values for the indicated statistics, for the local player.
+        /// </summary>
+        public void GetPlayerStatistics(GetPlayerStatisticsRequest request, Action<GetPlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the information on the available versions of the specified statistic.
+        /// </summary>
+        public void GetPlayerStatisticVersions(GetPlayerStatisticVersionsRequest request, Action<GetPlayerStatisticVersionsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerStatisticVersions", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Get all tags with a given Namespace (optional) from a player profile.
+        /// </summary>
+        public void GetPlayerTags(GetPlayerTagsRequest request, Action<GetPlayerTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayerTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromFacebookIDs(GetPlayFabIDsFromFacebookIDsRequest request, Action<GetPlayFabIDsFromFacebookIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromFacebookIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Facebook Instant Games identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromFacebookInstantGamesIds(GetPlayFabIDsFromFacebookInstantGamesIdsRequest request, Action<GetPlayFabIDsFromFacebookInstantGamesIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromFacebookInstantGamesIds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of generic service identifiers. A generic identifier is the
+        /// service name plus the service-specific ID for the player, as specified by the title when the generic identifier was
+        /// added to the player account.
+        /// </summary>
+        public void GetPlayFabIDsFromGenericIDs(GetPlayFabIDsFromGenericIDsRequest request, Action<GetPlayFabIDsFromGenericIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromGenericIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Nintendo Switch Device identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromNintendoSwitchDeviceIds(GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest request, Action<GetPlayFabIDsFromNintendoSwitchDeviceIdsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromNintendoSwitchDeviceIds", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of PlayStation Network identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromPSNAccountIDs(GetPlayFabIDsFromPSNAccountIDsRequest request, Action<GetPlayFabIDsFromPSNAccountIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromPSNAccountIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of Steam identifiers. The Steam identifiers are the profile
+        /// IDs for the user accounts, available as SteamId in the Steamworks Community API calls.
+        /// </summary>
+        public void GetPlayFabIDsFromSteamIDs(GetPlayFabIDsFromSteamIDsRequest request, Action<GetPlayFabIDsFromSteamIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromSteamIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the unique PlayFab identifiers for the given set of XboxLive identifiers.
+        /// </summary>
+        public void GetPlayFabIDsFromXboxLiveIDs(GetPlayFabIDsFromXboxLiveIDsRequest request, Action<GetPlayFabIDsFromXboxLiveIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPlayFabIDsFromXboxLiveIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom publisher settings
+        /// </summary>
+        public void GetPublisherData(GetPublisherDataRequest request, Action<GetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the configuration information for the specified random results tables for the title, including all ItemId
+        /// values and weights
+        /// </summary>
+        public void GetRandomResultTables(GetRandomResultTablesRequest request, Action<GetRandomResultTablesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetRandomResultTables", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the associated PlayFab account identifiers for the given set of server custom identifiers.
+        /// </summary>
+        public void GetServerCustomIDsFromPlayFabIDs(GetServerCustomIDsFromPlayFabIDsRequest request, Action<GetServerCustomIDsFromPlayFabIDsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetServerCustomIDsFromPlayFabIDs", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves data stored in a shared group object, as well as the list of members in the group. The server can access all
+        /// public and private group data. Shared Groups are designed for sharing data between a very small number of players,
+        /// please see our guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void GetSharedGroupData(GetSharedGroupDataRequest request, Action<GetSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetSharedGroupData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the set of items defined for the specified store, including all prices defined, for the specified player
+        /// </summary>
+        public void GetStoreItems(GetStoreItemsServerRequest request, Action<GetStoreItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetStoreItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the current server time
+        /// </summary>
+        public void GetTime(GetTimeRequest request, Action<GetTimeResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetTime", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom title settings
+        /// </summary>
+        public void GetTitleData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the key-value store of custom internal title settings
+        /// </summary>
+        public void GetTitleInternalData(GetTitleDataRequest request, Action<GetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title news feed, as configured in the developer portal
+        /// </summary>
+        public void GetTitleNews(GetTitleNewsRequest request, Action<GetTitleNewsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetTitleNews", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the relevant details for a specified user
+        /// </summary>
+        public void GetUserAccountInfo(GetUserAccountInfoRequest request, Action<GetUserAccountInfoResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserAccountInfo", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Gets all bans for a user.
+        /// </summary>
+        public void GetUserBans(GetUserBansRequest request, Action<GetUserBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void GetUserInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the specified user's current inventory of virtual goods
+        /// </summary>
+        public void GetUserInventory(GetUserInventoryRequest request, Action<GetUserInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserInventory", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void GetUserPublisherData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void GetUserPublisherInternalData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserPublisherReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Retrieves the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void GetUserReadOnlyData(GetUserDataRequest request, Action<GetUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GetUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Grants the specified character type to the user. CharacterIds are not globally unique; characterId must be evaluated
+        /// with the parent PlayFabId to guarantee uniqueness.
+        /// </summary>
+        public void GrantCharacterToUser(GrantCharacterToUserRequest request, Action<GrantCharacterToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GrantCharacterToUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified character's inventory
+        /// </summary>
+        public void GrantItemsToCharacter(GrantItemsToCharacterRequest request, Action<GrantItemsToCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user's inventory
+        /// </summary>
+        public void GrantItemsToUser(GrantItemsToUserRequest request, Action<GrantItemsToUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the specified items to the specified user inventories
+        /// </summary>
+        public void GrantItemsToUsers(GrantItemsToUsersRequest request, Action<GrantItemsToUsersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/GrantItemsToUsers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the PlayStation Network account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public void LinkPSNAccount(LinkPSNAccountRequest request, Action<LinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LinkPSNAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the custom server identifier, generated by the title, to the user's PlayFab account.
+        /// </summary>
+        public void LinkServerCustomId(LinkServerCustomIdRequest request, Action<LinkServerCustomIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LinkServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Links the Xbox Live account associated with the provided access code to the user's PlayFab account
+        /// </summary>
+        public void LinkXboxAccount(LinkXboxAccountRequest request, Action<LinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LinkXboxAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Securely login a game client from an external server backend using a custom identifier for that player. Server Custom ID
+        /// and Client Custom ID are mutually exclusive and cannot be used to retrieve the same player account.
+        /// </summary>
+        public void LoginWithServerCustomId(LoginWithServerCustomIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LoginWithServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using an Steam ID, returning a session identifier that can subsequently be used for API calls which
+        /// require an authenticated user
+        /// </summary>
+        public void LoginWithSteamId(LoginWithSteamIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LoginWithSteamId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using a Xbox Live Token from an external server backend, returning a session identifier that can
+        /// subsequently be used for API calls which require an authenticated user
+        /// </summary>
+        public void LoginWithXbox(LoginWithXboxRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LoginWithXbox", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Signs the user in using an Xbox ID and Sandbox ID, returning a session identifier that can subsequently be used for API
+        /// calls which require an authenticated user
+        /// </summary>
+        public void LoginWithXboxId(LoginWithXboxIdRequest request, Action<ServerLoginResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/LoginWithXboxId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Modifies the number of remaining uses of a player's inventory item
+        /// </summary>
+        public void ModifyItemUses(ModifyItemUsesRequest request, Action<ModifyItemUsesResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/ModifyItemUses", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Moves an item from a character's inventory into another of the users's character's inventory.
+        /// </summary>
+        public void MoveItemToCharacterFromCharacter(MoveItemToCharacterFromCharacterRequest request, Action<MoveItemToCharacterFromCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToCharacterFromCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Moves an item from a user's inventory into their character's inventory.
+        /// </summary>
+        public void MoveItemToCharacterFromUser(MoveItemToCharacterFromUserRequest request, Action<MoveItemToCharacterFromUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToCharacterFromUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Moves an item from a character's inventory into the owning user's inventory.
+        /// </summary>
+        public void MoveItemToUserFromCharacter(MoveItemToUserFromCharacterRequest request, Action<MoveItemToUserFromCharacterResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/MoveItemToUserFromCharacter", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Informs the PlayFab match-making service that the user specified has left the Game Server Instance
+        /// </summary>
+        public void NotifyMatchmakerPlayerLeft(NotifyMatchmakerPlayerLeftRequest request, Action<NotifyMatchmakerPlayerLeftResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/NotifyMatchmakerPlayerLeft", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds the virtual goods associated with the coupon to the user's inventory. Coupons can be generated via the
+        /// Economy->Catalogs tab in the PlayFab Game Manager.
+        /// </summary>
+        public void RedeemCoupon(RedeemCouponRequest request, Action<RedeemCouponResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RedeemCoupon", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Validates a Game Server session ticket and returns details about the user
+        /// </summary>
+        public void RedeemMatchmakerTicket(RedeemMatchmakerTicketRequest request, Action<RedeemMatchmakerTicketResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RedeemMatchmakerTicket", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Set the state of the indicated Game Server Instance. Also update the heartbeat for the instance.
+        /// </summary>
+        public void RefreshGameServerInstanceHeartbeat(RefreshGameServerInstanceHeartbeatRequest request, Action<RefreshGameServerInstanceHeartbeatResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RefreshGameServerInstanceHeartbeat", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Inform the matchmaker that a new Game Server Instance is added.
+        /// </summary>
+        public void RegisterGame(RegisterGameRequest request, Action<RegisterGameResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RegisterGame", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes the specified friend from the the user's friend list
+        /// </summary>
+        public void RemoveFriend(RemoveFriendRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RemoveFriend", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes the specified generic service identifier from the player's PlayFab account.
+        /// </summary>
+        public void RemoveGenericID(RemoveGenericIDRequest request, Action<EmptyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RemoveGenericID", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Remove a given tag from a player profile. The tag's namespace is automatically generated based on the source of the tag.
+        /// </summary>
+        public void RemovePlayerTag(RemovePlayerTagRequest request, Action<RemovePlayerTagResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RemovePlayerTag", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Removes users from the set of those able to update the shared data and the set of users in the group. Only users in the
+        /// group can remove members. If as a result of the call, zero users remain with access, the group and its associated data
+        /// will be deleted. Shared Groups are designed for sharing data between a very small number of players, please see our
+        /// guide: https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void RemoveSharedGroupMembers(RemoveSharedGroupMembersRequest request, Action<RemoveSharedGroupMembersResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RemoveSharedGroupMembers", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Submit a report about a player (due to bad bahavior, etc.) on behalf of another player, so that customer service
+        /// representatives for the title can take action concerning potentially toxic players.
+        /// </summary>
+        public void ReportPlayer(ReportPlayerServerRequest request, Action<ReportPlayerServerResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/ReportPlayer", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revoke all active bans for a user.
+        /// </summary>
+        public void RevokeAllBansForUser(RevokeAllBansForUserRequest request, Action<RevokeAllBansForUserResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RevokeAllBansForUser", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revoke all active bans specified with BanId.
+        /// </summary>
+        public void RevokeBans(RevokeBansRequest request, Action<RevokeBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RevokeBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revokes access to an item in a user's inventory
+        /// </summary>
+        public void RevokeInventoryItem(RevokeInventoryItemRequest request, Action<RevokeInventoryResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RevokeInventoryItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Revokes access for up to 25 items across multiple users and characters.
+        /// </summary>
+        public void RevokeInventoryItems(RevokeInventoryItemsRequest request, Action<RevokeInventoryItemsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/RevokeInventoryItems", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Saves push notification template for title
+        /// </summary>
+        public void SavePushNotificationTemplate(SavePushNotificationTemplateRequest request, Action<SavePushNotificationTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SavePushNotificationTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Forces an email to be sent to the registered contact email address for the user's account based on an account recovery
+        /// email template
+        /// </summary>
+        public void SendCustomAccountRecoveryEmail(SendCustomAccountRecoveryEmailRequest request, Action<SendCustomAccountRecoveryEmailResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SendCustomAccountRecoveryEmail", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sends an email based on an email template to a player's contact email
+        /// </summary>
+        public void SendEmailFromTemplate(SendEmailFromTemplateRequest request, Action<SendEmailFromTemplateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SendEmailFromTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sends an iOS/Android Push Notification to a specific user, if that user's device has been configured for Push
+        /// Notifications in PlayFab. If a user has linked both Android and iOS devices, both will be notified.
+        /// </summary>
+        public void SendPushNotification(SendPushNotificationRequest request, Action<SendPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SendPushNotification", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sends an iOS/Android Push Notification template to a specific user, if that user's device has been configured for Push
+        /// Notifications in PlayFab. If a user has linked both Android and iOS devices, both will be notified.
+        /// </summary>
+        public void SendPushNotificationFromTemplate(SendPushNotificationFromTemplateRequest request, Action<SendPushNotificationResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SendPushNotificationFromTemplate", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the tag list for a specified user in the friend list of another user
+        /// </summary>
+        public void SetFriendTags(SetFriendTagsRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetFriendTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the custom data of the indicated Game Server Instance
+        /// </summary>
+        public void SetGameServerInstanceData(SetGameServerInstanceDataRequest request, Action<SetGameServerInstanceDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Set the state of the indicated Game Server Instance.
+        /// </summary>
+        public void SetGameServerInstanceState(SetGameServerInstanceStateRequest request, Action<SetGameServerInstanceStateResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceState", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Set custom tags for the specified Game Server Instance
+        /// </summary>
+        public void SetGameServerInstanceTags(SetGameServerInstanceTagsRequest request, Action<SetGameServerInstanceTagsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetGameServerInstanceTags", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Sets the player's secret if it is not already set. Player secrets are used to sign API requests. To reset a player's
+        /// secret use the Admin or Server API method SetPlayerSecret.
+        /// </summary>
+        public void SetPlayerSecret(SetPlayerSecretRequest request, Action<SetPlayerSecretResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetPlayerSecret", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom publisher settings
+        /// </summary>
+        public void SetPublisherData(SetPublisherDataRequest request, Action<SetPublisherDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings
+        /// </summary>
+        public void SetTitleData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetTitleData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value store of custom title settings
+        /// </summary>
+        public void SetTitleInternalData(SetTitleDataRequest request, Action<SetTitleDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SetTitleInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Decrements the character's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public void SubtractCharacterVirtualCurrency(SubtractCharacterVirtualCurrencyRequest request, Action<ModifyCharacterVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SubtractCharacterVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Decrements the user's balance of the specified virtual currency by the stated amount. It is possible to make a VC
+        /// balance negative with this API.
+        /// </summary>
+        public void SubtractUserVirtualCurrency(SubtractUserVirtualCurrencyRequest request, Action<ModifyUserVirtualCurrencyResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/SubtractUserVirtualCurrency", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related PSN account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkPSNAccount(UnlinkPSNAccountRequest request, Action<UnlinkPSNAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UnlinkPSNAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the custom server identifier from the user's PlayFab account.
+        /// </summary>
+        public void UnlinkServerCustomId(UnlinkServerCustomIdRequest request, Action<UnlinkServerCustomIdResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UnlinkServerCustomId", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Unlinks the related Xbox Live account from the user's PlayFab account
+        /// </summary>
+        public void UnlinkXboxAccount(UnlinkXboxAccountRequest request, Action<UnlinkXboxAccountResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UnlinkXboxAccount", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Opens a specific container (ContainerItemInstanceId), with a specific key (KeyItemInstanceId, when required), and
+        /// returns the contents of the opened container. If the container (and key when relevant) are consumable (RemainingUses >
+        /// 0), their RemainingUses will be decremented, consistent with the operation of ConsumeItem.
+        /// </summary>
+        public void UnlockContainerInstance(UnlockContainerInstanceRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UnlockContainerInstance", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Searches Player or Character inventory for any ItemInstance matching the given CatalogItemId, if necessary unlocks it
+        /// using any appropriate key, and returns the contents of the opened container. If the container (and key when relevant)
+        /// are consumable (RemainingUses > 0), their RemainingUses will be decremented, consistent with the operation of
+        /// ConsumeItem.
+        /// </summary>
+        public void UnlockContainerItem(UnlockContainerItemRequest request, Action<UnlockContainerItemResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UnlockContainerItem", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Update the avatar URL of the specified player
+        /// </summary>
+        public void UpdateAvatarUrl(UpdateAvatarUrlRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateAvatarUrl", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates information of a list of existing bans specified with Ban Ids.
+        /// </summary>
+        public void UpdateBans(UpdateBansRequest request, Action<UpdateBansResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateBans", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which is readable and writable by the client
+        /// </summary>
+        public void UpdateCharacterData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which cannot be accessed by the client
+        /// </summary>
+        public void UpdateCharacterInternalData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user's character which can only be read by the client
+        /// </summary>
+        public void UpdateCharacterReadOnlyData(UpdateCharacterDataRequest request, Action<UpdateCharacterDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the specific character
+        /// </summary>
+        public void UpdateCharacterStatistics(UpdateCharacterStatisticsRequest request, Action<UpdateCharacterStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateCharacterStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the values of the specified title-specific statistics for the user
+        /// </summary>
+        public void UpdatePlayerStatistics(UpdatePlayerStatisticsRequest request, Action<UpdatePlayerStatisticsResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdatePlayerStatistics", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Adds, updates, and removes data keys for a shared group object. If the permission is set to Public, all fields updated
+        /// or added in this call will be readable by users not in the group. By default, data permissions are set to Private.
+        /// Regardless of the permission setting, only members of the group (and the server) can update the data. Shared Groups are
+        /// designed for sharing data between a very small number of players, please see our guide:
+        /// https://docs.microsoft.com/gaming/playfab/features/social/groups/using-shared-group-data
+        /// </summary>
+        public void UpdateSharedGroupData(UpdateSharedGroupDataRequest request, Action<UpdateSharedGroupDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateSharedGroupData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void UpdateUserInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the key-value pair data tagged to the specified item, which is read-only from the client.
+        /// </summary>
+        public void UpdateUserInventoryItemCustomData(UpdateUserInventoryItemDataRequest request, Action<EmptyResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserInventoryItemCustomData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which is readable and writable by the client
+        /// </summary>
+        public void UpdateUserPublisherData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which cannot be accessed by the client
+        /// </summary>
+        public void UpdateUserPublisherInternalData(UpdateUserInternalDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherInternalData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the publisher-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void UpdateUserPublisherReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserPublisherReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Updates the title-specific custom data for the user which can only be read by the client
+        /// </summary>
+        public void UpdateUserReadOnlyData(UpdateUserDataRequest request, Action<UpdateUserDataResult> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/UpdateUserReadOnlyData", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a character-based event into PlayStream.
+        /// </summary>
+        public void WriteCharacterEvent(WriteServerCharacterEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/WriteCharacterEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a player-based event into PlayStream.
+        /// </summary>
+        public void WritePlayerEvent(WriteServerPlayerEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/WritePlayerEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+        /// <summary>
+        /// Writes a title-based event into PlayStream.
+        /// </summary>
+        public void WriteTitleEvent(WriteTitleEventRequest request, Action<WriteEventResponse> resultCallback, Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null)
+        {
+            var context = (request == null ? null : request.AuthenticationContext) ?? authenticationContext;
+            var callSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            if (string.IsNullOrEmpty(callSettings.DeveloperSecretKey)) { throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "Must set DeveloperSecretKey in settings to call this method"); }
+            PlayFabHttp.MakeApiCall("/Server/WriteTitleEvent", request, AuthType.DevSecretKey, resultCallback, errorCallback, customData, extraHeaders, context, callSettings, this);
+        }
+
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs.meta b/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..c087b059e11e07792cfdcd92686f7008440075bb
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerInstanceAPI.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 76d4a622fa263d34b9f73488c0095f8b
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerModels.cs b/Assets/PlayFabSDK/Server/PlayFabServerModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..13c40c5552a83edaf06d78ef96b5cfc2119a1af2
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerModels.cs
@@ -0,0 +1,6990 @@
+#if ENABLE_PLAYFABSERVER_API
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.ServerModels
+{
+    [Serializable]
+    public class AdCampaignAttribution : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    [Serializable]
+    public class AdCampaignAttributionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// UTC time stamp of attribution
+        /// </summary>
+        public DateTime AttributedAt;
+        /// <summary>
+        /// Attribution campaign identifier
+        /// </summary>
+        public string CampaignId;
+        /// <summary>
+        /// Attribution network name
+        /// </summary>
+        public string Platform;
+    }
+
+    [Serializable]
+    public class AddCharacterVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be added to the character balance of the specified virtual currency. Maximum VC balance is Int32
+        /// (2,147,483,647). Any increase over this value will be discarded.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose virtual currency balance is to be incremented.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be incremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class AddFriendRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Email address of the user being added.
+        /// </summary>
+        public string FriendEmail;
+        /// <summary>
+        /// The PlayFab identifier of the user being added.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Title-specific display name of the user to being added.
+        /// </summary>
+        public string FriendTitleDisplayName;
+        /// <summary>
+        /// The PlayFab username of the user being added
+        /// </summary>
+        public string FriendUsername;
+        /// <summary>
+        /// PlayFab identifier of the player to add a new friend.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class AddGenericIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Generic service identifier to add to the player account.
+        /// </summary>
+        public GenericServiceId GenericId;
+        /// <summary>
+        /// PlayFabId of the user to link.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// This API will trigger a player_tag_added event and add a tag with the given TagName and PlayFabID to the corresponding
+    /// player profile. TagName can be used for segmentation and it is limited to 256 characters. Also there is a limit on the
+    /// number of tags a title can have.
+    /// </summary>
+    [Serializable]
+    public class AddPlayerTagRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique tag for player profile.
+        /// </summary>
+        public string TagName;
+    }
+
+    [Serializable]
+    public class AddPlayerTagResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddSharedGroupMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// An array of unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public List<string> PlayFabIds;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class AddSharedGroupMembersResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class AddUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be added to the user balance of the specified virtual currency. Maximum VC balance is Int32 (2,147,483,647).
+        /// Any increase over this value will be discarded.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose virtual currency balance is to be increased.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be incremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class AdvancedPushPlatformMsg : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Stops GoogleCloudMessaging notifications from including both notification and data properties and instead only sends the
+        /// data property.
+        /// </summary>
+        public bool? GCMDataOnly;
+        /// <summary>
+        /// The Json the platform should receive.
+        /// </summary>
+        public string Json;
+        /// <summary>
+        /// The platform that should receive the Json.
+        /// </summary>
+        public PushNotificationPlatform Platform;
+    }
+
+    /// <summary>
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class AuthenticateSessionTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Session ticket as issued by a PlayFab client login API.
+        /// </summary>
+        public string SessionTicket;
+    }
+
+    [Serializable]
+    public class AuthenticateSessionTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates if token was expired at request time.
+        /// </summary>
+        public bool? IsSessionTicketExpired;
+        /// <summary>
+        /// Account info for the user whose session ticket was supplied.
+        /// </summary>
+        public UserAccountInfo UserInfo;
+    }
+
+    [Serializable]
+    public class AwardSteamAchievementItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Steam achievement name.
+        /// </summary>
+        public string AchievementName;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Result of the award attempt (only valid on response, not on request).
+        /// </summary>
+        public bool Result;
+    }
+
+    [Serializable]
+    public class AwardSteamAchievementRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of achievements to grant and the users to whom they are to be granted.
+        /// </summary>
+        public List<AwardSteamAchievementItem> Achievements;
+    }
+
+    [Serializable]
+    public class AwardSteamAchievementResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of achievements granted.
+        /// </summary>
+        public List<AwardSteamAchievementItem> AchievementResults;
+    }
+
+    /// <summary>
+    /// Contains information for a ban.
+    /// </summary>
+    [Serializable]
+    public class BanInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The active state of this ban. Expired bans may still have this value set to true but they will have no effect.
+        /// </summary>
+        public bool Active;
+        /// <summary>
+        /// The unique Ban Id associated with this ban.
+        /// </summary>
+        public string BanId;
+        /// <summary>
+        /// The time when this ban was applied.
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// The time when this ban expires. Permanent bans do not have expiration date.
+        /// </summary>
+        public DateTime? Expires;
+        /// <summary>
+        /// The IP address on which the ban was applied. May affect multiple players.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// The MAC address on which the ban was applied. May affect multiple players.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The reason why this ban was applied.
+        /// </summary>
+        public string Reason;
+    }
+
+    /// <summary>
+    /// Represents a single ban request.
+    /// </summary>
+    [Serializable]
+    public class BanRequest : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The duration in hours for the ban. Leave this blank for a permanent ban.
+        /// </summary>
+        public uint? DurationInHours;
+        /// <summary>
+        /// IP address to be banned. May affect multiple players.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// MAC address to be banned. May affect multiple players.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The reason for this ban. Maximum 140 characters.
+        /// </summary>
+        public string Reason;
+    }
+
+    /// <summary>
+    /// The existence of each user will not be verified. When banning by IP or MAC address, multiple players may be affected, so
+    /// use this feature with caution. Returns information about the new bans.
+    /// </summary>
+    [Serializable]
+    public class BanUsersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of ban requests to be applied. Maximum 100.
+        /// </summary>
+        public List<BanRequest> Bans;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+    }
+
+    [Serializable]
+    public class BanUsersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were applied
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// A purchasable item from the item catalog
+    /// </summary>
+    [Serializable]
+    public class CatalogItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// defines the bundle properties for the item - bundles are items which contain other items, including random drop tables
+        /// and virtual currencies
+        /// </summary>
+        public CatalogItemBundleInfo Bundle;
+        /// <summary>
+        /// if true, then an item instance of this type can be used to grant a character to a user.
+        /// </summary>
+        public bool CanBecomeCharacter;
+        /// <summary>
+        /// catalog version for this item
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// defines the consumable properties (number of uses, timeout) for the item
+        /// </summary>
+        public CatalogItemConsumableInfo Consumable;
+        /// <summary>
+        /// defines the container properties for the item - what items it contains, including random drop tables and virtual
+        /// currencies, and what item (if any) is required to open it via the UnlockContainerItem API
+        /// </summary>
+        public CatalogItemContainerInfo Container;
+        /// <summary>
+        /// game specific custom data
+        /// </summary>
+        public string CustomData;
+        /// <summary>
+        /// text description of item, to show in-game
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// text name for the item, to show in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// If the item has IsLImitedEdition set to true, and this is the first time this ItemId has been defined as a limited
+        /// edition item, this value determines the total number of instances to allocate for the title. Once this limit has been
+        /// reached, no more instances of this ItemId can be created, and attempts to purchase or grant it will return a Result of
+        /// false for that ItemId. If the item has already been defined to have a limited edition count, or if this value is less
+        /// than zero, it will be ignored.
+        /// </summary>
+        public int InitialLimitedEditionCount;
+        /// <summary>
+        /// BETA: If true, then only a fixed number can ever be granted.
+        /// </summary>
+        public bool IsLimitedEdition;
+        /// <summary>
+        /// if true, then only one item instance of this type will exist and its remaininguses will be incremented instead.
+        /// RemainingUses will cap out at Int32.Max (2,147,483,647). All subsequent increases will be discarded
+        /// </summary>
+        public bool IsStackable;
+        /// <summary>
+        /// if true, then an item instance of this type can be traded between players using the trading APIs
+        /// </summary>
+        public bool IsTradable;
+        /// <summary>
+        /// class to which the item belongs
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// unique identifier for this item
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// URL to the item image. For Facebook purchase to display the image on the item purchase page, this must be set to an HTTP
+        /// URL.
+        /// </summary>
+        public string ItemImageUrl;
+        /// <summary>
+        /// override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// list of item tags
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// price of this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    [Serializable]
+    public class CatalogItemBundleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public List<string> BundledItems;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the bundle (random tables will be resolved and
+        /// add the relevant items to the player inventory when the bundle is added)
+        /// </summary>
+        public List<string> BundledResultTables;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the bundle is added
+        /// </summary>
+        public Dictionary<string,uint> BundledVirtualCurrencies;
+    }
+
+    [Serializable]
+    public class CatalogItemConsumableInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// number of times this object can be used, after which it will be removed from the player inventory
+        /// </summary>
+        public uint? UsageCount;
+        /// <summary>
+        /// duration in seconds for how long the item will remain in the player inventory - once elapsed, the item will be removed
+        /// (recommended minimum value is 5 seconds, as lower values can cause the item to expire before operations depending on
+        /// this item's details have completed)
+        /// </summary>
+        public uint? UsagePeriod;
+        /// <summary>
+        /// all inventory item instances in the player inventory sharing a non-null UsagePeriodGroup have their UsagePeriod values
+        /// added together, and share the result - when that period has elapsed, all the items in the group will be removed
+        /// </summary>
+        public string UsagePeriodGroup;
+    }
+
+    /// <summary>
+    /// Containers are inventory items that can hold other items defined in the catalog, as well as virtual currency, which is
+    /// added to the player inventory when the container is unlocked, using the UnlockContainerItem API. The items can be
+    /// anything defined in the catalog, as well as RandomResultTable objects which will be resolved when the container is
+    /// unlocked. Containers and their keys should be defined as Consumable (having a limited number of uses) in their catalog
+    /// defintiions, unless the intent is for the player to be able to re-use them infinitely.
+    /// </summary>
+    [Serializable]
+    public class CatalogItemContainerInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique ItemId values for all items which will be added to the player inventory, once the container has been unlocked
+        /// </summary>
+        public List<string> ItemContents;
+        /// <summary>
+        /// ItemId for the catalog item used to unlock the container, if any (if not specified, a call to UnlockContainerItem will
+        /// open the container, adding the contents to the player inventory and currency balances)
+        /// </summary>
+        public string KeyItemId;
+        /// <summary>
+        /// unique TableId values for all RandomResultTable objects which are part of the container (once unlocked, random tables
+        /// will be resolved and add the relevant items to the player inventory)
+        /// </summary>
+        public List<string> ResultTableContents;
+        /// <summary>
+        /// virtual currency types and balances which will be added to the player inventory when the container is unlocked
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyContents;
+    }
+
+    [Serializable]
+    public class CharacterInventory : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The id of this character.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The inventory of this character.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+    }
+
+    [Serializable]
+    public class CharacterLeaderboardEntry : PlayFabBaseModel
+    {
+        /// <summary>
+        /// PlayFab unique identifier of the character that belongs to the user for this leaderboard entry.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Title-specific display name of the character for this leaderboard entry.
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// Name of the character class for this entry.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Title-specific display name of the user for this leaderboard entry.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// PlayFab unique identifier of the user for this leaderboard entry.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// User's overall position in the leaderboard.
+        /// </summary>
+        public int Position;
+        /// <summary>
+        /// Specific value of the user's statistic.
+        /// </summary>
+        public int StatValue;
+    }
+
+    [Serializable]
+    public class CharacterResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The id for this character on this player.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The name of this character.
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// The type-string that was given to this character on creation.
+        /// </summary>
+        public string CharacterType;
+    }
+
+    public enum CloudScriptRevisionOption
+    {
+        Live,
+        Latest,
+        Specific
+    }
+
+    [Serializable]
+    public class ConsumeItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Number of uses to consume from the item.
+        /// </summary>
+        public int ConsumeCount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique instance identifier of the item to be consumed.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ConsumeItemResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique instance identifier of the item with uses consumed.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Number of uses remaining on the item.
+        /// </summary>
+        public int RemainingUses;
+    }
+
+    [Serializable]
+    public class ContactEmailInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    [Serializable]
+    public class ContactEmailInfoModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The email address
+        /// </summary>
+        public string EmailAddress;
+        /// <summary>
+        /// The name of the email info data
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// The verification status of the email
+        /// </summary>
+        public EmailVerificationStatus? VerificationStatus;
+    }
+
+    public enum ContinentCode
+    {
+        AF,
+        AN,
+        AS,
+        EU,
+        NA,
+        OC,
+        SA
+    }
+
+    public enum CountryCode
+    {
+        AF,
+        AX,
+        AL,
+        DZ,
+        AS,
+        AD,
+        AO,
+        AI,
+        AQ,
+        AG,
+        AR,
+        AM,
+        AW,
+        AU,
+        AT,
+        AZ,
+        BS,
+        BH,
+        BD,
+        BB,
+        BY,
+        BE,
+        BZ,
+        BJ,
+        BM,
+        BT,
+        BO,
+        BQ,
+        BA,
+        BW,
+        BV,
+        BR,
+        IO,
+        BN,
+        BG,
+        BF,
+        BI,
+        KH,
+        CM,
+        CA,
+        CV,
+        KY,
+        CF,
+        TD,
+        CL,
+        CN,
+        CX,
+        CC,
+        CO,
+        KM,
+        CG,
+        CD,
+        CK,
+        CR,
+        CI,
+        HR,
+        CU,
+        CW,
+        CY,
+        CZ,
+        DK,
+        DJ,
+        DM,
+        DO,
+        EC,
+        EG,
+        SV,
+        GQ,
+        ER,
+        EE,
+        ET,
+        FK,
+        FO,
+        FJ,
+        FI,
+        FR,
+        GF,
+        PF,
+        TF,
+        GA,
+        GM,
+        GE,
+        DE,
+        GH,
+        GI,
+        GR,
+        GL,
+        GD,
+        GP,
+        GU,
+        GT,
+        GG,
+        GN,
+        GW,
+        GY,
+        HT,
+        HM,
+        VA,
+        HN,
+        HK,
+        HU,
+        IS,
+        IN,
+        ID,
+        IR,
+        IQ,
+        IE,
+        IM,
+        IL,
+        IT,
+        JM,
+        JP,
+        JE,
+        JO,
+        KZ,
+        KE,
+        KI,
+        KP,
+        KR,
+        KW,
+        KG,
+        LA,
+        LV,
+        LB,
+        LS,
+        LR,
+        LY,
+        LI,
+        LT,
+        LU,
+        MO,
+        MK,
+        MG,
+        MW,
+        MY,
+        MV,
+        ML,
+        MT,
+        MH,
+        MQ,
+        MR,
+        MU,
+        YT,
+        MX,
+        FM,
+        MD,
+        MC,
+        MN,
+        ME,
+        MS,
+        MA,
+        MZ,
+        MM,
+        NA,
+        NR,
+        NP,
+        NL,
+        NC,
+        NZ,
+        NI,
+        NE,
+        NG,
+        NU,
+        NF,
+        MP,
+        NO,
+        OM,
+        PK,
+        PW,
+        PS,
+        PA,
+        PG,
+        PY,
+        PE,
+        PH,
+        PN,
+        PL,
+        PT,
+        PR,
+        QA,
+        RE,
+        RO,
+        RU,
+        RW,
+        BL,
+        SH,
+        KN,
+        LC,
+        MF,
+        PM,
+        VC,
+        WS,
+        SM,
+        ST,
+        SA,
+        SN,
+        RS,
+        SC,
+        SL,
+        SG,
+        SX,
+        SK,
+        SI,
+        SB,
+        SO,
+        ZA,
+        GS,
+        SS,
+        ES,
+        LK,
+        SD,
+        SR,
+        SJ,
+        SZ,
+        SE,
+        CH,
+        SY,
+        TW,
+        TJ,
+        TZ,
+        TH,
+        TL,
+        TG,
+        TK,
+        TO,
+        TT,
+        TN,
+        TR,
+        TM,
+        TC,
+        TV,
+        UG,
+        UA,
+        AE,
+        GB,
+        US,
+        UM,
+        UY,
+        UZ,
+        VU,
+        VE,
+        VN,
+        VG,
+        VI,
+        WF,
+        EH,
+        YE,
+        ZM,
+        ZW
+    }
+
+    /// <summary>
+    /// If SharedGroupId is specified, the service will attempt to create a group with that identifier, and will return an error
+    /// if it is already in use. If no SharedGroupId is specified, a random identifier will be assigned.
+    /// </summary>
+    [Serializable]
+    public class CreateSharedGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier for the shared group (a random identifier will be assigned, if one is not specified).
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class CreateSharedGroupResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    public enum Currency
+    {
+        AED,
+        AFN,
+        ALL,
+        AMD,
+        ANG,
+        AOA,
+        ARS,
+        AUD,
+        AWG,
+        AZN,
+        BAM,
+        BBD,
+        BDT,
+        BGN,
+        BHD,
+        BIF,
+        BMD,
+        BND,
+        BOB,
+        BRL,
+        BSD,
+        BTN,
+        BWP,
+        BYR,
+        BZD,
+        CAD,
+        CDF,
+        CHF,
+        CLP,
+        CNY,
+        COP,
+        CRC,
+        CUC,
+        CUP,
+        CVE,
+        CZK,
+        DJF,
+        DKK,
+        DOP,
+        DZD,
+        EGP,
+        ERN,
+        ETB,
+        EUR,
+        FJD,
+        FKP,
+        GBP,
+        GEL,
+        GGP,
+        GHS,
+        GIP,
+        GMD,
+        GNF,
+        GTQ,
+        GYD,
+        HKD,
+        HNL,
+        HRK,
+        HTG,
+        HUF,
+        IDR,
+        ILS,
+        IMP,
+        INR,
+        IQD,
+        IRR,
+        ISK,
+        JEP,
+        JMD,
+        JOD,
+        JPY,
+        KES,
+        KGS,
+        KHR,
+        KMF,
+        KPW,
+        KRW,
+        KWD,
+        KYD,
+        KZT,
+        LAK,
+        LBP,
+        LKR,
+        LRD,
+        LSL,
+        LYD,
+        MAD,
+        MDL,
+        MGA,
+        MKD,
+        MMK,
+        MNT,
+        MOP,
+        MRO,
+        MUR,
+        MVR,
+        MWK,
+        MXN,
+        MYR,
+        MZN,
+        NAD,
+        NGN,
+        NIO,
+        NOK,
+        NPR,
+        NZD,
+        OMR,
+        PAB,
+        PEN,
+        PGK,
+        PHP,
+        PKR,
+        PLN,
+        PYG,
+        QAR,
+        RON,
+        RSD,
+        RUB,
+        RWF,
+        SAR,
+        SBD,
+        SCR,
+        SDG,
+        SEK,
+        SGD,
+        SHP,
+        SLL,
+        SOS,
+        SPL,
+        SRD,
+        STD,
+        SVC,
+        SYP,
+        SZL,
+        THB,
+        TJS,
+        TMT,
+        TND,
+        TOP,
+        TRY,
+        TTD,
+        TVD,
+        TWD,
+        TZS,
+        UAH,
+        UGX,
+        USD,
+        UYU,
+        UZS,
+        VEF,
+        VND,
+        VUV,
+        WST,
+        XAF,
+        XCD,
+        XDR,
+        XOF,
+        XPF,
+        YER,
+        ZAR,
+        ZMW,
+        ZWD
+    }
+
+    /// <summary>
+    /// This function will delete the specified character from the list allowed by the user, and will also delete any inventory
+    /// or VC currently held by that character. It will NOT delete any statistics associated for this character, in order to
+    /// preserve leaderboard integrity.
+    /// </summary>
+    [Serializable]
+    public class DeleteCharacterFromUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If true, the character's inventory will be transferred up to the owning user; otherwise, this request will purge those
+        /// items.
+        /// </summary>
+        public bool SaveCharacterInventory;
+    }
+
+    [Serializable]
+    public class DeleteCharacterFromUserResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Deletes all data associated with the player, including statistics, custom data, inventory, purchases, virtual currency
+    /// balances, characters and shared group memberships. Removes the player from all leaderboards and player search indexes.
+    /// Does not delete PlayStream event history associated with the player. Does not delete the publisher user account that
+    /// created the player in the title nor associated data such as username, password, email address, account linkages, or
+    /// friends list. Note, this API queues the player for deletion and returns immediately. It may take several minutes or more
+    /// before all player data is fully deleted. Until the player data is fully deleted, attempts to recreate the player with
+    /// the same user account in the same title will fail with the 'AccountDeleted' error. This API must be enabled for use as
+    /// an option in the game manager website. It is disabled by default.
+    /// </summary>
+    [Serializable]
+    public class DeletePlayerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class DeletePlayerResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Represents the request to delete a push notification template.
+    /// </summary>
+    [Serializable]
+    public class DeletePushNotificationTemplateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Id of the push notification template to be deleted.
+        /// </summary>
+        public string PushNotificationTemplateId;
+    }
+
+    [Serializable]
+    public class DeletePushNotificationTemplateResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class DeleteSharedGroupRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class DeregisterGameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier for the Game Server Instance that is being deregistered.
+        /// </summary>
+        public string LobbyId;
+    }
+
+    [Serializable]
+    public class DeregisterGameResponse : PlayFabResultCommon
+    {
+    }
+
+    public enum EmailVerificationStatus
+    {
+        Unverified,
+        Pending,
+        Confirmed
+    }
+
+    [Serializable]
+    public class EmptyResponse : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class EmptyResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Combined entity type and ID structure which uniquely identifies a single entity.
+    /// </summary>
+    [Serializable]
+    public class EntityKey : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique ID of the entity.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Entity type. See https://docs.microsoft.com/gaming/playfab/features/data/entities/available-built-in-entity-types
+        /// </summary>
+        public string Type;
+    }
+
+    [Serializable]
+    public class EntityTokenResponse : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The entity id and type.
+        /// </summary>
+        public EntityKey Entity;
+        /// <summary>
+        /// The token used to set X-EntityToken for all entity based API calls.
+        /// </summary>
+        public string EntityToken;
+        /// <summary>
+        /// The time the token will expire, if it is an expiring token, in UTC.
+        /// </summary>
+        public DateTime? TokenExpiration;
+    }
+
+    [Serializable]
+    public class EvaluateRandomResultTableRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to evaluate the Random Result Table. If unspecified, uses
+        /// default/primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The unique identifier of the Random Result Table to use.
+        /// </summary>
+        public string TableId;
+    }
+
+    /// <summary>
+    /// Note that if the Random Result Table contains no entries, or does not exist for the catalog specified (the Primary
+    /// catalog if one is not specified), an InvalidDropTable error will be returned.
+    /// </summary>
+    [Serializable]
+    public class EvaluateRandomResultTableResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier for the item returned from the Random Result Table evaluation, for the given catalog.
+        /// </summary>
+        public string ResultItemId;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Number of PlayFab API requests issued by the CloudScript function
+        /// </summary>
+        public int APIRequestsIssued;
+        /// <summary>
+        /// Information about the error, if any, that occurred during execution
+        /// </summary>
+        public ScriptExecutionError Error;
+        public double ExecutionTimeSeconds;
+        /// <summary>
+        /// The name of the function that executed
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// The object returned from the CloudScript function, if any
+        /// </summary>
+        public object FunctionResult;
+        /// <summary>
+        /// Flag indicating if the FunctionResult was too large and was subsequently dropped from this event. This only occurs if
+        /// the total event size is larger than 350KB.
+        /// </summary>
+        public bool? FunctionResultTooLarge;
+        /// <summary>
+        /// Number of external HTTP requests issued by the CloudScript function
+        /// </summary>
+        public int HttpRequestsIssued;
+        /// <summary>
+        /// Entries logged during the function execution. These include both entries logged in the function code using log.info()
+        /// and log.error() and error entries for API and HTTP request failures.
+        /// </summary>
+        public List<LogStatement> Logs;
+        /// <summary>
+        /// Flag indicating if the logs were too large and were subsequently dropped from this event. This only occurs if the total
+        /// event size is larger than 350KB after the FunctionResult was removed.
+        /// </summary>
+        public bool? LogsTooLarge;
+        public uint MemoryConsumedBytes;
+        /// <summary>
+        /// Processor time consumed while executing the function. This does not include time spent waiting on API calls or HTTP
+        /// requests.
+        /// </summary>
+        public double ProcessorTimeSeconds;
+        /// <summary>
+        /// The revision of the CloudScript that executed
+        /// </summary>
+        public int Revision;
+    }
+
+    [Serializable]
+    public class ExecuteCloudScriptServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the CloudScript function to execute
+        /// </summary>
+        public string FunctionName;
+        /// <summary>
+        /// Object that is passed in to the function as the first argument
+        /// </summary>
+        public object FunctionParameter;
+        /// <summary>
+        /// Generate a 'player_executed_cloudscript' PlayStream event containing the results of the function execution and other
+        /// contextual information. This event will show up in the PlayStream debugger console for the player in Game Manager.
+        /// </summary>
+        public bool? GeneratePlayStreamEvent;
+        /// <summary>
+        /// The unique user identifier for the player on whose behalf the script is being run
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Option for which revision of the CloudScript to execute. 'Latest' executes the most recently created revision, 'Live'
+        /// executes the current live, published revision, and 'Specific' executes the specified revision. The default value is
+        /// 'Specific', if the SpeificRevision parameter is specified, otherwise it is 'Live'.
+        /// </summary>
+        public CloudScriptRevisionOption? RevisionSelection;
+        /// <summary>
+        /// The specivic revision to execute, when RevisionSelection is set to 'Specific'
+        /// </summary>
+        public int? SpecificRevision;
+    }
+
+    [Serializable]
+    public class FacebookInstantGamesPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Facebook Instant Games identifier for a user.
+        /// </summary>
+        public string FacebookInstantGamesId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Facebook Instant Games identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class FacebookPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Facebook identifier for a user.
+        /// </summary>
+        public string FacebookId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Facebook identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class FriendInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Available Facebook information (if the user and PlayFab friend are also connected in Facebook).
+        /// </summary>
+        public UserFacebookInfo FacebookInfo;
+        /// <summary>
+        /// PlayFab unique identifier for this friend.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Available Game Center information (if the user and PlayFab friend are also connected in Game Center).
+        /// </summary>
+        public UserGameCenterInfo GameCenterInfo;
+        /// <summary>
+        /// The profile of the user, if requested.
+        /// </summary>
+        public PlayerProfileModel Profile;
+        /// <summary>
+        /// Available PSN information, if the user and PlayFab friend are both connected to PSN.
+        /// </summary>
+        public UserPsnInfo PSNInfo;
+        /// <summary>
+        /// Available Steam information (if the user and PlayFab friend are also connected in Steam).
+        /// </summary>
+        public UserSteamInfo SteamInfo;
+        /// <summary>
+        /// Tags which have been associated with this friend.
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// Title-specific display name for this friend.
+        /// </summary>
+        public string TitleDisplayName;
+        /// <summary>
+        /// PlayFab unique username for this friend.
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// Available Xbox information, if the user and PlayFab friend are both connected to Xbox Live.
+        /// </summary>
+        public UserXboxInfo XboxInfo;
+    }
+
+    public enum GameInstanceState
+    {
+        Open,
+        Closed
+    }
+
+    public enum GenericErrorCodes
+    {
+        Success,
+        UnkownError,
+        InvalidParams,
+        AccountNotFound,
+        AccountBanned,
+        InvalidUsernameOrPassword,
+        InvalidTitleId,
+        InvalidEmailAddress,
+        EmailAddressNotAvailable,
+        InvalidUsername,
+        InvalidPassword,
+        UsernameNotAvailable,
+        InvalidSteamTicket,
+        AccountAlreadyLinked,
+        LinkedAccountAlreadyClaimed,
+        InvalidFacebookToken,
+        AccountNotLinked,
+        FailedByPaymentProvider,
+        CouponCodeNotFound,
+        InvalidContainerItem,
+        ContainerNotOwned,
+        KeyNotOwned,
+        InvalidItemIdInTable,
+        InvalidReceipt,
+        ReceiptAlreadyUsed,
+        ReceiptCancelled,
+        GameNotFound,
+        GameModeNotFound,
+        InvalidGoogleToken,
+        UserIsNotPartOfDeveloper,
+        InvalidTitleForDeveloper,
+        TitleNameConflicts,
+        UserisNotValid,
+        ValueAlreadyExists,
+        BuildNotFound,
+        PlayerNotInGame,
+        InvalidTicket,
+        InvalidDeveloper,
+        InvalidOrderInfo,
+        RegistrationIncomplete,
+        InvalidPlatform,
+        UnknownError,
+        SteamApplicationNotOwned,
+        WrongSteamAccount,
+        TitleNotActivated,
+        RegistrationSessionNotFound,
+        NoSuchMod,
+        FileNotFound,
+        DuplicateEmail,
+        ItemNotFound,
+        ItemNotOwned,
+        ItemNotRecycleable,
+        ItemNotAffordable,
+        InvalidVirtualCurrency,
+        WrongVirtualCurrency,
+        WrongPrice,
+        NonPositiveValue,
+        InvalidRegion,
+        RegionAtCapacity,
+        ServerFailedToStart,
+        NameNotAvailable,
+        InsufficientFunds,
+        InvalidDeviceID,
+        InvalidPushNotificationToken,
+        NoRemainingUses,
+        InvalidPaymentProvider,
+        PurchaseInitializationFailure,
+        DuplicateUsername,
+        InvalidBuyerInfo,
+        NoGameModeParamsSet,
+        BodyTooLarge,
+        ReservedWordInBody,
+        InvalidTypeInBody,
+        InvalidRequest,
+        ReservedEventName,
+        InvalidUserStatistics,
+        NotAuthenticated,
+        StreamAlreadyExists,
+        ErrorCreatingStream,
+        StreamNotFound,
+        InvalidAccount,
+        PurchaseDoesNotExist,
+        InvalidPurchaseTransactionStatus,
+        APINotEnabledForGameClientAccess,
+        NoPushNotificationARNForTitle,
+        BuildAlreadyExists,
+        BuildPackageDoesNotExist,
+        CustomAnalyticsEventsNotEnabledForTitle,
+        InvalidSharedGroupId,
+        NotAuthorized,
+        MissingTitleGoogleProperties,
+        InvalidItemProperties,
+        InvalidPSNAuthCode,
+        InvalidItemId,
+        PushNotEnabledForAccount,
+        PushServiceError,
+        ReceiptDoesNotContainInAppItems,
+        ReceiptContainsMultipleInAppItems,
+        InvalidBundleID,
+        JavascriptException,
+        InvalidSessionTicket,
+        UnableToConnectToDatabase,
+        InternalServerError,
+        InvalidReportDate,
+        ReportNotAvailable,
+        DatabaseThroughputExceeded,
+        InvalidGameTicket,
+        ExpiredGameTicket,
+        GameTicketDoesNotMatchLobby,
+        LinkedDeviceAlreadyClaimed,
+        DeviceAlreadyLinked,
+        DeviceNotLinked,
+        PartialFailure,
+        PublisherNotSet,
+        ServiceUnavailable,
+        VersionNotFound,
+        RevisionNotFound,
+        InvalidPublisherId,
+        DownstreamServiceUnavailable,
+        APINotIncludedInTitleUsageTier,
+        DAULimitExceeded,
+        APIRequestLimitExceeded,
+        InvalidAPIEndpoint,
+        BuildNotAvailable,
+        ConcurrentEditError,
+        ContentNotFound,
+        CharacterNotFound,
+        CloudScriptNotFound,
+        ContentQuotaExceeded,
+        InvalidCharacterStatistics,
+        PhotonNotEnabledForTitle,
+        PhotonApplicationNotFound,
+        PhotonApplicationNotAssociatedWithTitle,
+        InvalidEmailOrPassword,
+        FacebookAPIError,
+        InvalidContentType,
+        KeyLengthExceeded,
+        DataLengthExceeded,
+        TooManyKeys,
+        FreeTierCannotHaveVirtualCurrency,
+        MissingAmazonSharedKey,
+        AmazonValidationError,
+        InvalidPSNIssuerId,
+        PSNInaccessible,
+        ExpiredAuthToken,
+        FailedToGetEntitlements,
+        FailedToConsumeEntitlement,
+        TradeAcceptingUserNotAllowed,
+        TradeInventoryItemIsAssignedToCharacter,
+        TradeInventoryItemIsBundle,
+        TradeStatusNotValidForCancelling,
+        TradeStatusNotValidForAccepting,
+        TradeDoesNotExist,
+        TradeCancelled,
+        TradeAlreadyFilled,
+        TradeWaitForStatusTimeout,
+        TradeInventoryItemExpired,
+        TradeMissingOfferedAndAcceptedItems,
+        TradeAcceptedItemIsBundle,
+        TradeAcceptedItemIsStackable,
+        TradeInventoryItemInvalidStatus,
+        TradeAcceptedCatalogItemInvalid,
+        TradeAllowedUsersInvalid,
+        TradeInventoryItemDoesNotExist,
+        TradeInventoryItemIsConsumed,
+        TradeInventoryItemIsStackable,
+        TradeAcceptedItemsMismatch,
+        InvalidKongregateToken,
+        FeatureNotConfiguredForTitle,
+        NoMatchingCatalogItemForReceipt,
+        InvalidCurrencyCode,
+        NoRealMoneyPriceForCatalogItem,
+        TradeInventoryItemIsNotTradable,
+        TradeAcceptedCatalogItemIsNotTradable,
+        UsersAlreadyFriends,
+        LinkedIdentifierAlreadyClaimed,
+        CustomIdNotLinked,
+        TotalDataSizeExceeded,
+        DeleteKeyConflict,
+        InvalidXboxLiveToken,
+        ExpiredXboxLiveToken,
+        ResettableStatisticVersionRequired,
+        NotAuthorizedByTitle,
+        NoPartnerEnabled,
+        InvalidPartnerResponse,
+        APINotEnabledForGameServerAccess,
+        StatisticNotFound,
+        StatisticNameConflict,
+        StatisticVersionClosedForWrites,
+        StatisticVersionInvalid,
+        APIClientRequestRateLimitExceeded,
+        InvalidJSONContent,
+        InvalidDropTable,
+        StatisticVersionAlreadyIncrementedForScheduledInterval,
+        StatisticCountLimitExceeded,
+        StatisticVersionIncrementRateExceeded,
+        ContainerKeyInvalid,
+        CloudScriptExecutionTimeLimitExceeded,
+        NoWritePermissionsForEvent,
+        CloudScriptFunctionArgumentSizeExceeded,
+        CloudScriptAPIRequestCountExceeded,
+        CloudScriptAPIRequestError,
+        CloudScriptHTTPRequestError,
+        InsufficientGuildRole,
+        GuildNotFound,
+        OverLimit,
+        EventNotFound,
+        InvalidEventField,
+        InvalidEventName,
+        CatalogNotConfigured,
+        OperationNotSupportedForPlatform,
+        SegmentNotFound,
+        StoreNotFound,
+        InvalidStatisticName,
+        TitleNotQualifiedForLimit,
+        InvalidServiceLimitLevel,
+        ServiceLimitLevelInTransition,
+        CouponAlreadyRedeemed,
+        GameServerBuildSizeLimitExceeded,
+        GameServerBuildCountLimitExceeded,
+        VirtualCurrencyCountLimitExceeded,
+        VirtualCurrencyCodeExists,
+        TitleNewsItemCountLimitExceeded,
+        InvalidTwitchToken,
+        TwitchResponseError,
+        ProfaneDisplayName,
+        UserAlreadyAdded,
+        InvalidVirtualCurrencyCode,
+        VirtualCurrencyCannotBeDeleted,
+        IdentifierAlreadyClaimed,
+        IdentifierNotLinked,
+        InvalidContinuationToken,
+        ExpiredContinuationToken,
+        InvalidSegment,
+        InvalidSessionId,
+        SessionLogNotFound,
+        InvalidSearchTerm,
+        TwoFactorAuthenticationTokenRequired,
+        GameServerHostCountLimitExceeded,
+        PlayerTagCountLimitExceeded,
+        RequestAlreadyRunning,
+        ActionGroupNotFound,
+        MaximumSegmentBulkActionJobsRunning,
+        NoActionsOnPlayersInSegmentJob,
+        DuplicateStatisticName,
+        ScheduledTaskNameConflict,
+        ScheduledTaskCreateConflict,
+        InvalidScheduledTaskName,
+        InvalidTaskSchedule,
+        SteamNotEnabledForTitle,
+        LimitNotAnUpgradeOption,
+        NoSecretKeyEnabledForCloudScript,
+        TaskNotFound,
+        TaskInstanceNotFound,
+        InvalidIdentityProviderId,
+        MisconfiguredIdentityProvider,
+        InvalidScheduledTaskType,
+        BillingInformationRequired,
+        LimitedEditionItemUnavailable,
+        InvalidAdPlacementAndReward,
+        AllAdPlacementViewsAlreadyConsumed,
+        GoogleOAuthNotConfiguredForTitle,
+        GoogleOAuthError,
+        UserNotFriend,
+        InvalidSignature,
+        InvalidPublicKey,
+        GoogleOAuthNoIdTokenIncludedInResponse,
+        StatisticUpdateInProgress,
+        LeaderboardVersionNotAvailable,
+        StatisticAlreadyHasPrizeTable,
+        PrizeTableHasOverlappingRanks,
+        PrizeTableHasMissingRanks,
+        PrizeTableRankStartsAtZero,
+        InvalidStatistic,
+        ExpressionParseFailure,
+        ExpressionInvokeFailure,
+        ExpressionTooLong,
+        DataUpdateRateExceeded,
+        RestrictedEmailDomain,
+        EncryptionKeyDisabled,
+        EncryptionKeyMissing,
+        EncryptionKeyBroken,
+        NoSharedSecretKeyConfigured,
+        SecretKeyNotFound,
+        PlayerSecretAlreadyConfigured,
+        APIRequestsDisabledForTitle,
+        InvalidSharedSecretKey,
+        PrizeTableHasNoRanks,
+        ProfileDoesNotExist,
+        ContentS3OriginBucketNotConfigured,
+        InvalidEnvironmentForReceipt,
+        EncryptedRequestNotAllowed,
+        SignedRequestNotAllowed,
+        RequestViewConstraintParamsNotAllowed,
+        BadPartnerConfiguration,
+        XboxBPCertificateFailure,
+        XboxXASSExchangeFailure,
+        InvalidEntityId,
+        StatisticValueAggregationOverflow,
+        EmailMessageFromAddressIsMissing,
+        EmailMessageToAddressIsMissing,
+        SmtpServerAuthenticationError,
+        SmtpServerLimitExceeded,
+        SmtpServerInsufficientStorage,
+        SmtpServerCommunicationError,
+        SmtpServerGeneralFailure,
+        EmailClientTimeout,
+        EmailClientCanceledTask,
+        EmailTemplateMissing,
+        InvalidHostForTitleId,
+        EmailConfirmationTokenDoesNotExist,
+        EmailConfirmationTokenExpired,
+        AccountDeleted,
+        PlayerSecretNotConfigured,
+        InvalidSignatureTime,
+        NoContactEmailAddressFound,
+        InvalidAuthToken,
+        AuthTokenDoesNotExist,
+        AuthTokenExpired,
+        AuthTokenAlreadyUsedToResetPassword,
+        MembershipNameTooLong,
+        MembershipNotFound,
+        GoogleServiceAccountInvalid,
+        GoogleServiceAccountParseFailure,
+        EntityTokenMissing,
+        EntityTokenInvalid,
+        EntityTokenExpired,
+        EntityTokenRevoked,
+        InvalidProductForSubscription,
+        XboxInaccessible,
+        SubscriptionAlreadyTaken,
+        SmtpAddonNotEnabled,
+        APIConcurrentRequestLimitExceeded,
+        XboxRejectedXSTSExchangeRequest,
+        VariableNotDefined,
+        TemplateVersionNotDefined,
+        FileTooLarge,
+        TitleDeleted,
+        TitleContainsUserAccounts,
+        TitleDeletionPlayerCleanupFailure,
+        EntityFileOperationPending,
+        NoEntityFileOperationPending,
+        EntityProfileVersionMismatch,
+        TemplateVersionTooOld,
+        MembershipDefinitionInUse,
+        PaymentPageNotConfigured,
+        FailedLoginAttemptRateLimitExceeded,
+        EntityBlockedByGroup,
+        RoleDoesNotExist,
+        EntityIsAlreadyMember,
+        DuplicateRoleId,
+        GroupInvitationNotFound,
+        GroupApplicationNotFound,
+        OutstandingInvitationAcceptedInstead,
+        OutstandingApplicationAcceptedInstead,
+        RoleIsGroupDefaultMember,
+        RoleIsGroupAdmin,
+        RoleNameNotAvailable,
+        GroupNameNotAvailable,
+        EmailReportAlreadySent,
+        EmailReportRecipientBlacklisted,
+        EventNamespaceNotAllowed,
+        EventEntityNotAllowed,
+        InvalidEntityType,
+        NullTokenResultFromAad,
+        InvalidTokenResultFromAad,
+        NoValidCertificateForAad,
+        InvalidCertificateForAad,
+        DuplicateDropTableId,
+        MultiplayerServerError,
+        MultiplayerServerTooManyRequests,
+        MultiplayerServerNoContent,
+        MultiplayerServerBadRequest,
+        MultiplayerServerUnauthorized,
+        MultiplayerServerForbidden,
+        MultiplayerServerNotFound,
+        MultiplayerServerConflict,
+        MultiplayerServerInternalServerError,
+        MultiplayerServerUnavailable,
+        ExplicitContentDetected,
+        PIIContentDetected,
+        InvalidScheduledTaskParameter,
+        PerEntityEventRateLimitExceeded,
+        TitleDefaultLanguageNotSet,
+        EmailTemplateMissingDefaultVersion,
+        FacebookInstantGamesIdNotLinked,
+        InvalidFacebookInstantGamesSignature,
+        FacebookInstantGamesAuthNotConfiguredForTitle,
+        EntityProfileConstraintValidationFailed,
+        TelemetryIngestionKeyPending,
+        TelemetryIngestionKeyNotFound,
+        StatisticChildNameInvalid,
+        DataIntegrityError,
+        VirtualCurrencyCannotBeSetToOlderVersion,
+        VirtualCurrencyMustBeWithinIntegerRange,
+        EmailTemplateInvalidSyntax,
+        EmailTemplateMissingCallback,
+        PushNotificationTemplateInvalidPayload,
+        InvalidLocalizedPushNotificationLanguage,
+        MissingLocalizedPushNotificationMessage,
+        PushNotificationTemplateMissingPlatformPayload,
+        PushNotificationTemplatePayloadContainsInvalidJson,
+        PushNotificationTemplateContainsInvalidIosPayload,
+        PushNotificationTemplateContainsInvalidAndroidPayload,
+        PushNotificationTemplateIosPayloadMissingNotificationBody,
+        PushNotificationTemplateAndroidPayloadMissingNotificationBody,
+        PushNotificationTemplateNotFound,
+        PushNotificationTemplateMissingDefaultVersion,
+        PushNotificationTemplateInvalidSyntax,
+        PushNotificationTemplateNoCustomPayloadForV1,
+        NoLeaderboardForStatistic,
+        TitleNewsMissingDefaultLanguage,
+        TitleNewsNotFound,
+        TitleNewsDuplicateLanguage,
+        TitleNewsMissingTitleOrBody,
+        TitleNewsInvalidLanguage,
+        EmailRecipientBlacklisted,
+        InvalidGameCenterAuthRequest,
+        GameCenterAuthenticationFailed,
+        CannotEnablePartiesForTitle,
+        PartyError,
+        PartyRequests,
+        PartyNoContent,
+        PartyBadRequest,
+        PartyUnauthorized,
+        PartyForbidden,
+        PartyNotFound,
+        PartyConflict,
+        PartyInternalServerError,
+        PartyUnavailable,
+        PartyTooManyRequests,
+        PushNotificationTemplateMissingName,
+        CannotEnableMultiplayerServersForTitle,
+        WriteAttemptedDuringExport,
+        MultiplayerServerTitleQuotaCoresExceeded,
+        AutomationRuleNotFound,
+        EntityAPIKeyLimitExceeded,
+        EntityAPIKeyNotFound,
+        EntityAPIKeyOrSecretInvalid,
+        EconomyServiceUnavailable,
+        EconomyServiceInternalError,
+        QueryRateLimitExceeded,
+        EntityAPIKeyCreationDisabledForEntity,
+        ForbiddenByEntityPolicy,
+        UpdateInventoryRateLimitExceeded,
+        StudioCreationRateLimited,
+        StudioCreationInProgress,
+        DuplicateStudioName,
+        StudioNotFound,
+        StudioDeleted,
+        StudioDeactivated,
+        StudioActivated,
+        TitleCreationRateLimited,
+        TitleCreationInProgress,
+        DuplicateTitleName,
+        TitleActivationRateLimited,
+        TitleActivationInProgress,
+        TitleDeactivated,
+        TitleActivated,
+        CloudScriptAzureFunctionsExecutionTimeLimitExceeded,
+        CloudScriptAzureFunctionsArgumentSizeExceeded,
+        CloudScriptAzureFunctionsReturnSizeExceeded,
+        CloudScriptAzureFunctionsHTTPRequestError,
+        VirtualCurrencyBetaGetError,
+        VirtualCurrencyBetaCreateError,
+        VirtualCurrencyBetaInitialDepositSaveError,
+        VirtualCurrencyBetaSaveError,
+        VirtualCurrencyBetaDeleteError,
+        VirtualCurrencyBetaRestoreError,
+        VirtualCurrencyBetaSaveConflict,
+        VirtualCurrencyBetaUpdateError,
+        InsightsManagementDatabaseNotFound,
+        InsightsManagementOperationNotFound,
+        InsightsManagementErrorPendingOperationExists,
+        InsightsManagementSetPerformanceLevelInvalidParameter,
+        InsightsManagementSetStorageRetentionInvalidParameter,
+        InsightsManagementGetStorageUsageInvalidParameter,
+        InsightsManagementGetOperationStatusInvalidParameter,
+        DuplicatePurchaseTransactionId,
+        EvaluationModePlayerCountExceeded,
+        GetPlayersInSegmentRateLimitExceeded,
+        CloudScriptFunctionNameSizeExceeded,
+        PaidInsightsFeaturesNotEnabled,
+        CloudScriptAzureFunctionsQueueRequestError,
+        EvaluationModeTitleCountExceeded,
+        InsightsManagementTitleNotInFlight,
+        LimitNotFound,
+        LimitNotAvailableViaAPI,
+        InsightsManagementSetStorageRetentionBelowMinimum,
+        InsightsManagementSetStorageRetentionAboveMaximum,
+        AppleNotEnabledForTitle,
+        InsightsManagementNewActiveEventExportLimitInvalid,
+        InsightsManagementSetPerformanceRateLimited,
+        PartyRequestsThrottledFromRateLimiter,
+        XboxServiceTooManyRequests,
+        NintendoSwitchNotEnabledForTitle,
+        RequestMultiplayerServersThrottledFromRateLimiter,
+        TitleDataOverrideNotFound,
+        DuplicateKeys,
+        WasNotCreatedWithCloudRoot,
+        LegacyMultiplayerServersDeprecated,
+        VirtualCurrencyCurrentlyUnavailable,
+        SteamUserNotFound,
+        ElasticSearchOperationFailed,
+        NotImplemented,
+        MatchmakingEntityInvalid,
+        MatchmakingPlayerAttributesInvalid,
+        MatchmakingQueueNotFound,
+        MatchmakingMatchNotFound,
+        MatchmakingTicketNotFound,
+        MatchmakingAlreadyJoinedTicket,
+        MatchmakingTicketAlreadyCompleted,
+        MatchmakingQueueConfigInvalid,
+        MatchmakingMemberProfileInvalid,
+        NintendoSwitchDeviceIdNotLinked,
+        MatchmakingNotEnabled,
+        MatchmakingPlayerAttributesTooLarge,
+        MatchmakingNumberOfPlayersInTicketTooLarge,
+        MatchmakingAttributeInvalid,
+        MatchmakingPlayerHasNotJoinedTicket,
+        MatchmakingRateLimitExceeded,
+        MatchmakingTicketMembershipLimitExceeded,
+        MatchmakingUnauthorized,
+        MatchmakingQueueLimitExceeded,
+        MatchmakingRequestTypeMismatch,
+        MatchmakingBadRequest,
+        TitleConfigNotFound,
+        TitleConfigUpdateConflict,
+        TitleConfigSerializationError,
+        CatalogApiNotImplemented,
+        CatalogEntityInvalid,
+        CatalogTitleIdMissing,
+        CatalogPlayerIdMissing,
+        CatalogClientIdentityInvalid,
+        CatalogOneOrMoreFilesInvalid,
+        CatalogItemMetadataInvalid,
+        CatalogItemIdInvalid,
+        CatalogSearchParameterInvalid,
+        CatalogFeatureDisabled,
+        CatalogConfigInvalid,
+        CatalogItemTypeInvalid,
+        CatalogBadRequest,
+        CatalogTooManyRequests,
+        ExportInvalidStatusUpdate,
+        ExportInvalidPrefix,
+        ExportBlobContainerDoesNotExist,
+        ExportNotFound,
+        ExportCouldNotUpdate,
+        ExportInvalidStorageType,
+        ExportAmazonBucketDoesNotExist,
+        ExportInvalidBlobStorage,
+        ExportKustoException,
+        ExportKustoConnectionFailed,
+        ExportUnknownError,
+        ExportCantEditPendingExport,
+        ExportLimitExports,
+        ExportLimitEvents,
+        ExportInvalidPartitionStatusModification,
+        ExportCouldNotCreate,
+        ExportNoBackingDatabaseFound,
+        ExportCouldNotDelete,
+        ExportCannotDetermineEventQuery,
+        ExportInvalidQuerySchemaModification,
+        ExportQuerySchemaMissingRequiredColumns,
+        ExportCannotParseQuery,
+        ExportControlCommandsNotAllowed,
+        ExportQueryMissingTableReference,
+        ExplorerBasicInvalidQueryName,
+        ExplorerBasicInvalidQueryDescription,
+        ExplorerBasicInvalidQueryConditions,
+        ExplorerBasicInvalidQueryStartDate,
+        ExplorerBasicInvalidQueryEndDate,
+        ExplorerBasicInvalidQueryGroupBy,
+        ExplorerBasicInvalidQueryAggregateType,
+        ExplorerBasicInvalidQueryAggregateProperty,
+        ExplorerBasicLoadQueriesError,
+        ExplorerBasicLoadQueryError,
+        ExplorerBasicCreateQueryError,
+        ExplorerBasicDeleteQueryError,
+        ExplorerBasicUpdateQueryError,
+        ExplorerBasicSavedQueriesLimit,
+        ExplorerBasicSavedQueryNotFound,
+        TenantShardMapperShardNotFound,
+        TitleNotEnabledForParty,
+        PartyVersionNotFound,
+        MultiplayerServerBuildReferencedByMatchmakingQueue,
+        MultiplayerServerBuildReferencedByBuildAlias,
+        ExperimentationExperimentStopped,
+        ExperimentationExperimentRunning,
+        ExperimentationExperimentNotFound,
+        ExperimentationExperimentNeverStarted,
+        ExperimentationExperimentDeleted,
+        ExperimentationClientTimeout,
+        ExperimentationInvalidVariantConfiguration,
+        ExperimentationInvalidVariableConfiguration,
+        ExperimentInvalidId,
+        ExperimentationNoScorecard,
+        ExperimentationTreatmentAssignmentFailed,
+        ExperimentationTreatmentAssignmentDisabled,
+        ExperimentationInvalidDuration,
+        ExperimentationMaxExperimentsReached,
+        ExperimentationExperimentSchedulingInProgress,
+        ExperimentationInvalidEndDate,
+        ExperimentationInvalidStartDate,
+        ExperimentationMaxDurationExceeded,
+        ExperimentationExclusionGroupNotFound,
+        ExperimentationExclusionGroupInsufficientCapacity,
+        ExperimentationExclusionGroupCannotDelete,
+        ExperimentationExclusionGroupInvalidTrafficAllocation,
+        ExperimentationExclusionGroupInvalidName,
+        MaxActionDepthExceeded,
+        TitleNotOnUpdatedPricingPlan,
+        SegmentManagementTitleNotInFlight,
+        SegmentManagementNoExpressionTree,
+        SegmentManagementTriggerActionCountOverLimit,
+        SegmentManagementSegmentCountOverLimit,
+        SegmentManagementInvalidSegmentId,
+        SegmentManagementInvalidInput,
+        SegmentManagementInvalidSegmentName,
+        DeleteSegmentRateLimitExceeded,
+        CreateSegmentRateLimitExceeded,
+        UpdateSegmentRateLimitExceeded,
+        GetSegmentsRateLimitExceeded,
+        AsyncExportNotInFlight,
+        AsyncExportNotFound,
+        AsyncExportRateLimitExceeded,
+        SnapshotNotFound,
+        InventoryApiNotImplemented,
+        LobbyDoesNotExist,
+        LobbyRateLimitExceeded,
+        LobbyPlayerAlreadyJoined,
+        LobbyNotJoinable,
+        LobbyMemberCannotRejoin,
+        LobbyCurrentPlayersMoreThanMaxPlayers,
+        LobbyPlayerNotPresent,
+        LobbyBadRequest,
+        LobbyPlayerMaxLobbyLimitExceeded,
+        LobbyNewOwnerMustBeConnected,
+        LobbyCurrentOwnerStillConnected,
+        LobbyMemberIsNotOwner,
+        EventSamplingInvalidRatio,
+        EventSamplingInvalidEventName,
+        EventSamplingRatioNotFound
+    }
+
+    [Serializable]
+    public class GenericPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique generic service identifier for a user.
+        /// </summary>
+        public GenericServiceId GenericId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the given generic identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GenericServiceId : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the service for which the player has a unique identifier.
+        /// </summary>
+        public string ServiceName;
+        /// <summary>
+        /// Unique identifier of the player in that service.
+        /// </summary>
+        public string UserId;
+    }
+
+    /// <summary>
+    /// Request has no paramaters.
+    /// </summary>
+    [Serializable]
+    public class GetAllSegmentsRequest : PlayFabRequestCommon
+    {
+    }
+
+    [Serializable]
+    public class GetAllSegmentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of segments for this title.
+        /// </summary>
+        public List<GetSegmentResult> Segments;
+    }
+
+    [Serializable]
+    public class GetCatalogItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Which catalog is being requested. If null, uses the default catalog.
+        /// </summary>
+        public string CatalogVersion;
+    }
+
+    [Serializable]
+    public class GetCatalogItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items which can be purchased.
+        /// </summary>
+        public List<CatalogItem> Catalog;
+    }
+
+    /// <summary>
+    /// Data is stored as JSON key-value pairs. If the Keys parameter is provided, the data object returned will only contain
+    /// the data specific to the indicated Keys. Otherwise, the full set of custom user data will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The version that currently exists according to the caller. The call will return the data for all of the keys if the
+        /// version in the system is greater than this.
+        /// </summary>
+        public uint? IfChangedFromDataVersion;
+        /// <summary>
+        /// Specific keys to search for in the custom user data.
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetCharacterDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// User specific data for this title.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> Data;
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// All items currently in the character inventory will be returned, irrespective of how they were acquired (via purchasing,
+    /// grants, coupons, etc.). Items that are expired, fully consumed, or are no longer valid are not considered to be in the
+    /// user's current inventory, and so will not be not included. Also returns their virtual currency balances.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterInventoryRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Used to limit results to only those from a specific catalog version.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetCharacterInventoryResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier of the character for this inventory.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Array of inventory items belonging to the character.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the character.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    [Serializable]
+    public class GetCharacterLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional character type on which to filter the leaderboard entries.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        public int MaxResultsCount;
+        /// <summary>
+        /// First entry in the leaderboard to be retrieved.
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Note that the Position of the character in the results is for the overall leaderboard.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterLeaderboardResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    /// <summary>
+    /// Character statistics are similar to user statistics in that they are numeric values which may only be updated by a
+    /// server operation, in order to minimize the opportunity for unauthorized changes. In addition to being available for use
+    /// by the title, the statistics are used for all leaderboard operations in PlayFab.
+    /// </summary>
+    [Serializable]
+    public class GetCharacterStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetCharacterStatisticsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier of the character for the statistics.
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Character statistics for the requested user.
+        /// </summary>
+        public Dictionary<string,int> CharacterStatistics;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose character statistics are being returned.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetContentDownloadUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// HTTP method to fetch item - GET or HEAD. Use HEAD when only fetching metadata. Default is GET.
+        /// </summary>
+        public string HttpMethod;
+        /// <summary>
+        /// Key of the content item to fetch, usually formatted as a path, e.g. images/a.png
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// True to download through CDN. CDN provides higher download bandwidth and lower latency. However, if you want the latest,
+        /// non-cached version of the content during development, set this to false. Default is true.
+        /// </summary>
+        public bool? ThruCDN;
+    }
+
+    [Serializable]
+    public class GetContentDownloadUrlResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// URL for downloading content via HTTP GET or HEAD method. The URL will expire in approximately one hour.
+        /// </summary>
+        public string URL;
+    }
+
+    [Serializable]
+    public class GetFriendLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether Facebook friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeFacebookFriends;
+        /// <summary>
+        /// Indicates whether Steam service friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeSteamFriends;
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        public int MaxResultsCount;
+        /// <summary>
+        /// The player whose friend leaderboard to get
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Position in the leaderboard to start this listing (defaults to the first entry).
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Statistic used to rank friends for this leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+        /// <summary>
+        /// Xbox token if Xbox friends should be included. Requires Xbox be configured on PlayFab.
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class GetFriendsListRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether Facebook friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeFacebookFriends;
+        /// <summary>
+        /// Indicates whether Steam service friends should be included in the response. Default is true.
+        /// </summary>
+        public bool? IncludeSteamFriends;
+        /// <summary>
+        /// PlayFab identifier of the player whose friend list to get.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Xbox token if Xbox friends should be included. Requires Xbox be configured on PlayFab.
+        /// </summary>
+        public string XboxToken;
+    }
+
+    /// <summary>
+    /// If any additional services are queried for the user's friends, those friends who also have a PlayFab account registered
+    /// for the title will be returned in the results. For Facebook, user has to have logged into the title's Facebook app
+    /// recently, and only friends who also plays this game will be included. For Xbox Live, user has to have logged into the
+    /// Xbox Live recently, and only friends who also play this game will be included.
+    /// </summary>
+    [Serializable]
+    public class GetFriendsListResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of friends found.
+        /// </summary>
+        public List<FriendInfo> Friends;
+    }
+
+    [Serializable]
+    public class GetLeaderboardAroundCharacterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Optional character type on which to filter the leaderboard entries.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        public int MaxResultsCount;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// Note: When calling 'GetLeaderboardAround...' APIs, the position of the character defaults to 0 when the character does
+    /// not have the corresponding statistic.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardAroundCharacterResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    [Serializable]
+    public class GetLeaderboardAroundUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        public int MaxResultsCount;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+    }
+
+    /// <summary>
+    /// Note: When calling 'GetLeaderboardAround...' APIs, the position of the user defaults to 0 when the user does not have
+    /// the corresponding statistic.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardAroundUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered listing of users and their positions in the requested leaderboard.
+        /// </summary>
+        public List<PlayerLeaderboardEntry> Leaderboard;
+        /// <summary>
+        /// The time the next scheduled reset will occur. Null if the leaderboard does not reset on a schedule.
+        /// </summary>
+        public DateTime? NextReset;
+        /// <summary>
+        /// The version of the leaderboard returned.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetLeaderboardForUsersCharactersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        [Obsolete("Use '' instead", true)]
+        public int? MaxResultsCount;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+    }
+
+    /// <summary>
+    /// NOTE: The position of the character in the results is relative to the other characters for that specific user. This mean
+    /// the values will always be between 0 and one less than the number of characters returned regardless of the size of the
+    /// actual leaderboard.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardForUsersCharactersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered list of leaderboard entries.
+        /// </summary>
+        public List<CharacterLeaderboardEntry> Leaderboard;
+    }
+
+    [Serializable]
+    public class GetLeaderboardRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of entries to retrieve.
+        /// </summary>
+        public int MaxResultsCount;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// First entry in the leaderboard to be retrieved.
+        /// </summary>
+        public int StartPosition;
+        /// <summary>
+        /// Unique identifier for the title-specific statistic for the leaderboard.
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// The version of the leaderboard to get.
+        /// </summary>
+        public int? Version;
+    }
+
+    /// <summary>
+    /// Note that the Position of the user in the results is for the overall leaderboard.
+    /// </summary>
+    [Serializable]
+    public class GetLeaderboardResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Ordered listing of users and their positions in the requested leaderboard.
+        /// </summary>
+        public List<PlayerLeaderboardEntry> Leaderboard;
+        /// <summary>
+        /// The time the next scheduled reset will occur. Null if the leaderboard does not reset on a schedule.
+        /// </summary>
+        public DateTime? NextReset;
+        /// <summary>
+        /// The version of the leaderboard returned.
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// PlayFabId of the user whose data will be returned
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoRequestParams : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to get character inventories. Defaults to false.
+        /// </summary>
+        public bool GetCharacterInventories;
+        /// <summary>
+        /// Whether to get the list of characters. Defaults to false.
+        /// </summary>
+        public bool GetCharacterList;
+        /// <summary>
+        /// Whether to get player profile. Defaults to false. Has no effect for a new player.
+        /// </summary>
+        public bool GetPlayerProfile;
+        /// <summary>
+        /// Whether to get player statistics. Defaults to false.
+        /// </summary>
+        public bool GetPlayerStatistics;
+        /// <summary>
+        /// Whether to get title data. Defaults to false.
+        /// </summary>
+        public bool GetTitleData;
+        /// <summary>
+        /// Whether to get the player's account Info. Defaults to false
+        /// </summary>
+        public bool GetUserAccountInfo;
+        /// <summary>
+        /// Whether to get the player's custom data. Defaults to false
+        /// </summary>
+        public bool GetUserData;
+        /// <summary>
+        /// Whether to get the player's inventory. Defaults to false
+        /// </summary>
+        public bool GetUserInventory;
+        /// <summary>
+        /// Whether to get the player's read only data. Defaults to false
+        /// </summary>
+        public bool GetUserReadOnlyData;
+        /// <summary>
+        /// Whether to get the player's virtual currency balances. Defaults to false
+        /// </summary>
+        public bool GetUserVirtualCurrency;
+        /// <summary>
+        /// Specific statistics to retrieve. Leave null to get all keys. Has no effect if GetPlayerStatistics is false
+        /// </summary>
+        public List<string> PlayerStatisticNames;
+        /// <summary>
+        /// Specifies the properties to return from the player profile. Defaults to returning the player's display name.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetTitleData is false
+        /// </summary>
+        public List<string> TitleDataKeys;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetUserData is false
+        /// </summary>
+        public List<string> UserDataKeys;
+        /// <summary>
+        /// Specific keys to search for in the custom data. Leave null to get all keys. Has no effect if GetUserReadOnlyData is
+        /// false
+        /// </summary>
+        public List<string> UserReadOnlyDataKeys;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Results for requested info.
+        /// </summary>
+        public GetPlayerCombinedInfoResultPayload InfoResultPayload;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerCombinedInfoResultPayload : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Account information for the user. This is always retrieved.
+        /// </summary>
+        public UserAccountInfo AccountInfo;
+        /// <summary>
+        /// Inventories for each character for the user.
+        /// </summary>
+        public List<CharacterInventory> CharacterInventories;
+        /// <summary>
+        /// List of characters for the user.
+        /// </summary>
+        public List<CharacterResult> CharacterList;
+        /// <summary>
+        /// The profile of the players. This profile is not guaranteed to be up-to-date. For a new player, this profile will not
+        /// exist.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+        /// <summary>
+        /// List of statistics for this player.
+        /// </summary>
+        public List<StatisticValue> PlayerStatistics;
+        /// <summary>
+        /// Title data for this title.
+        /// </summary>
+        public Dictionary<string,string> TitleData;
+        /// <summary>
+        /// User specific custom data.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> UserData;
+        /// <summary>
+        /// The version of the UserData that was returned.
+        /// </summary>
+        public uint UserDataVersion;
+        /// <summary>
+        /// Array of inventory items in the user's current inventory.
+        /// </summary>
+        public List<ItemInstance> UserInventory;
+        /// <summary>
+        /// User specific read-only data.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> UserReadOnlyData;
+        /// <summary>
+        /// The version of the Read-Only UserData that was returned.
+        /// </summary>
+        public uint UserReadOnlyDataVersion;
+        /// <summary>
+        /// Dictionary of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> UserVirtualCurrency;
+        /// <summary>
+        /// Dictionary of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> UserVirtualCurrencyRechargeTimes;
+    }
+
+    /// <summary>
+    /// This API allows for access to details regarding a user in the PlayFab service, usually for purposes of customer support.
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerProfileRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// If non-null, this determines which properties of the resulting player profiles to return. For API calls from the client,
+        /// only the allowed client profile properties for the title may be requested. These allowed properties are configured in
+        /// the Game Manager "Client Profile Options" tab in the "Settings" section.
+        /// </summary>
+        public PlayerProfileViewConstraints ProfileConstraints;
+    }
+
+    [Serializable]
+    public class GetPlayerProfileResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The profile of the player. This profile is not guaranteed to be up-to-date. For a new player, this profile will not
+        /// exist.
+        /// </summary>
+        public PlayerProfileModel PlayerProfile;
+    }
+
+    [Serializable]
+    public class GetPlayerSegmentsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of segments the requested player currently belongs to.
+        /// </summary>
+        public List<GetSegmentResult> Segments;
+    }
+
+    /// <summary>
+    /// Initial request must contain at least a Segment ID. Subsequent requests must contain the Segment ID as well as the
+    /// Continuation Token. Failure to send the Continuation Token will result in a new player segment list being generated.
+    /// Each time the Continuation Token is passed in the length of the Total Seconds to Live is refreshed. If too much time
+    /// passes between requests to the point that a subsequent request is past the Total Seconds to Live an error will be
+    /// returned and paging will be terminated. This API is resource intensive and should not be used in scenarios which might
+    /// generate high request volumes. Only one request to this API at a time should be made per title. Concurrent requests to
+    /// the API may be rejected with the APIConcurrentRequestLimitExceeded error.
+    /// </summary>
+    [Serializable]
+    public class GetPlayersInSegmentRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Continuation token if retrieving subsequent pages of results.
+        /// </summary>
+        public string ContinuationToken;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Maximum number of profiles to load. Default is 1,000. Maximum is 10,000.
+        /// </summary>
+        public uint? MaxBatchSize;
+        /// <summary>
+        /// Number of seconds to keep the continuation token active. After token expiration it is not possible to continue paging
+        /// results. Default is 300 (5 minutes). Maximum is 1,800 (30 minutes).
+        /// </summary>
+        public uint? SecondsToLive;
+        /// <summary>
+        /// Unique identifier for this segment.
+        /// </summary>
+        public string SegmentId;
+    }
+
+    [Serializable]
+    public class GetPlayersInSegmentResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Continuation token to use to retrieve subsequent pages of results. If token returns null there are no more results.
+        /// </summary>
+        public string ContinuationToken;
+        /// <summary>
+        /// Array of player profiles in this segment.
+        /// </summary>
+        public List<PlayerProfile> PlayerProfiles;
+        /// <summary>
+        /// Count of profiles matching this segment.
+        /// </summary>
+        public int ProfilesInSegment;
+    }
+
+    [Serializable]
+    public class GetPlayersSegmentsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// user for whom statistics are being requested
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// statistics to return
+        /// </summary>
+        public List<string> StatisticNames;
+        /// <summary>
+        /// statistics to return, if StatisticNames is not set (only statistics which have a version matching that provided will be
+        /// returned)
+        /// </summary>
+        public List<StatisticNameVersion> StatisticNameVersions;
+    }
+
+    /// <summary>
+    /// In addition to being available for use by the title, the statistics are used for all leaderboard operations in PlayFab.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerStatisticsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// PlayFab unique identifier of the user whose statistics are being returned
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// User statistics for the requested user.
+        /// </summary>
+        public List<StatisticValue> Statistics;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticVersionsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+    }
+
+    [Serializable]
+    public class GetPlayerStatisticVersionsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// version change history of the statistic
+        /// </summary>
+        public List<PlayerStatisticVersion> StatisticVersions;
+    }
+
+    /// <summary>
+    /// This API will return a list of canonical tags which includes both namespace and tag's name. If namespace is not
+    /// provided, the result is a list of all canonical tags. TagName can be used for segmentation and Namespace is limited to
+    /// 128 characters.
+    /// </summary>
+    [Serializable]
+    public class GetPlayerTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional namespace to filter results by
+        /// </summary>
+        public string Namespace;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetPlayerTagsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Canonical tags (including namespace and tag's name) for the requested user
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Facebook identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> FacebookIDs;
+    }
+
+    /// <summary>
+    /// For Facebook identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Facebook identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<FacebookPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookInstantGamesIdsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Facebook Instant Games identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> FacebookInstantGamesIds;
+    }
+
+    /// <summary>
+    /// For Facebook Instant Games identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromFacebookInstantGamesIdsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Facebook Instant Games identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<FacebookInstantGamesPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromGenericIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique generic service identifiers for which the title needs to get PlayFab identifiers. Currently limited to a
+        /// maximum of 10 in a single request.
+        /// </summary>
+        public List<GenericServiceId> GenericIDs;
+    }
+
+    /// <summary>
+    /// For generic service identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromGenericIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of generic service identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<GenericPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Nintendo Switch Device identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> NintendoSwitchDeviceIds;
+    }
+
+    /// <summary>
+    /// For Nintendo Switch Device identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromNintendoSwitchDeviceIdsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Nintendo Switch Device identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<NintendoSwitchPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromPSNAccountIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Array of unique PlayStation Network identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> PSNAccountIDs;
+    }
+
+    /// <summary>
+    /// For PlayStation Network identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromPSNAccountIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of PlayStation Network identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<PSNAccountPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromSteamIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique Steam identifiers (Steam profile IDs) for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> SteamStringIDs;
+    }
+
+    /// <summary>
+    /// For Steam identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromSteamIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of Steam identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<SteamPlayFabIdPair> Data;
+    }
+
+    [Serializable]
+    public class GetPlayFabIDsFromXboxLiveIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The ID of Xbox Live sandbox.
+        /// </summary>
+        public string Sandbox;
+        /// <summary>
+        /// Array of unique Xbox Live account identifiers for which the title needs to get PlayFab identifiers.
+        /// </summary>
+        public List<string> XboxLiveAccountIDs;
+    }
+
+    /// <summary>
+    /// For XboxLive identifiers which have not been linked to PlayFab accounts, null will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetPlayFabIDsFromXboxLiveIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of PlayStation Network identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<XboxLiveAccountPlayFabIdPair> Data;
+    }
+
+    /// <summary>
+    /// This API is designed to return publisher-specific values which can be read, but not written to, by the client. This data
+    /// is shared across all titles assigned to a particular publisher, and can be used for cross-game coordination. Only titles
+    /// assigned to a publisher can use this API. For more information email helloplayfab@microsoft.com. Note that there may up
+    /// to a minute delay in between updating title data and this API call returning the newest value.
+    /// </summary>
+    [Serializable]
+    public class GetPublisherDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// array of keys to get back data from the Publisher data blob, set by the admin tools
+        /// </summary>
+        public List<string> Keys;
+    }
+
+    [Serializable]
+    public class GetPublisherDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    [Serializable]
+    public class GetRandomResultTablesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to retrieve the Random Result Tables. If unspecified, uses
+        /// default/primary catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The unique identifier of the Random Result Table to use.
+        /// </summary>
+        public List<string> TableIDs;
+    }
+
+    /// <summary>
+    /// Note that if a specified Random Result Table contains no entries, or does not exist in the catalog, an InvalidDropTable
+    /// error will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetRandomResultTablesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// array of random result tables currently available
+        /// </summary>
+        public Dictionary<string,RandomResultTableListing> Tables;
+    }
+
+    [Serializable]
+    public class GetSegmentResult : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Identifier of the segments AB Test, if it is attached to one.
+        /// </summary>
+        public string ABTestParent;
+        /// <summary>
+        /// Unique identifier for this segment.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Segment name.
+        /// </summary>
+        public string Name;
+    }
+
+    [Serializable]
+    public class GetServerCustomIDsFromPlayFabIDsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of unique PlayFab player identifiers for which the title needs to get server custom identifiers. Cannot contain
+        /// more than 25 identifiers.
+        /// </summary>
+        public List<string> PlayFabIDs;
+    }
+
+    /// <summary>
+    /// For a PlayFab account that isn't associated with a server custom identity, ServerCustomId will be null.
+    /// </summary>
+    [Serializable]
+    public class GetServerCustomIDsFromPlayFabIDsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Mapping of server custom player identifiers to PlayFab identifiers.
+        /// </summary>
+        public List<ServerCustomIDPlayFabIDPair> Data;
+    }
+
+    [Serializable]
+    public class GetSharedGroupDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// If true, return the list of all members of the shared group.
+        /// </summary>
+        public bool? GetMembers;
+        /// <summary>
+        /// Specific keys to retrieve from the shared group (if not specified, all keys will be returned, while an empty array
+        /// indicates that no keys should be returned).
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class GetSharedGroupDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Data for the requested keys.
+        /// </summary>
+        public Dictionary<string,SharedGroupDataRecord> Data;
+        /// <summary>
+        /// List of PlayFabId identifiers for the members of this group, if requested.
+        /// </summary>
+        public List<string> Members;
+    }
+
+    [Serializable]
+    public class GetStoreItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The base catalog that this store is a part of.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Additional data about the store.
+        /// </summary>
+        public StoreMarketingModel MarketingData;
+        /// <summary>
+        /// How the store was last updated (Admin or a third party).
+        /// </summary>
+        public SourceType? Source;
+        /// <summary>
+        /// Array of items which can be purchased from this store.
+        /// </summary>
+        public List<StoreItem> Store;
+        /// <summary>
+        /// The ID of this store.
+        /// </summary>
+        public string StoreId;
+    }
+
+    /// <summary>
+    /// A store contains an array of references to items defined in one or more catalog versions of the game, along with the
+    /// prices for the item, in both real world and virtual currencies. These prices act as an override to any prices defined in
+    /// the catalog. In this way, the base definitions of the items may be defined in the catalog, with all associated
+    /// properties, while the pricing can be set for each store, as needed. This allows for subsets of goods to be defined for
+    /// different purposes (in order to simplify showing some, but not all catalog items to users, based upon different
+    /// characteristics), along with unique prices. Note that all prices defined in the catalog and store definitions for the
+    /// item are considered valid, and that a compromised client can be made to send a request for an item based upon any of
+    /// these definitions. If no price is specified in the store for an item, the price set in the catalog should be displayed
+    /// to the user.
+    /// </summary>
+    [Serializable]
+    public class GetStoreItemsServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version to store items from. Use default catalog version if null
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Optional identifier for the player to use in requesting the store information - if used, segment overrides will be
+        /// applied
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unqiue identifier for the store which is being requested
+        /// </summary>
+        public string StoreId;
+    }
+
+    /// <summary>
+    /// This query retrieves the current time from one of the servers in PlayFab. Please note that due to clock drift between
+    /// servers, there is a potential variance of up to 5 seconds.
+    /// </summary>
+    [Serializable]
+    public class GetTimeRequest : PlayFabRequestCommon
+    {
+    }
+
+    /// <summary>
+    /// Time is always returned as Coordinated Universal Time (UTC).
+    /// </summary>
+    [Serializable]
+    public class GetTimeResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Current server time when the request was received, in UTC
+        /// </summary>
+        public DateTime Time;
+    }
+
+    /// <summary>
+    /// This API is designed to return title specific values which can be read, but not written to, by the client. For example,
+    /// a developer could choose to store values which modify the user experience, such as enemy spawn rates, weapon strengths,
+    /// movement speeds, etc. This allows a developer to update the title without the need to create, test, and ship a new
+    /// build. If an override label is specified in the request, the overrides are applied automatically and returned with the
+    /// title data. Note that there may up to a minute delay in between updating title data and this API call returning the
+    /// newest value.
+    /// </summary>
+    [Serializable]
+    public class GetTitleDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specific keys to search for in the title data (leave null to get all keys)
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Optional field that specifies the name of an override. This value is ignored when used by the game client; otherwise,
+        /// the overrides are applied automatically to the title data.
+        /// </summary>
+        public string OverrideLabel;
+    }
+
+    [Serializable]
+    public class GetTitleDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// a dictionary object of key / value pairs
+        /// </summary>
+        public Dictionary<string,string> Data;
+    }
+
+    [Serializable]
+    public class GetTitleNewsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Limits the results to the last n entries. Defaults to 10 if not set.
+        /// </summary>
+        public int? Count;
+    }
+
+    [Serializable]
+    public class GetTitleNewsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of localized news items.
+        /// </summary>
+        public List<TitleNewsItem> News;
+    }
+
+    /// <summary>
+    /// This API allows for access to details regarding a user in the PlayFab service, usually for purposes of customer support.
+    /// Note that data returned may be Personally Identifying Information (PII), such as email address, and so care should be
+    /// taken in how this data is stored and managed. Since this call will always return the relevant information for users who
+    /// have accessed the title, the recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class GetUserAccountInfoRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserAccountInfoResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Account details for the user whose information was requested.
+        /// </summary>
+        public UserAccountInfo UserInfo;
+    }
+
+    /// <summary>
+    /// Get all bans for a user, including inactive and expired bans.
+    /// </summary>
+    [Serializable]
+    public class GetUserBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information about the bans
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// Data is stored as JSON key-value pairs. If the Keys parameter is provided, the data object returned will only contain
+    /// the data specific to the indicated Keys. Otherwise, the full set of custom user data will be returned.
+    /// </summary>
+    [Serializable]
+    public class GetUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The version that currently exists according to the caller. The call will return the data for all of the keys if the
+        /// version in the system is greater than this.
+        /// </summary>
+        public uint? IfChangedFromDataVersion;
+        /// <summary>
+        /// Specific keys to search for in the custom user data.
+        /// </summary>
+        public List<string> Keys;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// User specific data for this title.
+        /// </summary>
+        public Dictionary<string,UserDataRecord> Data;
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose custom data is being returned.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// All items currently in the user inventory will be returned, irrespective of how they were acquired (via purchasing,
+    /// grants, coupons, etc.). Items that are expired, fully consumed, or are no longer valid are not considered to be in the
+    /// user's current inventory, and so will not be not included.
+    /// </summary>
+    [Serializable]
+    public class GetUserInventoryRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GetUserInventoryResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of inventory items belonging to the user.
+        /// </summary>
+        public List<ItemInstance> Inventory;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Array of virtual currency balance(s) belonging to the user.
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrency;
+        /// <summary>
+        /// Array of remaining times and timestamps for virtual currencies.
+        /// </summary>
+        public Dictionary<string,VirtualCurrencyRechargeTime> VirtualCurrencyRechargeTimes;
+    }
+
+    /// <summary>
+    /// Grants a character to the user of the type and name specified in the request.
+    /// </summary>
+    [Serializable]
+    public class GrantCharacterToUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Non-unique display name of the character being granted (1-40 characters in length).
+        /// </summary>
+        public string CharacterName;
+        /// <summary>
+        /// Type of the character being granted; statistics can be sliced based on this value.
+        /// </summary>
+        public string CharacterType;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GrantCharacterToUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier tagged to this character.
+        /// </summary>
+        public string CharacterId;
+    }
+
+    /// <summary>
+    /// Result of granting an item to a user. Note, to retrieve additional information for an item such as Tags, Description
+    /// that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can be matched
+    /// to a catalog entry, which contains the additional information. Also note that Custom Data is only set when the User's
+    /// specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields such as
+    /// UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class GrantedItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Result of this operation.
+        /// </summary>
+        public bool Result;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    /// <summary>
+    /// This function directly adds inventory items to the character's inventories. As a result of this operations, the user
+    /// will not be charged any transaction fee, regardless of the inventory item catalog definition. Please note that the
+    /// processing time for inventory grants and purchases increases fractionally the more items are in the inventory, and the
+    /// more items are in the grant/purchase operation.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToCharacterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// String detailing any additional information concerning this operation.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Catalog version from which items are to be granted.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Array of itemIds to grant to the user.
+        /// </summary>
+        public List<string> ItemIds;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class GrantItemsToCharacterResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items granted to users.
+        /// </summary>
+        public List<GrantedItemInstance> ItemGrantResults;
+    }
+
+    /// <summary>
+    /// This function directly adds inventory items to the user's inventories. As a result of this operations, the user will not
+    /// be charged any transaction fee, regardless of the inventory item catalog definition. Please note that the processing
+    /// time for inventory grants and purchases increases fractionally the more items are in the inventory, and the more items
+    /// are in the grant/purchase operation.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// String detailing any additional information concerning this operation.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Catalog version from which items are to be granted.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Array of itemIds to grant to the user.
+        /// </summary>
+        public List<string> ItemIds;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// Please note that the order of the items in the response may not match the order of items in the request.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items granted to users.
+        /// </summary>
+        public List<GrantedItemInstance> ItemGrantResults;
+    }
+
+    /// <summary>
+    /// This function directly adds inventory items to user inventories. As a result of this operations, the user will not be
+    /// charged any transaction fee, regardless of the inventory item catalog definition. Please note that the processing time
+    /// for inventory grants and purchases increases fractionally the more items are in the inventory, and the more items are in
+    /// the grant/purchase operation.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUsersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version from which items are to be granted.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Array of items to grant and the users to whom the items are to be granted.
+        /// </summary>
+        public List<ItemGrant> ItemGrants;
+    }
+
+    /// <summary>
+    /// Please note that the order of the items in the response may not match the order of items in the request.
+    /// </summary>
+    [Serializable]
+    public class GrantItemsToUsersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Array of items granted to users.
+        /// </summary>
+        public List<GrantedItemInstance> ItemGrantResults;
+    }
+
+    [Serializable]
+    public class ItemGrant : PlayFabBaseModel
+    {
+        /// <summary>
+        /// String detailing any additional information concerning this operation.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Unique identifier of the catalog item to be granted to the user.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// A unique instance of an item in a user's inventory. Note, to retrieve additional information for an item such as Tags,
+    /// Description that are the same across all instances of the item, a call to GetCatalogItems is required. The ItemID of can
+    /// be matched to a catalog entry, which contains the additional information. Also note that Custom Data is only set when
+    /// the User's specific instance has updated the CustomData via a call to UpdateUserInventoryItemCustomData. Other fields
+    /// such as UnitPrice and UnitCurrency are only set when the item was granted via a purchase.
+    /// </summary>
+    [Serializable]
+    public class ItemInstance : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Game specific comment associated with this instance when it was added to the user inventory.
+        /// </summary>
+        public string Annotation;
+        /// <summary>
+        /// Array of unique items that were awarded when this catalog item was purchased.
+        /// </summary>
+        public List<string> BundleContents;
+        /// <summary>
+        /// Unique identifier for the parent inventory item, as defined in the catalog, for object which were added from a bundle or
+        /// container.
+        /// </summary>
+        public string BundleParent;
+        /// <summary>
+        /// Catalog version for the inventory item, when this instance was created.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// A set of custom key-value pairs on the instance of the inventory item, which is not to be confused with the catalog
+        /// item's custom data.
+        /// </summary>
+        public Dictionary<string,string> CustomData;
+        /// <summary>
+        /// CatalogItem.DisplayName at the time this item was purchased.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Timestamp for when this instance will expire.
+        /// </summary>
+        public DateTime? Expiration;
+        /// <summary>
+        /// Class name for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemClass;
+        /// <summary>
+        /// Unique identifier for the inventory item, as defined in the catalog.
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Unique item identifier for this specific instance of the item.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Timestamp for when this instance was purchased.
+        /// </summary>
+        public DateTime? PurchaseDate;
+        /// <summary>
+        /// Total number of remaining uses, if this is a consumable item.
+        /// </summary>
+        public int? RemainingUses;
+        /// <summary>
+        /// Currency type for the cost of the catalog item. Not available when granting items.
+        /// </summary>
+        public string UnitCurrency;
+        /// <summary>
+        /// Cost of the catalog item in the given currency. Not available when granting items.
+        /// </summary>
+        public uint UnitPrice;
+        /// <summary>
+        /// The number of uses that were added or removed to this item in this call.
+        /// </summary>
+        public int? UsesIncrementedBy;
+    }
+
+    [Serializable]
+    public class LinkedPlatformAccountModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account email of the user on the platform, if available
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Unique account identifier of the user on the platform
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account username of the user on the platform, if available
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class LinkPSNAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Authentication code provided by the PlayStation Network.
+        /// </summary>
+        public string AuthCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Id of the PSN issuer environment. If null, defaults to production environment.
+        /// </summary>
+        public int? IssuerId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Redirect URI supplied to PSN when requesting an auth code
+        /// </summary>
+        public string RedirectUri;
+    }
+
+    [Serializable]
+    public class LinkPSNAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkServerCustomIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the custom ID, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Unique PlayFab identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique server custom identifier for this player.
+        /// </summary>
+        public string ServerCustomId;
+    }
+
+    [Serializable]
+    public class LinkServerCustomIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class LinkXboxAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// If another user is already linked to the account, unlink the other user and re-link.
+        /// </summary>
+        public bool? ForceLink;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Xbox Live identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", "").
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class LinkXboxAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Returns a list of every character that currently belongs to a user.
+    /// </summary>
+    [Serializable]
+    public class ListUsersCharactersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class ListUsersCharactersResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The requested list of characters.
+        /// </summary>
+        public List<CharacterResult> Characters;
+    }
+
+    /// <summary>
+    /// Contains the localized push notification content.
+    /// </summary>
+    [Serializable]
+    public class LocalizedPushNotificationProperties : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Message of the localized push notification template.
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Subject of the localized push notification template.
+        /// </summary>
+        public string Subject;
+    }
+
+    [Serializable]
+    public class LocationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City name.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode? ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode? CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    public enum LoginIdentityProvider
+    {
+        Unknown,
+        PlayFab,
+        Custom,
+        GameCenter,
+        GooglePlay,
+        Steam,
+        XBoxLive,
+        PSN,
+        Kongregate,
+        Facebook,
+        IOSDevice,
+        AndroidDevice,
+        Twitch,
+        WindowsHello,
+        GameServer,
+        CustomServer,
+        NintendoSwitch,
+        FacebookInstantGames,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class LoginWithServerCustomIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// The backend server identifier for this player.
+        /// </summary>
+        public string ServerCustomId;
+    }
+
+    /// <summary>
+    /// If this is the first time a user has signed in with the Steam ID and CreateAccount is set to true, a new PlayFab account
+    /// will be created and linked to the Steam account. In this case, no email or username will be associated with the PlayFab
+    /// account. Otherwise, if no PlayFab account is linked to the Steam account, an error indicating this will be returned, so
+    /// that the title can guide the user through creation of a PlayFab account. Steam users that are not logged into the Steam
+    /// Client app will only have their Steam username synced, other data, such as currency and country will not be available
+    /// until they login while the Client is open.
+    /// </summary>
+    [Serializable]
+    public class LoginWithSteamIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Unique Steam identifier for a user
+        /// </summary>
+        public string SteamId;
+    }
+
+    /// <summary>
+    /// If this is the first time a user has signed in with the Xbox ID and CreateAccount is set to true, a new PlayFab account
+    /// will be created and linked to the Xbox Live account. In this case, no email or username will be associated with the
+    /// PlayFab account. Otherwise, if no PlayFab account is linked to the Xbox Live account, an error indicating this will be
+    /// returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithXboxIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// The id of Xbox Live sandbox.
+        /// </summary>
+        public string Sandbox;
+        /// <summary>
+        /// Unique Xbox identifier for a user
+        /// </summary>
+        public string XboxId;
+    }
+
+    /// <summary>
+    /// If this is the first time a user has signed in with the Xbox Live account and CreateAccount is set to true, a new
+    /// PlayFab account will be created and linked to the Xbox Live account. In this case, no email or username will be
+    /// associated with the PlayFab account. Otherwise, if no PlayFab account is linked to the Xbox Live account, an error
+    /// indicating this will be returned, so that the title can guide the user through creation of a PlayFab account.
+    /// </summary>
+    [Serializable]
+    public class LoginWithXboxRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Automatically create a PlayFab account if one is not currently linked to this ID.
+        /// </summary>
+        public bool? CreateAccount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Flags for which pieces of info to return for the user.
+        /// </summary>
+        public GetPlayerCombinedInfoRequestParams InfoRequestParameters;
+        /// <summary>
+        /// Token provided by the Xbox Live SDK/XDK method GetTokenAndSignatureAsync("POST", "https://playfabapi.com/", "").
+        /// </summary>
+        public string XboxToken;
+    }
+
+    [Serializable]
+    public class LogStatement : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Optional object accompanying the message as contextual information
+        /// </summary>
+        public object Data;
+        /// <summary>
+        /// 'Debug', 'Info', or 'Error'
+        /// </summary>
+        public string Level;
+        public string Message;
+    }
+
+    [Serializable]
+    public class MembershipModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether this membership is active. That is, whether the MembershipExpiration time has been reached.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The time this membership expires
+        /// </summary>
+        public DateTime MembershipExpiration;
+        /// <summary>
+        /// The id of the membership
+        /// </summary>
+        public string MembershipId;
+        /// <summary>
+        /// Membership expirations can be explicitly overridden (via game manager or the admin api). If this membership has been
+        /// overridden, this will be the new expiration time.
+        /// </summary>
+        public DateTime? OverrideExpiration;
+        /// <summary>
+        /// The list of subscriptions that this player has for this membership
+        /// </summary>
+        public List<SubscriptionModel> Subscriptions;
+    }
+
+    [Serializable]
+    public class ModifyCharacterVirtualCurrencyResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Balance of the virtual currency after modification.
+        /// </summary>
+        public int Balance;
+        /// <summary>
+        /// Name of the virtual currency which was modified.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// This function can both add and remove uses of an inventory item. If the number of uses drops below zero, the item will
+    /// be removed from active inventory.
+    /// </summary>
+    [Serializable]
+    public class ModifyItemUsesRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique instance identifier of the item to be modified.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose item is being modified.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Number of uses to add to the item. Can be negative to remove uses.
+        /// </summary>
+        public int UsesToAdd;
+    }
+
+    [Serializable]
+    public class ModifyItemUsesResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique instance identifier of the item with uses consumed.
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Number of uses remaining on the item.
+        /// </summary>
+        public int RemainingUses;
+    }
+
+    [Serializable]
+    public class ModifyUserVirtualCurrencyResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Balance of the virtual currency after modification.
+        /// </summary>
+        public int Balance;
+        /// <summary>
+        /// Amount added or subtracted from the user's virtual currency. Maximum VC balance is Int32 (2,147,483,647). Any increase
+        /// over this value will be discarded.
+        /// </summary>
+        public int BalanceChange;
+        /// <summary>
+        /// User currency was subtracted from.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which was modified.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    /// <summary>
+    /// Transfers an item from a character to another character that is owned by the same user. This will remove the item from
+    /// the character's inventory (until and unless it is moved back), and will enable the other character to make use of the
+    /// item instead.
+    /// </summary>
+    [Serializable]
+    public class MoveItemToCharacterFromCharacterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the character that currently has the item.
+        /// </summary>
+        public string GivingCharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique identifier of the character that will be receiving the item.
+        /// </summary>
+        public string ReceivingCharacterId;
+    }
+
+    [Serializable]
+    public class MoveItemToCharacterFromCharacterResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Transfers an item from a user to a character she owns. This will remove the item from the user's inventory (until and
+    /// unless it is moved back), and will enable the character to make use of the item instead.
+    /// </summary>
+    [Serializable]
+    public class MoveItemToCharacterFromUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class MoveItemToCharacterFromUserResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Transfers an item from a character to the owning user. This will remove the item from the character's inventory (until
+    /// and unless it is moved back), and will enable the user to make use of the item instead.
+    /// </summary>
+    [Serializable]
+    public class MoveItemToUserFromCharacterRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class MoveItemToUserFromCharacterResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class NintendoSwitchPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique Nintendo Switch Device identifier for a user.
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Nintendo Switch Device identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class NotifyMatchmakerPlayerLeftRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier of the Game Instance the user is leaving.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class NotifyMatchmakerPlayerLeftResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// State of user leaving the Game Server Instance.
+        /// </summary>
+        public PlayerConnectionState? PlayerState;
+    }
+
+    public enum PlayerConnectionState
+    {
+        Unassigned,
+        Connecting,
+        Participating,
+        Participated
+    }
+
+    [Serializable]
+    public class PlayerLeaderboardEntry : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Title-specific display name of the user for this leaderboard entry.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// PlayFab unique identifier of the user for this leaderboard entry.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// User's overall position in the leaderboard.
+        /// </summary>
+        public int Position;
+        /// <summary>
+        /// The profile of the user, if requested.
+        /// </summary>
+        public PlayerProfileModel Profile;
+        /// <summary>
+        /// Specific value of the user's statistic.
+        /// </summary>
+        public int StatValue;
+    }
+
+    [Serializable]
+    public class PlayerLinkedAccount : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Linked account's email
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// Authentication platform
+        /// </summary>
+        public LoginIdentityProvider? Platform;
+        /// <summary>
+        /// Platform user identifier
+        /// </summary>
+        public string PlatformUserId;
+        /// <summary>
+        /// Linked account's username
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class PlayerLocation : PlayFabBaseModel
+    {
+        /// <summary>
+        /// City of the player's geographic location.
+        /// </summary>
+        public string City;
+        /// <summary>
+        /// The two-character continent code for this location
+        /// </summary>
+        public ContinentCode ContinentCode;
+        /// <summary>
+        /// The two-character ISO 3166-1 country code for the country associated with the location
+        /// </summary>
+        public CountryCode CountryCode;
+        /// <summary>
+        /// Latitude coordinate of the player's geographic location.
+        /// </summary>
+        public double? Latitude;
+        /// <summary>
+        /// Longitude coordinate of the player's geographic location.
+        /// </summary>
+        public double? Longitude;
+    }
+
+    [Serializable]
+    public class PlayerProfile : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Array of ad campaigns player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttribution> AdCampaignAttributions;
+        /// <summary>
+        /// Image URL of the player's avatar.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// Banned until UTC Date. If permanent ban this is set for 20 years after the original ban date.
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// Array of contact email addresses associated with the player
+        /// </summary>
+        public List<ContactEmailInfo> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player Display Name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Last login
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// Array of third party accounts linked to this player
+        /// </summary>
+        public List<PlayerLinkedAccount> LinkedAccounts;
+        /// <summary>
+        /// Dictionary of player's locations by type.
+        /// </summary>
+        public Dictionary<string,PlayerLocation> Locations;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// List of player variants for experimentation
+        /// </summary>
+        public List<string> PlayerExperimentVariants;
+        /// <summary>
+        /// PlayFab Player ID
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Array of player statistics
+        /// </summary>
+        public List<PlayerStatistic> PlayerStatistics;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// Array of configured push notification end points
+        /// </summary>
+        public List<PushNotificationRegistration> PushNotificationRegistrations;
+        /// <summary>
+        /// Dictionary of player's statistics using only the latest version's value
+        /// </summary>
+        public Dictionary<string,int> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation.
+        /// </summary>
+        public List<string> Tags;
+        /// <summary>
+        /// Title ID this profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// A sum of player's total purchases in USD across all currencies.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// Dictionary of player's total purchases by currency.
+        /// </summary>
+        public Dictionary<string,uint> ValuesToDate;
+        /// <summary>
+        /// Dictionary of player's virtual currency balances
+        /// </summary>
+        public Dictionary<string,int> VirtualCurrencyBalances;
+    }
+
+    [Serializable]
+    public class PlayerProfileModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of advertising campaigns the player has been attributed to
+        /// </summary>
+        public List<AdCampaignAttributionModel> AdCampaignAttributions;
+        /// <summary>
+        /// URL of the player's avatar image
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// If the player is currently banned, the UTC Date when the ban expires
+        /// </summary>
+        public DateTime? BannedUntil;
+        /// <summary>
+        /// List of all contact email info associated with the player account
+        /// </summary>
+        public List<ContactEmailInfoModel> ContactEmailAddresses;
+        /// <summary>
+        /// Player record created
+        /// </summary>
+        public DateTime? Created;
+        /// <summary>
+        /// Player display name
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// List of experiment variants for the player. Note that these variants are not guaranteed to be up-to-date when returned
+        /// during login because the player profile is updated only after login. Instead, use the LoginResult.TreatmentAssignment
+        /// property during login to get the correct variants and variables.
+        /// </summary>
+        public List<string> ExperimentVariants;
+        /// <summary>
+        /// UTC time when the player most recently logged in to the title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// List of all authentication systems linked to this player account
+        /// </summary>
+        public List<LinkedPlatformAccountModel> LinkedAccounts;
+        /// <summary>
+        /// List of geographic locations from which the player has logged in to the title
+        /// </summary>
+        public List<LocationModel> Locations;
+        /// <summary>
+        /// List of memberships for the player, along with whether are expired.
+        /// </summary>
+        public List<MembershipModel> Memberships;
+        /// <summary>
+        /// Player account origination
+        /// </summary>
+        public LoginIdentityProvider? Origination;
+        /// <summary>
+        /// PlayFab player account unique identifier
+        /// </summary>
+        public string PlayerId;
+        /// <summary>
+        /// Publisher this player belongs to
+        /// </summary>
+        public string PublisherId;
+        /// <summary>
+        /// List of configured end points registered for sending the player push notifications
+        /// </summary>
+        public List<PushNotificationRegistrationModel> PushNotificationRegistrations;
+        /// <summary>
+        /// List of leaderboard statistic values for the player
+        /// </summary>
+        public List<StatisticModel> Statistics;
+        /// <summary>
+        /// List of player's tags for segmentation
+        /// </summary>
+        public List<TagModel> Tags;
+        /// <summary>
+        /// Title ID this player profile applies to
+        /// </summary>
+        public string TitleId;
+        /// <summary>
+        /// Sum of the player's purchases made with real-money currencies, converted to US dollars equivalent and represented as a
+        /// whole number of cents (1/100 USD). For example, 999 indicates nine dollars and ninety-nine cents.
+        /// </summary>
+        public uint? TotalValueToDateInUSD;
+        /// <summary>
+        /// List of the player's lifetime purchase totals, summed by real-money currency
+        /// </summary>
+        public List<ValueToDateModel> ValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerProfileViewConstraints : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Whether to show player's avatar URL. Defaults to false
+        /// </summary>
+        public bool ShowAvatarUrl;
+        /// <summary>
+        /// Whether to show the banned until time. Defaults to false
+        /// </summary>
+        public bool ShowBannedUntil;
+        /// <summary>
+        /// Whether to show campaign attributions. Defaults to false
+        /// </summary>
+        public bool ShowCampaignAttributions;
+        /// <summary>
+        /// Whether to show contact email addresses. Defaults to false
+        /// </summary>
+        public bool ShowContactEmailAddresses;
+        /// <summary>
+        /// Whether to show the created date. Defaults to false
+        /// </summary>
+        public bool ShowCreated;
+        /// <summary>
+        /// Whether to show the display name. Defaults to false
+        /// </summary>
+        public bool ShowDisplayName;
+        /// <summary>
+        /// Whether to show player's experiment variants. Defaults to false
+        /// </summary>
+        public bool ShowExperimentVariants;
+        /// <summary>
+        /// Whether to show the last login time. Defaults to false
+        /// </summary>
+        public bool ShowLastLogin;
+        /// <summary>
+        /// Whether to show the linked accounts. Defaults to false
+        /// </summary>
+        public bool ShowLinkedAccounts;
+        /// <summary>
+        /// Whether to show player's locations. Defaults to false
+        /// </summary>
+        public bool ShowLocations;
+        /// <summary>
+        /// Whether to show player's membership information. Defaults to false
+        /// </summary>
+        public bool ShowMemberships;
+        /// <summary>
+        /// Whether to show origination. Defaults to false
+        /// </summary>
+        public bool ShowOrigination;
+        /// <summary>
+        /// Whether to show push notification registrations. Defaults to false
+        /// </summary>
+        public bool ShowPushNotificationRegistrations;
+        /// <summary>
+        /// Reserved for future development
+        /// </summary>
+        public bool ShowStatistics;
+        /// <summary>
+        /// Whether to show tags. Defaults to false
+        /// </summary>
+        public bool ShowTags;
+        /// <summary>
+        /// Whether to show the total value to date in usd. Defaults to false
+        /// </summary>
+        public bool ShowTotalValueToDateInUsd;
+        /// <summary>
+        /// Whether to show the values to date. Defaults to false
+        /// </summary>
+        public bool ShowValuesToDate;
+    }
+
+    [Serializable]
+    public class PlayerStatistic : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic ID
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Current statistic value
+        /// </summary>
+        public int StatisticValue;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int StatisticVersion;
+    }
+
+    [Serializable]
+    public class PlayerStatisticVersion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// time when the statistic version became active
+        /// </summary>
+        public DateTime ActivationTime;
+        /// <summary>
+        /// time when the statistic version became inactive due to statistic version incrementing
+        /// </summary>
+        public DateTime? DeactivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become active, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledActivationTime;
+        /// <summary>
+        /// time at which the statistic version was scheduled to become inactive, based on the configured ResetInterval
+        /// </summary>
+        public DateTime? ScheduledDeactivationTime;
+        /// <summary>
+        /// name of the statistic when the version became active
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// version of the statistic
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class PSNAccountPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the PlayStation Network identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique PlayStation Network identifier for a user.
+        /// </summary>
+        public string PSNAccountId;
+    }
+
+    [Serializable]
+    public class PushNotificationPackage : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Numerical badge to display on App icon (iOS only)
+        /// </summary>
+        public int Badge;
+        /// <summary>
+        /// This must be a JSON formatted object. For use with developer-created custom Push Notification plugins
+        /// </summary>
+        public string CustomData;
+        /// <summary>
+        /// Icon file to display with the message (Not supported for iOS)
+        /// </summary>
+        public string Icon;
+        /// <summary>
+        /// Content of the message (all platforms)
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Sound file to play with the message (all platforms)
+        /// </summary>
+        public string Sound;
+        /// <summary>
+        /// Title/Subject of the message. Not supported for iOS
+        /// </summary>
+        public string Title;
+    }
+
+    public enum PushNotificationPlatform
+    {
+        ApplePushNotificationService,
+        GoogleCloudMessaging
+    }
+
+    [Serializable]
+    public class PushNotificationRegistration : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    [Serializable]
+    public class PushNotificationRegistrationModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Notification configured endpoint
+        /// </summary>
+        public string NotificationEndpointARN;
+        /// <summary>
+        /// Push notification platform
+        /// </summary>
+        public PushNotificationPlatform? Platform;
+    }
+
+    [Serializable]
+    public class RandomResultTableListing : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Catalog version this table is associated with
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Child nodes that indicate what kind of drop table item this actually is.
+        /// </summary>
+        public List<ResultTableNode> Nodes;
+        /// <summary>
+        /// Unique name for this drop table
+        /// </summary>
+        public string TableId;
+    }
+
+    /// <summary>
+    /// Coupon codes can be created for any item, or set of items, in the catalog for the title. This operation causes the
+    /// coupon to be consumed, and the specific items to be awarded to the user. Attempting to re-use an already consumed code,
+    /// or a code which has not yet been created in the service, will result in an error.
+    /// </summary>
+    [Serializable]
+    public class RedeemCouponRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Catalog version of the coupon.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Optional identifier for the Character that should receive the item. If null, item is added to the player
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Generated coupon code to redeem.
+        /// </summary>
+        public string CouponCode;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class RedeemCouponResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Items granted to the player as a result of redeeming the coupon.
+        /// </summary>
+        public List<ItemInstance> GrantedItems;
+    }
+
+    /// <summary>
+    /// This function is used by a Game Server Instance to validate with the PlayFab service that a user has been registered as
+    /// connected to the server. The Ticket is provided to the client either as a result of a call to StartGame or Matchmake,
+    /// each of which return a Ticket specific to the Game Server Instance. This function will fail in any case where the Ticket
+    /// presented is not valid for the specific Game Server Instance making the call. Note that data returned may be Personally
+    /// Identifying Information (PII), such as email address, and so care should be taken in how this data is stored and
+    /// managed. Since this call will always return the relevant information for users who have accessed the title, the
+    /// recommendation is to not store this data locally.
+    /// </summary>
+    [Serializable]
+    public class RedeemMatchmakerTicketRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique identifier of the Game Server Instance that is asking for validation of the authorization ticket.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// Server authorization ticket passed back from a call to Matchmake or StartGame.
+        /// </summary>
+        public string Ticket;
+    }
+
+    [Serializable]
+    public class RedeemMatchmakerTicketResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Error value if the ticket was not validated.
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Boolean indicating whether the ticket was validated by the PlayFab service.
+        /// </summary>
+        public bool TicketIsValid;
+        /// <summary>
+        /// User account information for the user validated.
+        /// </summary>
+        public UserAccountInfo UserInfo;
+    }
+
+    [Serializable]
+    public class RefreshGameServerInstanceHeartbeatRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the Game Server Instance for which the heartbeat is updated.
+        /// </summary>
+        public string LobbyId;
+    }
+
+    [Serializable]
+    public class RefreshGameServerInstanceHeartbeatResult : PlayFabResultCommon
+    {
+    }
+
+    public enum Region
+    {
+        USCentral,
+        USEast,
+        EUWest,
+        Singapore,
+        Japan,
+        Brazil,
+        Australia
+    }
+
+    [Serializable]
+    public class RegisterGameRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the build running on the Game Server Instance.
+        /// </summary>
+        public string Build;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Game Mode the Game Server instance is running. Note that this must be defined in the Game Modes tab in the PlayFab Game
+        /// Manager, along with the Build ID (the same Game Mode can be defined for multiple Build IDs).
+        /// </summary>
+        public string GameMode;
+        /// <summary>
+        /// Previous lobby id if re-registering an existing game.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// Region in which the Game Server Instance is running. For matchmaking using non-AWS region names, set this to any AWS
+        /// region and use Tags (below) to specify your custom region.
+        /// </summary>
+        public Region Region;
+        /// <summary>
+        /// IPV4 address of the game server instance.
+        /// </summary>
+        public string ServerIPV4Address;
+        /// <summary>
+        /// IPV6 address (if any) of the game server instance.
+        /// </summary>
+        public string ServerIPV6Address;
+        /// <summary>
+        /// Port number for communication with the Game Server Instance.
+        /// </summary>
+        public string ServerPort;
+        /// <summary>
+        /// Public DNS name (if any) of the server
+        /// </summary>
+        public string ServerPublicDNSName;
+        /// <summary>
+        /// Tags for the Game Server Instance
+        /// </summary>
+        public Dictionary<string,string> Tags;
+    }
+
+    [Serializable]
+    public class RegisterGameResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Unique identifier generated for the Game Server Instance that is registered. If LobbyId is specified in request and the
+        /// game still exists in PlayFab, the LobbyId in request is returned. Otherwise a new lobby id will be returned.
+        /// </summary>
+        public string LobbyId;
+    }
+
+    [Serializable]
+    public class RemoveFriendRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// PlayFab identifier of the friend account which is to be removed.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class RemoveGenericIDRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Generic service identifier to be removed from the player.
+        /// </summary>
+        public GenericServiceId GenericId;
+        /// <summary>
+        /// PlayFabId of the user to remove.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// This API will trigger a player_tag_removed event and remove a tag with the given TagName and PlayFabID from the
+    /// corresponding player profile. TagName can be used for segmentation and it is limited to 256 characters
+    /// </summary>
+    [Serializable]
+    public class RemovePlayerTagRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique tag for player profile.
+        /// </summary>
+        public string TagName;
+    }
+
+    [Serializable]
+    public class RemovePlayerTagResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RemoveSharedGroupMembersRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// An array of unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public List<string> PlayFabIds;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class RemoveSharedGroupMembersResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class ReportPlayerServerRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Optional additional comment by reporting player.
+        /// </summary>
+        public string Comment;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab identifier of the reported player.
+        /// </summary>
+        public string ReporteeId;
+        /// <summary>
+        /// PlayFabId of the reporting player.
+        /// </summary>
+        public string ReporterId;
+    }
+
+    /// <summary>
+    /// Players are currently limited to five reports per day. Attempts by a single user account to submit reports beyond five
+    /// will result in Updated being returned as false.
+    /// </summary>
+    [Serializable]
+    public class ReportPlayerServerResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The number of remaining reports which may be filed today by this reporting player.
+        /// </summary>
+        public int SubmissionsRemaining;
+    }
+
+    [Serializable]
+    public class ResultTableNode : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Either an ItemId, or the TableId of another random result table
+        /// </summary>
+        public string ResultItem;
+        /// <summary>
+        /// Whether this entry in the table is an item or a link to another table
+        /// </summary>
+        public ResultTableNodeType ResultItemType;
+        /// <summary>
+        /// How likely this is to be rolled - larger numbers add more weight
+        /// </summary>
+        public int Weight;
+    }
+
+    public enum ResultTableNodeType
+    {
+        ItemId,
+        TableId
+    }
+
+    /// <summary>
+    /// Setting the active state of all non-expired bans for a user to Inactive. Expired bans with an Active state will be
+    /// ignored, however. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class RevokeAllBansForUserRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class RevokeAllBansForUserResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were revoked.
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// Setting the active state of all bans requested to Inactive regardless of whether that ban has already expired. BanIds
+    /// that do not exist will be skipped. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class RevokeBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Ids of the bans to be revoked. Maximum 100.
+        /// </summary>
+        public List<string> BanIds;
+    }
+
+    [Serializable]
+    public class RevokeBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were revoked
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    [Serializable]
+    public class RevokeInventoryItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// In cases where the inventory item in question is a "crate", and the items it contained have already been dispensed, this
+    /// will not revoke access or otherwise remove the items which were dispensed.
+    /// </summary>
+    [Serializable]
+    public class RevokeInventoryItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// In cases where the inventory item in question is a "crate", and the items it contained have already been dispensed, this
+    /// will not revoke access or otherwise remove the items which were dispensed.
+    /// </summary>
+    [Serializable]
+    public class RevokeInventoryItemsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Array of player items to revoke, between 1 and 25 items.
+        /// </summary>
+        public List<RevokeInventoryItem> Items;
+    }
+
+    [Serializable]
+    public class RevokeInventoryItemsResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Collection of any errors that occurred during processing.
+        /// </summary>
+        public List<RevokeItemError> Errors;
+    }
+
+    [Serializable]
+    public class RevokeInventoryResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class RevokeItemError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Specific error that was encountered.
+        /// </summary>
+        public GenericErrorCodes? Error;
+        /// <summary>
+        /// Item information that failed to be revoked.
+        /// </summary>
+        public RevokeInventoryItem Item;
+    }
+
+    /// <summary>
+    /// Represents the save push notification template request.
+    /// </summary>
+    [Serializable]
+    public class SavePushNotificationTemplateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Android JSON for the notification template.
+        /// </summary>
+        public string AndroidPayload;
+        /// <summary>
+        /// Id of the push notification template.
+        /// </summary>
+        public string Id;
+        /// <summary>
+        /// IOS JSON for the notification template.
+        /// </summary>
+        public string IOSPayload;
+        /// <summary>
+        /// Dictionary of localized push notification templates with the language as the key.
+        /// </summary>
+        public Dictionary<string,LocalizedPushNotificationProperties> LocalizedPushNotificationTemplates;
+        /// <summary>
+        /// Name of the push notification template.
+        /// </summary>
+        public string Name;
+    }
+
+    /// <summary>
+    /// Represents the save push notification template result.
+    /// </summary>
+    [Serializable]
+    public class SavePushNotificationTemplateResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Id of the push notification template that was saved.
+        /// </summary>
+        public string PushNotificationTemplateId;
+    }
+
+    [Serializable]
+    public class ScriptExecutionError : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Error code, such as CloudScriptNotFound, JavascriptException, CloudScriptFunctionArgumentSizeExceeded,
+        /// CloudScriptAPIRequestCountExceeded, CloudScriptAPIRequestError, or CloudScriptHTTPRequestError
+        /// </summary>
+        public string Error;
+        /// <summary>
+        /// Details about the error
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Point during the execution of the script at which the error occurred, if any
+        /// </summary>
+        public string StackTrace;
+    }
+
+    /// <summary>
+    /// PlayFab accounts which have valid email address or username will be able to receive a password reset email using this
+    /// API.The email sent must be an account recovery email template. The username or email can be passed in to send the email
+    /// </summary>
+    [Serializable]
+    public class SendCustomAccountRecoveryEmailRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// User email address attached to their account
+        /// </summary>
+        public string Email;
+        /// <summary>
+        /// The email template id of the account recovery email template to send.
+        /// </summary>
+        public string EmailTemplateId;
+        /// <summary>
+        /// The user's username requesting an account recovery.
+        /// </summary>
+        public string Username;
+    }
+
+    [Serializable]
+    public class SendCustomAccountRecoveryEmailResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Sends an email for only players that have contact emails associated with them. Takes in an email template ID
+    /// specifyingthe email template to send.
+    /// </summary>
+    [Serializable]
+    public class SendEmailFromTemplateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The email template id of the email template to send.
+        /// </summary>
+        public string EmailTemplateId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class SendEmailFromTemplateResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Represents the request for sending a push notification template to a recipient.
+    /// </summary>
+    [Serializable]
+    public class SendPushNotificationFromTemplateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Id of the push notification template.
+        /// </summary>
+        public string PushNotificationTemplateId;
+        /// <summary>
+        /// PlayFabId of the push notification recipient.
+        /// </summary>
+        public string Recipient;
+    }
+
+    [Serializable]
+    public class SendPushNotificationRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Allows you to provide precisely formatted json to target devices. This is an advanced feature, allowing you to deliver
+        /// to custom plugin logic, fields, or functionality not natively supported by PlayFab.
+        /// </summary>
+        public List<AdvancedPushPlatformMsg> AdvancedPlatformDelivery;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Text of message to send.
+        /// </summary>
+        public string Message;
+        /// <summary>
+        /// Defines all possible push attributes like message, title, icon, etc. Some parameters are device specific - please see
+        /// the PushNotificationPackage documentation for details.
+        /// </summary>
+        public PushNotificationPackage Package;
+        /// <summary>
+        /// PlayFabId of the recipient of the push notification.
+        /// </summary>
+        public string Recipient;
+        /// <summary>
+        /// Subject of message to send (may not be displayed in all platforms)
+        /// </summary>
+        public string Subject;
+        /// <summary>
+        /// Target Platforms that should receive the Message or Package. If omitted, we will send to all available platforms.
+        /// </summary>
+        public List<PushNotificationPlatform> TargetPlatforms;
+    }
+
+    [Serializable]
+    public class SendPushNotificationResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class ServerCustomIDPlayFabIDPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique server custom identifier for this player.
+        /// </summary>
+        public string ServerCustomId;
+    }
+
+    [Serializable]
+    public class ServerLoginResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// If LoginTitlePlayerAccountEntity flag is set on the login request the title_player_account will also be logged in and
+        /// returned.
+        /// </summary>
+        public EntityTokenResponse EntityToken;
+        /// <summary>
+        /// Results for requested info.
+        /// </summary>
+        public GetPlayerCombinedInfoResultPayload InfoResultPayload;
+        /// <summary>
+        /// The time of this user's previous login. If there was no previous login, then it's DateTime.MinValue
+        /// </summary>
+        public DateTime? LastLoginTime;
+        /// <summary>
+        /// True if the account was newly created on this login.
+        /// </summary>
+        public bool NewlyCreated;
+        /// <summary>
+        /// Player's unique PlayFabId.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique token authorizing the user and game at the server level, for the current session.
+        /// </summary>
+        public string SessionTicket;
+        /// <summary>
+        /// Settings specific to this user.
+        /// </summary>
+        public UserSettings SettingsForUser;
+        /// <summary>
+        /// The experimentation treatments for this user at the time of login.
+        /// </summary>
+        public TreatmentAssignment TreatmentAssignment;
+    }
+
+    /// <summary>
+    /// This operation is not additive. It will completely replace the tag list for the specified user. Please note that only
+    /// users in the PlayFab friends list can be assigned tags. Attempting to set a tag on a friend only included in the friends
+    /// list from a social site integration (such as Facebook or Steam) will return the AccountNotFound error.
+    /// </summary>
+    [Serializable]
+    public class SetFriendTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// PlayFab identifier of the friend account to which the tag(s) should be applied.
+        /// </summary>
+        public string FriendPlayFabId;
+        /// <summary>
+        /// PlayFab identifier of the player whose friend is to be updated.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Array of tags to set on the friend account.
+        /// </summary>
+        public List<string> Tags;
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom data to set for the specified game server instance.
+        /// </summary>
+        public string GameServerData;
+        /// <summary>
+        /// Unique identifier of the Game Instance to be updated, in decimal format.
+        /// </summary>
+        public string LobbyId;
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceDataResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceStateRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the Game Instance to be updated, in decimal format.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// State to set for the specified game server instance.
+        /// </summary>
+        public GameInstanceState State;
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceStateResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceTagsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique identifier of the Game Server Instance to be updated.
+        /// </summary>
+        public string LobbyId;
+        /// <summary>
+        /// Tags to set for the specified Game Server Instance. Note that this is the complete list of tags to be associated with
+        /// the Game Server Instance.
+        /// </summary>
+        public Dictionary<string,string> Tags;
+    }
+
+    [Serializable]
+    public class SetGameServerInstanceTagsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// APIs that require signatures require that the player have a configured Player Secret Key that is used to sign all
+    /// requests. Players that don't have a secret will be blocked from making API calls until it is configured. To create a
+    /// signature header add a SHA256 hashed string containing UTF8 encoded JSON body as it will be sent to the server, the
+    /// current time in UTC formatted to ISO 8601, and the players secret formatted as 'body.date.secret'. Place the resulting
+    /// hash into the header X-PlayFab-Signature, along with a header X-PlayFab-Timestamp of the same UTC timestamp used in the
+    /// signature.
+    /// </summary>
+    [Serializable]
+    public class SetPlayerSecretRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Player secret that is used to verify API request signatures (Enterprise Only).
+        /// </summary>
+        public string PlayerSecret;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class SetPlayerSecretResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This API is designed to store publisher-specific values which can be read, but not written to, by the client. This data
+    /// is shared across all titles assigned to a particular publisher, and can be used for cross-game coordination. Only titles
+    /// assigned to a publisher can use this API. This operation is additive. If a Key does not exist in the current dataset, it
+    /// will be added with the specified Value. If it already exists, the Value for that key will be overwritten with the new
+    /// Value. For more information email helloplayfab@microsoft.com
+    /// </summary>
+    [Serializable]
+    public class SetPublisherDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// key we want to set a value on (note, this is additive - will only replace an existing key's value if they are the same
+        /// name.) Keys are trimmed of whitespace. Keys may not begin with the '!' character.
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// new value to set. Set to null to remove a value
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class SetPublisherDataResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This API is designed to store title specific values which can be read, but not written to, by the client. For example, a
+    /// developer could choose to store values which modify the user experience, such as enemy spawn rates, weapon strengths,
+    /// movement speeds, etc. This allows a developer to update the title without the need to create, test, and ship a new
+    /// build. This operation is additive. If a Key does not exist in the current dataset, it will be added with the specified
+    /// Value. If it already exists, the Value for that key will be overwritten with the new Value.
+    /// </summary>
+    [Serializable]
+    public class SetTitleDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// key we want to set a value on (note, this is additive - will only replace an existing key's value if they are the same
+        /// name.) Keys are trimmed of whitespace. Keys may not begin with the '!' character.
+        /// </summary>
+        public string Key;
+        /// <summary>
+        /// new value to set. Set to null to remove a value
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class SetTitleDataResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class SharedGroupDataRecord : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Timestamp for when this data was last updated.
+        /// </summary>
+        public DateTime LastUpdated;
+        /// <summary>
+        /// PlayFabId of the user to last update this value.
+        /// </summary>
+        public string LastUpdatedBy;
+        /// <summary>
+        /// Indicates whether this data can be read by all users (public) or only members of the group (private).
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Data stored for the specified group data key.
+        /// </summary>
+        public string Value;
+    }
+
+    public enum SourceType
+    {
+        Admin,
+        BackEnd,
+        GameClient,
+        GameServer,
+        Partner,
+        Custom,
+        API
+    }
+
+    [Serializable]
+    public class StatisticModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Statistic name
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Statistic value
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// Statistic version (0 if not a versioned statistic)
+        /// </summary>
+        public int Version;
+    }
+
+    [Serializable]
+    public class StatisticNameVersion : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// the version of the statistic to be returned
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class StatisticUpdate : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// statistic value for the player
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// for updates to an existing statistic value for a player, the version of the statistic when it was loaded. Null when
+        /// setting the statistic value for the first time.
+        /// </summary>
+        public uint? Version;
+    }
+
+    [Serializable]
+    public class StatisticValue : PlayFabBaseModel
+    {
+        /// <summary>
+        /// unique name of the statistic
+        /// </summary>
+        public string StatisticName;
+        /// <summary>
+        /// statistic value for the player
+        /// </summary>
+        public int Value;
+        /// <summary>
+        /// for updates to an existing statistic value for a player, the version of the statistic when it was loaded
+        /// </summary>
+        public uint Version;
+    }
+
+    [Serializable]
+    public class SteamPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Steam identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique Steam identifier for a user.
+        /// </summary>
+        public string SteamStringId;
+    }
+
+    /// <summary>
+    /// A store entry that list a catalog item at a particular price
+    /// </summary>
+    [Serializable]
+    public class StoreItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Store specific custom data. The data only exists as part of this store; it is not transferred to item instances
+        /// </summary>
+        public object CustomData;
+        /// <summary>
+        /// Intended display position for this item. Note that 0 is the first position
+        /// </summary>
+        public uint? DisplayPosition;
+        /// <summary>
+        /// Unique identifier of the item as it exists in the catalog - note that this must exactly match the ItemId from the
+        /// catalog
+        /// </summary>
+        public string ItemId;
+        /// <summary>
+        /// Override prices for this item for specific currencies
+        /// </summary>
+        public Dictionary<string,uint> RealCurrencyPrices;
+        /// <summary>
+        /// Override prices for this item in virtual currencies and "RM" (the base Real Money purchase price, in USD pennies)
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrencyPrices;
+    }
+
+    /// <summary>
+    /// Marketing data about a specific store
+    /// </summary>
+    [Serializable]
+    public class StoreMarketingModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Tagline for a store.
+        /// </summary>
+        public string Description;
+        /// <summary>
+        /// Display name of a store as it will appear to users.
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// Custom data about a store.
+        /// </summary>
+        public object Metadata;
+    }
+
+    [Serializable]
+    public class SubscriptionModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// When this subscription expires.
+        /// </summary>
+        public DateTime Expiration;
+        /// <summary>
+        /// The time the subscription was orignially purchased
+        /// </summary>
+        public DateTime InitialSubscriptionTime;
+        /// <summary>
+        /// Whether this subscription is currently active. That is, if Expiration > now.
+        /// </summary>
+        public bool IsActive;
+        /// <summary>
+        /// The status of this subscription, according to the subscription provider.
+        /// </summary>
+        public SubscriptionProviderStatus? Status;
+        /// <summary>
+        /// The id for this subscription
+        /// </summary>
+        public string SubscriptionId;
+        /// <summary>
+        /// The item id for this subscription from the primary catalog
+        /// </summary>
+        public string SubscriptionItemId;
+        /// <summary>
+        /// The provider for this subscription. Apple or Google Play are supported today.
+        /// </summary>
+        public string SubscriptionProvider;
+    }
+
+    public enum SubscriptionProviderStatus
+    {
+        NoError,
+        Cancelled,
+        UnknownError,
+        BillingError,
+        ProductUnavailable,
+        CustomerDidNotAcceptPriceChange,
+        FreeTrial,
+        PaymentPending
+    }
+
+    [Serializable]
+    public class SubtractCharacterVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be subtracted from the user balance of the specified virtual currency.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be decremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class SubtractUserVirtualCurrencyRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Amount to be subtracted from the user balance of the specified virtual currency.
+        /// </summary>
+        public int Amount;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// PlayFab unique identifier of the user whose virtual currency balance is to be decreased.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Name of the virtual currency which is to be decremented.
+        /// </summary>
+        public string VirtualCurrency;
+    }
+
+    [Serializable]
+    public class TagModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Full value of the tag, including namespace
+        /// </summary>
+        public string TagValue;
+    }
+
+    public enum TitleActivationStatus
+    {
+        None,
+        ActivatedTitleKey,
+        PendingSteam,
+        ActivatedSteam,
+        RevokedSteam
+    }
+
+    [Serializable]
+    public class TitleNewsItem : PlayFabBaseModel
+    {
+        /// <summary>
+        /// News item body.
+        /// </summary>
+        public string Body;
+        /// <summary>
+        /// Unique identifier of news item.
+        /// </summary>
+        public string NewsId;
+        /// <summary>
+        /// Date and time when the news item was posted.
+        /// </summary>
+        public DateTime Timestamp;
+        /// <summary>
+        /// Title of the news item.
+        /// </summary>
+        public string Title;
+    }
+
+    [Serializable]
+    public class TreatmentAssignment : PlayFabBaseModel
+    {
+        /// <summary>
+        /// List of the experiment variables.
+        /// </summary>
+        public List<Variable> Variables;
+        /// <summary>
+        /// List of the experiment variants.
+        /// </summary>
+        public List<string> Variants;
+    }
+
+    [Serializable]
+    public class UnlinkPSNAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UnlinkPSNAccountResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkServerCustomIdRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique server custom identifier for this player.
+        /// </summary>
+        public string ServerCustomId;
+    }
+
+    [Serializable]
+    public class UnlinkServerCustomIdResult : PlayFabResultCommon
+    {
+    }
+
+    [Serializable]
+    public class UnlinkXboxAccountRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Xbox Live identifier.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UnlinkXboxAccountResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Specify the container and optionally the catalogVersion for the container to open
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerInstanceRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to determine container contents. If unspecified, uses catalog
+        /// associated with the item instance.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// ItemInstanceId of the container to unlock.
+        /// </summary>
+        public string ContainerItemInstanceId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// ItemInstanceId of the key that will be consumed by unlocking this container. If the container requires a key, this
+        /// parameter is required.
+        /// </summary>
+        public string KeyItemInstanceId;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// Specify the type of container to open and optionally the catalogVersion for the container to open
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerItemRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Specifies the catalog version that should be used to determine container contents. If unspecified, uses default/primary
+        /// catalog.
+        /// </summary>
+        public string CatalogVersion;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Catalog ItemId of the container type to unlock.
+        /// </summary>
+        public string ContainerItemId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// The items and vc found within the container. These will be added and stacked in your inventory as appropriate.
+    /// </summary>
+    [Serializable]
+    public class UnlockContainerItemResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Items granted to the player as a result of unlocking the container.
+        /// </summary>
+        public List<ItemInstance> GrantedItems;
+        /// <summary>
+        /// Unique instance identifier of the container unlocked.
+        /// </summary>
+        public string UnlockedItemInstanceId;
+        /// <summary>
+        /// Unique instance identifier of the key used to unlock the container, if applicable.
+        /// </summary>
+        public string UnlockedWithItemInstanceId;
+        /// <summary>
+        /// Virtual currency granted to the player as a result of unlocking the container.
+        /// </summary>
+        public Dictionary<string,uint> VirtualCurrency;
+    }
+
+    [Serializable]
+    public class UpdateAvatarUrlRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// URL of the avatar image. If empty, it removes the existing avatar URL.
+        /// </summary>
+        public string ImageUrl;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// Represents a single update ban request.
+    /// </summary>
+    [Serializable]
+    public class UpdateBanRequest : PlayFabBaseModel
+    {
+        /// <summary>
+        /// The updated active state for the ban. Null for no change.
+        /// </summary>
+        public bool? Active;
+        /// <summary>
+        /// The id of the ban to be updated.
+        /// </summary>
+        public string BanId;
+        /// <summary>
+        /// The updated expiration date for the ban. Null for no change.
+        /// </summary>
+        public DateTime? Expires;
+        /// <summary>
+        /// The updated IP address for the ban. Null for no change.
+        /// </summary>
+        public string IPAddress;
+        /// <summary>
+        /// The updated MAC address for the ban. Null for no change.
+        /// </summary>
+        public string MACAddress;
+        /// <summary>
+        /// Whether to make this ban permanent. Set to true to make this ban permanent. This will not modify Active state.
+        /// </summary>
+        public bool? Permanent;
+        /// <summary>
+        /// The updated reason for the ban to be updated. Maximum 140 characters. Null for no change.
+        /// </summary>
+        public string Reason;
+    }
+
+    /// <summary>
+    /// For each ban, only updates the values that are set. Leave any value to null for no change. If a ban could not be found,
+    /// the rest are still applied. Returns information about applied updates only.
+    /// </summary>
+    [Serializable]
+    public class UpdateBansRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// List of bans to be updated. Maximum 100.
+        /// </summary>
+        public List<UpdateBanRequest> Bans;
+    }
+
+    [Serializable]
+    public class UpdateBansResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Information on the bans that were updated
+        /// </summary>
+        public List<BanInfo> BanData;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the user. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, while keys
+    /// with null values will be removed. No other key-value pairs will be changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateCharacterDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys written in this request. Defaults to "private" if not set.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UpdateCharacterDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// Character statistics are similar to user statistics in that they are numeric values which may only be updated by a
+    /// server operation, in order to minimize the opportunity for unauthorized changes. In addition to being available for use
+    /// by the title, the statistics are used for all leaderboard operations in PlayFab.
+    /// </summary>
+    [Serializable]
+    public class UpdateCharacterStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// Statistics to be updated with the provided values.
+        /// </summary>
+        public Dictionary<string,int> CharacterStatistics;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UpdateCharacterStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This operation is additive. Statistics not currently defined will be added, while those already defined will be updated
+    /// with the given values. All other user statistics will remain unchanged.
+    /// </summary>
+    [Serializable]
+    public class UpdatePlayerStatisticsRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Indicates whether the statistics provided should be set, regardless of the aggregation method set on the statistic.
+        /// Default is false.
+        /// </summary>
+        public bool? ForceUpdate;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Statistics to be updated with the provided values
+        /// </summary>
+        public List<StatisticUpdate> Statistics;
+    }
+
+    [Serializable]
+    public class UpdatePlayerStatisticsResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// Note that in the case of multiple calls to write to the same shared group data keys, the last write received by the
+    /// PlayFab service will determine the value available to subsequent read operations. For scenarios requiring coordination
+    /// of data updates, it is recommended that titles make use of user data with read permission set to public, or a
+    /// combination of user data and shared group data.
+    /// </summary>
+    [Serializable]
+    public class UpdateSharedGroupDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys in this request.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Unique identifier for the shared group.
+        /// </summary>
+        public string SharedGroupId;
+    }
+
+    [Serializable]
+    public class UpdateSharedGroupDataResult : PlayFabResultCommon
+    {
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the user. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, while keys
+    /// with null values will be removed. No other key-value pairs will be changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Permission to be applied to all user data keys written in this request. Defaults to "private" if not set.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UpdateUserDataResult : PlayFabResultCommon
+    {
+        /// <summary>
+        /// Indicates the current version of the data that has been set. This is incremented with every set call for that type of
+        /// data (read-only, internal, etc). This version can be provided in Get calls to find updated data.
+        /// </summary>
+        public uint DataVersion;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the user. In
+    /// updating the custom data object, keys which already exist in the object will have their values overwritten, keys with
+    /// null values will be removed. No other key-value pairs will be changed apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserInternalDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    /// <summary>
+    /// This function performs an additive update of the arbitrary JSON object containing the custom data for the item instance
+    /// which belongs to the specified user. In updating the custom data object, keys which already exist in the object will
+    /// have their values overwritten, while keys with null values will be removed. No other key-value pairs will be changed
+    /// apart from those specified in the call.
+    /// </summary>
+    [Serializable]
+    public class UpdateUserInventoryItemDataRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// Key-value pairs to be written to the custom data. Note that keys are trimmed of whitespace, are limited in size, and may
+        /// not begin with a '!' character or be null.
+        /// </summary>
+        public Dictionary<string,string> Data;
+        /// <summary>
+        /// Unique PlayFab assigned instance identifier of the item
+        /// </summary>
+        public string ItemInstanceId;
+        /// <summary>
+        /// Optional list of Data-keys to remove from UserData. Some SDKs cannot insert null-values into Data due to language
+        /// constraints. Use this to delete the keys directly.
+        /// </summary>
+        public List<string> KeysToRemove;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+    }
+
+    [Serializable]
+    public class UserAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// User Android device information, if an Android device has been linked
+        /// </summary>
+        public UserAndroidDeviceInfo AndroidDeviceInfo;
+        /// <summary>
+        /// Sign in with Apple account information, if an Apple account has been linked
+        /// </summary>
+        public UserAppleIdInfo AppleAccountInfo;
+        /// <summary>
+        /// Timestamp indicating when the user account was created
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// Custom ID information, if a custom ID has been assigned
+        /// </summary>
+        public UserCustomIdInfo CustomIdInfo;
+        /// <summary>
+        /// User Facebook information, if a Facebook account has been linked
+        /// </summary>
+        public UserFacebookInfo FacebookInfo;
+        /// <summary>
+        /// Facebook Instant Games account information, if a Facebook Instant Games account has been linked
+        /// </summary>
+        public UserFacebookInstantGamesIdInfo FacebookInstantGamesIdInfo;
+        /// <summary>
+        /// User Gamecenter information, if a Gamecenter account has been linked
+        /// </summary>
+        public UserGameCenterInfo GameCenterInfo;
+        /// <summary>
+        /// User Google account information, if a Google account has been linked
+        /// </summary>
+        public UserGoogleInfo GoogleInfo;
+        /// <summary>
+        /// User iOS device information, if an iOS device has been linked
+        /// </summary>
+        public UserIosDeviceInfo IosDeviceInfo;
+        /// <summary>
+        /// User Kongregate account information, if a Kongregate account has been linked
+        /// </summary>
+        public UserKongregateInfo KongregateInfo;
+        /// <summary>
+        /// Nintendo Switch account information, if a Nintendo Switch account has been linked
+        /// </summary>
+        public UserNintendoSwitchAccountIdInfo NintendoSwitchAccountInfo;
+        /// <summary>
+        /// Nintendo Switch device information, if a Nintendo Switch device has been linked
+        /// </summary>
+        public UserNintendoSwitchDeviceIdInfo NintendoSwitchDeviceIdInfo;
+        /// <summary>
+        /// OpenID Connect information, if any OpenID Connect accounts have been linked
+        /// </summary>
+        public List<UserOpenIdInfo> OpenIdInfo;
+        /// <summary>
+        /// Unique identifier for the user account
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Personal information for the user which is considered more sensitive
+        /// </summary>
+        public UserPrivateAccountInfo PrivateInfo;
+        /// <summary>
+        /// User PSN account information, if a PSN account has been linked
+        /// </summary>
+        public UserPsnInfo PsnInfo;
+        /// <summary>
+        /// User Steam information, if a Steam account has been linked
+        /// </summary>
+        public UserSteamInfo SteamInfo;
+        /// <summary>
+        /// Title-specific information for the user account
+        /// </summary>
+        public UserTitleInfo TitleInfo;
+        /// <summary>
+        /// User Twitch account information, if a Twitch account has been linked
+        /// </summary>
+        public UserTwitchInfo TwitchInfo;
+        /// <summary>
+        /// User account name in the PlayFab service
+        /// </summary>
+        public string Username;
+        /// <summary>
+        /// User XBox account information, if a XBox account has been linked
+        /// </summary>
+        public UserXboxInfo XboxInfo;
+    }
+
+    [Serializable]
+    public class UserAndroidDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Android device ID
+        /// </summary>
+        public string AndroidDeviceId;
+    }
+
+    [Serializable]
+    public class UserAppleIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Apple subject ID
+        /// </summary>
+        public string AppleSubjectId;
+    }
+
+    [Serializable]
+    public class UserCustomIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Custom ID
+        /// </summary>
+        public string CustomId;
+    }
+
+    /// <summary>
+    /// Indicates whether a given data key is private (readable only by the player) or public (readable by all players). When a
+    /// player makes a GetUserData request about another player, only keys marked Public will be returned.
+    /// </summary>
+    public enum UserDataPermission
+    {
+        Private,
+        Public
+    }
+
+    [Serializable]
+    public class UserDataRecord : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Timestamp for when this data was last updated.
+        /// </summary>
+        public DateTime LastUpdated;
+        /// <summary>
+        /// Indicates whether this data can be read by all users (public) or only the user (private). This is used for GetUserData
+        /// requests being made by one player about another player.
+        /// </summary>
+        public UserDataPermission? Permission;
+        /// <summary>
+        /// Data stored for the specified user data key.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class UserFacebookInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook identifier
+        /// </summary>
+        public string FacebookId;
+        /// <summary>
+        /// Facebook full name
+        /// </summary>
+        public string FullName;
+    }
+
+    [Serializable]
+    public class UserFacebookInstantGamesIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Facebook Instant Games ID
+        /// </summary>
+        public string FacebookInstantGamesId;
+    }
+
+    [Serializable]
+    public class UserGameCenterInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Gamecenter identifier
+        /// </summary>
+        public string GameCenterId;
+    }
+
+    [Serializable]
+    public class UserGoogleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Email address of the Google account
+        /// </summary>
+        public string GoogleEmail;
+        /// <summary>
+        /// Gender information of the Google account
+        /// </summary>
+        public string GoogleGender;
+        /// <summary>
+        /// Google ID
+        /// </summary>
+        public string GoogleId;
+        /// <summary>
+        /// Locale of the Google account
+        /// </summary>
+        public string GoogleLocale;
+        /// <summary>
+        /// Name of the Google account user
+        /// </summary>
+        public string GoogleName;
+    }
+
+    [Serializable]
+    public class UserIosDeviceInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// iOS device ID
+        /// </summary>
+        public string IosDeviceId;
+    }
+
+    [Serializable]
+    public class UserKongregateInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Kongregate ID
+        /// </summary>
+        public string KongregateId;
+        /// <summary>
+        /// Kongregate Username
+        /// </summary>
+        public string KongregateName;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchAccountIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch account subject ID
+        /// </summary>
+        public string NintendoSwitchAccountSubjectId;
+    }
+
+    [Serializable]
+    public class UserNintendoSwitchDeviceIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Nintendo Switch Device ID
+        /// </summary>
+        public string NintendoSwitchDeviceId;
+    }
+
+    [Serializable]
+    public class UserOpenIdInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// OpenID Connection ID
+        /// </summary>
+        public string ConnectionId;
+        /// <summary>
+        /// OpenID Issuer
+        /// </summary>
+        public string Issuer;
+        /// <summary>
+        /// OpenID Subject
+        /// </summary>
+        public string Subject;
+    }
+
+    public enum UserOrigination
+    {
+        Organic,
+        Steam,
+        Google,
+        Amazon,
+        Facebook,
+        Kongregate,
+        GamersFirst,
+        Unknown,
+        IOS,
+        LoadTest,
+        Android,
+        PSN,
+        GameCenter,
+        CustomId,
+        XboxLive,
+        Parse,
+        Twitch,
+        ServerCustomId,
+        NintendoSwitchDeviceId,
+        FacebookInstantGamesId,
+        OpenIdConnect,
+        Apple,
+        NintendoSwitchAccount
+    }
+
+    [Serializable]
+    public class UserPrivateAccountInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// user email address
+        /// </summary>
+        public string Email;
+    }
+
+    [Serializable]
+    public class UserPsnInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// PSN account ID
+        /// </summary>
+        public string PsnAccountId;
+        /// <summary>
+        /// PSN online ID
+        /// </summary>
+        public string PsnOnlineId;
+    }
+
+    [Serializable]
+    public class UserSettings : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Boolean for whether this player is eligible for gathering device info.
+        /// </summary>
+        public bool GatherDeviceInfo;
+        /// <summary>
+        /// Boolean for whether this player should report OnFocus play-time tracking.
+        /// </summary>
+        public bool GatherFocusInfo;
+        /// <summary>
+        /// Boolean for whether this player is eligible for ad tracking.
+        /// </summary>
+        public bool NeedsAttribution;
+    }
+
+    [Serializable]
+    public class UserSteamInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// what stage of game ownership the user is listed as being in, from Steam
+        /// </summary>
+        public TitleActivationStatus? SteamActivationStatus;
+        /// <summary>
+        /// the country in which the player resides, from Steam data
+        /// </summary>
+        public string SteamCountry;
+        /// <summary>
+        /// currency type set in the user Steam account
+        /// </summary>
+        public Currency? SteamCurrency;
+        /// <summary>
+        /// Steam identifier
+        /// </summary>
+        public string SteamId;
+        /// <summary>
+        /// Steam display name
+        /// </summary>
+        public string SteamName;
+    }
+
+    [Serializable]
+    public class UserTitleInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// URL to the player's avatar.
+        /// </summary>
+        public string AvatarUrl;
+        /// <summary>
+        /// timestamp indicating when the user was first associated with this game (this can differ significantly from when the user
+        /// first registered with PlayFab)
+        /// </summary>
+        public DateTime Created;
+        /// <summary>
+        /// name of the user, as it is displayed in-game
+        /// </summary>
+        public string DisplayName;
+        /// <summary>
+        /// timestamp indicating when the user first signed into this game (this can differ from the Created timestamp, as other
+        /// events, such as issuing a beta key to the user, can associate the title to the user)
+        /// </summary>
+        public DateTime? FirstLogin;
+        /// <summary>
+        /// boolean indicating whether or not the user is currently banned for a title
+        /// </summary>
+        public bool? isBanned;
+        /// <summary>
+        /// timestamp for the last user login for this title
+        /// </summary>
+        public DateTime? LastLogin;
+        /// <summary>
+        /// source by which the user first joined the game, if known
+        /// </summary>
+        public UserOrigination? Origination;
+        /// <summary>
+        /// Title player account entity for this user
+        /// </summary>
+        public EntityKey TitlePlayerAccount;
+    }
+
+    [Serializable]
+    public class UserTwitchInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Twitch ID
+        /// </summary>
+        public string TwitchId;
+        /// <summary>
+        /// Twitch Username
+        /// </summary>
+        public string TwitchUserName;
+    }
+
+    [Serializable]
+    public class UserXboxInfo : PlayFabBaseModel
+    {
+        /// <summary>
+        /// XBox user ID
+        /// </summary>
+        public string XboxUserId;
+    }
+
+    [Serializable]
+    public class ValueToDateModel : PlayFabBaseModel
+    {
+        /// <summary>
+        /// ISO 4217 code of the currency used in the purchases
+        /// </summary>
+        public string Currency;
+        /// <summary>
+        /// Total value of the purchases in a whole number of 1/100 monetary units. For example, 999 indicates nine dollars and
+        /// ninety-nine cents when Currency is 'USD')
+        /// </summary>
+        public uint TotalValue;
+        /// <summary>
+        /// Total value of the purchases in a string representation of decimal monetary units. For example, '9.99' indicates nine
+        /// dollars and ninety-nine cents when Currency is 'USD'.
+        /// </summary>
+        public string TotalValueAsDecimal;
+    }
+
+    [Serializable]
+    public class Variable : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Name of the variable.
+        /// </summary>
+        public string Name;
+        /// <summary>
+        /// Value of the variable.
+        /// </summary>
+        public string Value;
+    }
+
+    [Serializable]
+    public class VirtualCurrencyRechargeTime : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Maximum value to which the regenerating currency will automatically increment. Note that it can exceed this value
+        /// through use of the AddUserVirtualCurrency API call. However, it will not regenerate automatically until it has fallen
+        /// below this value.
+        /// </summary>
+        public int RechargeMax;
+        /// <summary>
+        /// Server timestamp in UTC indicating the next time the virtual currency will be incremented.
+        /// </summary>
+        public DateTime RechargeTime;
+        /// <summary>
+        /// Time remaining (in seconds) before the next recharge increment of the virtual currency.
+        /// </summary>
+        public int SecondsToRecharge;
+    }
+
+    [Serializable]
+    public class WriteEventResponse : PlayFabResultCommon
+    {
+        /// <summary>
+        /// The unique identifier of the event. The values of this identifier consist of ASCII characters and are not constrained to
+        /// any particular format.
+        /// </summary>
+        public string EventId;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different event types into PlayStream. It supports a flexible JSON schema,
+    /// which allowsfor arbitrary key-value pairs to describe any character-based event. The created event will be locked to the
+    /// authenticated title.
+    /// </summary>
+    [Serializable]
+    public class WriteServerCharacterEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom event properties. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// Unique PlayFab assigned ID for a specific character owned by a user
+        /// </summary>
+        public string CharacterId;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different event types into PlayStream. It supports a flexible JSON schema,
+    /// which allowsfor arbitrary key-value pairs to describe any player-based event. The created event will be locked to the
+    /// authenticated title.
+    /// </summary>
+    [Serializable]
+    public class WriteServerPlayerEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom data properties associated with the event. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// Unique PlayFab assigned ID of the user on whom the operation will be performed.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    /// <summary>
+    /// This API is designed to write a multitude of different event types into PlayStream. It supports a flexible JSON schema,
+    /// which allowsfor arbitrary key-value pairs to describe any title-based event. The created event will be locked to the
+    /// authenticated title.
+    /// </summary>
+    [Serializable]
+    public class WriteTitleEventRequest : PlayFabRequestCommon
+    {
+        /// <summary>
+        /// Custom event properties. Each property consists of a name (string) and a value (JSON object).
+        /// </summary>
+        public Dictionary<string,object> Body;
+        /// <summary>
+        /// The optional custom tags associated with the request (e.g. build number, external trace identifiers, etc.).
+        /// </summary>
+        public Dictionary<string,string> CustomTags;
+        /// <summary>
+        /// The name of the event, within the namespace scoped to the title. The naming convention is up to the caller, but it
+        /// commonly follows the subject_verb_object pattern (e.g. player_logged_in).
+        /// </summary>
+        public string EventName;
+        /// <summary>
+        /// The time (in UTC) associated with this event. The value defaults to the current time.
+        /// </summary>
+        public DateTime? Timestamp;
+    }
+
+    [Serializable]
+    public class XboxLiveAccountPlayFabIdPair : PlayFabBaseModel
+    {
+        /// <summary>
+        /// Unique PlayFab identifier for a user, or null if no PlayFab account is linked to the Xbox Live identifier.
+        /// </summary>
+        public string PlayFabId;
+        /// <summary>
+        /// Unique Xbox Live identifier for a user.
+        /// </summary>
+        public string XboxLiveAccountId;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Server/PlayFabServerModels.cs.meta b/Assets/PlayFabSDK/Server/PlayFabServerModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..cafb56b40c92addaac4fb9c8bb4bff03df7ff751
--- /dev/null
+++ b/Assets/PlayFabSDK/Server/PlayFabServerModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 85069115b99da8c4688d838452001d89
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared.meta b/Assets/PlayFabSDK/Shared.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f48d4b6a02cc6ec2585be2c7e722428faebc65bc
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 7f23e4a650becd44fa8fccf00ba8529b
+folderAsset: yes
+timeCreated: 1468524875
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Editor.meta b/Assets/PlayFabSDK/Shared/Editor.meta
new file mode 100644
index 0000000000000000000000000000000000000000..4bfc2ceb22333d43c599da488328cab9b10cfda1
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor.meta
@@ -0,0 +1,5 @@
+fileFormatVersion: 2
+guid: 8d731e8907f844532878b81596fe3852
+folderAsset: yes
+DefaultImporter:
+  userData: 
diff --git a/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs b/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs
new file mode 100644
index 0000000000000000000000000000000000000000..75c12db2dbc3033229ceb2db71bc75b3001082d4
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs
@@ -0,0 +1,21 @@
+#if UNITY_2017_1_OR_NEWER
+using PlayFab.PfEditor;
+using UnityEditor;
+using UnityEngine;
+
+public class MakeScriptableObject
+{
+    [MenuItem("PlayFab/MakePlayFabSharedSettings")]
+    public static void MakePlayFabSharedSettings()
+    {
+        PlayFabSharedSettings asset = ScriptableObject.CreateInstance<PlayFabSharedSettings>();
+
+        AssetDatabase.CreateAsset(asset, "Assets/PlayFabSdk/Shared/Public/Resources/PlayFabSharedSettings.asset"); // TODO: Path should not be hard coded
+        AssetDatabase.SaveAssets();
+
+        EditorUtility.FocusProjectWindow();
+
+        Selection.activeObject = asset;
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs.meta b/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1d5091f5bbdb40368ed6eec7991bf47d8be31c20
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/MakeSharedSettingsObj.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 3e92542860dab28489c3d9cc0baa1ebd
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs b/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs
new file mode 100644
index 0000000000000000000000000000000000000000..43581fd68ce36f533871e14a747fbe4705e51a4b
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs
@@ -0,0 +1,26 @@
+using UnityEditor;
+using UnityEngine;
+
+namespace PlayFab.PfEditor
+{
+    public static class PlayFabHelp
+    {
+        [MenuItem("PlayFab/GettingStarted")]
+        private static void GettingStarted()
+        {
+            Application.OpenURL("https://docs.microsoft.com/en-us/gaming/playfab/index#pivot=documentation&panel=quickstarts");
+        }
+
+        [MenuItem("PlayFab/Docs")]
+        private static void Documentation()
+        {
+            Application.OpenURL("https://docs.microsoft.com/en-us/gaming/playfab/api-references/");
+        }
+
+        [MenuItem("PlayFab/Dashboard")]
+        private static void Dashboard()
+        {
+            Application.OpenURL("https://developer.playfab.com/");
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs.meta b/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..b9a59d8fc82430a6786ed2ed2cac1d22988fcc80
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/PlayFabHelp.cs.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: e51e733dabbc847fa839b19c01bc577c
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef b/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef
new file mode 100644
index 0000000000000000000000000000000000000000..216c53f7fa636e08ef8df597c1c48e6e128fef86
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef
@@ -0,0 +1,16 @@
+{
+    "name": "PlayFabSDKEditor",
+    "references": [
+        "PlayFab"
+    ],
+    "includePlatforms": [
+        "Editor"
+    ],
+    "excludePlatforms": [],
+    "allowUnsafeCode": false,
+    "overrideReferences": false,
+    "precompiledReferences": [],
+    "autoReferenced": true,
+    "defineConstraints": [],
+    "versionDefines": []
+}
\ No newline at end of file
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef.meta b/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef.meta
new file mode 100644
index 0000000000000000000000000000000000000000..4778f447713def015bae2cc24b222da6fc908925
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/PlayFabSdkEditor.asmdef.meta
@@ -0,0 +1,7 @@
+fileFormatVersion: 2
+guid: 8aa8a8085039f0e4ba1c8d6480d45262
+AssemblyDefinitionImporter:
+  externalObjects: {}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png b/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png
new file mode 100644
index 0000000000000000000000000000000000000000..8c8e7f16ea960c19c8751b65ea9f05eb612209eb
Binary files /dev/null and b/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png differ
diff --git a/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png.meta b/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png.meta
new file mode 100644
index 0000000000000000000000000000000000000000..f490561c4b0f704b7bc49ac6fb417cc0d9aaca7e
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Editor/PlayFablogo.png.meta
@@ -0,0 +1,91 @@
+fileFormatVersion: 2
+guid: ec8f5065b10fb4f04bebf82a992c442e
+TextureImporter:
+  internalIDToNameTable: []
+  externalObjects: {}
+  serializedVersion: 10
+  mipmaps:
+    mipMapMode: 0
+    enableMipMap: 1
+    sRGBTexture: 1
+    linearTexture: 0
+    fadeOut: 0
+    borderMipMap: 0
+    mipMapsPreserveCoverage: 0
+    alphaTestReferenceValue: 0.5
+    mipMapFadeDistanceStart: 1
+    mipMapFadeDistanceEnd: 3
+  bumpmap:
+    convertToNormalMap: 0
+    externalNormalMap: 0
+    heightScale: 0.25
+    normalMapFilter: 0
+  isReadable: 0
+  streamingMipmaps: 0
+  streamingMipmapsPriority: 0
+  grayScaleToAlpha: 0
+  generateCubemap: 6
+  cubemapConvolution: 0
+  seamlessCubemap: 0
+  textureFormat: -1
+  maxTextureSize: 1024
+  textureSettings:
+    serializedVersion: 2
+    filterMode: -1
+    aniso: 16
+    mipBias: -100
+    wrapU: -1
+    wrapV: -1
+    wrapW: -1
+  nPOTScale: 0
+  lightmap: 0
+  compressionQuality: 50
+  spriteMode: 1
+  spriteExtrude: 1
+  spriteMeshType: 1
+  alignment: 0
+  spritePivot: {x: 0.5, y: 0.5}
+  spritePixelsToUnits: 100
+  spriteBorder: {x: 0, y: 0, z: 0, w: 0}
+  spriteGenerateFallbackPhysicsShape: 1
+  alphaUsage: 1
+  alphaIsTransparency: 1
+  spriteTessellationDetail: -1
+  textureType: 8
+  textureShape: 1
+  singleChannelComponent: 0
+  maxTextureSizeSet: 0
+  compressionQualitySet: 0
+  textureFormatSet: 0
+  platformSettings:
+  - serializedVersion: 3
+    buildTarget: DefaultTexturePlatform
+    maxTextureSize: 1024
+    resizeAlgorithm: 0
+    textureFormat: -1
+    textureCompression: 1
+    compressionQuality: 50
+    crunchedCompression: 0
+    allowsAlphaSplitting: 0
+    overridden: 0
+    androidETC2FallbackOverride: 0
+    forceMaximumCompressionQuality_BC6H_BC7: 0
+  spriteSheet:
+    serializedVersion: 2
+    sprites: []
+    outline: []
+    physicsShape: []
+    bones: []
+    spriteID: 5e97eb03825dee720800000000000000
+    internalID: 0
+    vertices: []
+    indices: 
+    edges: []
+    weights: []
+    secondaryTextures: []
+  spritePackingTag: 
+  pSDRemoveMatte: 0
+  pSDShowRemoveMatteOption: 0
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal.meta b/Assets/PlayFabSDK/Shared/Internal.meta
new file mode 100644
index 0000000000000000000000000000000000000000..3590aa8ad00dda575a9013245e17cf77f8bd6ec9
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal.meta
@@ -0,0 +1,5 @@
+fileFormatVersion: 2
+guid: 91910e31dc88043ea918915ee9d665d9
+folderAsset: yes
+DefaultImporter:
+  userData: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs b/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs
new file mode 100644
index 0000000000000000000000000000000000000000..83f1ba6c030c534c495eea05a150191f039a34fa
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs
@@ -0,0 +1,108 @@
+using System;
+using System.Globalization;
+using PlayFab.Internal;
+
+namespace PlayFab.Json
+{
+    public class SimpleJsonInstance : ISerializerPlugin
+    {
+        /// <summary>
+        /// Most users shouldn't access this
+        /// JsonWrapper.Serialize, and JsonWrapper.Deserialize will always use it automatically (Unless you deliberately mess with them)
+        /// Any Serialization of an object in the PlayFab namespace should just use JsonWrapper
+        /// </summary>
+        public static PlayFabSimpleJsonCuztomization ApiSerializerStrategy = new PlayFabSimpleJsonCuztomization();
+        public class PlayFabSimpleJsonCuztomization : PocoJsonSerializerStrategy
+        {
+            /// <summary>
+            /// Convert the json value into the destination field/property
+            /// </summary>
+            public override object DeserializeObject(object value, Type type)
+            {
+                var valueStr = value as string;
+                if (valueStr == null) // For all of our custom conversions, value is a string
+                    return base.DeserializeObject(value, type);
+
+                var underType = Nullable.GetUnderlyingType(type);
+                if (underType != null)
+                    return DeserializeObject(value, underType);
+                else if (type.GetTypeInfo().IsEnum)
+                    return Enum.Parse(type, (string)value, true);
+                else if (type == typeof(DateTime))
+                {
+                    DateTime output;
+                    var result = DateTime.TryParseExact(valueStr, PlayFabUtil._defaultDateTimeFormats, CultureInfo.InvariantCulture, PlayFabUtil.DateTimeStyles, out output);
+                    if (result)
+                        return output;
+                }
+                else if (type == typeof(DateTimeOffset))
+                {
+                    DateTimeOffset output;
+                    var result = DateTimeOffset.TryParseExact(valueStr, PlayFabUtil._defaultDateTimeFormats, CultureInfo.InvariantCulture, PlayFabUtil.DateTimeStyles, out output);
+                    if (result)
+                        return output;
+                }
+                else if (type == typeof(TimeSpan))
+                {
+                    double seconds;
+                    if (double.TryParse(valueStr, out seconds))
+                        return TimeSpan.FromSeconds(seconds);
+                }
+                return base.DeserializeObject(value, type);
+            }
+
+            /// <summary>
+            /// Set output to a string that represents the input object
+            /// </summary>
+            protected override bool TrySerializeKnownTypes(object input, out object output)
+            {
+                if (input.GetType().GetTypeInfo().IsEnum)
+                {
+                    output = input.ToString();
+                    return true;
+                }
+                else if (input is DateTime)
+                {
+                    output = ((DateTime)input).ToString(PlayFabUtil._defaultDateTimeFormats[PlayFabUtil.DEFAULT_UTC_OUTPUT_INDEX], CultureInfo.InvariantCulture);
+                    return true;
+                }
+                else if (input is DateTimeOffset)
+                {
+                    output = ((DateTimeOffset)input).ToString(PlayFabUtil._defaultDateTimeFormats[PlayFabUtil.DEFAULT_UTC_OUTPUT_INDEX], CultureInfo.InvariantCulture);
+                    return true;
+                }
+                else if (input is TimeSpan)
+                {
+                    output = ((TimeSpan)input).TotalSeconds;
+                    return true;
+                }
+                return base.TrySerializeKnownTypes(input, out output);
+            }
+        }
+
+        public T DeserializeObject<T>(string json)
+        {
+            return PlayFabSimpleJson.DeserializeObject<T>(json, ApiSerializerStrategy);
+        }
+
+        public T DeserializeObject<T>(string json, object jsonSerializerStrategy)
+        {
+            return PlayFabSimpleJson.DeserializeObject<T>(json, (IJsonSerializerStrategy)jsonSerializerStrategy);
+        }
+
+        public object DeserializeObject(string json)
+        {
+            return PlayFabSimpleJson.DeserializeObject(json, typeof(object), ApiSerializerStrategy);
+        }
+
+        public string SerializeObject(object json)
+        {
+            return PlayFabSimpleJson.SerializeObject(json, ApiSerializerStrategy);
+        }
+
+        public string SerializeObject(object json, object jsonSerializerStrategy)
+        {
+            return PlayFabSimpleJson.SerializeObject(json, (IJsonSerializerStrategy)jsonSerializerStrategy);
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs.meta b/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..285cd8438ae2076faeff3897d3170ac5c5dca5ab
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/ISerializer.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 1337f8c156b41834691b131f3b6774f9
+timeCreated: 1462682372
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/Log.cs b/Assets/PlayFabSDK/Shared/Internal/Log.cs
new file mode 100644
index 0000000000000000000000000000000000000000..40767f07f470210bba717328ee5668678d904266
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/Log.cs
@@ -0,0 +1,44 @@
+using System;
+
+namespace PlayFab.Internal
+{
+    [Obsolete("This logging utility has been deprecated. Use UnityEngine.Debug.Log")]
+    public static class Log
+    {
+        [Obsolete("Debug is deprecated.")]
+        public static void Debug(string text, params object[] args)
+        {
+            if ((PlayFabSettings.LogLevel & PlayFabLogLevel.Debug) != 0)
+            {
+                UnityEngine.Debug.Log(PlayFabUtil.timeStamp + " DEBUG: " + PlayFabUtil.Format(text, args));
+            }
+        }
+
+        [Obsolete("Info is deprecated.")]
+        public static void Info(string text, params object[] args)
+        {
+            if ((PlayFabSettings.LogLevel & PlayFabLogLevel.Info) != 0)
+            {
+                UnityEngine.Debug.Log(PlayFabUtil.timeStamp + " INFO: " + PlayFabUtil.Format(text, args));
+            }
+        }
+
+        [Obsolete("Warning is deprecated.")]
+        public static void Warning(string text, params object[] args)
+        {
+            if ((PlayFabSettings.LogLevel & PlayFabLogLevel.Warning) != 0)
+            {
+                UnityEngine.Debug.LogWarning(PlayFabUtil.timeStamp + " WARNING: " + PlayFabUtil.Format(text, args));
+            }
+        }
+
+        [Obsolete("Error is deprecated.")]
+        public static void Error(string text, params object[] args)
+        {
+            if ((PlayFabSettings.LogLevel & PlayFabLogLevel.Error) != 0)
+            {
+                UnityEngine.Debug.LogError(PlayFabUtil.timeStamp + " ERROR: " + PlayFabUtil.Format(text, args));
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/Log.cs.meta b/Assets/PlayFabSDK/Shared/Internal/Log.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ebf6395e72ea57b516f1e2ba11fea88efa33b57a
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/Log.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 5b55790eeab1b3c41a4f1381cbea1213
+timeCreated: 1462682372
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs
new file mode 100644
index 0000000000000000000000000000000000000000..ae08083465aefd6fe9673625addc91254336433a
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs
@@ -0,0 +1,723 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Error codes returned by PlayFabAPIs
+    /// </summary>
+    public enum PlayFabErrorCode
+    {
+        Unknown = 1,
+        ConnectionError = 2,
+        JsonParseError = 3,
+        Success = 0,
+        UnkownError = 500,
+        InvalidParams = 1000,
+        AccountNotFound = 1001,
+        AccountBanned = 1002,
+        InvalidUsernameOrPassword = 1003,
+        InvalidTitleId = 1004,
+        InvalidEmailAddress = 1005,
+        EmailAddressNotAvailable = 1006,
+        InvalidUsername = 1007,
+        InvalidPassword = 1008,
+        UsernameNotAvailable = 1009,
+        InvalidSteamTicket = 1010,
+        AccountAlreadyLinked = 1011,
+        LinkedAccountAlreadyClaimed = 1012,
+        InvalidFacebookToken = 1013,
+        AccountNotLinked = 1014,
+        FailedByPaymentProvider = 1015,
+        CouponCodeNotFound = 1016,
+        InvalidContainerItem = 1017,
+        ContainerNotOwned = 1018,
+        KeyNotOwned = 1019,
+        InvalidItemIdInTable = 1020,
+        InvalidReceipt = 1021,
+        ReceiptAlreadyUsed = 1022,
+        ReceiptCancelled = 1023,
+        GameNotFound = 1024,
+        GameModeNotFound = 1025,
+        InvalidGoogleToken = 1026,
+        UserIsNotPartOfDeveloper = 1027,
+        InvalidTitleForDeveloper = 1028,
+        TitleNameConflicts = 1029,
+        UserisNotValid = 1030,
+        ValueAlreadyExists = 1031,
+        BuildNotFound = 1032,
+        PlayerNotInGame = 1033,
+        InvalidTicket = 1034,
+        InvalidDeveloper = 1035,
+        InvalidOrderInfo = 1036,
+        RegistrationIncomplete = 1037,
+        InvalidPlatform = 1038,
+        UnknownError = 1039,
+        SteamApplicationNotOwned = 1040,
+        WrongSteamAccount = 1041,
+        TitleNotActivated = 1042,
+        RegistrationSessionNotFound = 1043,
+        NoSuchMod = 1044,
+        FileNotFound = 1045,
+        DuplicateEmail = 1046,
+        ItemNotFound = 1047,
+        ItemNotOwned = 1048,
+        ItemNotRecycleable = 1049,
+        ItemNotAffordable = 1050,
+        InvalidVirtualCurrency = 1051,
+        WrongVirtualCurrency = 1052,
+        WrongPrice = 1053,
+        NonPositiveValue = 1054,
+        InvalidRegion = 1055,
+        RegionAtCapacity = 1056,
+        ServerFailedToStart = 1057,
+        NameNotAvailable = 1058,
+        InsufficientFunds = 1059,
+        InvalidDeviceID = 1060,
+        InvalidPushNotificationToken = 1061,
+        NoRemainingUses = 1062,
+        InvalidPaymentProvider = 1063,
+        PurchaseInitializationFailure = 1064,
+        DuplicateUsername = 1065,
+        InvalidBuyerInfo = 1066,
+        NoGameModeParamsSet = 1067,
+        BodyTooLarge = 1068,
+        ReservedWordInBody = 1069,
+        InvalidTypeInBody = 1070,
+        InvalidRequest = 1071,
+        ReservedEventName = 1072,
+        InvalidUserStatistics = 1073,
+        NotAuthenticated = 1074,
+        StreamAlreadyExists = 1075,
+        ErrorCreatingStream = 1076,
+        StreamNotFound = 1077,
+        InvalidAccount = 1078,
+        PurchaseDoesNotExist = 1080,
+        InvalidPurchaseTransactionStatus = 1081,
+        APINotEnabledForGameClientAccess = 1082,
+        NoPushNotificationARNForTitle = 1083,
+        BuildAlreadyExists = 1084,
+        BuildPackageDoesNotExist = 1085,
+        CustomAnalyticsEventsNotEnabledForTitle = 1087,
+        InvalidSharedGroupId = 1088,
+        NotAuthorized = 1089,
+        MissingTitleGoogleProperties = 1090,
+        InvalidItemProperties = 1091,
+        InvalidPSNAuthCode = 1092,
+        InvalidItemId = 1093,
+        PushNotEnabledForAccount = 1094,
+        PushServiceError = 1095,
+        ReceiptDoesNotContainInAppItems = 1096,
+        ReceiptContainsMultipleInAppItems = 1097,
+        InvalidBundleID = 1098,
+        JavascriptException = 1099,
+        InvalidSessionTicket = 1100,
+        UnableToConnectToDatabase = 1101,
+        InternalServerError = 1110,
+        InvalidReportDate = 1111,
+        ReportNotAvailable = 1112,
+        DatabaseThroughputExceeded = 1113,
+        InvalidGameTicket = 1115,
+        ExpiredGameTicket = 1116,
+        GameTicketDoesNotMatchLobby = 1117,
+        LinkedDeviceAlreadyClaimed = 1118,
+        DeviceAlreadyLinked = 1119,
+        DeviceNotLinked = 1120,
+        PartialFailure = 1121,
+        PublisherNotSet = 1122,
+        ServiceUnavailable = 1123,
+        VersionNotFound = 1124,
+        RevisionNotFound = 1125,
+        InvalidPublisherId = 1126,
+        DownstreamServiceUnavailable = 1127,
+        APINotIncludedInTitleUsageTier = 1128,
+        DAULimitExceeded = 1129,
+        APIRequestLimitExceeded = 1130,
+        InvalidAPIEndpoint = 1131,
+        BuildNotAvailable = 1132,
+        ConcurrentEditError = 1133,
+        ContentNotFound = 1134,
+        CharacterNotFound = 1135,
+        CloudScriptNotFound = 1136,
+        ContentQuotaExceeded = 1137,
+        InvalidCharacterStatistics = 1138,
+        PhotonNotEnabledForTitle = 1139,
+        PhotonApplicationNotFound = 1140,
+        PhotonApplicationNotAssociatedWithTitle = 1141,
+        InvalidEmailOrPassword = 1142,
+        FacebookAPIError = 1143,
+        InvalidContentType = 1144,
+        KeyLengthExceeded = 1145,
+        DataLengthExceeded = 1146,
+        TooManyKeys = 1147,
+        FreeTierCannotHaveVirtualCurrency = 1148,
+        MissingAmazonSharedKey = 1149,
+        AmazonValidationError = 1150,
+        InvalidPSNIssuerId = 1151,
+        PSNInaccessible = 1152,
+        ExpiredAuthToken = 1153,
+        FailedToGetEntitlements = 1154,
+        FailedToConsumeEntitlement = 1155,
+        TradeAcceptingUserNotAllowed = 1156,
+        TradeInventoryItemIsAssignedToCharacter = 1157,
+        TradeInventoryItemIsBundle = 1158,
+        TradeStatusNotValidForCancelling = 1159,
+        TradeStatusNotValidForAccepting = 1160,
+        TradeDoesNotExist = 1161,
+        TradeCancelled = 1162,
+        TradeAlreadyFilled = 1163,
+        TradeWaitForStatusTimeout = 1164,
+        TradeInventoryItemExpired = 1165,
+        TradeMissingOfferedAndAcceptedItems = 1166,
+        TradeAcceptedItemIsBundle = 1167,
+        TradeAcceptedItemIsStackable = 1168,
+        TradeInventoryItemInvalidStatus = 1169,
+        TradeAcceptedCatalogItemInvalid = 1170,
+        TradeAllowedUsersInvalid = 1171,
+        TradeInventoryItemDoesNotExist = 1172,
+        TradeInventoryItemIsConsumed = 1173,
+        TradeInventoryItemIsStackable = 1174,
+        TradeAcceptedItemsMismatch = 1175,
+        InvalidKongregateToken = 1176,
+        FeatureNotConfiguredForTitle = 1177,
+        NoMatchingCatalogItemForReceipt = 1178,
+        InvalidCurrencyCode = 1179,
+        NoRealMoneyPriceForCatalogItem = 1180,
+        TradeInventoryItemIsNotTradable = 1181,
+        TradeAcceptedCatalogItemIsNotTradable = 1182,
+        UsersAlreadyFriends = 1183,
+        LinkedIdentifierAlreadyClaimed = 1184,
+        CustomIdNotLinked = 1185,
+        TotalDataSizeExceeded = 1186,
+        DeleteKeyConflict = 1187,
+        InvalidXboxLiveToken = 1188,
+        ExpiredXboxLiveToken = 1189,
+        ResettableStatisticVersionRequired = 1190,
+        NotAuthorizedByTitle = 1191,
+        NoPartnerEnabled = 1192,
+        InvalidPartnerResponse = 1193,
+        APINotEnabledForGameServerAccess = 1194,
+        StatisticNotFound = 1195,
+        StatisticNameConflict = 1196,
+        StatisticVersionClosedForWrites = 1197,
+        StatisticVersionInvalid = 1198,
+        APIClientRequestRateLimitExceeded = 1199,
+        InvalidJSONContent = 1200,
+        InvalidDropTable = 1201,
+        StatisticVersionAlreadyIncrementedForScheduledInterval = 1202,
+        StatisticCountLimitExceeded = 1203,
+        StatisticVersionIncrementRateExceeded = 1204,
+        ContainerKeyInvalid = 1205,
+        CloudScriptExecutionTimeLimitExceeded = 1206,
+        NoWritePermissionsForEvent = 1207,
+        CloudScriptFunctionArgumentSizeExceeded = 1208,
+        CloudScriptAPIRequestCountExceeded = 1209,
+        CloudScriptAPIRequestError = 1210,
+        CloudScriptHTTPRequestError = 1211,
+        InsufficientGuildRole = 1212,
+        GuildNotFound = 1213,
+        OverLimit = 1214,
+        EventNotFound = 1215,
+        InvalidEventField = 1216,
+        InvalidEventName = 1217,
+        CatalogNotConfigured = 1218,
+        OperationNotSupportedForPlatform = 1219,
+        SegmentNotFound = 1220,
+        StoreNotFound = 1221,
+        InvalidStatisticName = 1222,
+        TitleNotQualifiedForLimit = 1223,
+        InvalidServiceLimitLevel = 1224,
+        ServiceLimitLevelInTransition = 1225,
+        CouponAlreadyRedeemed = 1226,
+        GameServerBuildSizeLimitExceeded = 1227,
+        GameServerBuildCountLimitExceeded = 1228,
+        VirtualCurrencyCountLimitExceeded = 1229,
+        VirtualCurrencyCodeExists = 1230,
+        TitleNewsItemCountLimitExceeded = 1231,
+        InvalidTwitchToken = 1232,
+        TwitchResponseError = 1233,
+        ProfaneDisplayName = 1234,
+        UserAlreadyAdded = 1235,
+        InvalidVirtualCurrencyCode = 1236,
+        VirtualCurrencyCannotBeDeleted = 1237,
+        IdentifierAlreadyClaimed = 1238,
+        IdentifierNotLinked = 1239,
+        InvalidContinuationToken = 1240,
+        ExpiredContinuationToken = 1241,
+        InvalidSegment = 1242,
+        InvalidSessionId = 1243,
+        SessionLogNotFound = 1244,
+        InvalidSearchTerm = 1245,
+        TwoFactorAuthenticationTokenRequired = 1246,
+        GameServerHostCountLimitExceeded = 1247,
+        PlayerTagCountLimitExceeded = 1248,
+        RequestAlreadyRunning = 1249,
+        ActionGroupNotFound = 1250,
+        MaximumSegmentBulkActionJobsRunning = 1251,
+        NoActionsOnPlayersInSegmentJob = 1252,
+        DuplicateStatisticName = 1253,
+        ScheduledTaskNameConflict = 1254,
+        ScheduledTaskCreateConflict = 1255,
+        InvalidScheduledTaskName = 1256,
+        InvalidTaskSchedule = 1257,
+        SteamNotEnabledForTitle = 1258,
+        LimitNotAnUpgradeOption = 1259,
+        NoSecretKeyEnabledForCloudScript = 1260,
+        TaskNotFound = 1261,
+        TaskInstanceNotFound = 1262,
+        InvalidIdentityProviderId = 1263,
+        MisconfiguredIdentityProvider = 1264,
+        InvalidScheduledTaskType = 1265,
+        BillingInformationRequired = 1266,
+        LimitedEditionItemUnavailable = 1267,
+        InvalidAdPlacementAndReward = 1268,
+        AllAdPlacementViewsAlreadyConsumed = 1269,
+        GoogleOAuthNotConfiguredForTitle = 1270,
+        GoogleOAuthError = 1271,
+        UserNotFriend = 1272,
+        InvalidSignature = 1273,
+        InvalidPublicKey = 1274,
+        GoogleOAuthNoIdTokenIncludedInResponse = 1275,
+        StatisticUpdateInProgress = 1276,
+        LeaderboardVersionNotAvailable = 1277,
+        StatisticAlreadyHasPrizeTable = 1279,
+        PrizeTableHasOverlappingRanks = 1280,
+        PrizeTableHasMissingRanks = 1281,
+        PrizeTableRankStartsAtZero = 1282,
+        InvalidStatistic = 1283,
+        ExpressionParseFailure = 1284,
+        ExpressionInvokeFailure = 1285,
+        ExpressionTooLong = 1286,
+        DataUpdateRateExceeded = 1287,
+        RestrictedEmailDomain = 1288,
+        EncryptionKeyDisabled = 1289,
+        EncryptionKeyMissing = 1290,
+        EncryptionKeyBroken = 1291,
+        NoSharedSecretKeyConfigured = 1292,
+        SecretKeyNotFound = 1293,
+        PlayerSecretAlreadyConfigured = 1294,
+        APIRequestsDisabledForTitle = 1295,
+        InvalidSharedSecretKey = 1296,
+        PrizeTableHasNoRanks = 1297,
+        ProfileDoesNotExist = 1298,
+        ContentS3OriginBucketNotConfigured = 1299,
+        InvalidEnvironmentForReceipt = 1300,
+        EncryptedRequestNotAllowed = 1301,
+        SignedRequestNotAllowed = 1302,
+        RequestViewConstraintParamsNotAllowed = 1303,
+        BadPartnerConfiguration = 1304,
+        XboxBPCertificateFailure = 1305,
+        XboxXASSExchangeFailure = 1306,
+        InvalidEntityId = 1307,
+        StatisticValueAggregationOverflow = 1308,
+        EmailMessageFromAddressIsMissing = 1309,
+        EmailMessageToAddressIsMissing = 1310,
+        SmtpServerAuthenticationError = 1311,
+        SmtpServerLimitExceeded = 1312,
+        SmtpServerInsufficientStorage = 1313,
+        SmtpServerCommunicationError = 1314,
+        SmtpServerGeneralFailure = 1315,
+        EmailClientTimeout = 1316,
+        EmailClientCanceledTask = 1317,
+        EmailTemplateMissing = 1318,
+        InvalidHostForTitleId = 1319,
+        EmailConfirmationTokenDoesNotExist = 1320,
+        EmailConfirmationTokenExpired = 1321,
+        AccountDeleted = 1322,
+        PlayerSecretNotConfigured = 1323,
+        InvalidSignatureTime = 1324,
+        NoContactEmailAddressFound = 1325,
+        InvalidAuthToken = 1326,
+        AuthTokenDoesNotExist = 1327,
+        AuthTokenExpired = 1328,
+        AuthTokenAlreadyUsedToResetPassword = 1329,
+        MembershipNameTooLong = 1330,
+        MembershipNotFound = 1331,
+        GoogleServiceAccountInvalid = 1332,
+        GoogleServiceAccountParseFailure = 1333,
+        EntityTokenMissing = 1334,
+        EntityTokenInvalid = 1335,
+        EntityTokenExpired = 1336,
+        EntityTokenRevoked = 1337,
+        InvalidProductForSubscription = 1338,
+        XboxInaccessible = 1339,
+        SubscriptionAlreadyTaken = 1340,
+        SmtpAddonNotEnabled = 1341,
+        APIConcurrentRequestLimitExceeded = 1342,
+        XboxRejectedXSTSExchangeRequest = 1343,
+        VariableNotDefined = 1344,
+        TemplateVersionNotDefined = 1345,
+        FileTooLarge = 1346,
+        TitleDeleted = 1347,
+        TitleContainsUserAccounts = 1348,
+        TitleDeletionPlayerCleanupFailure = 1349,
+        EntityFileOperationPending = 1350,
+        NoEntityFileOperationPending = 1351,
+        EntityProfileVersionMismatch = 1352,
+        TemplateVersionTooOld = 1353,
+        MembershipDefinitionInUse = 1354,
+        PaymentPageNotConfigured = 1355,
+        FailedLoginAttemptRateLimitExceeded = 1356,
+        EntityBlockedByGroup = 1357,
+        RoleDoesNotExist = 1358,
+        EntityIsAlreadyMember = 1359,
+        DuplicateRoleId = 1360,
+        GroupInvitationNotFound = 1361,
+        GroupApplicationNotFound = 1362,
+        OutstandingInvitationAcceptedInstead = 1363,
+        OutstandingApplicationAcceptedInstead = 1364,
+        RoleIsGroupDefaultMember = 1365,
+        RoleIsGroupAdmin = 1366,
+        RoleNameNotAvailable = 1367,
+        GroupNameNotAvailable = 1368,
+        EmailReportAlreadySent = 1369,
+        EmailReportRecipientBlacklisted = 1370,
+        EventNamespaceNotAllowed = 1371,
+        EventEntityNotAllowed = 1372,
+        InvalidEntityType = 1373,
+        NullTokenResultFromAad = 1374,
+        InvalidTokenResultFromAad = 1375,
+        NoValidCertificateForAad = 1376,
+        InvalidCertificateForAad = 1377,
+        DuplicateDropTableId = 1378,
+        MultiplayerServerError = 1379,
+        MultiplayerServerTooManyRequests = 1380,
+        MultiplayerServerNoContent = 1381,
+        MultiplayerServerBadRequest = 1382,
+        MultiplayerServerUnauthorized = 1383,
+        MultiplayerServerForbidden = 1384,
+        MultiplayerServerNotFound = 1385,
+        MultiplayerServerConflict = 1386,
+        MultiplayerServerInternalServerError = 1387,
+        MultiplayerServerUnavailable = 1388,
+        ExplicitContentDetected = 1389,
+        PIIContentDetected = 1390,
+        InvalidScheduledTaskParameter = 1391,
+        PerEntityEventRateLimitExceeded = 1392,
+        TitleDefaultLanguageNotSet = 1393,
+        EmailTemplateMissingDefaultVersion = 1394,
+        FacebookInstantGamesIdNotLinked = 1395,
+        InvalidFacebookInstantGamesSignature = 1396,
+        FacebookInstantGamesAuthNotConfiguredForTitle = 1397,
+        EntityProfileConstraintValidationFailed = 1398,
+        TelemetryIngestionKeyPending = 1399,
+        TelemetryIngestionKeyNotFound = 1400,
+        StatisticChildNameInvalid = 1402,
+        DataIntegrityError = 1403,
+        VirtualCurrencyCannotBeSetToOlderVersion = 1404,
+        VirtualCurrencyMustBeWithinIntegerRange = 1405,
+        EmailTemplateInvalidSyntax = 1406,
+        EmailTemplateMissingCallback = 1407,
+        PushNotificationTemplateInvalidPayload = 1408,
+        InvalidLocalizedPushNotificationLanguage = 1409,
+        MissingLocalizedPushNotificationMessage = 1410,
+        PushNotificationTemplateMissingPlatformPayload = 1411,
+        PushNotificationTemplatePayloadContainsInvalidJson = 1412,
+        PushNotificationTemplateContainsInvalidIosPayload = 1413,
+        PushNotificationTemplateContainsInvalidAndroidPayload = 1414,
+        PushNotificationTemplateIosPayloadMissingNotificationBody = 1415,
+        PushNotificationTemplateAndroidPayloadMissingNotificationBody = 1416,
+        PushNotificationTemplateNotFound = 1417,
+        PushNotificationTemplateMissingDefaultVersion = 1418,
+        PushNotificationTemplateInvalidSyntax = 1419,
+        PushNotificationTemplateNoCustomPayloadForV1 = 1420,
+        NoLeaderboardForStatistic = 1421,
+        TitleNewsMissingDefaultLanguage = 1422,
+        TitleNewsNotFound = 1423,
+        TitleNewsDuplicateLanguage = 1424,
+        TitleNewsMissingTitleOrBody = 1425,
+        TitleNewsInvalidLanguage = 1426,
+        EmailRecipientBlacklisted = 1427,
+        InvalidGameCenterAuthRequest = 1428,
+        GameCenterAuthenticationFailed = 1429,
+        CannotEnablePartiesForTitle = 1430,
+        PartyError = 1431,
+        PartyRequests = 1432,
+        PartyNoContent = 1433,
+        PartyBadRequest = 1434,
+        PartyUnauthorized = 1435,
+        PartyForbidden = 1436,
+        PartyNotFound = 1437,
+        PartyConflict = 1438,
+        PartyInternalServerError = 1439,
+        PartyUnavailable = 1440,
+        PartyTooManyRequests = 1441,
+        PushNotificationTemplateMissingName = 1442,
+        CannotEnableMultiplayerServersForTitle = 1443,
+        WriteAttemptedDuringExport = 1444,
+        MultiplayerServerTitleQuotaCoresExceeded = 1445,
+        AutomationRuleNotFound = 1446,
+        EntityAPIKeyLimitExceeded = 1447,
+        EntityAPIKeyNotFound = 1448,
+        EntityAPIKeyOrSecretInvalid = 1449,
+        EconomyServiceUnavailable = 1450,
+        EconomyServiceInternalError = 1451,
+        QueryRateLimitExceeded = 1452,
+        EntityAPIKeyCreationDisabledForEntity = 1453,
+        ForbiddenByEntityPolicy = 1454,
+        UpdateInventoryRateLimitExceeded = 1455,
+        StudioCreationRateLimited = 1456,
+        StudioCreationInProgress = 1457,
+        DuplicateStudioName = 1458,
+        StudioNotFound = 1459,
+        StudioDeleted = 1460,
+        StudioDeactivated = 1461,
+        StudioActivated = 1462,
+        TitleCreationRateLimited = 1463,
+        TitleCreationInProgress = 1464,
+        DuplicateTitleName = 1465,
+        TitleActivationRateLimited = 1466,
+        TitleActivationInProgress = 1467,
+        TitleDeactivated = 1468,
+        TitleActivated = 1469,
+        CloudScriptAzureFunctionsExecutionTimeLimitExceeded = 1470,
+        CloudScriptAzureFunctionsArgumentSizeExceeded = 1471,
+        CloudScriptAzureFunctionsReturnSizeExceeded = 1472,
+        CloudScriptAzureFunctionsHTTPRequestError = 1473,
+        VirtualCurrencyBetaGetError = 1474,
+        VirtualCurrencyBetaCreateError = 1475,
+        VirtualCurrencyBetaInitialDepositSaveError = 1476,
+        VirtualCurrencyBetaSaveError = 1477,
+        VirtualCurrencyBetaDeleteError = 1478,
+        VirtualCurrencyBetaRestoreError = 1479,
+        VirtualCurrencyBetaSaveConflict = 1480,
+        VirtualCurrencyBetaUpdateError = 1481,
+        InsightsManagementDatabaseNotFound = 1482,
+        InsightsManagementOperationNotFound = 1483,
+        InsightsManagementErrorPendingOperationExists = 1484,
+        InsightsManagementSetPerformanceLevelInvalidParameter = 1485,
+        InsightsManagementSetStorageRetentionInvalidParameter = 1486,
+        InsightsManagementGetStorageUsageInvalidParameter = 1487,
+        InsightsManagementGetOperationStatusInvalidParameter = 1488,
+        DuplicatePurchaseTransactionId = 1489,
+        EvaluationModePlayerCountExceeded = 1490,
+        GetPlayersInSegmentRateLimitExceeded = 1491,
+        CloudScriptFunctionNameSizeExceeded = 1492,
+        PaidInsightsFeaturesNotEnabled = 1493,
+        CloudScriptAzureFunctionsQueueRequestError = 1494,
+        EvaluationModeTitleCountExceeded = 1495,
+        InsightsManagementTitleNotInFlight = 1496,
+        LimitNotFound = 1497,
+        LimitNotAvailableViaAPI = 1498,
+        InsightsManagementSetStorageRetentionBelowMinimum = 1499,
+        InsightsManagementSetStorageRetentionAboveMaximum = 1500,
+        AppleNotEnabledForTitle = 1501,
+        InsightsManagementNewActiveEventExportLimitInvalid = 1502,
+        InsightsManagementSetPerformanceRateLimited = 1503,
+        PartyRequestsThrottledFromRateLimiter = 1504,
+        XboxServiceTooManyRequests = 1505,
+        NintendoSwitchNotEnabledForTitle = 1506,
+        RequestMultiplayerServersThrottledFromRateLimiter = 1507,
+        TitleDataOverrideNotFound = 1508,
+        DuplicateKeys = 1509,
+        WasNotCreatedWithCloudRoot = 1510,
+        LegacyMultiplayerServersDeprecated = 1511,
+        VirtualCurrencyCurrentlyUnavailable = 1512,
+        SteamUserNotFound = 1513,
+        ElasticSearchOperationFailed = 1514,
+        NotImplemented = 1515,
+        MatchmakingEntityInvalid = 2001,
+        MatchmakingPlayerAttributesInvalid = 2002,
+        MatchmakingQueueNotFound = 2016,
+        MatchmakingMatchNotFound = 2017,
+        MatchmakingTicketNotFound = 2018,
+        MatchmakingAlreadyJoinedTicket = 2028,
+        MatchmakingTicketAlreadyCompleted = 2029,
+        MatchmakingQueueConfigInvalid = 2031,
+        MatchmakingMemberProfileInvalid = 2032,
+        NintendoSwitchDeviceIdNotLinked = 2034,
+        MatchmakingNotEnabled = 2035,
+        MatchmakingPlayerAttributesTooLarge = 2043,
+        MatchmakingNumberOfPlayersInTicketTooLarge = 2044,
+        MatchmakingAttributeInvalid = 2046,
+        MatchmakingPlayerHasNotJoinedTicket = 2053,
+        MatchmakingRateLimitExceeded = 2054,
+        MatchmakingTicketMembershipLimitExceeded = 2055,
+        MatchmakingUnauthorized = 2056,
+        MatchmakingQueueLimitExceeded = 2057,
+        MatchmakingRequestTypeMismatch = 2058,
+        MatchmakingBadRequest = 2059,
+        TitleConfigNotFound = 3001,
+        TitleConfigUpdateConflict = 3002,
+        TitleConfigSerializationError = 3003,
+        CatalogApiNotImplemented = 4000,
+        CatalogEntityInvalid = 4001,
+        CatalogTitleIdMissing = 4002,
+        CatalogPlayerIdMissing = 4003,
+        CatalogClientIdentityInvalid = 4004,
+        CatalogOneOrMoreFilesInvalid = 4005,
+        CatalogItemMetadataInvalid = 4006,
+        CatalogItemIdInvalid = 4007,
+        CatalogSearchParameterInvalid = 4008,
+        CatalogFeatureDisabled = 4009,
+        CatalogConfigInvalid = 4010,
+        CatalogItemTypeInvalid = 4012,
+        CatalogBadRequest = 4013,
+        CatalogTooManyRequests = 4014,
+        ExportInvalidStatusUpdate = 5000,
+        ExportInvalidPrefix = 5001,
+        ExportBlobContainerDoesNotExist = 5002,
+        ExportNotFound = 5004,
+        ExportCouldNotUpdate = 5005,
+        ExportInvalidStorageType = 5006,
+        ExportAmazonBucketDoesNotExist = 5007,
+        ExportInvalidBlobStorage = 5008,
+        ExportKustoException = 5009,
+        ExportKustoConnectionFailed = 5012,
+        ExportUnknownError = 5013,
+        ExportCantEditPendingExport = 5014,
+        ExportLimitExports = 5015,
+        ExportLimitEvents = 5016,
+        ExportInvalidPartitionStatusModification = 5017,
+        ExportCouldNotCreate = 5018,
+        ExportNoBackingDatabaseFound = 5019,
+        ExportCouldNotDelete = 5020,
+        ExportCannotDetermineEventQuery = 5021,
+        ExportInvalidQuerySchemaModification = 5022,
+        ExportQuerySchemaMissingRequiredColumns = 5023,
+        ExportCannotParseQuery = 5024,
+        ExportControlCommandsNotAllowed = 5025,
+        ExportQueryMissingTableReference = 5026,
+        ExplorerBasicInvalidQueryName = 5100,
+        ExplorerBasicInvalidQueryDescription = 5101,
+        ExplorerBasicInvalidQueryConditions = 5102,
+        ExplorerBasicInvalidQueryStartDate = 5103,
+        ExplorerBasicInvalidQueryEndDate = 5104,
+        ExplorerBasicInvalidQueryGroupBy = 5105,
+        ExplorerBasicInvalidQueryAggregateType = 5106,
+        ExplorerBasicInvalidQueryAggregateProperty = 5107,
+        ExplorerBasicLoadQueriesError = 5108,
+        ExplorerBasicLoadQueryError = 5109,
+        ExplorerBasicCreateQueryError = 5110,
+        ExplorerBasicDeleteQueryError = 5111,
+        ExplorerBasicUpdateQueryError = 5112,
+        ExplorerBasicSavedQueriesLimit = 5113,
+        ExplorerBasicSavedQueryNotFound = 5114,
+        TenantShardMapperShardNotFound = 5500,
+        TitleNotEnabledForParty = 6000,
+        PartyVersionNotFound = 6001,
+        MultiplayerServerBuildReferencedByMatchmakingQueue = 6002,
+        MultiplayerServerBuildReferencedByBuildAlias = 6003,
+        ExperimentationExperimentStopped = 7000,
+        ExperimentationExperimentRunning = 7001,
+        ExperimentationExperimentNotFound = 7002,
+        ExperimentationExperimentNeverStarted = 7003,
+        ExperimentationExperimentDeleted = 7004,
+        ExperimentationClientTimeout = 7005,
+        ExperimentationInvalidVariantConfiguration = 7006,
+        ExperimentationInvalidVariableConfiguration = 7007,
+        ExperimentInvalidId = 7008,
+        ExperimentationNoScorecard = 7009,
+        ExperimentationTreatmentAssignmentFailed = 7010,
+        ExperimentationTreatmentAssignmentDisabled = 7011,
+        ExperimentationInvalidDuration = 7012,
+        ExperimentationMaxExperimentsReached = 7013,
+        ExperimentationExperimentSchedulingInProgress = 7014,
+        ExperimentationInvalidEndDate = 7015,
+        ExperimentationInvalidStartDate = 7016,
+        ExperimentationMaxDurationExceeded = 7017,
+        ExperimentationExclusionGroupNotFound = 7018,
+        ExperimentationExclusionGroupInsufficientCapacity = 7019,
+        ExperimentationExclusionGroupCannotDelete = 7020,
+        ExperimentationExclusionGroupInvalidTrafficAllocation = 7021,
+        ExperimentationExclusionGroupInvalidName = 7022,
+        MaxActionDepthExceeded = 8000,
+        TitleNotOnUpdatedPricingPlan = 9000,
+        SegmentManagementTitleNotInFlight = 10000,
+        SegmentManagementNoExpressionTree = 10001,
+        SegmentManagementTriggerActionCountOverLimit = 10002,
+        SegmentManagementSegmentCountOverLimit = 10003,
+        SegmentManagementInvalidSegmentId = 10004,
+        SegmentManagementInvalidInput = 10005,
+        SegmentManagementInvalidSegmentName = 10006,
+        DeleteSegmentRateLimitExceeded = 10007,
+        CreateSegmentRateLimitExceeded = 10008,
+        UpdateSegmentRateLimitExceeded = 10009,
+        GetSegmentsRateLimitExceeded = 10010,
+        AsyncExportNotInFlight = 10011,
+        AsyncExportNotFound = 10012,
+        AsyncExportRateLimitExceeded = 10013,
+        SnapshotNotFound = 11000,
+        InventoryApiNotImplemented = 12000,
+        LobbyDoesNotExist = 13000,
+        LobbyRateLimitExceeded = 13001,
+        LobbyPlayerAlreadyJoined = 13002,
+        LobbyNotJoinable = 13003,
+        LobbyMemberCannotRejoin = 13004,
+        LobbyCurrentPlayersMoreThanMaxPlayers = 13005,
+        LobbyPlayerNotPresent = 13006,
+        LobbyBadRequest = 13007,
+        LobbyPlayerMaxLobbyLimitExceeded = 13008,
+        LobbyNewOwnerMustBeConnected = 13009,
+        LobbyCurrentOwnerStillConnected = 13010,
+        LobbyMemberIsNotOwner = 13011,
+        EventSamplingInvalidRatio = 14000,
+        EventSamplingInvalidEventName = 14001,
+        EventSamplingRatioNotFound = 14002
+    }
+
+    public class PlayFabError
+    {
+        public string ApiEndpoint;
+        public int HttpCode;
+        public string HttpStatus;
+        public PlayFabErrorCode Error;
+        public string ErrorMessage;
+        public Dictionary<string, List<string>> ErrorDetails;
+        public object CustomData;
+        public uint? RetryAfterSeconds = null;
+
+        public override string ToString()
+        {
+            return GenerateErrorReport();
+        }
+
+        [ThreadStatic]
+        private static StringBuilder _tempSb;
+        /// <summary>
+        /// This converts the PlayFabError into a human readable string describing the error.
+        /// If error is not found, it will return the http code, status, and error
+        /// </summary>
+        /// <returns>A description of the error that we just incur.</returns>
+        public string GenerateErrorReport()
+        {
+            if (_tempSb == null)
+                _tempSb = new StringBuilder();
+            _tempSb.Length = 0;
+            if (String.IsNullOrEmpty(ErrorMessage))
+            {
+                _tempSb.Append(ApiEndpoint).Append(": ").Append("Http Code: ").Append(HttpCode.ToString()).Append("\nHttp Status: ").Append(HttpStatus).Append("\nError: ").Append(Error.ToString()).Append("\n");
+            }
+            else
+            {
+                _tempSb.Append(ApiEndpoint).Append(": ").Append(ErrorMessage);
+            }
+
+            if (ErrorDetails != null)
+                foreach (var pair in ErrorDetails)
+                    foreach (var msg in pair.Value)
+                        _tempSb.Append("\n").Append(pair.Key).Append(": ").Append(msg);
+            return _tempSb.ToString();
+        }
+    }
+
+    public class PlayFabException : Exception
+    {
+        public readonly PlayFabExceptionCode Code;
+        public PlayFabException(PlayFabExceptionCode code, string message) : base(message)
+        {
+            Code = code;
+        }
+    }
+
+    public enum PlayFabExceptionCode
+    {
+        AuthContextRequired,
+        BuildError,
+        DeveloperKeyNotSet,
+        EntityTokenNotSet,
+        NotLoggedIn,
+        TitleNotSet,
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1104460fbb72dbe69d75183736fb06fe34edb634
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabErrors.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: ed146f2193bb8ef49ad1200eefdab503
+timeCreated: 1468524876
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp.meta
new file mode 100644
index 0000000000000000000000000000000000000000..188ddcdd5e3051d046e09603a6e91b16d958720d
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 6de758a294727f04c82bf319fdd54c60
+folderAsset: yes
+timeCreated: 1462746198
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs
new file mode 100644
index 0000000000000000000000000000000000000000..67e74b19fa8e026ab2dd309ebfc6d25eb69ab0c0
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs
@@ -0,0 +1,59 @@
+using System;
+using System.Collections.Generic;
+using PlayFab.SharedModels;
+
+namespace PlayFab.Internal
+{
+    public enum AuthType
+    {
+        None,
+        PreLoginSession, // Not yet defined
+        LoginSession, // "X-Authorization"
+        DevSecretKey, // "X-SecretKey"
+        EntityToken, // "X-EntityToken"
+    }
+
+    public enum HttpRequestState
+    {
+        Sent,
+        Received,
+        Idle,
+        Error
+    }
+
+    public class CallRequestContainer
+    {
+#if !UNITY_WSA && !UNITY_WP8
+        public HttpRequestState HttpState = HttpRequestState.Idle;
+        public System.Net.HttpWebRequest HttpRequest = null;
+#endif
+#if PLAYFAB_REQUEST_TIMING
+        public PlayFabHttp.RequestTiming Timing;
+        public System.Diagnostics.Stopwatch Stopwatch;
+#endif
+
+        // This class stores the state of the request and all associated data
+        public string ApiEndpoint = null;
+        public string FullUrl = null;
+        public byte[] Payload = null;
+        public string JsonResponse = null;
+        public PlayFabRequestCommon ApiRequest;
+        public Dictionary<string, string> RequestHeaders;
+        public PlayFabResultCommon ApiResult;
+        public PlayFabError Error;
+        public Action DeserializeResultJson;
+        public Action InvokeSuccessCallback;
+        public Action<PlayFabError> ErrorCallback;
+        public object CustomData = null;
+        public PlayFabApiSettings settings;
+        public PlayFabAuthenticationContext context;
+        public IPlayFabInstanceApi instanceApi;
+
+        public CallRequestContainer()
+        {
+#if PLAYFAB_REQUEST_TIMING
+            Stopwatch = System.Diagnostics.Stopwatch.StartNew();
+#endif
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..00621125cfc9abd40dbe2bbf831219e71f24b63e
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/IPlayFabHttp.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: aeac58284b4b1cd4ab93ab0e71ba8540
+timeCreated: 1462745280
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0a1e5aa032095736546cf23c9e55616d5ab26c09
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs
@@ -0,0 +1,498 @@
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using System.Text;
+using PlayFab.Public;
+using PlayFab.SharedModels;
+using UnityEngine;
+
+namespace PlayFab.Internal
+{
+    /// <summary>
+    /// This is a wrapper for Http So we can better separate the functionaity of Http Requests delegated to WWW or HttpWebRequest
+    /// </summary>
+    public class PlayFabHttp : SingletonMonoBehaviour<PlayFabHttp>
+    {
+        private static List<CallRequestContainer> _apiCallQueue = new List<CallRequestContainer>(); // Starts initialized, and is nulled when it's flushed
+
+        public delegate void ApiProcessingEvent<in TEventArgs>(TEventArgs e);
+        public delegate void ApiProcessErrorEvent(PlayFabRequestCommon request, PlayFabError error);
+        public static event ApiProcessingEvent<ApiProcessingEventArgs> ApiProcessingEventHandler;
+        public static event ApiProcessErrorEvent ApiProcessingErrorEventHandler;
+        public static readonly Dictionary<string, string> GlobalHeaderInjection = new Dictionary<string, string>();
+
+        private static IPlayFabLogger _logger;
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+        private static IScreenTimeTracker screenTimeTracker = new ScreenTimeTracker();
+        private const float delayBetweenBatches = 5.0f;
+#endif
+
+#if PLAYFAB_REQUEST_TIMING
+        public struct RequestTiming
+        {
+            public DateTime StartTimeUtc;
+            public string ApiEndpoint;
+            public int WorkerRequestMs;
+            public int MainThreadRequestMs;
+        }
+
+        public delegate void ApiRequestTimingEvent(RequestTiming time);
+        public static event ApiRequestTimingEvent ApiRequestTimingEventHandler;
+#endif
+
+        /// <summary>
+        /// Return the number of api calls that are waiting for results from the server
+        /// </summary>
+        /// <returns></returns>
+        public static int GetPendingMessages()
+        {
+            var transport = PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport);
+            return transport.IsInitialized ? transport.GetPendingMessages() : 0;
+        }
+
+        /// <summary>
+        /// This initializes the GameObject and ensures it is in the scene.
+        /// </summary>
+        public static void InitializeHttp()
+        {
+            if (string.IsNullOrEmpty(PlayFabSettings.TitleId))
+                throw new PlayFabException(PlayFabExceptionCode.TitleNotSet, "You must set PlayFabSettings.TitleId before making API Calls.");
+            var transport = PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport);
+            if (transport.IsInitialized)
+                return;
+
+            transport.Initialize();
+            CreateInstance(); // Invoke the SingletonMonoBehaviour
+        }
+
+        /// <summary>
+        /// This initializes the GameObject and ensures it is in the scene.
+        /// </summary>
+        public static void InitializeLogger(IPlayFabLogger setLogger = null)
+        {
+            if (_logger != null)
+                throw new InvalidOperationException("Once initialized, the logger cannot be reset.");
+            if (setLogger == null)
+                setLogger = new PlayFabLogger();
+            _logger = setLogger;
+        }
+
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+        /// <summary>
+        /// This initializes ScreenTimeTracker object and notifying it to start sending info.
+        /// </summary>
+        /// <param name="playFabUserId">Result of the user's login, represent user ID</param>
+        public static void InitializeScreenTimeTracker(string entityId, string entityType, string playFabUserId)
+        {
+            screenTimeTracker.ClientSessionStart(entityId, entityType, playFabUserId);
+            instance.StartCoroutine(SendScreenTimeEvents(delayBetweenBatches));
+        }
+
+        /// <summary>
+        /// This function will send Screen Time events on a periodic basis.
+        /// </summary>
+        /// <param name="secondsBetweenBatches">Delay between batches, in seconds</param>
+        private static IEnumerator SendScreenTimeEvents(float secondsBetweenBatches)
+        {
+            WaitForSeconds delay = new WaitForSeconds(secondsBetweenBatches);
+
+            while (!PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.Send();
+                yield return delay;
+            }
+        }
+#endif
+
+        public static void SimpleGetCall(string fullUrl, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            InitializeHttp();
+            PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport).SimpleGetCall(fullUrl, successCallback, errorCallback);
+        }
+
+
+        public static void SimplePutCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            InitializeHttp();
+            PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport).SimplePutCall(fullUrl, payload, successCallback, errorCallback);
+        }
+
+        public static void SimplePostCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            InitializeHttp();
+            PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport).SimplePostCall(fullUrl, payload, successCallback, errorCallback);
+        }
+
+        protected internal static void MakeApiCall<TResult>(string apiEndpoint,
+            PlayFabRequestCommon request, AuthType authType, Action<TResult> resultCallback,
+            Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null, PlayFabAuthenticationContext authenticationContext = null, PlayFabApiSettings apiSettings = null, IPlayFabInstanceApi instanceApi = null)
+            where TResult : PlayFabResultCommon
+        {
+            apiSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            var fullUrl = apiSettings.GetFullUrl(apiEndpoint, apiSettings.RequestGetParams);
+            _MakeApiCall(apiEndpoint, fullUrl, request, authType, resultCallback, errorCallback, customData, extraHeaders, false, authenticationContext, apiSettings, instanceApi);
+        }
+
+        protected internal static void MakeApiCallWithFullUri<TResult>(string fullUri,
+            PlayFabRequestCommon request, AuthType authType, Action<TResult> resultCallback,
+            Action<PlayFabError> errorCallback, object customData = null, Dictionary<string, string> extraHeaders = null, PlayFabAuthenticationContext authenticationContext = null, PlayFabApiSettings apiSettings = null, IPlayFabInstanceApi instanceApi = null)
+            where TResult : PlayFabResultCommon
+        {
+            apiSettings = apiSettings ?? PlayFabSettings.staticSettings;
+            // This will not be called if environment file does not exist or does not contain property the debugging URI
+            _MakeApiCall(null, fullUri, request, authType, resultCallback, errorCallback, customData, extraHeaders, false, authenticationContext, apiSettings, instanceApi);
+        }
+
+        /// <summary>
+        /// Internal method for Make API Calls
+        /// </summary>
+        private static void _MakeApiCall<TResult>(string apiEndpoint, string fullUrl,
+            PlayFabRequestCommon request, AuthType authType, Action<TResult> resultCallback,
+            Action<PlayFabError> errorCallback, object customData, Dictionary<string, string> extraHeaders, bool allowQueueing, PlayFabAuthenticationContext authenticationContext, PlayFabApiSettings apiSettings, IPlayFabInstanceApi instanceApi)
+            where TResult : PlayFabResultCommon
+        {
+            InitializeHttp();
+            SendEvent(apiEndpoint, request, null, ApiProcessingEventType.Pre);
+
+            var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+            var reqContainer = new CallRequestContainer
+            {
+                ApiEndpoint = apiEndpoint,
+                FullUrl = fullUrl,
+                settings = apiSettings,
+                context = authenticationContext,
+                CustomData = customData,
+                Payload = Encoding.UTF8.GetBytes(serializer.SerializeObject(request)),
+                ApiRequest = request,
+                ErrorCallback = errorCallback,
+                RequestHeaders = extraHeaders ?? new Dictionary<string, string>(), // Use any headers provided by the customer
+                instanceApi = instanceApi
+            };
+            // Append any additional headers
+            foreach (var pair in GlobalHeaderInjection)
+                if (!reqContainer.RequestHeaders.ContainsKey(pair.Key))
+                    reqContainer.RequestHeaders[pair.Key] = pair.Value;
+
+#if PLAYFAB_REQUEST_TIMING
+            reqContainer.Timing.StartTimeUtc = DateTime.UtcNow;
+            reqContainer.Timing.ApiEndpoint = apiEndpoint;
+#endif
+
+            // Add PlayFab Headers
+            var transport = PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport);
+            reqContainer.RequestHeaders["X-ReportErrorAsSuccess"] = "true"; // Makes processing PlayFab errors a little easier
+            reqContainer.RequestHeaders["X-PlayFabSDK"] = PlayFabSettings.VersionString; // Tell PlayFab which SDK this is
+            switch (authType)
+            {
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API || UNITY_EDITOR
+                case AuthType.DevSecretKey:
+                    if (apiSettings.DeveloperSecretKey == null) throw new PlayFabException(PlayFabExceptionCode.DeveloperKeyNotSet, "DeveloperSecretKey is not found in Request, Server Instance or PlayFabSettings");
+                    reqContainer.RequestHeaders["X-SecretKey"] = apiSettings.DeveloperSecretKey; break;
+#endif
+#if !DISABLE_PLAYFABCLIENT_API
+                case AuthType.LoginSession:
+                    if (authenticationContext != null)
+                        reqContainer.RequestHeaders["X-Authorization"] = authenticationContext.ClientSessionTicket;
+                    break;
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                case AuthType.EntityToken:
+                    if (authenticationContext != null)
+                        reqContainer.RequestHeaders["X-EntityToken"] = authenticationContext.EntityToken;
+                    break;
+#endif
+            }
+
+            // These closures preserve the TResult generic information in a way that's safe for all the devices
+            reqContainer.DeserializeResultJson = () =>
+            {
+                reqContainer.ApiResult = serializer.DeserializeObject<TResult>(reqContainer.JsonResponse);
+            };
+            reqContainer.InvokeSuccessCallback = () =>
+            {
+                if (resultCallback != null)
+                {
+                    resultCallback((TResult)reqContainer.ApiResult);
+                }
+            };
+
+            if (allowQueueing && _apiCallQueue != null)
+            {
+                for (var i = _apiCallQueue.Count - 1; i >= 0; i--)
+                    if (_apiCallQueue[i].ApiEndpoint == apiEndpoint)
+                        _apiCallQueue.RemoveAt(i);
+                _apiCallQueue.Add(reqContainer);
+            }
+            else
+            {
+                transport.MakeApiCall(reqContainer);
+            }
+        }
+
+        /// <summary>
+        /// Internal code shared by IPlayFabHTTP implementations
+        /// </summary>
+        internal void OnPlayFabApiResult(CallRequestContainer reqContainer)
+        {
+            var result = reqContainer.ApiResult;
+
+#if !DISABLE_PLAYFABENTITY_API
+            var entRes = result as AuthenticationModels.GetEntityTokenResponse;
+            if (entRes != null)
+            {
+                PlayFabSettings.staticPlayer.EntityToken = entRes.EntityToken;
+            }
+#endif
+#if !DISABLE_PLAYFABCLIENT_API
+            var logRes = result as ClientModels.LoginResult;
+            var regRes = result as ClientModels.RegisterPlayFabUserResult;
+            if (logRes != null)
+            {
+                logRes.AuthenticationContext = new PlayFabAuthenticationContext(logRes.SessionTicket, logRes.EntityToken.EntityToken, logRes.PlayFabId, logRes.EntityToken.Entity.Id, logRes.EntityToken.Entity.Type);
+                if (reqContainer.context != null)
+                    reqContainer.context.CopyFrom(logRes.AuthenticationContext);
+            }
+            else if (regRes != null)
+            {
+                regRes.AuthenticationContext = new PlayFabAuthenticationContext(regRes.SessionTicket, regRes.EntityToken.EntityToken, regRes.PlayFabId, regRes.EntityToken.Entity.Id, regRes.EntityToken.Entity.Type);
+                if (reqContainer.context != null)
+                    reqContainer.context.CopyFrom(regRes.AuthenticationContext);
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour OnEnable Method
+        /// </summary>
+        private void OnEnable()
+        {
+            if (_logger != null)
+            {
+                _logger.OnEnable();
+            }
+
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+            if ((screenTimeTracker != null) && !PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.OnEnable();
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour OnDisable
+        /// </summary>
+        private void OnDisable()
+        {
+            if (_logger != null)
+            {
+                _logger.OnDisable();
+            }
+
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+            if ((screenTimeTracker != null) && !PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.OnDisable();
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour OnDestroy
+        /// </summary>
+        private void OnDestroy()
+        {
+            var transport = PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport);
+            if (transport.IsInitialized)
+            {
+                transport.OnDestroy();
+            }
+
+            if (_logger != null)
+            {
+                _logger.OnDestroy();
+            }
+
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+            if ((screenTimeTracker != null) && !PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.OnDestroy();
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour OnApplicationFocus
+        /// </summary>
+        public void OnApplicationFocus(bool isFocused)
+        {
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+            if ((screenTimeTracker != null) && !PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.OnApplicationFocus(isFocused);
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour OnApplicationQuit
+        /// </summary>
+        public void OnApplicationQuit()
+        {
+#if !DISABLE_PLAYFABENTITY_API && !DISABLE_PLAYFABCLIENT_API
+            if ((screenTimeTracker != null) && !PlayFabSettings.DisableFocusTimeCollection)
+            {
+                screenTimeTracker.OnApplicationQuit();
+            }
+#endif
+        }
+
+        /// <summary>
+        /// MonoBehaviour Update
+        /// </summary>
+        private void Update()
+        {
+            var transport = PluginManager.GetPlugin<ITransportPlugin>(PluginContract.PlayFab_Transport);
+            if (transport.IsInitialized)
+            {
+                if (_apiCallQueue != null)
+                {
+                    foreach (var eachRequest in _apiCallQueue)
+                        transport.MakeApiCall(eachRequest); // Flush the queue
+                    _apiCallQueue = null; // null this after it's flushed
+                }
+                transport.Update();
+            }
+
+            while (_injectedCoroutines.Count > 0)
+                StartCoroutine(_injectedCoroutines.Dequeue());
+
+            while (_injectedAction.Count > 0)
+            {
+                var action = _injectedAction.Dequeue();
+                if (action != null)
+                {
+                    action.Invoke();
+                }
+            }
+        }
+
+        #region Helpers
+        protected internal static PlayFabError GeneratePlayFabError(string apiEndpoint, string json, object customData)
+        {
+            Dictionary<string, object> errorDict = null;
+            Dictionary<string, List<string>> errorDetails = null;
+            var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+            try
+            {
+                // Deserialize the error
+                errorDict = serializer.DeserializeObject<Dictionary<string, object>>(json);
+            }
+            catch (Exception) { /* Unusual, but shouldn't actually matter */ }
+            try
+            {
+                object errorDetailsString;
+                if (errorDict != null && errorDict.TryGetValue("errorDetails", out errorDetailsString))
+                    errorDetails = serializer.DeserializeObject<Dictionary<string, List<string>>>(errorDetailsString.ToString());
+            }
+            catch (Exception) { /* Unusual, but shouldn't actually matter */ }
+
+            return new PlayFabError
+            {
+                ApiEndpoint = apiEndpoint,
+                HttpCode = errorDict != null && errorDict.ContainsKey("code") ? Convert.ToInt32(errorDict["code"]) : 400,
+                HttpStatus = errorDict != null && errorDict.ContainsKey("status") ? (string)errorDict["status"] : "BadRequest",
+                Error = errorDict != null && errorDict.ContainsKey("errorCode") ? (PlayFabErrorCode)Convert.ToInt32(errorDict["errorCode"]) : PlayFabErrorCode.ServiceUnavailable,
+                ErrorMessage = errorDict != null && errorDict.ContainsKey("errorMessage") ? (string)errorDict["errorMessage"] : json,
+                ErrorDetails = errorDetails,
+                CustomData = customData,
+                RetryAfterSeconds = errorDict != null && errorDict.ContainsKey("retryAfterSeconds") ? Convert.ToUInt32(errorDict["retryAfterSeconds"]) : (uint?)null,
+            };
+        }
+
+        protected internal static void SendErrorEvent(PlayFabRequestCommon request, PlayFabError error)
+        {
+            if (ApiProcessingErrorEventHandler == null)
+                return;
+
+            try
+            {
+                ApiProcessingErrorEventHandler(request, error);
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+            }
+        }
+
+        protected internal static void SendEvent(string apiEndpoint, PlayFabRequestCommon request, PlayFabResultCommon result, ApiProcessingEventType eventType)
+        {
+            if (ApiProcessingEventHandler == null)
+                return;
+            try
+            {
+                ApiProcessingEventHandler(new ApiProcessingEventArgs
+                {
+                    ApiEndpoint = apiEndpoint,
+                    EventType = eventType,
+                    Request = request,
+                    Result = result
+                });
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+            }
+        }
+
+        public static void ClearAllEvents()
+        {
+            ApiProcessingEventHandler = null;
+            ApiProcessingErrorEventHandler = null;
+        }
+
+#if PLAYFAB_REQUEST_TIMING
+        protected internal static void SendRequestTiming(RequestTiming rt)
+        {
+            if (ApiRequestTimingEventHandler != null)
+            {
+                ApiRequestTimingEventHandler(rt);
+            }
+        }
+#endif
+        #endregion
+        private readonly Queue<IEnumerator> _injectedCoroutines = new Queue<IEnumerator>();
+        private readonly Queue<Action> _injectedAction = new Queue<Action>();
+
+        public void InjectInUnityThread(IEnumerator x)
+        {
+            _injectedCoroutines.Enqueue(x);
+        }
+
+        public void InjectInUnityThread(Action action)
+        {
+            _injectedAction.Enqueue(action);
+        }
+    }
+
+    #region Event Classes
+    public enum ApiProcessingEventType
+    {
+        Pre,
+        Post
+    }
+
+    public class ApiProcessingEventArgs
+    {
+        public string ApiEndpoint;
+        public ApiProcessingEventType EventType;
+        public PlayFabRequestCommon Request;
+        public PlayFabResultCommon Result;
+
+        public TRequest GetRequest<TRequest>() where TRequest : PlayFabRequestCommon
+        {
+            return Request as TRequest;
+        }
+    }
+    #endregion
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..646a626b54074d1a677953b2f89918f22a4ed128
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabHTTP.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 97a8a3caac8b73541aa8a9a1e330f479
+timeCreated: 1462575707
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs
new file mode 100644
index 0000000000000000000000000000000000000000..33b43a870f2ec6db64268d74e6201f6d66447001
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs
@@ -0,0 +1,237 @@
+#if UNITY_2017_2_OR_NEWER
+
+using PlayFab.SharedModels;
+using System;
+using System.Collections;
+using System.IO;
+using UnityEngine;
+using UnityEngine.Networking;
+
+namespace PlayFab.Internal
+{
+    public class PlayFabUnityHttp : ITransportPlugin
+    {
+        private bool _isInitialized = false;
+        private readonly int _pendingWwwMessages = 0;
+
+        public bool IsInitialized { get { return _isInitialized; } }
+
+        public void Initialize() { _isInitialized = true; }
+
+        public void Update() { }
+
+        public void OnDestroy() { }
+
+        public void SimpleGetCall(string fullUrl, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("get", fullUrl, null, successCallback, errorCallback));
+        }
+
+        public void SimplePutCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("put", fullUrl, payload, successCallback, errorCallback));
+        }
+
+        public void SimplePostCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("post", fullUrl, payload, successCallback, errorCallback));
+        }
+
+        private static IEnumerator SimpleCallCoroutine(string method, string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            if (payload == null)
+            {
+                using (UnityWebRequest www = UnityWebRequest.Get(fullUrl))
+                {
+#if UNITY_2017_2_OR_NEWER
+                    yield return www.SendWebRequest();
+#else
+                    yield return www.Send();
+#endif
+
+                    if (!string.IsNullOrEmpty(www.error))
+                        errorCallback(www.error);
+                    else
+                        successCallback(www.downloadHandler.data);
+                };
+            }
+            else
+            {
+
+                UnityWebRequest request;
+                if (method == "put")
+                {
+                    request = UnityWebRequest.Put(fullUrl, payload);
+                }
+                else
+                {
+                    request = new UnityWebRequest(fullUrl, "POST");
+                    request.uploadHandler = (UploadHandler)new UploadHandlerRaw(payload);
+                    request.downloadHandler = (DownloadHandler)new DownloadHandlerBuffer();
+                    request.SetRequestHeader("Content-Type", "application/json");
+                }
+
+
+#if UNITY_2017_2_OR_NEWER
+#if !UNITY_2019_1_OR_NEWER
+                request.chunkedTransfer = false; // can be removed after Unity's PUT will be more stable
+#endif
+                yield return request.SendWebRequest();
+#else
+                yield return request.Send();
+#endif
+
+                if (request.isNetworkError || request.isHttpError)
+                {
+                    errorCallback(request.error);
+                }
+                else
+                {
+                    successCallback(request.downloadHandler.data);
+                }
+            }
+        }
+
+        public void MakeApiCall(object reqContainerObj)
+        {
+            CallRequestContainer reqContainer = (CallRequestContainer)reqContainerObj;
+            reqContainer.RequestHeaders["Content-Type"] = "application/json";
+
+            // Start the www corouting to Post, and get a response or error which is then passed to the callbacks.
+            PlayFabHttp.instance.StartCoroutine(Post(reqContainer));
+        }
+
+        private IEnumerator Post(CallRequestContainer reqContainer)
+        {
+#if PLAYFAB_REQUEST_TIMING
+            var stopwatch = System.Diagnostics.Stopwatch.StartNew();
+            var startTime = DateTime.UtcNow;
+#endif
+
+            var www = new UnityWebRequest(reqContainer.FullUrl)
+            {
+                uploadHandler = new UploadHandlerRaw(reqContainer.Payload),
+                downloadHandler = new DownloadHandlerBuffer(),
+                method = "POST"
+            };
+
+            foreach (var headerPair in reqContainer.RequestHeaders)
+            {
+                if (!string.IsNullOrEmpty(headerPair.Key) && !string.IsNullOrEmpty(headerPair.Value))
+                    www.SetRequestHeader(headerPair.Key, headerPair.Value);
+                else
+                    Debug.LogWarning("Null header: " + headerPair.Key + " = " + headerPair.Value);
+            }
+
+#if UNITY_2017_2_OR_NEWER
+            yield return www.SendWebRequest();
+#else
+            yield return www.Send();
+#endif
+
+#if PLAYFAB_REQUEST_TIMING
+            stopwatch.Stop();
+            var timing = new PlayFabHttp.RequestTiming {
+                StartTimeUtc = startTime,
+                ApiEndpoint = reqContainer.ApiEndpoint,
+                WorkerRequestMs = (int)stopwatch.ElapsedMilliseconds,
+                MainThreadRequestMs = (int)stopwatch.ElapsedMilliseconds
+            };
+            PlayFabHttp.SendRequestTiming(timing);
+#endif
+
+            if (!string.IsNullOrEmpty(www.error))
+            {
+                OnError(www.error, reqContainer);
+            }
+            else
+            {
+                try
+                {
+                    byte[] responseBytes = www.downloadHandler.data;
+                    string responseText = System.Text.Encoding.UTF8.GetString(responseBytes, 0, responseBytes.Length);
+                    OnResponse(responseText, reqContainer);
+                }
+                catch (Exception e)
+                {
+                    OnError("Unhandled error in PlayFabUnityHttp: " + e, reqContainer);
+                }
+            }
+            www.Dispose();
+        }
+
+        public int GetPendingMessages()
+        {
+            return _pendingWwwMessages;
+        }
+
+        public void OnResponse(string response, CallRequestContainer reqContainer)
+        {
+            try
+            {
+#if PLAYFAB_REQUEST_TIMING
+                var startTime = DateTime.UtcNow;
+#endif
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var httpResult = serializer.DeserializeObject<HttpResponseObject>(response);
+
+                if (httpResult.code == 200)
+                {
+                    // We have a good response from the server
+                    reqContainer.JsonResponse = serializer.SerializeObject(httpResult.data);
+                    reqContainer.DeserializeResultJson();
+                    reqContainer.ApiResult.Request = reqContainer.ApiRequest;
+                    reqContainer.ApiResult.CustomData = reqContainer.CustomData;
+
+                    PlayFabHttp.instance.OnPlayFabApiResult(reqContainer);
+#if !DISABLE_PLAYFABCLIENT_API
+                    PlayFabDeviceUtil.OnPlayFabLogin(reqContainer.ApiResult, reqContainer.settings, reqContainer.instanceApi);
+#endif
+                    try
+                    {
+                        PlayFabHttp.SendEvent(reqContainer.ApiEndpoint, reqContainer.ApiRequest, reqContainer.ApiResult, ApiProcessingEventType.Post);
+                    }
+                    catch (Exception e)
+                    {
+                        Debug.LogException(e);
+                    }
+
+                    try
+                    {
+                        reqContainer.InvokeSuccessCallback();
+                    }
+                    catch (Exception e)
+                    {
+                        Debug.LogException(e);
+                    }
+                }
+                else
+                {
+                    if (reqContainer.ErrorCallback != null)
+                    {
+                        reqContainer.Error = PlayFabHttp.GeneratePlayFabError(reqContainer.ApiEndpoint, response, reqContainer.CustomData);
+                        PlayFabHttp.SendErrorEvent(reqContainer.ApiRequest, reqContainer.Error);
+                        reqContainer.ErrorCallback(reqContainer.Error);
+                    }
+                }
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+            }
+        }
+
+        public void OnError(string error, CallRequestContainer reqContainer)
+        {
+            reqContainer.JsonResponse = error;
+            if (reqContainer.ErrorCallback != null)
+            {
+                reqContainer.Error = PlayFabHttp.GeneratePlayFabError(reqContainer.ApiEndpoint, reqContainer.JsonResponse, reqContainer.CustomData);
+                PlayFabHttp.SendErrorEvent(reqContainer.ApiRequest, reqContainer.Error);
+                reqContainer.ErrorCallback(reqContainer.Error);
+            }
+        }
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..9d9a8f477d43aa97b4f9508985df120bcaa32072
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabUnityHttp.cs.meta
@@ -0,0 +1,13 @@
+fileFormatVersion: 2
+guid: fdda21a9c6bb5c74d85422afab113b0f
+timeCreated: 1512617003
+licenseType: Pro
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs
new file mode 100644
index 0000000000000000000000000000000000000000..42e37818be9cc346509bd6df9c23ebccfe6b3186
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs
@@ -0,0 +1,219 @@
+#if !UNITY_2018_2_OR_NEWER // Unity has deprecated Www
+using System;
+using System.Collections;
+using System.IO;
+using PlayFab.Json;
+using PlayFab.SharedModels;
+using UnityEngine;
+#if UNITY_5_4_OR_NEWER
+using UnityEngine.Networking;
+#else
+using UnityEngine.Experimental.Networking;
+#endif
+
+namespace PlayFab.Internal
+{
+    public class PlayFabWww : ITransportPlugin
+    {
+        private bool _isInitialized = false;
+        private int _pendingWwwMessages = 0;
+
+        public bool IsInitialized { get { return _isInitialized; } }
+
+        public void Initialize()
+        {
+            _isInitialized = true;
+        }
+
+        public void Update() { }
+        public void OnDestroy() { }
+
+        public void SimpleGetCall(string fullUrl, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("get", fullUrl, null, successCallback, errorCallback));
+        }
+
+        public void SimplePutCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("put", fullUrl, payload, successCallback, errorCallback));
+        }
+
+        public void SimplePostCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            PlayFabHttp.instance.StartCoroutine(SimpleCallCoroutine("post", fullUrl, payload, successCallback, errorCallback));
+        }
+
+        private static IEnumerator SimpleCallCoroutine(string method, string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            if (payload == null)
+            {
+                var www = new WWW(fullUrl);
+                yield return www;
+                if (!string.IsNullOrEmpty(www.error))
+                    errorCallback(www.error);
+                else
+                    successCallback(www.bytes);
+            }
+            else
+            {
+                UnityWebRequest request;
+                if (method == "put")
+                {
+                    request = UnityWebRequest.Put(fullUrl, payload);
+                }
+                else
+                {
+                    var strPayload = System.Text.Encoding.UTF8.GetString(payload, 0, payload.Length);
+                    request = UnityWebRequest.Post(fullUrl, strPayload);
+                }
+
+#if UNITY_2017_2_OR_NEWER
+                request.chunkedTransfer = false; // can be removed after Unity's PUT will be more stable
+                request.SendWebRequest();
+#else
+                request.Send();
+#endif
+
+#if !UNITY_WEBGL
+                while (request.uploadProgress < 1 || request.downloadProgress < 1)
+                {
+                    yield return 1;
+                }
+#else
+                while (!request.isDone)
+                {
+                    yield return 1;
+                }
+#endif
+
+                if (!string.IsNullOrEmpty(request.error))
+                    errorCallback(request.error);
+                else
+                    successCallback(request.downloadHandler.data);
+            }
+        }
+
+        public void MakeApiCall(object reqContainerObj)
+        {
+            CallRequestContainer reqContainer = (CallRequestContainer)reqContainerObj;
+            reqContainer.RequestHeaders["Content-Type"] = "application/json";
+
+            //Debug.LogFormat("Posting {0} to Url: {1}", req.Trim(), url);
+            var www = new WWW(reqContainer.FullUrl, reqContainer.Payload, reqContainer.RequestHeaders);
+
+#if PLAYFAB_REQUEST_TIMING
+            var stopwatch = System.Diagnostics.Stopwatch.StartNew();
+#endif
+
+            // Start the www corouting to Post, and get a response or error which is then passed to the callbacks.
+            Action<string> wwwSuccessCallback = (response) =>
+            {
+                try
+                {
+#if PLAYFAB_REQUEST_TIMING
+                    var startTime = DateTime.UtcNow;
+#endif
+                    var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                    var httpResult = serializer.DeserializeObject<HttpResponseObject>(response);
+
+                    if (httpResult.code == 200)
+                    {
+                        // We have a good response from the server
+                        reqContainer.JsonResponse = serializer.SerializeObject(httpResult.data);
+                        reqContainer.DeserializeResultJson();
+                        reqContainer.ApiResult.Request = reqContainer.ApiRequest;
+                        reqContainer.ApiResult.CustomData = reqContainer.CustomData;
+
+                        PlayFabHttp.instance.OnPlayFabApiResult(reqContainer);
+#if !DISABLE_PLAYFABCLIENT_API
+                        PlayFabDeviceUtil.OnPlayFabLogin(reqContainer.ApiResult, reqContainer.settings, reqContainer.instanceApi);
+#endif
+
+                        try
+                        {
+                            PlayFabHttp.SendEvent(reqContainer.ApiEndpoint, reqContainer.ApiRequest, reqContainer.ApiResult, ApiProcessingEventType.Post);
+                        }
+                        catch (Exception e)
+                        {
+                            Debug.LogException(e);
+                        }
+
+#if PLAYFAB_REQUEST_TIMING
+                        stopwatch.Stop();
+                        var timing = new PlayFabHttp.RequestTiming {
+                            StartTimeUtc = startTime,
+                            ApiEndpoint = reqContainer.ApiEndpoint,
+                            WorkerRequestMs = (int)stopwatch.ElapsedMilliseconds,
+                            MainThreadRequestMs = (int)stopwatch.ElapsedMilliseconds
+                        };
+                        PlayFabHttp.SendRequestTiming(timing);
+#endif
+                        try
+                        {
+                            reqContainer.InvokeSuccessCallback();
+                        }
+                        catch (Exception e)
+                        {
+                            Debug.LogException(e);
+                        }
+                    }
+                    else
+                    {
+                        if (reqContainer.ErrorCallback != null)
+                        {
+                            reqContainer.Error = PlayFabHttp.GeneratePlayFabError(reqContainer.ApiEndpoint, response, reqContainer.CustomData);
+                            PlayFabHttp.SendErrorEvent(reqContainer.ApiRequest, reqContainer.Error);
+                            reqContainer.ErrorCallback(reqContainer.Error);
+                        }
+                    }
+                }
+                catch (Exception e)
+                {
+                    Debug.LogException(e);
+                }
+            };
+
+            Action<string> wwwErrorCallback = (errorCb) =>
+            {
+                reqContainer.JsonResponse = errorCb;
+                if (reqContainer.ErrorCallback != null)
+                {
+                    reqContainer.Error = PlayFabHttp.GeneratePlayFabError(reqContainer.ApiEndpoint, reqContainer.JsonResponse, reqContainer.CustomData);
+                    PlayFabHttp.SendErrorEvent(reqContainer.ApiRequest, reqContainer.Error);
+                    reqContainer.ErrorCallback(reqContainer.Error);
+                }
+            };
+
+            PlayFabHttp.instance.StartCoroutine(PostPlayFabApiCall(www, wwwSuccessCallback, wwwErrorCallback));
+        }
+
+        private IEnumerator PostPlayFabApiCall(WWW www, Action<string> wwwSuccessCallback, Action<string> wwwErrorCallback)
+        {
+            yield return www;
+            if (!string.IsNullOrEmpty(www.error))
+            {
+                wwwErrorCallback(www.error);
+            }
+            else
+            {
+                try
+                {
+                    byte[] responseBytes = www.bytes;
+                    string responseText = System.Text.Encoding.UTF8.GetString(responseBytes, 0, responseBytes.Length);
+                    wwwSuccessCallback(responseText);
+                }
+                catch (Exception e)
+                {
+                    wwwErrorCallback("Unhandled error in PlayFabWWW: " + e);
+                }
+            }
+            www.Dispose();
+        }
+
+        public int GetPendingMessages()
+        {
+            return _pendingWwwMessages;
+        }
+    }
+}
+#endif
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..6159d82f93199af60ce3610d56a5ad0870f82780
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWWW.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 71ae810a641b9644187c8824db5ff1fe
+timeCreated: 1462745593
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs
new file mode 100644
index 0000000000000000000000000000000000000000..49acbcdbedc401d1f0a453bed834db8576106d67
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs
@@ -0,0 +1,540 @@
+#if !UNITY_WSA && !UNITY_WP8
+
+using System;
+using UnityEngine;
+using System.Collections.Generic;
+using System.IO;
+using System.Net;
+using System.Threading;
+using PlayFab.SharedModels;
+#if !DISABLE_PLAYFABCLIENT_API
+using PlayFab.ClientModels;
+#endif
+
+namespace PlayFab.Internal
+{
+    public class PlayFabWebRequest : ITransportPlugin
+    {
+        /// <summary>
+        /// Disable encryption certificate validation within PlayFabWebRequest using this request.
+        /// This is not generally recommended.
+        /// As of early 2018:
+        ///   None of the built-in Unity mechanisms validate the certificate, using .Net 3.5 equivalent runtime
+        ///   It is also not currently feasible to provide a single cross platform solution that will correctly validate a certificate.
+        /// The Risk:
+        ///   All Unity HTTPS mechanisms are vulnerable to Man-In-The-Middle attacks.
+        ///   The only more-secure option is to define a custom CustomCertValidationHook, specifically tailored to the platforms you support,
+        ///   which validate the cert based on a list of trusted certificate providers. This list of providers must be able to update itself, as the
+        ///   base certificates for those providers will also expire and need updating on a regular basis.
+        /// </summary>
+        public static void SkipCertificateValidation()
+        {
+            var rcvc = new System.Net.Security.RemoteCertificateValidationCallback(AcceptAllCertifications); //(sender, cert, chain, ssl) => true
+            ServicePointManager.ServerCertificateValidationCallback = rcvc;
+            certValidationSet = true;
+        }
+
+        /// <summary>
+        /// Provide PlayFabWebRequest with a custom ServerCertificateValidationCallback which can be used to validate the PlayFab encryption certificate.
+        /// Please do not:
+        ///   - Hard code the current PlayFab certificate information - The PlayFab certificate updates itself on a regular schedule, and your game will fail and require a republish to fix
+        ///   - Hard code a list of static certificate authorities - Any single exported list of certificate authorities will become out of date, and have the same problem when the CA cert expires
+        /// Real solution:
+        ///   - A mechanism where a valid certificate authority list can be securely downloaded and updated without republishing the client when existing certificates expire.
+        /// </summary>
+        public static System.Net.Security.RemoteCertificateValidationCallback CustomCertValidationHook
+        {
+            set
+            {
+                ServicePointManager.ServerCertificateValidationCallback = value;
+                certValidationSet = true;
+            }
+        }
+
+        private static readonly Queue<Action> ResultQueueTransferThread = new Queue<Action>();
+        private static readonly Queue<Action> ResultQueueMainThread = new Queue<Action>();
+        private static readonly List<CallRequestContainer> ActiveRequests = new List<CallRequestContainer>();
+
+        private static bool certValidationSet = false;
+        private static Thread _requestQueueThread;
+        private static readonly object _ThreadLock = new object();
+        private static readonly TimeSpan ThreadKillTimeout = TimeSpan.FromSeconds(60);
+        private static DateTime _threadKillTime = DateTime.UtcNow + ThreadKillTimeout; // Kill the thread after 1 minute of inactivity
+        private static bool _isApplicationPlaying;
+        private static int _activeCallCount;
+
+        private static string _unityVersion;
+
+        private bool _isInitialized = false;
+
+        public bool IsInitialized { get { return _isInitialized; } }
+
+        public void Initialize()
+        {
+            SetupCertificates();
+            _isApplicationPlaying = true;
+            _unityVersion = Application.unityVersion;
+            _isInitialized = true;
+        }
+
+        public void OnDestroy()
+        {
+            _isApplicationPlaying = false;
+            lock (ResultQueueTransferThread)
+            {
+                ResultQueueTransferThread.Clear();
+            }
+            lock (ActiveRequests)
+            {
+                ActiveRequests.Clear();
+            }
+            lock (_ThreadLock)
+            {
+                _requestQueueThread = null;
+            }
+        }
+
+        private void SetupCertificates()
+        {
+            // These are performance Optimizations for HttpWebRequests.
+            ServicePointManager.DefaultConnectionLimit = 10;
+            ServicePointManager.Expect100Continue = false;
+
+            if (!certValidationSet)
+            {
+                Debug.LogWarning("PlayFab API calls will likely fail because you have not set up a HttpWebRequest certificate validation mechanism");
+                Debug.LogWarning("Please set a validation callback into PlayFab.Internal.PlayFabWebRequest.CustomCertValidationHook, or set PlayFab.Internal.PlayFabWebRequest.SkipCertificateValidation()");
+            }
+        }
+
+        /// <summary>
+        /// This disables certificate validation, if it's been activated by a customer via SkipCertificateValidation()
+        /// </summary>
+        private static bool AcceptAllCertifications(object sender, System.Security.Cryptography.X509Certificates.X509Certificate certificate, System.Security.Cryptography.X509Certificates.X509Chain chain, System.Net.Security.SslPolicyErrors sslPolicyErrors)
+        {
+            return true;
+        }
+
+        public void SimpleGetCall(string fullUrl, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            // This needs to be improved to use a decent thread-pool, but it can be improved invisibly later
+            var newThread = new Thread(() => SimpleHttpsWorker("GET", fullUrl, null, successCallback, errorCallback));
+            newThread.Start();
+        }
+
+        public void SimplePutCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            // This needs to be improved to use a decent thread-pool, but it can be improved invisibly later
+            var newThread = new Thread(() => SimpleHttpsWorker("PUT", fullUrl, payload, successCallback, errorCallback));
+            newThread.Start();
+        }
+
+        public void SimplePostCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            // This needs to be improved to use a decent thread-pool, but it can be improved invisibly later
+            var newThread = new Thread(() => SimpleHttpsWorker("POST", fullUrl, payload, successCallback, errorCallback));
+            newThread.Start();
+        }
+
+
+        private void SimpleHttpsWorker(string httpMethod, string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback)
+        {
+            // This should also use a pooled HttpWebRequest object, but that too can be improved invisibly later
+            var httpRequest = (HttpWebRequest)WebRequest.Create(fullUrl);
+            httpRequest.UserAgent = "UnityEngine-Unity; Version: " + _unityVersion;
+            httpRequest.Method = httpMethod;
+            httpRequest.KeepAlive = PlayFabSettings.RequestKeepAlive;
+            httpRequest.Timeout = PlayFabSettings.RequestTimeout;
+            httpRequest.AllowWriteStreamBuffering = false;
+            httpRequest.ReadWriteTimeout = PlayFabSettings.RequestTimeout;
+
+            if (payload != null)
+            {
+                httpRequest.ContentLength = payload.LongLength;
+                using (var stream = httpRequest.GetRequestStream())
+                {
+                    stream.Write(payload, 0, payload.Length);
+                }
+            }
+
+            try
+            {
+                var response = httpRequest.GetResponse();
+                byte[] output = null;
+                using (var responseStream = response.GetResponseStream())
+                {
+                    if (responseStream != null)
+                    {
+                        output = new byte[response.ContentLength];
+                        responseStream.Read(output, 0, output.Length);
+                    }
+                }
+                successCallback(output);
+            }
+            catch (WebException webException)
+            {
+                try
+                {
+                    using (var responseStream = webException.Response.GetResponseStream())
+                    {
+                        if (responseStream != null)
+                            using (var stream = new StreamReader(responseStream))
+                                errorCallback(stream.ReadToEnd());
+                    }
+                }
+                catch (Exception e)
+                {
+                    Debug.LogException(e);
+                }
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+            }
+        }
+
+        public void MakeApiCall(object reqContainerObj)
+        {
+            CallRequestContainer reqContainer = (CallRequestContainer)reqContainerObj;
+            reqContainer.HttpState = HttpRequestState.Idle;
+
+            lock (ActiveRequests)
+            {
+                ActiveRequests.Insert(0, reqContainer);
+            }
+
+            ActivateThreadWorker();
+        }
+
+        private static void ActivateThreadWorker()
+        {
+            lock (_ThreadLock)
+            {
+                if (_requestQueueThread != null)
+                {
+                    return;
+                }
+                _requestQueueThread = new Thread(WorkerThreadMainLoop);
+                _requestQueueThread.Start();
+            }
+        }
+
+        private static void WorkerThreadMainLoop()
+        {
+            try
+            {
+                bool active;
+                lock (_ThreadLock)
+                {
+                    // Kill the thread after 1 minute of inactivity
+                    _threadKillTime = DateTime.UtcNow + ThreadKillTimeout;
+                }
+
+                List<CallRequestContainer> localActiveRequests = new List<CallRequestContainer>();
+                do
+                {
+                    //process active requests
+                    lock (ActiveRequests)
+                    {
+                        localActiveRequests.AddRange(ActiveRequests);
+                        ActiveRequests.Clear();
+                        _activeCallCount = localActiveRequests.Count;
+                    }
+
+                    var activeCalls = localActiveRequests.Count;
+                    for (var i = activeCalls - 1; i >= 0; i--) // We must iterate backwards, because we remove at index i in some cases
+                    {
+                        switch (localActiveRequests[i].HttpState)
+                        {
+                            case HttpRequestState.Error:
+                                localActiveRequests.RemoveAt(i); break;
+                            case HttpRequestState.Idle:
+                                Post(localActiveRequests[i]); break;
+                            case HttpRequestState.Sent:
+                                if (localActiveRequests[i].HttpRequest.HaveResponse) // Else we'll try again next tick
+                                    ProcessHttpResponse(localActiveRequests[i]);
+                                break;
+                            case HttpRequestState.Received:
+                                ProcessJsonResponse(localActiveRequests[i]);
+                                localActiveRequests.RemoveAt(i);
+                                break;
+                        }
+                    }
+
+                    #region Expire Thread.
+                    // Check if we've been inactive
+                    lock (_ThreadLock)
+                    {
+                        var now = DateTime.UtcNow;
+                        if (activeCalls > 0 && _isApplicationPlaying)
+                        {
+                            // Still active, reset the _threadKillTime
+                            _threadKillTime = now + ThreadKillTimeout;
+                        }
+                        // Kill the thread after 1 minute of inactivity
+                        active = now <= _threadKillTime;
+                        if (!active)
+                        {
+                            _requestQueueThread = null;
+                        }
+                        // This thread will be stopped, so null this now, inside lock (_threadLock)
+                    }
+                    #endregion
+
+                    Thread.Sleep(1);
+                } while (active);
+
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+                _requestQueueThread = null;
+            }
+        }
+
+        private static void Post(CallRequestContainer reqContainer)
+        {
+            try
+            {
+                reqContainer.HttpRequest = (HttpWebRequest)WebRequest.Create(reqContainer.FullUrl);
+                reqContainer.HttpRequest.UserAgent = "UnityEngine-Unity; Version: " + _unityVersion;
+                reqContainer.HttpRequest.SendChunked = false;
+                // Prevents hitting a proxy if no proxy is available. TODO: Add support for proxy's.
+                reqContainer.HttpRequest.Proxy = null;
+
+                foreach (var pair in reqContainer.RequestHeaders)
+                    reqContainer.HttpRequest.Headers.Add(pair.Key, pair.Value);
+
+                reqContainer.HttpRequest.ContentType = "application/json";
+                reqContainer.HttpRequest.Method = "POST";
+                reqContainer.HttpRequest.KeepAlive = PlayFabSettings.RequestKeepAlive;
+                reqContainer.HttpRequest.Timeout = PlayFabSettings.RequestTimeout;
+                reqContainer.HttpRequest.AllowWriteStreamBuffering = false;
+                reqContainer.HttpRequest.Proxy = null;
+                reqContainer.HttpRequest.ContentLength = reqContainer.Payload.LongLength;
+                reqContainer.HttpRequest.ReadWriteTimeout = PlayFabSettings.RequestTimeout;
+
+                //Debug.Log("Get Stream");
+                // Get Request Stream and send data in the body.
+                using (var stream = reqContainer.HttpRequest.GetRequestStream())
+                {
+                    //Debug.Log("Post Stream");
+                    stream.Write(reqContainer.Payload, 0, reqContainer.Payload.Length);
+                    //Debug.Log("After Post stream");
+                }
+
+                reqContainer.HttpState = HttpRequestState.Sent;
+            }
+            catch (WebException e)
+            {
+                reqContainer.JsonResponse = ResponseToString(e.Response) ?? e.Status + ": WebException making http request to: " + reqContainer.FullUrl;
+                var enhancedError = new WebException(reqContainer.JsonResponse, e);
+                Debug.LogException(enhancedError);
+                QueueRequestError(reqContainer);
+            }
+            catch (Exception e)
+            {
+                reqContainer.JsonResponse = "Unhandled exception in Post : " + reqContainer.FullUrl;
+                var enhancedError = new Exception(reqContainer.JsonResponse, e);
+                Debug.LogException(enhancedError);
+                QueueRequestError(reqContainer);
+            }
+        }
+
+        private static void ProcessHttpResponse(CallRequestContainer reqContainer)
+        {
+            try
+            {
+#if PLAYFAB_REQUEST_TIMING
+                reqContainer.Timing.WorkerRequestMs = (int)reqContainer.Stopwatch.ElapsedMilliseconds;
+#endif
+                // Get and check the response
+                var httpResponse = (HttpWebResponse)reqContainer.HttpRequest.GetResponse();
+                if (httpResponse.StatusCode == HttpStatusCode.OK)
+                {
+                    reqContainer.JsonResponse = ResponseToString(httpResponse);
+                }
+
+                if (httpResponse.StatusCode != HttpStatusCode.OK || string.IsNullOrEmpty(reqContainer.JsonResponse))
+                {
+                    reqContainer.JsonResponse = reqContainer.JsonResponse ?? "No response from server";
+                    QueueRequestError(reqContainer);
+                    return;
+                }
+                else
+                {
+                    // Response Recieved Successfully, now process.
+                }
+
+                reqContainer.HttpState = HttpRequestState.Received;
+            }
+            catch (Exception e)
+            {
+                var msg = "Unhandled exception in ProcessHttpResponse : " + reqContainer.FullUrl;
+                reqContainer.JsonResponse = reqContainer.JsonResponse ?? msg;
+                var enhancedError = new Exception(msg, e);
+                Debug.LogException(enhancedError);
+                QueueRequestError(reqContainer);
+            }
+        }
+
+        /// <summary>
+        /// Set the reqContainer into an error state, and queue it to invoke the ErrorCallback for that request
+        /// </summary>
+        private static void QueueRequestError(CallRequestContainer reqContainer)
+        {
+            reqContainer.Error = PlayFabHttp.GeneratePlayFabError(reqContainer.ApiEndpoint, reqContainer.JsonResponse, reqContainer.CustomData); // Decode the server-json error
+            reqContainer.HttpState = HttpRequestState.Error;
+            lock (ResultQueueTransferThread)
+            {
+                //Queue The result callbacks to run on the main thread.
+                ResultQueueTransferThread.Enqueue(() =>
+                {
+                    PlayFabHttp.SendErrorEvent(reqContainer.ApiRequest, reqContainer.Error);
+                    if (reqContainer.ErrorCallback != null)
+                        reqContainer.ErrorCallback(reqContainer.Error);
+                });
+            }
+        }
+
+        private static void ProcessJsonResponse(CallRequestContainer reqContainer)
+        {
+            try
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var httpResult = serializer.DeserializeObject<HttpResponseObject>(reqContainer.JsonResponse);
+
+#if PLAYFAB_REQUEST_TIMING
+                reqContainer.Timing.WorkerRequestMs = (int)reqContainer.Stopwatch.ElapsedMilliseconds;
+#endif
+
+                //This would happen if playfab returned a 500 internal server error or a bad json response.
+                if (httpResult == null || httpResult.code != 200)
+                {
+                    QueueRequestError(reqContainer);
+                    return;
+                }
+
+                reqContainer.JsonResponse = serializer.SerializeObject(httpResult.data);
+                reqContainer.DeserializeResultJson(); // Assigns Result with a properly typed object
+                reqContainer.ApiResult.Request = reqContainer.ApiRequest;
+                reqContainer.ApiResult.CustomData = reqContainer.CustomData;
+
+                if(_isApplicationPlaying)
+                {
+                    PlayFabHttp.instance.OnPlayFabApiResult(reqContainer);
+                }
+
+#if !DISABLE_PLAYFABCLIENT_API
+                lock (ResultQueueTransferThread)
+                {
+                    ResultQueueTransferThread.Enqueue(() => { PlayFabDeviceUtil.OnPlayFabLogin(reqContainer.ApiResult, reqContainer.settings, reqContainer.instanceApi); });
+                }
+#endif
+                lock (ResultQueueTransferThread)
+                {
+                    //Queue The result callbacks to run on the main thread.
+                    ResultQueueTransferThread.Enqueue(() =>
+                    {
+#if PLAYFAB_REQUEST_TIMING
+                        reqContainer.Stopwatch.Stop();
+                        reqContainer.Timing.MainThreadRequestMs = (int)reqContainer.Stopwatch.ElapsedMilliseconds;
+                        PlayFabHttp.SendRequestTiming(reqContainer.Timing);
+#endif
+                        try
+                        {
+                            PlayFabHttp.SendEvent(reqContainer.ApiEndpoint, reqContainer.ApiRequest, reqContainer.ApiResult, ApiProcessingEventType.Post);
+                            reqContainer.InvokeSuccessCallback();
+                        }
+                        catch (Exception e)
+                        {
+                            Debug.LogException(e); // Log the user's callback exception back to them without halting PlayFabHttp
+                        }
+                    });
+                }
+            }
+            catch (Exception e)
+            {
+                var msg = "Unhandled exception in ProcessJsonResponse : " + reqContainer.FullUrl;
+                reqContainer.JsonResponse = reqContainer.JsonResponse ?? msg;
+                var enhancedError = new Exception(msg, e);
+                Debug.LogException(enhancedError);
+                QueueRequestError(reqContainer);
+            }
+        }
+
+        public void Update()
+        {
+            lock (ResultQueueTransferThread)
+            {
+                while (ResultQueueTransferThread.Count > 0)
+                {
+                    var actionToQueue = ResultQueueTransferThread.Dequeue();
+                    ResultQueueMainThread.Enqueue(actionToQueue);
+                }
+            }
+
+            while (ResultQueueMainThread.Count > 0)
+            {
+                var finishedRequest = ResultQueueMainThread.Dequeue();
+                finishedRequest();
+            }
+        }
+
+        private static string ResponseToString(WebResponse webResponse)
+        {
+            if (webResponse == null)
+                return null;
+
+            try
+            {
+                using (var responseStream = webResponse.GetResponseStream())
+                {
+                    if (responseStream == null)
+                        return null;
+                    using (var stream = new StreamReader(responseStream))
+                    {
+                        return stream.ReadToEnd();
+                    }
+                }
+            }
+            catch (WebException webException)
+            {
+                try
+                {
+                    using (var responseStream = webException.Response.GetResponseStream())
+                    {
+                        if (responseStream == null)
+                            return null;
+                        using (var stream = new StreamReader(responseStream))
+                        {
+                            return stream.ReadToEnd();
+                        }
+                    }
+                }
+                catch (Exception e)
+                {
+                    Debug.LogException(e);
+                    return null;
+                }
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+                return null;
+            }
+        }
+
+        public int GetPendingMessages()
+        {
+            var count = 0;
+            lock (ActiveRequests)
+                count += ActiveRequests.Count + _activeCallCount;
+            lock (ResultQueueTransferThread)
+                count += ResultQueueTransferThread.Count;
+            return count;
+        }
+    }
+}
+
+#endif
diff --git a/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs.meta b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..3ebab9def7b7e87497148d727de119b859b34e60
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/PlayFabHttp/PlayFabWebRequest.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 18fd1a0daadd68d45aebf8c19cac2bda
+timeCreated: 1466016486
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs b/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs
new file mode 100644
index 0000000000000000000000000000000000000000..535ec105ba23a45298112e00a65b7846c6ee5cae
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs
@@ -0,0 +1,2081 @@
+//-----------------------------------------------------------------------
+// <copyright file="SimpleJson.cs" company="The Outercurve Foundation">
+//    Copyright (c) 2011, The Outercurve Foundation.
+//
+//    Licensed under the MIT License (the "License");
+//    you may not use this file except in compliance with the License.
+//    You may obtain a copy of the License at
+//      http://www.opensource.org/licenses/mit-license.php
+//
+//    Unless required by applicable law or agreed to in writing, software
+//    distributed under the License is distributed on an "AS IS" BASIS,
+//    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+//    See the License for the specific language governing permissions and
+//    limitations under the License.
+// </copyright>
+// <author>Nathan Totten (ntotten.com), Jim Zimmerman (jimzimmerman.com) and Prabir Shrestha (prabir.me)</author>
+// <website>https://github.com/facebook-csharp-sdk/simple-json</website>
+//-----------------------------------------------------------------------
+
+// VERSION:
+
+// NOTE: uncomment the following line to make SimpleJson class internal.
+//#define SIMPLE_JSON_INTERNAL
+
+// NOTE: uncomment the following line to make JsonArray and JsonObject class internal.
+//#define SIMPLE_JSON_OBJARRAYINTERNAL
+
+// NOTE: uncomment the following line to enable dynamic support.
+//#define SIMPLE_JSON_DYNAMIC
+
+// NOTE: uncomment the following line to enable DataContract support.
+//#define SIMPLE_JSON_DATACONTRACT
+
+// NOTE: uncomment the following line to enable IReadOnlyCollection<T> and IReadOnlyList<T> support.
+//#define SIMPLE_JSON_READONLY_COLLECTIONS
+
+// NOTE: uncomment the following line if you are compiling under Window Metro style application/library.
+// usually already defined in properties
+#if UNITY_WSA && UNITY_WP8
+#define NETFX_CORE
+#endif
+
+// If you are targetting WinStore, WP8 and NET4.5+ PCL make sure to
+#if UNITY_WP8 || UNITY_WP8_1 || UNITY_WSA
+// #define SIMPLE_JSON_TYPEINFO
+#endif
+
+// original json parsing code from http://techblog.procurios.nl/k/618/news/view/14605/14863/How-do-I-write-my-own-parser-for-JSON.html
+
+#if NETFX_CORE
+#define SIMPLE_JSON_TYPEINFO
+#endif
+
+using System;
+using System.CodeDom.Compiler;
+using System.Collections;
+using System.Collections.Generic;
+using System.ComponentModel;
+using System.Diagnostics.CodeAnalysis;
+#if SIMPLE_JSON_DYNAMIC
+using System.Dynamic;
+#endif
+using System.Globalization;
+using System.Reflection;
+using System.Runtime.CompilerServices;
+using System.Runtime.Serialization;
+using System.Text;
+
+// ReSharper disable LoopCanBeConvertedToQuery
+// ReSharper disable RedundantExplicitArrayCreation
+// ReSharper disable SuggestUseVarKeywordEvident
+namespace PlayFab.Json
+{
+    public enum NullValueHandling
+    {
+        Include, // Include null values when serializing and deserializing objects
+        Ignore // Ignore null values when serializing and deserializing objects
+    }
+
+    /// <summary>
+    /// Customize the json output of a field or property
+    /// </summary>
+    [AttributeUsage(AttributeTargets.Property | AttributeTargets.Field)]
+    public class JsonProperty : Attribute
+    {
+        public string PropertyName = null;
+        public NullValueHandling NullValueHandling = NullValueHandling.Include;
+    }
+
+    /// <summary>
+    /// Represents the json array.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+    [EditorBrowsable(EditorBrowsableState.Never)]
+    [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")]
+#if SIMPLE_JSON_OBJARRAYINTERNAL
+    internal
+#else
+    public
+#endif
+ class JsonArray : List<object>
+    {
+        /// <summary>
+        /// Initializes a new instance of the <see cref="JsonArray"/> class.
+        /// </summary>
+        public JsonArray() { }
+
+        /// <summary>
+        /// Initializes a new instance of the <see cref="JsonArray"/> class.
+        /// </summary>
+        /// <param name="capacity">The capacity of the json array.</param>
+        public JsonArray(int capacity) : base(capacity) { }
+
+        /// <summary>
+        /// The json representation of the array.
+        /// </summary>
+        /// <returns>The json representation of the array.</returns>
+        public override string ToString()
+        {
+            return PlayFabSimpleJson.SerializeObject(this) ?? string.Empty;
+        }
+    }
+
+    /// <summary>
+    /// Represents the json object.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+    [EditorBrowsable(EditorBrowsableState.Never)]
+    [SuppressMessage("Microsoft.Naming", "CA1710:IdentifiersShouldHaveCorrectSuffix")]
+#if SIMPLE_JSON_OBJARRAYINTERNAL
+    internal
+#else
+    public
+#endif
+ class JsonObject :
+#if SIMPLE_JSON_DYNAMIC
+ DynamicObject,
+#endif
+ IDictionary<string, object>
+    {
+        private const int DICTIONARY_DEFAULT_SIZE = 16;
+        /// <summary>
+        /// The internal member dictionary.
+        /// </summary>
+        private readonly Dictionary<string, object> _members;
+
+        /// <summary>
+        /// Initializes a new instance of <see cref="JsonObject"/>.
+        /// </summary>
+        public JsonObject()
+        {
+            _members = new Dictionary<string, object>(DICTIONARY_DEFAULT_SIZE);
+        }
+
+        /// <summary>
+        /// Initializes a new instance of <see cref="JsonObject"/>.
+        /// </summary>
+        /// <param name="comparer">The <see cref="T:System.Collections.Generic.IEqualityComparer`1"/> implementation to use when comparing keys, or null to use the default <see cref="T:System.Collections.Generic.EqualityComparer`1"/> for the type of the key.</param>
+        public JsonObject(IEqualityComparer<string> comparer)
+        {
+            _members = new Dictionary<string, object>(comparer);
+        }
+
+        /// <summary>
+        /// Gets the <see cref="System.Object"/> at the specified index.
+        /// </summary>
+        /// <value></value>
+        public object this[int index]
+        {
+            get { return GetAtIndex(_members, index); }
+        }
+
+        internal static object GetAtIndex(IDictionary<string, object> obj, int index)
+        {
+            if (obj == null)
+                throw new ArgumentNullException("obj");
+            if (index >= obj.Count)
+                throw new ArgumentOutOfRangeException("index");
+            int i = 0;
+            foreach (KeyValuePair<string, object> o in obj)
+                if (i++ == index) return o.Value;
+            return null;
+        }
+
+        /// <summary>
+        /// Adds the specified key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <param name="value">The value.</param>
+        public void Add(string key, object value)
+        {
+            _members.Add(key, value);
+        }
+
+        /// <summary>
+        /// Determines whether the specified key contains key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <returns>
+        ///     <c>true</c> if the specified key contains key; otherwise, <c>false</c>.
+        /// </returns>
+        public bool ContainsKey(string key)
+        {
+            return _members.ContainsKey(key);
+        }
+
+        /// <summary>
+        /// Gets the keys.
+        /// </summary>
+        /// <value>The keys.</value>
+        public ICollection<string> Keys
+        {
+            get { return _members.Keys; }
+        }
+
+        /// <summary>
+        /// Removes the specified key.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <returns></returns>
+        public bool Remove(string key)
+        {
+            return _members.Remove(key);
+        }
+
+        /// <summary>
+        /// Tries the get value.
+        /// </summary>
+        /// <param name="key">The key.</param>
+        /// <param name="value">The value.</param>
+        /// <returns></returns>
+        public bool TryGetValue(string key, out object value)
+        {
+            return _members.TryGetValue(key, out value);
+        }
+
+        /// <summary>
+        /// Gets the values.
+        /// </summary>
+        /// <value>The values.</value>
+        public ICollection<object> Values
+        {
+            get { return _members.Values; }
+        }
+
+        /// <summary>
+        /// Gets or sets the <see cref="System.Object"/> with the specified key.
+        /// </summary>
+        /// <value></value>
+        public object this[string key]
+        {
+            get { return _members[key]; }
+            set { _members[key] = value; }
+        }
+
+        /// <summary>
+        /// Adds the specified item.
+        /// </summary>
+        /// <param name="item">The item.</param>
+        public void Add(KeyValuePair<string, object> item)
+        {
+            _members.Add(item.Key, item.Value);
+        }
+
+        /// <summary>
+        /// Clears this instance.
+        /// </summary>
+        public void Clear()
+        {
+            _members.Clear();
+        }
+
+        /// <summary>
+        /// Determines whether [contains] [the specified item].
+        /// </summary>
+        /// <param name="item">The item.</param>
+        /// <returns>
+        /// <c>true</c> if [contains] [the specified item]; otherwise, <c>false</c>.
+        /// </returns>
+        public bool Contains(KeyValuePair<string, object> item)
+        {
+            object value;
+            return _members.TryGetValue(item.Key, out value) && value == item.Value;
+        }
+
+        /// <summary>
+        /// Copies to.
+        /// </summary>
+        /// <param name="array">The array.</param>
+        /// <param name="arrayIndex">Index of the array.</param>
+        public void CopyTo(KeyValuePair<string, object>[] array, int arrayIndex)
+        {
+            if (array == null) throw new ArgumentNullException("array");
+            int num = Count;
+            foreach (KeyValuePair<string, object> kvp in _members)
+            {
+                array[arrayIndex++] = kvp;
+                if (--num <= 0)
+                    return;
+            }
+        }
+
+        /// <summary>
+        /// Gets the count.
+        /// </summary>
+        /// <value>The count.</value>
+        public int Count
+        {
+            get { return _members.Count; }
+        }
+
+        /// <summary>
+        /// Gets a value indicating whether this instance is read only.
+        /// </summary>
+        /// <value>
+        /// <c>true</c> if this instance is read only; otherwise, <c>false</c>.
+        /// </value>
+        public bool IsReadOnly
+        {
+            get { return false; }
+        }
+
+        /// <summary>
+        /// Removes the specified item.
+        /// </summary>
+        /// <param name="item">The item.</param>
+        /// <returns></returns>
+        public bool Remove(KeyValuePair<string, object> item)
+        {
+            return _members.Remove(item.Key);
+        }
+
+        /// <summary>
+        /// Gets the enumerator.
+        /// </summary>
+        /// <returns></returns>
+        public IEnumerator<KeyValuePair<string, object>> GetEnumerator()
+        {
+            return _members.GetEnumerator();
+        }
+
+        /// <summary>
+        /// Returns an enumerator that iterates through a collection.
+        /// </summary>
+        /// <returns>
+        /// An <see cref="T:System.Collections.IEnumerator"/> object that can be used to iterate through the collection.
+        /// </returns>
+        IEnumerator IEnumerable.GetEnumerator()
+        {
+            return _members.GetEnumerator();
+        }
+
+        /// <summary>
+        /// Returns a json <see cref="T:System.String"/> that represents the current <see cref="T:System.Object"/>.
+        /// </summary>
+        /// <returns>
+        /// A json <see cref="T:System.String"/> that represents the current <see cref="T:System.Object"/>.
+        /// </returns>
+        public override string ToString()
+        {
+            return PlayFabSimpleJson.SerializeObject(_members);
+        }
+
+#if SIMPLE_JSON_DYNAMIC
+        /// <summary>
+        /// Provides implementation for type conversion operations. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations that convert an object from one type to another.
+        /// </summary>
+        /// <param name="binder">Provides information about the conversion operation. The binder.Type property provides the type to which the object must be converted. For example, for the statement (String)sampleObject in C# (CType(sampleObject, Type) in Visual Basic), where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Type returns the <see cref="T:System.String"/> type. The binder.Explicit property provides information about the kind of conversion that occurs. It returns true for explicit conversion and false for implicit conversion.</param>
+        /// <param name="result">The result of the type conversion operation.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryConvert(ConvertBinder binder, out object result)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            Type targetType = binder.Type;
+
+            if ((targetType == typeof(IEnumerable)) ||
+                (targetType == typeof(IEnumerable<KeyValuePair<string, object>>)) ||
+                (targetType == typeof(IDictionary<string, object>)) ||
+                (targetType == typeof(IDictionary)))
+            {
+                result = this;
+                return true;
+            }
+
+            return base.TryConvert(binder, out result);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that delete an object member. This method is not intended for use in C# or Visual Basic.
+        /// </summary>
+        /// <param name="binder">Provides information about the deletion.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryDeleteMember(DeleteMemberBinder binder)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            return _members.Remove(binder.Name);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that get a value by index. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for indexing operations.
+        /// </summary>
+        /// <param name="binder">Provides information about the operation.</param>
+        /// <param name="indexes">The indexes that are used in the operation. For example, for the sampleObject[3] operation in C# (sampleObject(3) in Visual Basic), where sampleObject is derived from the DynamicObject class, <paramref name="indexes"/> is equal to 3.</param>
+        /// <param name="result">The result of the index operation.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryGetIndex(GetIndexBinder binder, object[] indexes, out object result)
+        {
+            if (indexes == null) throw new ArgumentNullException("indexes");
+            if (indexes.Length == 1)
+            {
+                result = ((IDictionary<string, object>)this)[(string)indexes[0]];
+                return true;
+            }
+            result = null;
+            return true;
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that get member values. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations such as getting a value for a property.
+        /// </summary>
+        /// <param name="binder">Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.</param>
+        /// <param name="result">The result of the get operation. For example, if the method is called for a property, you can assign the property value to <paramref name="result"/>.</param>
+        /// <returns>
+        /// Alwasy returns true.
+        /// </returns>
+        public override bool TryGetMember(GetMemberBinder binder, out object result)
+        {
+            object value;
+            if (_members.TryGetValue(binder.Name, out value))
+            {
+                result = value;
+                return true;
+            }
+            result = null;
+            return true;
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that set a value by index. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations that access objects by a specified index.
+        /// </summary>
+        /// <param name="binder">Provides information about the operation.</param>
+        /// <param name="indexes">The indexes that are used in the operation. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, <paramref name="indexes"/> is equal to 3.</param>
+        /// <param name="value">The value to set to the object that has the specified index. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, <paramref name="value"/> is equal to 10.</param>
+        /// <returns>
+        /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.
+        /// </returns>
+        public override bool TrySetIndex(SetIndexBinder binder, object[] indexes, object value)
+        {
+            if (indexes == null) throw new ArgumentNullException("indexes");
+            if (indexes.Length == 1)
+            {
+                ((IDictionary<string, object>)this)[(string)indexes[0]] = value;
+                return true;
+            }
+            return base.TrySetIndex(binder, indexes, value);
+        }
+
+        /// <summary>
+        /// Provides the implementation for operations that set member values. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations such as setting a value for a property.
+        /// </summary>
+        /// <param name="binder">Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member to which the value is being assigned. For example, for the statement sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.</param>
+        /// <param name="value">The value to set to the member. For example, for sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, the <paramref name="value"/> is "Test".</param>
+        /// <returns>
+        /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.)
+        /// </returns>
+        public override bool TrySetMember(SetMemberBinder binder, object value)
+        {
+            // <pex>
+            if (binder == null)
+                throw new ArgumentNullException("binder");
+            // </pex>
+            _members[binder.Name] = value;
+            return true;
+        }
+
+        /// <summary>
+        /// Returns the enumeration of all dynamic member names.
+        /// </summary>
+        /// <returns>
+        /// A sequence that contains dynamic member names.
+        /// </returns>
+        public override IEnumerable<string> GetDynamicMemberNames()
+        {
+            foreach (var key in Keys)
+                yield return key;
+        }
+#endif
+    }
+
+    /// <summary>
+    /// Private. Do not call from client code.
+    /// This class encodes and decodes JSON strings.
+    /// Spec. details, see http://www.json.org/
+    ///
+    /// JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList&lt;object>) and JsonObject(IDictionary&lt;string,object>).
+    /// All numbers are parsed to doubles.
+    /// </summary>
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ static class PlayFabSimpleJson
+    {
+        private enum TokenType : byte
+        {
+            NONE = 0,
+            CURLY_OPEN = 1,
+            CURLY_CLOSE = 2,
+            SQUARED_OPEN = 3,
+            SQUARED_CLOSE = 4,
+            COLON = 5,
+            COMMA = 6,
+            STRING = 7,
+            NUMBER = 8,
+            TRUE = 9,
+            FALSE = 10,
+            NULL = 11,
+        }
+        private const int BUILDER_INIT = 2000;
+
+        private static readonly char[] EscapeTable;
+        private static readonly char[] EscapeCharacters = new char[] { '"', '\\', '\b', '\f', '\n', '\r', '\t' };
+        // private static readonly string EscapeCharactersString = new string(EscapeCharacters);
+        internal static readonly List<Type> NumberTypes = new List<Type> {
+            typeof(bool), typeof(byte), typeof(ushort), typeof(uint), typeof(ulong), typeof(sbyte), typeof(short), typeof(int), typeof(long), typeof(double), typeof(float), typeof(decimal)
+        };
+
+        // Performance stuff
+        [ThreadStatic]
+        private static StringBuilder _serializeObjectBuilder;
+        [ThreadStatic]
+        private static StringBuilder _parseStringBuilder;
+
+        static PlayFabSimpleJson()
+        {
+            EscapeTable = new char[93];
+            EscapeTable['"'] = '"';
+            EscapeTable['\\'] = '\\';
+            EscapeTable['\b'] = 'b';
+            EscapeTable['\f'] = 'f';
+            EscapeTable['\n'] = 'n';
+            EscapeTable['\r'] = 'r';
+            EscapeTable['\t'] = 't';
+        }
+
+        /// <summary>
+        /// Parses the string json into a value
+        /// </summary>
+        /// <param name="json">A JSON string.</param>
+        /// <returns>An IList&lt;object>, a IDictionary&lt;string,object>, a double, a string, null, true, or false</returns>
+        public static object DeserializeObject(string json)
+        {
+            object obj;
+            if (TryDeserializeObject(json, out obj))
+                return obj;
+            throw new SerializationException("Invalid JSON string");
+        }
+
+        /// <summary>
+        /// Try parsing the json string into a value.
+        /// </summary>
+        /// <param name="json">
+        /// A JSON string.
+        /// </param>
+        /// <param name="obj">
+        /// The object.
+        /// </param>
+        /// <returns>
+        /// Returns true if successfull otherwise false.
+        /// </returns>
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        public static bool TryDeserializeObject(string json, out object obj)
+        {
+            bool success = true;
+            if (json != null)
+            {
+                int index = 0;
+                obj = ParseValue(json, ref index, ref success);
+            }
+            else
+                obj = null;
+
+            return success;
+        }
+
+        public static object DeserializeObject(string json, Type type, IJsonSerializerStrategy jsonSerializerStrategy = null)
+        {
+            object jsonObject = DeserializeObject(json);
+            if (type == null || jsonObject != null && ReflectionUtils.IsAssignableFrom(jsonObject.GetType(), type))
+                return jsonObject;
+            return (jsonSerializerStrategy ?? CurrentJsonSerializerStrategy).DeserializeObject(jsonObject, type);
+        }
+
+        public static T DeserializeObject<T>(string json, IJsonSerializerStrategy jsonSerializerStrategy = null)
+        {
+            return (T)DeserializeObject(json, typeof(T), jsonSerializerStrategy);
+        }
+
+        /// <summary>
+        /// Converts a IDictionary&lt;string,object> / IList&lt;object> object into a JSON string
+        /// </summary>
+        /// <param name="json">A IDictionary&lt;string,object> / IList&lt;object></param>
+        /// <param name="jsonSerializerStrategy">Serializer strategy to use</param>
+        /// <returns>A JSON encoded string, or null if object 'json' is not serializable</returns>
+        public static string SerializeObject(object json, IJsonSerializerStrategy jsonSerializerStrategy = null)
+        {
+            if (_serializeObjectBuilder == null)
+                _serializeObjectBuilder = new StringBuilder(BUILDER_INIT);
+            _serializeObjectBuilder.Length = 0;
+
+            if (jsonSerializerStrategy == null)
+                jsonSerializerStrategy = CurrentJsonSerializerStrategy;
+
+            bool success = SerializeValue(jsonSerializerStrategy, json, _serializeObjectBuilder);
+            return (success ? _serializeObjectBuilder.ToString() : null);
+        }
+
+        public static string EscapeToJavascriptString(string jsonString)
+        {
+            if (string.IsNullOrEmpty(jsonString))
+                return jsonString;
+
+            StringBuilder sb = new StringBuilder();
+            char c;
+
+            for (int i = 0; i < jsonString.Length;)
+            {
+                c = jsonString[i++];
+
+                if (c == '\\')
+                {
+                    int remainingLength = jsonString.Length - i;
+                    if (remainingLength >= 2)
+                    {
+                        char lookahead = jsonString[i];
+                        if (lookahead == '\\')
+                        {
+                            sb.Append('\\');
+                            ++i;
+                        }
+                        else if (lookahead == '"')
+                        {
+                            sb.Append("\"");
+                            ++i;
+                        }
+                        else if (lookahead == 't')
+                        {
+                            sb.Append('\t');
+                            ++i;
+                        }
+                        else if (lookahead == 'b')
+                        {
+                            sb.Append('\b');
+                            ++i;
+                        }
+                        else if (lookahead == 'n')
+                        {
+                            sb.Append('\n');
+                            ++i;
+                        }
+                        else if (lookahead == 'r')
+                        {
+                            sb.Append('\r');
+                            ++i;
+                        }
+                    }
+                }
+                else
+                {
+                    sb.Append(c);
+                }
+            }
+            return sb.ToString();
+        }
+
+        static IDictionary<string, object> ParseObject(string json, ref int index, ref bool success)
+        {
+            IDictionary<string, object> table = new JsonObject();
+            TokenType token;
+
+            // {
+            NextToken(json, ref index);
+
+            bool done = false;
+            while (!done)
+            {
+                token = LookAhead(json, index);
+                if (token == TokenType.NONE)
+                {
+                    success = false;
+                    return null;
+                }
+                else if (token == TokenType.COMMA)
+                    NextToken(json, ref index);
+                else if (token == TokenType.CURLY_CLOSE)
+                {
+                    NextToken(json, ref index);
+                    return table;
+                }
+                else
+                {
+                    // name
+                    string name = ParseString(json, ref index, ref success);
+                    if (!success)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    // :
+                    token = NextToken(json, ref index);
+                    if (token != TokenType.COLON)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    // value
+                    object value = ParseValue(json, ref index, ref success);
+                    if (!success)
+                    {
+                        success = false;
+                        return null;
+                    }
+                    table[name] = value;
+                }
+            }
+            return table;
+        }
+
+        static JsonArray ParseArray(string json, ref int index, ref bool success)
+        {
+            JsonArray array = new JsonArray();
+
+            // [
+            NextToken(json, ref index);
+
+            bool done = false;
+            while (!done)
+            {
+                TokenType token = LookAhead(json, index);
+                if (token == TokenType.NONE)
+                {
+                    success = false;
+                    return null;
+                }
+                else if (token == TokenType.COMMA)
+                    NextToken(json, ref index);
+                else if (token == TokenType.SQUARED_CLOSE)
+                {
+                    NextToken(json, ref index);
+                    break;
+                }
+                else
+                {
+                    object value = ParseValue(json, ref index, ref success);
+                    if (!success)
+                        return null;
+                    array.Add(value);
+                }
+            }
+            return array;
+        }
+
+        static object ParseValue(string json, ref int index, ref bool success)
+        {
+            switch (LookAhead(json, index))
+            {
+                case TokenType.STRING:
+                    return ParseString(json, ref index, ref success);
+                case TokenType.NUMBER:
+                    return ParseNumber(json, ref index, ref success);
+                case TokenType.CURLY_OPEN:
+                    return ParseObject(json, ref index, ref success);
+                case TokenType.SQUARED_OPEN:
+                    return ParseArray(json, ref index, ref success);
+                case TokenType.TRUE:
+                    NextToken(json, ref index);
+                    return true;
+                case TokenType.FALSE:
+                    NextToken(json, ref index);
+                    return false;
+                case TokenType.NULL:
+                    NextToken(json, ref index);
+                    return null;
+                case TokenType.NONE:
+                    break;
+            }
+            success = false;
+            return null;
+        }
+
+        static string ParseString(string json, ref int index, ref bool success)
+        {
+            if (_parseStringBuilder == null)
+                _parseStringBuilder = new StringBuilder(BUILDER_INIT);
+            _parseStringBuilder.Length = 0;
+
+            EatWhitespace(json, ref index);
+
+            // "
+            char c = json[index++];
+            bool complete = false;
+            while (!complete)
+            {
+                if (index == json.Length)
+                    break;
+
+                c = json[index++];
+                if (c == '"')
+                {
+                    complete = true;
+                    break;
+                }
+                else if (c == '\\')
+                {
+                    if (index == json.Length)
+                        break;
+                    c = json[index++];
+                    if (c == '"')
+                        _parseStringBuilder.Append('"');
+                    else if (c == '\\')
+                        _parseStringBuilder.Append('\\');
+                    else if (c == '/')
+                        _parseStringBuilder.Append('/');
+                    else if (c == 'b')
+                        _parseStringBuilder.Append('\b');
+                    else if (c == 'f')
+                        _parseStringBuilder.Append('\f');
+                    else if (c == 'n')
+                        _parseStringBuilder.Append('\n');
+                    else if (c == 'r')
+                        _parseStringBuilder.Append('\r');
+                    else if (c == 't')
+                        _parseStringBuilder.Append('\t');
+                    else if (c == 'u')
+                    {
+                        int remainingLength = json.Length - index;
+                        if (remainingLength >= 4)
+                        {
+                            // parse the 32 bit hex into an integer codepoint
+                            uint codePoint;
+                            if (!(success = UInt32.TryParse(json.Substring(index, 4), NumberStyles.HexNumber, CultureInfo.InvariantCulture, out codePoint)))
+                                return "";
+
+                            // convert the integer codepoint to a unicode char and add to string
+                            if (0xD800 <= codePoint && codePoint <= 0xDBFF)  // if high surrogate
+                            {
+                                index += 4; // skip 4 chars
+                                remainingLength = json.Length - index;
+                                if (remainingLength >= 6)
+                                {
+                                    uint lowCodePoint;
+                                    if (json.Substring(index, 2) == "\\u" && UInt32.TryParse(json.Substring(index + 2, 4), NumberStyles.HexNumber, CultureInfo.InvariantCulture, out lowCodePoint))
+                                    {
+                                        if (0xDC00 <= lowCodePoint && lowCodePoint <= 0xDFFF)    // if low surrogate
+                                        {
+                                            _parseStringBuilder.Append((char)codePoint);
+                                            _parseStringBuilder.Append((char)lowCodePoint);
+                                            index += 6; // skip 6 chars
+                                            continue;
+                                        }
+                                    }
+                                }
+                                success = false;    // invalid surrogate pair
+                                return "";
+                            }
+                            _parseStringBuilder.Append(ConvertFromUtf32((int)codePoint));
+                            // skip 4 chars
+                            index += 4;
+                        }
+                        else
+                            break;
+                    }
+                }
+                else
+                    _parseStringBuilder.Append(c);
+            }
+            if (!complete)
+            {
+                success = false;
+                return null;
+            }
+            return _parseStringBuilder.ToString();
+        }
+
+        private static string ConvertFromUtf32(int utf32)
+        {
+            // http://www.java2s.com/Open-Source/CSharp/2.6.4-mono-.net-core/System/System/Char.cs.htm
+            if (utf32 < 0 || utf32 > 0x10FFFF)
+                throw new ArgumentOutOfRangeException("utf32", "The argument must be from 0 to 0x10FFFF.");
+            if (0xD800 <= utf32 && utf32 <= 0xDFFF)
+                throw new ArgumentOutOfRangeException("utf32", "The argument must not be in surrogate pair range.");
+            if (utf32 < 0x10000)
+                return new string((char)utf32, 1);
+            utf32 -= 0x10000;
+            return new string(new char[] { (char)((utf32 >> 10) + 0xD800), (char)(utf32 % 0x0400 + 0xDC00) });
+        }
+
+        static object ParseNumber(string json, ref int index, ref bool success)
+        {
+            EatWhitespace(json, ref index);
+            int lastIndex = GetLastIndexOfNumber(json, index);
+            int charLength = (lastIndex - index) + 1;
+            object returnNumber;
+            string str = json.Substring(index, charLength);
+            if (str.IndexOf(".", StringComparison.OrdinalIgnoreCase) != -1 || str.IndexOf("e", StringComparison.OrdinalIgnoreCase) != -1)
+            {
+                double number;
+                success = double.TryParse(json.Substring(index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            else if (str.IndexOf("-", StringComparison.OrdinalIgnoreCase) == -1)
+            {
+                ulong number;
+                success = ulong.TryParse(json.Substring(index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            else
+            {
+                long number;
+                success = long.TryParse(json.Substring(index, charLength), NumberStyles.Any, CultureInfo.InvariantCulture, out number);
+                returnNumber = number;
+            }
+            index = lastIndex + 1;
+            return returnNumber;
+        }
+
+        static int GetLastIndexOfNumber(string json, int index)
+        {
+            int lastIndex;
+            for (lastIndex = index; lastIndex < json.Length; lastIndex++)
+                if ("0123456789+-.eE".IndexOf(json[lastIndex]) == -1) break;
+            return lastIndex - 1;
+        }
+
+        static void EatWhitespace(string json, ref int index)
+        {
+            for (; index < json.Length; index++)
+                if (" \t\n\r\b\f".IndexOf(json[index]) == -1) break;
+        }
+
+        static TokenType LookAhead(string json, int index)
+        {
+            int saveIndex = index;
+            return NextToken(json, ref saveIndex);
+        }
+
+        [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
+        static TokenType NextToken(string json, ref int index)
+        {
+            EatWhitespace(json, ref index);
+            if (index == json.Length)
+                return TokenType.NONE;
+            char c = json[index];
+            index++;
+            switch (c)
+            {
+                case '{':
+                    return TokenType.CURLY_OPEN;
+                case '}':
+                    return TokenType.CURLY_CLOSE;
+                case '[':
+                    return TokenType.SQUARED_OPEN;
+                case ']':
+                    return TokenType.SQUARED_CLOSE;
+                case ',':
+                    return TokenType.COMMA;
+                case '"':
+                    return TokenType.STRING;
+                case '0':
+                case '1':
+                case '2':
+                case '3':
+                case '4':
+                case '5':
+                case '6':
+                case '7':
+                case '8':
+                case '9':
+                case '-':
+                    return TokenType.NUMBER;
+                case ':':
+                    return TokenType.COLON;
+            }
+            index--;
+            int remainingLength = json.Length - index;
+            // false
+            if (remainingLength >= 5)
+            {
+                if (json[index] == 'f' && json[index + 1] == 'a' && json[index + 2] == 'l' && json[index + 3] == 's' && json[index + 4] == 'e')
+                {
+                    index += 5;
+                    return TokenType.FALSE;
+                }
+            }
+            // true
+            if (remainingLength >= 4)
+            {
+                if (json[index] == 't' && json[index + 1] == 'r' && json[index + 2] == 'u' && json[index + 3] == 'e')
+                {
+                    index += 4;
+                    return TokenType.TRUE;
+                }
+            }
+            // null
+            if (remainingLength >= 4)
+            {
+                if (json[index] == 'n' && json[index + 1] == 'u' && json[index + 2] == 'l' && json[index + 3] == 'l')
+                {
+                    index += 4;
+                    return TokenType.NULL;
+                }
+            }
+            return TokenType.NONE;
+        }
+
+        static bool SerializeValue(IJsonSerializerStrategy jsonSerializerStrategy, object value, StringBuilder builder)
+        {
+            bool success = true;
+            string stringValue = value as string;
+            if (value == null)
+                builder.Append("null");
+            else if (stringValue != null)
+                success = SerializeString(stringValue, builder);
+            else
+            {
+                IDictionary<string, object> dict = value as IDictionary<string, object>;
+                Type type = value.GetType();
+                Type[] genArgs = ReflectionUtils.GetGenericTypeArguments(type);
+                var isStringKeyDictionary = type.GetTypeInfo().IsGenericType && type.GetGenericTypeDefinition() == typeof(Dictionary<,>) && genArgs[0] == typeof(string);
+                if (isStringKeyDictionary)
+                {
+                    var strDictValue = value as IDictionary;
+                    success = SerializeObject(jsonSerializerStrategy, strDictValue.Keys, strDictValue.Values, builder);
+                }
+                else if (dict != null)
+                {
+                    success = SerializeObject(jsonSerializerStrategy, dict.Keys, dict.Values, builder);
+                }
+                else
+                {
+                    IDictionary<string, string> stringDictionary = value as IDictionary<string, string>;
+                    if (stringDictionary != null)
+                    {
+                        success = SerializeObject(jsonSerializerStrategy, stringDictionary.Keys, stringDictionary.Values, builder);
+                    }
+                    else
+                    {
+                        IEnumerable enumerableValue = value as IEnumerable;
+                        if (enumerableValue != null)
+                            success = SerializeArray(jsonSerializerStrategy, enumerableValue, builder);
+                        else if (IsNumeric(value))
+                            success = SerializeNumber(value, builder);
+                        else if (value is bool)
+                            builder.Append((bool)value ? "true" : "false");
+                        else
+                        {
+                            object serializedObject;
+                            success = jsonSerializerStrategy.TrySerializeNonPrimitiveObject(value, out serializedObject);
+                            if (success)
+                                SerializeValue(jsonSerializerStrategy, serializedObject, builder);
+                        }
+                    }
+                }
+            }
+            return success;
+        }
+
+        static bool SerializeObject(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable keys, IEnumerable values, StringBuilder builder)
+        {
+            builder.Append("{");
+            IEnumerator ke = keys.GetEnumerator();
+            IEnumerator ve = values.GetEnumerator();
+            bool first = true;
+            while (ke.MoveNext() && ve.MoveNext())
+            {
+                object key = ke.Current;
+                object value = ve.Current;
+                if (!first)
+                    builder.Append(",");
+                string stringKey = key as string;
+                if (stringKey != null)
+                    SerializeString(stringKey, builder);
+                else
+                    if (!SerializeValue(jsonSerializerStrategy, value, builder)) return false;
+                builder.Append(":");
+                if (!SerializeValue(jsonSerializerStrategy, value, builder))
+                    return false;
+                first = false;
+            }
+            builder.Append("}");
+            return true;
+        }
+
+        static bool SerializeArray(IJsonSerializerStrategy jsonSerializerStrategy, IEnumerable anArray, StringBuilder builder)
+        {
+            builder.Append("[");
+            bool first = true;
+            foreach (object value in anArray)
+            {
+                if (!first)
+                    builder.Append(",");
+                if (!SerializeValue(jsonSerializerStrategy, value, builder))
+                    return false;
+                first = false;
+            }
+            builder.Append("]");
+            return true;
+        }
+
+        static bool SerializeString(string aString, StringBuilder builder)
+        {
+            // Happy path if there's nothing to be escaped. IndexOfAny is highly optimized (and unmanaged)
+            if (aString.IndexOfAny(EscapeCharacters) == -1)
+            {
+                builder.Append('"');
+                builder.Append(aString);
+                builder.Append('"');
+
+                return true;
+            }
+
+            builder.Append('"');
+            int safeCharacterCount = 0;
+            char[] charArray = aString.ToCharArray();
+
+            for (int i = 0; i < charArray.Length; i++)
+            {
+                char c = charArray[i];
+
+                // Non ascii characters are fine, buffer them up and send them to the builder
+                // in larger chunks if possible. The escape table is a 1:1 translation table
+                // with \0 [default(char)] denoting a safe character.
+                if (c >= EscapeTable.Length || EscapeTable[c] == default(char))
+                {
+                    safeCharacterCount++;
+                }
+                else
+                {
+                    if (safeCharacterCount > 0)
+                    {
+                        builder.Append(charArray, i - safeCharacterCount, safeCharacterCount);
+                        safeCharacterCount = 0;
+                    }
+
+                    builder.Append('\\');
+                    builder.Append(EscapeTable[c]);
+                }
+            }
+
+            if (safeCharacterCount > 0)
+            {
+                builder.Append(charArray, charArray.Length - safeCharacterCount, safeCharacterCount);
+            }
+
+            builder.Append('"');
+            return true;
+        }
+
+        static bool SerializeNumber(object number, StringBuilder builder)
+        {
+            if (number is decimal)
+                builder.Append(((decimal)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (number is double)
+                builder.Append(((double)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (number is float)
+                builder.Append(((float)number).ToString("R", CultureInfo.InvariantCulture));
+            else if (NumberTypes.IndexOf(number.GetType()) != -1)
+                builder.Append(number);
+            return true;
+        }
+
+        /// <summary>
+        /// Determines if a given object is numeric in any way
+        /// (can be integer, double, null, etc).
+        /// </summary>
+        static bool IsNumeric(object value)
+        {
+            if (value is sbyte) return true;
+            if (value is byte) return true;
+            if (value is short) return true;
+            if (value is ushort) return true;
+            if (value is int) return true;
+            if (value is uint) return true;
+            if (value is long) return true;
+            if (value is ulong) return true;
+            if (value is float) return true;
+            if (value is double) return true;
+            if (value is decimal) return true;
+            return false;
+        }
+
+        private static IJsonSerializerStrategy _currentJsonSerializerStrategy;
+        public static IJsonSerializerStrategy CurrentJsonSerializerStrategy
+        {
+            get
+            {
+                return _currentJsonSerializerStrategy ??
+                    (_currentJsonSerializerStrategy =
+#if SIMPLE_JSON_DATACONTRACT
+ DataContractJsonSerializerStrategy
+#else
+ PocoJsonSerializerStrategy
+#endif
+);
+            }
+            set
+            {
+                _currentJsonSerializerStrategy = value;
+            }
+        }
+
+        private static PocoJsonSerializerStrategy _pocoJsonSerializerStrategy;
+        [EditorBrowsable(EditorBrowsableState.Advanced)]
+        public static PocoJsonSerializerStrategy PocoJsonSerializerStrategy
+        {
+            get
+            {
+                return _pocoJsonSerializerStrategy ?? (_pocoJsonSerializerStrategy = new PocoJsonSerializerStrategy());
+            }
+        }
+
+#if SIMPLE_JSON_DATACONTRACT
+
+        private static DataContractJsonSerializerStrategy _dataContractJsonSerializerStrategy;
+        [System.ComponentModel.EditorBrowsable(EditorBrowsableState.Advanced)]
+        public static DataContractJsonSerializerStrategy DataContractJsonSerializerStrategy
+        {
+            get
+            {
+                return _dataContractJsonSerializerStrategy ?? (_dataContractJsonSerializerStrategy = new DataContractJsonSerializerStrategy());
+            }
+        }
+
+#endif
+    }
+
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ interface IJsonSerializerStrategy
+    {
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        bool TrySerializeNonPrimitiveObject(object input, out object output);
+        object DeserializeObject(object value, Type type);
+    }
+
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ class PocoJsonSerializerStrategy : IJsonSerializerStrategy
+    {
+        internal IDictionary<Type, ReflectionUtils.ConstructorDelegate> ConstructorCache;
+        internal IDictionary<Type, IDictionary<MemberInfo, ReflectionUtils.GetDelegate>> GetCache;
+        internal IDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>> SetCache;
+
+        internal static readonly Type[] EmptyTypes = new Type[0];
+        internal static readonly Type[] ArrayConstructorParameterTypes = new Type[] { typeof(int) };
+
+        private static readonly string[] Iso8601Format = new string[]
+                                                             {
+                                                                 @"yyyy-MM-dd\THH:mm:ss.FFFFFFF\Z",
+                                                                 @"yyyy-MM-dd\THH:mm:ss\Z",
+                                                                 @"yyyy-MM-dd\THH:mm:ssK"
+                                                             };
+
+        public PocoJsonSerializerStrategy()
+        {
+            ConstructorCache = new ReflectionUtils.ThreadSafeDictionary<Type, ReflectionUtils.ConstructorDelegate>(ContructorDelegateFactory);
+            GetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<MemberInfo, ReflectionUtils.GetDelegate>>(GetterValueFactory);
+            SetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>>(SetterValueFactory);
+        }
+
+        protected virtual string MapClrMemberNameToJsonFieldName(MemberInfo memberInfo)
+        {
+            // TODO: Optimize and/or cache
+            foreach (JsonProperty eachAttr in memberInfo.GetCustomAttributes(typeof(JsonProperty), true))
+                if (!string.IsNullOrEmpty(eachAttr.PropertyName))
+                    return eachAttr.PropertyName;
+            return memberInfo.Name;
+        }
+
+        protected virtual void MapClrMemberNameToJsonFieldName(MemberInfo memberInfo, out string jsonName, out JsonProperty jsonProp)
+        {
+            jsonName = memberInfo.Name;
+            jsonProp = null;
+            // TODO: Optimize and/or cache
+            foreach (JsonProperty eachAttr in memberInfo.GetCustomAttributes(typeof(JsonProperty), true))
+            {
+                jsonProp = eachAttr;
+                if (!string.IsNullOrEmpty(eachAttr.PropertyName))
+                    jsonName = eachAttr.PropertyName;
+            }
+        }
+
+        internal virtual ReflectionUtils.ConstructorDelegate ContructorDelegateFactory(Type key)
+        {
+            return ReflectionUtils.GetContructor(key, key.IsArray ? ArrayConstructorParameterTypes : EmptyTypes);
+        }
+
+        internal virtual IDictionary<MemberInfo, ReflectionUtils.GetDelegate> GetterValueFactory(Type type)
+        {
+            IDictionary<MemberInfo, ReflectionUtils.GetDelegate> result = new Dictionary<MemberInfo, ReflectionUtils.GetDelegate>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanRead)
+                {
+                    MethodInfo getMethod = ReflectionUtils.GetGetterMethodInfo(propertyInfo);
+                    if (getMethod.IsStatic || !getMethod.IsPublic)
+                        continue;
+                    result[propertyInfo] = ReflectionUtils.GetGetMethod(propertyInfo);
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (fieldInfo.IsStatic || !fieldInfo.IsPublic)
+                    continue;
+                result[fieldInfo] = ReflectionUtils.GetGetMethod(fieldInfo);
+            }
+            return result;
+        }
+
+        internal virtual IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> SetterValueFactory(Type type)
+        {
+            IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> result = new Dictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanWrite)
+                {
+                    MethodInfo setMethod = ReflectionUtils.GetSetterMethodInfo(propertyInfo);
+                    if (setMethod.IsStatic || !setMethod.IsPublic)
+                        continue;
+                    result[MapClrMemberNameToJsonFieldName(propertyInfo)] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(propertyInfo.PropertyType, ReflectionUtils.GetSetMethod(propertyInfo));
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (fieldInfo.IsInitOnly || fieldInfo.IsStatic || !fieldInfo.IsPublic)
+                    continue;
+                result[MapClrMemberNameToJsonFieldName(fieldInfo)] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(fieldInfo.FieldType, ReflectionUtils.GetSetMethod(fieldInfo));
+            }
+            return result;
+        }
+
+        public virtual bool TrySerializeNonPrimitiveObject(object input, out object output)
+        {
+            return TrySerializeKnownTypes(input, out output) || TrySerializeUnknownTypes(input, out output);
+        }
+
+        [SuppressMessage("Microsoft.Maintainability", "CA1502:AvoidExcessiveComplexity")]
+        public virtual object DeserializeObject(object value, Type type)
+        {
+            if (type == null) throw new ArgumentNullException("type");
+            if (value != null && type.IsInstanceOfType(value)) return value;
+
+            string str = value as string;
+            if (type == typeof(Guid) && string.IsNullOrEmpty(str))
+                return default(Guid);
+
+            if (value == null)
+                return null;
+
+            object obj = null;
+
+            if (str != null)
+            {
+                if (str.Length != 0) // We know it can't be null now.
+                {
+                    if (type == typeof(DateTime) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(DateTime)))
+                        return DateTime.ParseExact(str, Iso8601Format, CultureInfo.InvariantCulture, DateTimeStyles.AssumeUniversal | DateTimeStyles.AdjustToUniversal);
+                    if (type == typeof(DateTimeOffset) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(DateTimeOffset)))
+                        return DateTimeOffset.ParseExact(str, Iso8601Format, CultureInfo.InvariantCulture, DateTimeStyles.AssumeUniversal | DateTimeStyles.AdjustToUniversal);
+                    if (type == typeof(Guid) || (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid)))
+                        return new Guid(str);
+                    if (type == typeof(Uri))
+                    {
+                        bool isValid = Uri.IsWellFormedUriString(str, UriKind.RelativeOrAbsolute);
+
+                        Uri result;
+                        if (isValid && Uri.TryCreate(str, UriKind.RelativeOrAbsolute, out result))
+                            return result;
+
+                        return null;
+                    }
+
+                    if (type == typeof(string))
+                        return str;
+
+                    return Convert.ChangeType(str, type, CultureInfo.InvariantCulture);
+                }
+                else
+                {
+                    if (type == typeof(Guid))
+                        obj = default(Guid);
+                    else if (ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid))
+                        obj = null;
+                    else
+                        obj = str;
+                }
+                // Empty string case
+                if (!ReflectionUtils.IsNullableType(type) && Nullable.GetUnderlyingType(type) == typeof(Guid))
+                    return str;
+            }
+            else if (value is bool)
+                return value;
+
+            bool valueIsLong = value is long;
+            bool valueIsUlong = value is ulong;
+            bool valueIsDouble = value is double;
+            Type nullableType = Nullable.GetUnderlyingType(type);
+            if (nullableType != null && PlayFabSimpleJson.NumberTypes.IndexOf(nullableType) != -1)
+                type = nullableType; // Just use the regular type for the conversion
+            bool isNumberType = PlayFabSimpleJson.NumberTypes.IndexOf(type) != -1;
+            bool isEnumType = type.GetTypeInfo().IsEnum;
+            if ((valueIsLong && type == typeof(long)) || (valueIsUlong && type == typeof(ulong)) || (valueIsDouble && type == typeof(double)))
+                return value;
+            if ((valueIsLong || valueIsUlong || valueIsDouble) && isEnumType)
+                return Enum.ToObject(type, Convert.ChangeType(value, Enum.GetUnderlyingType(type), CultureInfo.InvariantCulture));
+            if ((valueIsLong || valueIsUlong || valueIsDouble) && isNumberType)
+                return Convert.ChangeType(value, type, CultureInfo.InvariantCulture);
+
+            IDictionary<string, object> objects = value as IDictionary<string, object>;
+            if (objects != null)
+            {
+                IDictionary<string, object> jsonObject = objects;
+
+                if (ReflectionUtils.IsTypeDictionary(type))
+                {
+                    // if dictionary then
+                    Type[] types = ReflectionUtils.GetGenericTypeArguments(type);
+                    Type keyType = types[0];
+                    Type valueType = types[1];
+
+                    Type genericType = typeof(Dictionary<,>).MakeGenericType(keyType, valueType);
+
+                    IDictionary dict = (IDictionary)ConstructorCache[genericType]();
+
+                    foreach (KeyValuePair<string, object> kvp in jsonObject)
+                        dict.Add(kvp.Key, DeserializeObject(kvp.Value, valueType));
+
+                    obj = dict;
+                }
+                else
+                {
+                    if (type == typeof(object))
+                        obj = value;
+                    else
+                    {
+                        obj = ConstructorCache[type]();
+                        foreach (KeyValuePair<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> setter in SetCache[type])
+                        {
+                            object jsonValue;
+                            if (jsonObject.TryGetValue(setter.Key, out jsonValue))
+                            {
+                                jsonValue = DeserializeObject(jsonValue, setter.Value.Key);
+                                setter.Value.Value(obj, jsonValue);
+                            }
+                        }
+                    }
+                }
+            }
+            else
+            {
+                IList<object> valueAsList = value as IList<object>;
+                if (valueAsList != null)
+                {
+                    IList<object> jsonObject = valueAsList;
+                    IList list = null;
+
+                    if (type.IsArray)
+                    {
+                        list = (IList)ConstructorCache[type](jsonObject.Count);
+                        int i = 0;
+                        foreach (object o in jsonObject)
+                            list[i++] = DeserializeObject(o, type.GetElementType());
+                    }
+                    else if (ReflectionUtils.IsTypeGenericeCollectionInterface(type) || ReflectionUtils.IsAssignableFrom(typeof(IList), type) || type == typeof(object))
+                    {
+                        Type innerType = ReflectionUtils.GetGenericListElementType(type);
+                        ReflectionUtils.ConstructorDelegate ctrDelegate = null;
+                        if (type != typeof(object))
+                            ctrDelegate = ConstructorCache[type];
+                        if (ctrDelegate == null)
+                            ctrDelegate = ConstructorCache[typeof(List<>).MakeGenericType(innerType)];
+                        list = (IList)ctrDelegate();
+                        foreach (object o in jsonObject)
+                            list.Add(DeserializeObject(o, innerType));
+                    }
+                    obj = list;
+                }
+                return obj;
+            }
+            if (ReflectionUtils.IsNullableType(type))
+                return ReflectionUtils.ToNullableType(obj, type);
+            return obj;
+        }
+
+        protected virtual object SerializeEnum(Enum p)
+        {
+            return Convert.ToDouble(p, CultureInfo.InvariantCulture);
+        }
+
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        protected virtual bool TrySerializeKnownTypes(object input, out object output)
+        {
+            bool returnValue = true;
+            if (input is DateTime)
+                output = ((DateTime)input).ToUniversalTime().ToString(Iso8601Format[0], CultureInfo.InvariantCulture);
+            else if (input is DateTimeOffset)
+                output = ((DateTimeOffset)input).ToUniversalTime().ToString(Iso8601Format[0], CultureInfo.InvariantCulture);
+            else if (input is Guid)
+                output = ((Guid)input).ToString("D");
+            else if (input is Uri)
+                output = input.ToString();
+            else
+            {
+                Enum inputEnum = input as Enum;
+                if (inputEnum != null)
+                    output = SerializeEnum(inputEnum);
+                else
+                {
+                    returnValue = false;
+                    output = null;
+                }
+            }
+            return returnValue;
+        }
+        [SuppressMessage("Microsoft.Design", "CA1007:UseGenericsWhereAppropriate", Justification = "Need to support .NET 2")]
+        protected virtual bool TrySerializeUnknownTypes(object input, out object output)
+        {
+            if (input == null) throw new ArgumentNullException("input");
+            output = null;
+            Type type = input.GetType();
+            if (type.FullName == null)
+                return false;
+            IDictionary<string, object> obj = new JsonObject();
+            IDictionary<MemberInfo, ReflectionUtils.GetDelegate> getters = GetCache[type];
+            foreach (KeyValuePair<MemberInfo, ReflectionUtils.GetDelegate> getter in getters)
+            {
+                if (getter.Value == null)
+                    continue;
+                string jsonKey;
+                JsonProperty jsonProp;
+                MapClrMemberNameToJsonFieldName(getter.Key, out jsonKey, out jsonProp);
+                if (obj.ContainsKey(jsonKey))
+                    throw new Exception("The given key is defined multiple times in the same type: " + input.GetType().Name + "." + jsonKey);
+                object value = getter.Value(input);
+                if (jsonProp == null || jsonProp.NullValueHandling == NullValueHandling.Include || value != null)
+                    obj.Add(jsonKey, value);
+            }
+            output = obj;
+            return true;
+        }
+    }
+
+#if SIMPLE_JSON_DATACONTRACT
+    [GeneratedCode("simple-json", "1.0.0")]
+#if SIMPLE_JSON_INTERNAL
+    internal
+#else
+    public
+#endif
+ class DataContractJsonSerializerStrategy : PocoJsonSerializerStrategy
+    {
+        public DataContractJsonSerializerStrategy()
+        {
+            GetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, ReflectionUtils.GetDelegate>>(GetterValueFactory);
+            SetCache = new ReflectionUtils.ThreadSafeDictionary<Type, IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>>(SetterValueFactory);
+        }
+
+        internal override IDictionary<string, ReflectionUtils.GetDelegate> GetterValueFactory(Type type)
+        {
+            bool hasDataContract = ReflectionUtils.GetAttribute(type, typeof(DataContractAttribute)) != null;
+            if (!hasDataContract)
+                return base.GetterValueFactory(type);
+            string jsonKey;
+            IDictionary<string, ReflectionUtils.GetDelegate> result = new Dictionary<string, ReflectionUtils.GetDelegate>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanRead)
+                {
+                    MethodInfo getMethod = ReflectionUtils.GetGetterMethodInfo(propertyInfo);
+                    if (!getMethod.IsStatic && CanAdd(propertyInfo, out jsonKey))
+                        result[jsonKey] = ReflectionUtils.GetGetMethod(propertyInfo);
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (!fieldInfo.IsStatic && CanAdd(fieldInfo, out jsonKey))
+                    result[jsonKey] = ReflectionUtils.GetGetMethod(fieldInfo);
+            }
+            return result;
+        }
+
+        internal override IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> SetterValueFactory(Type type)
+        {
+            bool hasDataContract = ReflectionUtils.GetAttribute(type, typeof(DataContractAttribute)) != null;
+            if (!hasDataContract)
+                return base.SetterValueFactory(type);
+            string jsonKey;
+            IDictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>> result = new Dictionary<string, KeyValuePair<Type, ReflectionUtils.SetDelegate>>();
+            foreach (PropertyInfo propertyInfo in ReflectionUtils.GetProperties(type))
+            {
+                if (propertyInfo.CanWrite)
+                {
+                    MethodInfo setMethod = ReflectionUtils.GetSetterMethodInfo(propertyInfo);
+                    if (!setMethod.IsStatic && CanAdd(propertyInfo, out jsonKey))
+                        result[jsonKey] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(propertyInfo.PropertyType, ReflectionUtils.GetSetMethod(propertyInfo));
+                }
+            }
+            foreach (FieldInfo fieldInfo in ReflectionUtils.GetFields(type))
+            {
+                if (!fieldInfo.IsInitOnly && !fieldInfo.IsStatic && CanAdd(fieldInfo, out jsonKey))
+                    result[jsonKey] = new KeyValuePair<Type, ReflectionUtils.SetDelegate>(fieldInfo.FieldType, ReflectionUtils.GetSetMethod(fieldInfo));
+            }
+            // todo implement sorting for DATACONTRACT.
+            return result;
+        }
+
+        private static bool CanAdd(MemberInfo info, out string jsonKey)
+        {
+            jsonKey = null;
+            if (ReflectionUtils.GetAttribute(info, typeof(IgnoreDataMemberAttribute)) != null)
+                return false;
+            DataMemberAttribute dataMemberAttribute = (DataMemberAttribute)ReflectionUtils.GetAttribute(info, typeof(DataMemberAttribute));
+            if (dataMemberAttribute == null)
+                return false;
+            jsonKey = string.IsNullOrEmpty(dataMemberAttribute.Name) ? info.Name : dataMemberAttribute.Name;
+            return true;
+        }
+    }
+
+#endif
+
+    // This class is meant to be copied into other libraries. So we want to exclude it from Code Analysis rules
+    // that might be in place in the target project.
+    [GeneratedCode("reflection-utils", "1.0.0")]
+#if SIMPLE_JSON_REFLECTION_UTILS_PUBLIC
+        public
+#else
+    internal
+#endif
+ class ReflectionUtils
+    {
+        private static readonly object[] EmptyObjects = new object[0];
+
+        public delegate object GetDelegate(object source);
+        public delegate void SetDelegate(object source, object value);
+        public delegate object ConstructorDelegate(params object[] args);
+
+        public delegate TValue ThreadSafeDictionaryValueFactory<TKey, TValue>(TKey key);
+
+        [ThreadStatic]
+        private static object[] _1ObjArray;
+
+#if SIMPLE_JSON_TYPEINFO
+        public static TypeInfo GetTypeInfo(Type type)
+        {
+            return type.GetTypeInfo();
+        }
+#else
+        public static Type GetTypeInfo(Type type)
+        {
+            return type;
+        }
+#endif
+
+        public static Attribute GetAttribute(MemberInfo info, Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            if (info == null || type == null || !info.IsDefined(type))
+                return null;
+            return info.GetCustomAttribute(type);
+#else
+            if (info == null || type == null || !Attribute.IsDefined(info, type))
+                return null;
+            return Attribute.GetCustomAttribute(info, type);
+#endif
+        }
+
+        public static Type GetGenericListElementType(Type type)
+        {
+            if (type == typeof(object))
+                return type;
+
+            IEnumerable<Type> interfaces;
+#if SIMPLE_JSON_TYPEINFO
+            interfaces = type.GetTypeInfo().ImplementedInterfaces;
+#else
+            interfaces = type.GetInterfaces();
+#endif
+            foreach (Type implementedInterface in interfaces)
+            {
+                if (IsTypeGeneric(implementedInterface) &&
+                    implementedInterface.GetGenericTypeDefinition() == typeof(IList<>))
+                {
+                    return GetGenericTypeArguments(implementedInterface)[0];
+                }
+            }
+            return GetGenericTypeArguments(type)[0];
+        }
+
+        public static Attribute GetAttribute(Type objectType, Type attributeType)
+        {
+
+#if SIMPLE_JSON_TYPEINFO
+            if (objectType == null || attributeType == null || !objectType.GetTypeInfo().IsDefined(attributeType))
+                return null;
+            return objectType.GetTypeInfo().GetCustomAttribute(attributeType);
+#else
+            if (objectType == null || attributeType == null || !Attribute.IsDefined(objectType, attributeType))
+                return null;
+            return Attribute.GetCustomAttribute(objectType, attributeType);
+#endif
+        }
+
+        public static Type[] GetGenericTypeArguments(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return type.GetTypeInfo().GenericTypeArguments;
+#else
+            return type.GetGenericArguments();
+#endif
+        }
+
+        public static bool IsTypeGeneric(Type type)
+        {
+            return GetTypeInfo(type).IsGenericType;
+        }
+
+        public static bool IsTypeGenericeCollectionInterface(Type type)
+        {
+            if (!IsTypeGeneric(type))
+                return false;
+
+            Type genericDefinition = type.GetGenericTypeDefinition();
+
+            return (genericDefinition == typeof(IList<>)
+                || genericDefinition == typeof(ICollection<>)
+                || genericDefinition == typeof(IEnumerable<>)
+#if SIMPLE_JSON_READONLY_COLLECTIONS
+                    || genericDefinition == typeof(IReadOnlyCollection<>)
+                    || genericDefinition == typeof(IReadOnlyList<>)
+#endif
+);
+        }
+
+        public static bool IsAssignableFrom(Type type1, Type type2)
+        {
+            return GetTypeInfo(type1).IsAssignableFrom(GetTypeInfo(type2));
+        }
+
+        public static bool IsTypeDictionary(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            if (typeof(IDictionary<,>).GetTypeInfo().IsAssignableFrom(type.GetTypeInfo()))
+                return true;
+#else
+            if (typeof(System.Collections.IDictionary).IsAssignableFrom(type))
+                return true;
+#endif
+            if (!GetTypeInfo(type).IsGenericType)
+                return false;
+
+            Type genericDefinition = type.GetGenericTypeDefinition();
+            return genericDefinition == typeof(IDictionary<,>) || genericDefinition == typeof(Dictionary<,>);
+        }
+
+        public static bool IsNullableType(Type type)
+        {
+            return GetTypeInfo(type).IsGenericType && type.GetGenericTypeDefinition() == typeof(Nullable<>);
+        }
+
+        public static object ToNullableType(object obj, Type nullableType)
+        {
+            return obj == null ? null : Convert.ChangeType(obj, Nullable.GetUnderlyingType(nullableType), CultureInfo.InvariantCulture);
+        }
+
+        public static bool IsValueType(Type type)
+        {
+            return GetTypeInfo(type).IsValueType;
+        }
+
+        public static IEnumerable<ConstructorInfo> GetConstructors(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return type.GetTypeInfo().DeclaredConstructors;
+#else
+            return type.GetConstructors();
+#endif
+        }
+
+        public static ConstructorInfo GetConstructorInfo(Type type, params Type[] argsType)
+        {
+            IEnumerable<ConstructorInfo> constructorInfos = GetConstructors(type);
+            int i;
+            bool matches;
+            foreach (ConstructorInfo constructorInfo in constructorInfos)
+            {
+                ParameterInfo[] parameters = constructorInfo.GetParameters();
+                if (argsType.Length != parameters.Length)
+                    continue;
+
+                i = 0;
+                matches = true;
+                foreach (ParameterInfo parameterInfo in constructorInfo.GetParameters())
+                {
+                    if (parameterInfo.ParameterType != argsType[i])
+                    {
+                        matches = false;
+                        break;
+                    }
+                }
+
+                if (matches)
+                    return constructorInfo;
+            }
+
+            return null;
+        }
+
+        public static IEnumerable<PropertyInfo> GetProperties(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return type.GetRuntimeProperties();
+#else
+            return type.GetProperties(BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Static);
+#endif
+        }
+
+        public static IEnumerable<FieldInfo> GetFields(Type type)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return type.GetRuntimeFields();
+#else
+            return type.GetFields(BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Static);
+#endif
+        }
+
+        public static MethodInfo GetGetterMethodInfo(PropertyInfo propertyInfo)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return propertyInfo.GetMethod;
+#else
+            return propertyInfo.GetGetMethod(true);
+#endif
+        }
+
+        public static MethodInfo GetSetterMethodInfo(PropertyInfo propertyInfo)
+        {
+#if SIMPLE_JSON_TYPEINFO
+            return propertyInfo.SetMethod;
+#else
+            return propertyInfo.GetSetMethod(true);
+#endif
+        }
+
+        public static ConstructorDelegate GetContructor(ConstructorInfo constructorInfo)
+        {
+            return GetConstructorByReflection(constructorInfo);
+        }
+
+        public static ConstructorDelegate GetContructor(Type type, params Type[] argsType)
+        {
+            return GetConstructorByReflection(type, argsType);
+        }
+
+        public static ConstructorDelegate GetConstructorByReflection(ConstructorInfo constructorInfo)
+        {
+            return delegate (object[] args)
+            {
+                var x = constructorInfo;
+                return x.Invoke(args);
+            };
+        }
+
+        public static ConstructorDelegate GetConstructorByReflection(Type type, params Type[] argsType)
+        {
+            ConstructorInfo constructorInfo = GetConstructorInfo(type, argsType);
+            return constructorInfo == null ? null : GetConstructorByReflection(constructorInfo);
+        }
+
+        public static GetDelegate GetGetMethod(PropertyInfo propertyInfo)
+        {
+            return GetGetMethodByReflection(propertyInfo);
+        }
+
+        public static GetDelegate GetGetMethod(FieldInfo fieldInfo)
+        {
+            return GetGetMethodByReflection(fieldInfo);
+        }
+
+        public static GetDelegate GetGetMethodByReflection(PropertyInfo propertyInfo)
+        {
+            MethodInfo methodInfo = GetGetterMethodInfo(propertyInfo);
+            return delegate (object source) { return methodInfo.Invoke(source, EmptyObjects); };
+        }
+
+        public static GetDelegate GetGetMethodByReflection(FieldInfo fieldInfo)
+        {
+            return delegate (object source) { return fieldInfo.GetValue(source); };
+        }
+
+        public static SetDelegate GetSetMethod(PropertyInfo propertyInfo)
+        {
+            return GetSetMethodByReflection(propertyInfo);
+        }
+
+        public static SetDelegate GetSetMethod(FieldInfo fieldInfo)
+        {
+            return GetSetMethodByReflection(fieldInfo);
+        }
+
+        public static SetDelegate GetSetMethodByReflection(PropertyInfo propertyInfo)
+        {
+            MethodInfo methodInfo = GetSetterMethodInfo(propertyInfo);
+            return delegate (object source, object value)
+            {
+                if (_1ObjArray == null)
+                    _1ObjArray = new object[1];
+                _1ObjArray[0] = value;
+                methodInfo.Invoke(source, _1ObjArray);
+            };
+        }
+
+        public static SetDelegate GetSetMethodByReflection(FieldInfo fieldInfo)
+        {
+            return delegate (object source, object value) { fieldInfo.SetValue(source, value); };
+        }
+
+        public sealed class ThreadSafeDictionary<TKey, TValue> : IDictionary<TKey, TValue>
+        {
+            private readonly object _lock = new object();
+            private readonly ThreadSafeDictionaryValueFactory<TKey, TValue> _valueFactory;
+            private Dictionary<TKey, TValue> _dictionary;
+
+            public ThreadSafeDictionary(ThreadSafeDictionaryValueFactory<TKey, TValue> valueFactory)
+            {
+                _valueFactory = valueFactory;
+            }
+
+            private TValue Get(TKey key)
+            {
+                if (_dictionary == null)
+                    return AddValue(key);
+                TValue value;
+                if (!_dictionary.TryGetValue(key, out value))
+                    return AddValue(key);
+                return value;
+            }
+
+            private TValue AddValue(TKey key)
+            {
+                TValue value = _valueFactory(key);
+                lock (_lock)
+                {
+                    if (_dictionary == null)
+                    {
+                        _dictionary = new Dictionary<TKey, TValue>();
+                        _dictionary[key] = value;
+                    }
+                    else
+                    {
+                        TValue val;
+                        if (_dictionary.TryGetValue(key, out val))
+                            return val;
+                        Dictionary<TKey, TValue> dict = new Dictionary<TKey, TValue>(_dictionary);
+                        dict[key] = value;
+                        _dictionary = dict;
+                    }
+                }
+                return value;
+            }
+
+            public void Add(TKey key, TValue value)
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool ContainsKey(TKey key)
+            {
+                return _dictionary.ContainsKey(key);
+            }
+
+            public ICollection<TKey> Keys
+            {
+                get { return _dictionary.Keys; }
+            }
+
+            public bool Remove(TKey key)
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool TryGetValue(TKey key, out TValue value)
+            {
+                value = this[key];
+                return true;
+            }
+
+            public ICollection<TValue> Values
+            {
+                get { return _dictionary.Values; }
+            }
+
+            public TValue this[TKey key]
+            {
+                get { return Get(key); }
+                set { throw new NotImplementedException(); }
+            }
+
+            public void Add(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public void Clear()
+            {
+                throw new NotImplementedException();
+            }
+
+            public bool Contains(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public void CopyTo(KeyValuePair<TKey, TValue>[] array, int arrayIndex)
+            {
+                throw new NotImplementedException();
+            }
+
+            public int Count
+            {
+                get { return _dictionary.Count; }
+            }
+
+            public bool IsReadOnly
+            {
+                get { throw new NotImplementedException(); }
+            }
+
+            public bool Remove(KeyValuePair<TKey, TValue> item)
+            {
+                throw new NotImplementedException();
+            }
+
+            public IEnumerator<KeyValuePair<TKey, TValue>> GetEnumerator()
+            {
+                return _dictionary.GetEnumerator();
+            }
+
+            System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
+            {
+                return _dictionary.GetEnumerator();
+            }
+        }
+    }
+}
+
+// ReSharper restore LoopCanBeConvertedToQuery
+// ReSharper restore RedundantExplicitArrayCreation
+// ReSharper restore SuggestUseVarKeywordEvident
diff --git a/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs.meta b/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..38d3b82f355daeb00b29e0e13be38d58339b6118
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/SimpleJson.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: bce6184794650f24fa8ac244b25edc17
+timeCreated: 1462682372
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs b/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs
new file mode 100644
index 0000000000000000000000000000000000000000..4abc8b34c977980fb5f983ac459bed947fb2f60b
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs
@@ -0,0 +1,58 @@
+using UnityEngine;
+
+namespace PlayFab.Internal
+{
+    //public to be accessible by Unity engine
+    public class SingletonMonoBehaviour<T> : MonoBehaviour where T : SingletonMonoBehaviour<T>
+    {
+        private static T _instance;
+
+        public static T instance
+        {
+            get
+            {
+                CreateInstance();
+                return _instance;
+            }
+        }
+
+        public static void CreateInstance()
+        {
+            if (_instance == null)
+            {
+                //find existing instance
+                _instance = FindObjectOfType<T>();
+                if (_instance == null)
+                {
+                    //create new instance
+                    var go = new GameObject(typeof(T).Name);
+                    _instance = go.AddComponent<T>();
+                }
+                //initialize instance if necessary
+                if (!_instance.initialized)
+                {
+                    _instance.Initialize();
+                    _instance.initialized = true;
+                }
+            }
+        }
+
+        public virtual void Awake ()
+        {
+            if (Application.isPlaying)
+            {
+                DontDestroyOnLoad(this);
+            }
+
+            //check if instance already exists when reloading original scene
+            if (_instance != null)
+            {
+                DestroyImmediate (gameObject);
+            }
+        }
+
+        protected bool initialized;
+
+        protected virtual void Initialize() { }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs.meta b/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..4a1f14a2a4dc9a3b519312b91f263fcf632b3425
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/SingletonMonoBehaviour.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: f6a51fa1ed684497db153f40961979c4
+timeCreated: 1462682373
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/Util.cs b/Assets/PlayFabSDK/Shared/Internal/Util.cs
new file mode 100644
index 0000000000000000000000000000000000000000..6c5e4650ea6d53ea3d55e3a4cf494145366c6ad4
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/Util.cs
@@ -0,0 +1,157 @@
+using System;
+using System.Collections.Generic;
+using System.Globalization;
+using System.IO;
+using System.Text;
+
+#if NETFX_CORE
+using System.Reflection;
+#endif
+
+namespace PlayFab.Internal
+{
+    public static class PlayFabUtil
+    {
+        static PlayFabUtil() { }
+
+        private static string _localSettingsFileName = "playfab.local.settings.json";
+        public static readonly string[] _defaultDateTimeFormats = new string[]{ // All parseable ISO 8601 formats for DateTime.[Try]ParseExact - Lets us deserialize any legacy timestamps in one of these formats
+            // These are the standard format with ISO 8601 UTC markers (T/Z)
+            "yyyy-MM-ddTHH:mm:ss.FFFFFFZ",
+            "yyyy-MM-ddTHH:mm:ss.FFFFZ",
+            "yyyy-MM-ddTHH:mm:ss.FFFZ", // DEFAULT_UTC_OUTPUT_INDEX
+            "yyyy-MM-ddTHH:mm:ss.FFZ",
+            "yyyy-MM-ddTHH:mm:ssZ",
+            "yyyy-MM-dd HH:mm:ssZ", // Added for Android Push Plugin
+
+            // These are the standard format without ISO 8601 UTC markers (T/Z)
+            "yyyy-MM-dd HH:mm:ss.FFFFFF",
+            "yyyy-MM-dd HH:mm:ss.FFFF",
+            "yyyy-MM-dd HH:mm:ss.FFF",
+            "yyyy-MM-dd HH:mm:ss.FF", // DEFAULT_LOCAL_OUTPUT_INDEX
+            "yyyy-MM-dd HH:mm:ss",
+
+            // These are the result of an input bug, which we now have to support as long as the db has entries formatted like this
+            "yyyy-MM-dd HH:mm.ss.FFFF",
+            "yyyy-MM-dd HH:mm.ss.FFF",
+            "yyyy-MM-dd HH:mm.ss.FF",
+            "yyyy-MM-dd HH:mm.ss",
+        };
+        public const int DEFAULT_UTC_OUTPUT_INDEX = 2; // The default format everybody should use
+        public const int DEFAULT_LOCAL_OUTPUT_INDEX = 9; // The default format if you want to use local time (This doesn't have universal support in all PlayFab code)
+        public static DateTimeStyles DateTimeStyles = DateTimeStyles.RoundtripKind;
+
+        public static string timeStamp
+        {
+            get { return DateTime.Now.ToString(_defaultDateTimeFormats[DEFAULT_LOCAL_OUTPUT_INDEX]); }
+        }
+
+        public static string utcTimeStamp
+        {
+            get { return DateTime.UtcNow.ToString(_defaultDateTimeFormats[DEFAULT_UTC_OUTPUT_INDEX]); }
+        }
+
+        public static string Format(string text, params object[] args)
+        {
+            return args.Length > 0 ? string.Format(text, args) : text;
+        }
+
+        [ThreadStatic]
+        private static StringBuilder _sb;
+        /// <summary>
+        /// A threadsafe way to block and load a text file
+        ///
+        /// Load a text file, and return the file as text.
+        /// Used for small (usually json) files.
+        /// </summary>
+        public static string ReadAllFileText(string filename)
+        {
+            if (!File.Exists(filename))
+            {
+                return string.Empty;
+            }
+
+            if (_sb == null)
+            {
+                _sb = new StringBuilder();
+            }
+            _sb.Length = 0;
+
+            using (var fs = new FileStream(filename, FileMode.Open))
+            {
+                using (var br = new BinaryReader(fs))
+                {
+                    while (br.BaseStream.Position != br.BaseStream.Length)
+                    {
+                        _sb.Append(br.ReadChar());
+                    }
+                }
+            }
+
+            return _sb.ToString();
+        }
+
+        public static T TryEnumParse<T>(string value, T defaultValue)
+        {
+            try
+            {
+                return (T)Enum.Parse(typeof(T), value);
+            }
+            catch (InvalidCastException)
+            {
+                return defaultValue;
+            }
+            catch (Exception e)
+            {
+                UnityEngine.Debug.LogError("Enum cast failed with unknown error: " + e.Message);
+                return defaultValue;
+            }
+        }
+
+#if UNITY_2017_1_OR_NEWER
+        internal static string GetLocalSettingsFileProperty(string propertyKey)
+        {
+            string envFileContent = null;
+
+            string currDir = Directory.GetCurrentDirectory();
+            string currDirEnvFile = Path.Combine(currDir, _localSettingsFileName);
+
+            if (File.Exists(currDirEnvFile))
+            {
+                envFileContent = ReadAllFileText(currDirEnvFile);
+            }
+            else
+            {
+                string tempDir = Path.GetTempPath();
+                string tempDirEnvFile = Path.Combine(tempDir, _localSettingsFileName);
+
+                if (File.Exists(tempDirEnvFile))
+                {
+                    envFileContent = ReadAllFileText(tempDirEnvFile);
+                }
+            }
+
+            if (!string.IsNullOrEmpty(envFileContent))
+            {
+                var serializer = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+                var envJson = serializer.DeserializeObject<Dictionary<string, object>>(envFileContent);
+                try
+                {
+                    object result;
+                    if (envJson.TryGetValue(propertyKey, out result))
+                    {
+                        return result == null ? null : result.ToString();
+                    }
+
+                    return null;
+                }
+                catch (KeyNotFoundException)
+                {
+                    return string.Empty;
+                }
+            }
+            return string.Empty;
+        }
+#endif
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/Util.cs.meta b/Assets/PlayFabSDK/Shared/Internal/Util.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..199e91ed265bec08dc1b6a84bf21e93c0c1fd3ee
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/Util.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: b3bfc0fbdbe1a36429699dfc30c9e488
+timeCreated: 1462682372
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs b/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs
new file mode 100644
index 0000000000000000000000000000000000000000..db85a94e543fe09e5b7660be7fc4252c0f4db260
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs
@@ -0,0 +1,66 @@
+#if UNITY_WSA && UNITY_WP8
+#define NETFX_CORE
+#endif
+
+using System;
+using System.Collections.Generic;
+using System.Reflection;
+using System.Text;
+
+namespace PlayFab
+{
+    public static class WsaReflectionExtensions
+    {
+#if !NETFX_CORE
+        public static Delegate CreateDelegate(this MethodInfo methodInfo, Type delegateType, object instance)
+        {
+            return Delegate.CreateDelegate(delegateType, instance, methodInfo);
+        }
+        public static Type GetTypeInfo(this Type type)
+        {
+            return type;
+        }
+        public static Type AsType(this Type type)
+        {
+            return type;
+        }
+        public static string GetDelegateName(this Delegate delegateInstance)
+        {
+            return delegateInstance.Method.Name;
+        }
+#else
+        public static bool IsInstanceOfType(this Type type, object obj)
+        {
+            return obj != null && type.GetTypeInfo().IsAssignableFrom(obj.GetType().GetTypeInfo());
+        }
+        public static string GetDelegateName(this Delegate delegateInstance)
+        {
+            return delegateInstance.ToString();
+        }
+        public static MethodInfo GetMethod(this Type type, string methodName)
+        {
+            return type.GetTypeInfo().GetDeclaredMethod(methodName);
+        }
+        public static IEnumerable<FieldInfo> GetFields(this TypeInfo typeInfo)
+        {
+            return typeInfo.DeclaredFields;
+        }
+        public static TypeInfo GetTypeInfo(this TypeInfo typeInfo)
+        {
+            return typeInfo;
+        }
+        public static IEnumerable<ConstructorInfo> GetConstructors(this TypeInfo typeInfo)
+        {
+            return typeInfo.DeclaredConstructors;
+        }
+        public static IEnumerable<MethodInfo> GetMethods(this TypeInfo typeInfo, BindingFlags ignored)
+        {
+            return typeInfo.DeclaredMethods;
+        }
+        public static IEnumerable<TypeInfo> GetTypes(this Assembly assembly)
+        {
+            return assembly.DefinedTypes;
+        }
+#endif
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs.meta b/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..aa63e032d39dc6f4bfdf017ffff5cc6f629b13db
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Internal/wsaReflectionExtensions.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 1b20d57e2279b3a408268b20c2be2208
+timeCreated: 1468890373
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Models.meta b/Assets/PlayFabSDK/Shared/Models.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ab8f60da0903919be56cb1bbd103de6389be19eb
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Models.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 34c5d2725a89d1c40af9b10a9b9dcbc5
+folderAsset: yes
+timeCreated: 1467491757
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs b/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs
new file mode 100644
index 0000000000000000000000000000000000000000..3de4593021583ec43f80954fb491122d3e65fd7f
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs
@@ -0,0 +1,33 @@
+using UnityEngine;
+using PlayFab;
+
+#if UNITY_5_3_OR_NEWER
+[CreateAssetMenu(fileName = "PlayFabSharedSettings", menuName = "PlayFab/CreateSharedSettings", order = 1)]
+#endif
+public class PlayFabSharedSettings : ScriptableObject
+{
+    public string TitleId;
+    internal string VerticalName = null;
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API || UNITY_EDITOR
+    public string DeveloperSecretKey;
+#endif
+    public string ProductionEnvironmentUrl = "";
+
+#if UNITY_2017_2_OR_NEWER
+    public WebRequestType RequestType = WebRequestType.UnityWebRequest;
+#else
+    public WebRequestType RequestType = WebRequestType.UnityWww;
+#endif
+
+    public bool DisableDeviceInfo;
+    public bool DisableFocusTimeCollection;
+
+    public int RequestTimeout = 2000;
+    public bool RequestKeepAlive = true;
+
+    public PlayFabLogLevel LogLevel = PlayFabLogLevel.Warning | PlayFabLogLevel.Error;
+    public string LoggerHost = "";
+    public int LoggerPort = 0;
+    public bool EnableRealTimeLogging = false;
+    public int LogCapLimit = 30;
+}
diff --git a/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs.meta b/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..5612c93a9136f3dd8add0a84297aca095c673fc2
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Models/PlayFabSharedSettings.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 093286084a3d1994a9c28281a1c38b1d
+timeCreated: 1467748518
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Models/SharedModels.cs b/Assets/PlayFabSDK/Shared/Models/SharedModels.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0d147cb8aab0c5087cd6f7810dfe2ea0fdd04f6d
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Models/SharedModels.cs
@@ -0,0 +1,44 @@
+using PlayFab.Internal;
+
+namespace PlayFab.SharedModels
+{
+    public class HttpResponseObject
+    {
+        public int code;
+        public string status;
+        public object data;
+    }
+
+    public class PlayFabBaseModel
+    {
+        public string ToJson()
+        {
+            var json = PluginManager.GetPlugin<ISerializerPlugin>(PluginContract.PlayFab_Serializer);
+            return json.SerializeObject(this);
+        }
+    }
+
+    public interface IPlayFabInstanceApi { }
+
+    public class PlayFabRequestCommon : PlayFabBaseModel
+    {
+        public PlayFabAuthenticationContext AuthenticationContext;
+    }
+
+    public class PlayFabResultCommon : PlayFabBaseModel
+    {
+        public PlayFabRequestCommon Request;
+        public object CustomData;
+    }
+
+    public class PlayFabLoginResultCommon : PlayFabResultCommon
+    {
+        public PlayFabAuthenticationContext AuthenticationContext;
+    }
+
+    public class PlayFabResult<TResult> where TResult : PlayFabResultCommon
+    {
+        public TResult Result;
+        public object CustomData;
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Models/SharedModels.cs.meta b/Assets/PlayFabSDK/Shared/Models/SharedModels.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ba966239bb9bfb5b6f6ae783e5037f9a7844beea
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Models/SharedModels.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 8e2ad5324972b434883785ddddf9c851
+timeCreated: 1467491766
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public.meta b/Assets/PlayFabSDK/Shared/Public.meta
new file mode 100644
index 0000000000000000000000000000000000000000..340516d7b9bc4966caa5c18fb20d4fac1b859a62
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: 85636a5aec9f04e91a75e422c19ff5da
+folderAsset: yes
+timeCreated: 1462682372
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs b/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs
new file mode 100644
index 0000000000000000000000000000000000000000..676ca43483c99ad5ee9a4b532d6d63bb1b35c6f7
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs
@@ -0,0 +1,9 @@
+namespace PlayFab
+{
+    /// <summary>
+    /// Base interface of any PlayFab SDK plugin.
+    /// </summary>
+    public interface IPlayFabPlugin
+    {
+    }
+}
\ No newline at end of file
diff --git a/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs.meta b/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..25d6f1b97162bc11283de45947d9c74ba488ccde
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/IPlayFabPlugin.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: c515d14de9458ef449d382c41e4943b0
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs b/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d2889c9d389893dc7c22cc3e3e71d8474e7a07af
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs
@@ -0,0 +1,15 @@
+namespace PlayFab
+{
+    /// <summary>
+    /// Interface of any data serializer SDK plugin.
+    /// </summary>
+    public interface ISerializerPlugin : IPlayFabPlugin
+    {
+        T DeserializeObject<T>(string serialized);
+        T DeserializeObject<T>(string serialized, object serializerStrategy);
+        object DeserializeObject(string serialized);
+
+        string SerializeObject(object obj);
+        string SerializeObject(object obj, object serializerStrategy);
+    }
+}
\ No newline at end of file
diff --git a/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs.meta b/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1a0051ceb16125b6ff335b3c4c5007500daea3ab
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/ISerializerPlugin.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: d33ec65e8a628fe44a4aa5c55289a16d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs b/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs
new file mode 100644
index 0000000000000000000000000000000000000000..0206bb72ae093412ca4392190c3119f468c15334
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs
@@ -0,0 +1,27 @@
+using System;
+using System.Collections.Generic;
+
+namespace PlayFab
+{
+    /// <summary>
+    /// Interface of any transport SDK plugin.
+    /// </summary>
+    public interface ITransportPlugin: IPlayFabPlugin
+    {
+        bool IsInitialized { get; }
+        void Initialize();
+
+        // Mirroring MonoBehaviour - Relayed from PlayFabHTTP
+        void Update();
+        void OnDestroy();
+
+        void SimpleGetCall(string fullUrl, Action<byte[]> successCallback, Action<string> errorCallback);
+        void SimplePutCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback);
+
+        void SimplePostCall(string fullUrl, byte[] payload, Action<byte[]> successCallback, Action<string> errorCallback);
+
+        void MakeApiCall(object reqContainer);
+
+        int GetPendingMessages();
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs.meta b/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ebf43af43ef7741ae3c97bb6508da063abc6cb8a
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/ITransportPlugin.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: b97cd56b9c312144bb35f37b431aa18f
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs
new file mode 100644
index 0000000000000000000000000000000000000000..7c888c4733e5ca0df6c2c92b1a605c36ced8cf71
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs
@@ -0,0 +1,82 @@
+using System.Collections.Generic;
+using System;
+
+namespace PlayFab
+{
+    public class PlayFabApiSettings
+    {
+        private string _ProductionEnvironmentUrl = PlayFabSettings.DefaultPlayFabApiUrl;
+        public readonly Dictionary<string, string> _requestGetParams = new Dictionary<string, string> {
+            { "sdk", PlayFabSettings.VersionString }
+        };
+
+        public virtual Dictionary<string, string> RequestGetParams { get { return _requestGetParams; } }
+
+        /// <summary> This is only for customers running a private cluster.  Generally you shouldn't touch this </summary>
+        public virtual string ProductionEnvironmentUrl { get { return _ProductionEnvironmentUrl; } set { _ProductionEnvironmentUrl = value; } }
+        /// <summary> You must set this value for PlayFabSdk to work properly (Found in the Game Manager for your title, at the PlayFab Website) </summary>
+        public virtual string TitleId { get; set; }
+        /// <summary> The name of a customer vertical. This is only for customers running a private cluster.  Generally you shouldn't touch this </summary>
+        internal virtual string VerticalName { get; set; }
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API || UNITY_EDITOR
+        /// <summary> You must set this value for PlayFabSdk to work properly (Found in the Game Manager for your title, at the PlayFab Website) </summary>
+        public virtual string DeveloperSecretKey { get; set; }
+#endif
+        /// <summary> Set this to true to prevent hardware information from leaving the device </summary>
+        public virtual bool DisableDeviceInfo { get; set; }
+        /// <summary> Set this to true to prevent focus change information from leaving the device </summary>
+        public virtual bool DisableFocusTimeCollection { get; set; }
+
+        public virtual string GetFullUrl(string apiCall, Dictionary<string, string> getParams)
+        {
+            return PlayFabSettings.GetFullUrl(apiCall, getParams, this);
+        }
+    }
+
+    /// <summary>
+    /// This is only meant for PlayFabSettings to use as a redirect to store values on PlayFabSharedSettings instead of locally
+    /// </summary>
+    internal class PlayFabSettingsRedirect : PlayFabApiSettings
+    {
+        private readonly Func<PlayFabSharedSettings> GetSO;
+        public PlayFabSettingsRedirect(Func<PlayFabSharedSettings> getSO) { GetSO = getSO; }
+
+        public override string ProductionEnvironmentUrl
+        {
+            get { var so = GetSO(); return so == null ? base.ProductionEnvironmentUrl : so.ProductionEnvironmentUrl; }
+            set { var so = GetSO(); if (so != null) so.ProductionEnvironmentUrl = value; base.ProductionEnvironmentUrl = value; }
+        }
+
+        internal override string VerticalName
+        {
+            get { var so = GetSO(); return so == null ? base.VerticalName : so.VerticalName; }
+            set { var so = GetSO(); if (so != null) so.VerticalName = value; base.VerticalName = value; }
+        }
+
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API || UNITY_EDITOR
+        public override string DeveloperSecretKey
+        {
+            get { var so = GetSO(); return so == null ? base.DeveloperSecretKey : so.DeveloperSecretKey; }
+            set { var so = GetSO(); if (so != null) so.DeveloperSecretKey = value; base.DeveloperSecretKey = value; }
+        }
+#endif
+
+        public override string TitleId
+        {
+            get { var so = GetSO(); return so == null ? base.TitleId : so.TitleId; }
+            set { var so = GetSO(); if (so != null) so.TitleId = value; base.TitleId = value; }
+        }
+
+        public override bool DisableDeviceInfo
+        {
+            get { var so = GetSO(); return so == null ? base.DisableDeviceInfo : so.DisableDeviceInfo; }
+            set { var so = GetSO(); if (so != null) so.DisableDeviceInfo = value; base.DisableDeviceInfo = value; }
+        }
+
+        public override bool DisableFocusTimeCollection
+        {
+            get { var so = GetSO(); return so == null ? base.DisableFocusTimeCollection : so.DisableFocusTimeCollection; }
+            set { var so = GetSO(); if (so != null) so.DisableFocusTimeCollection = value; base.DisableFocusTimeCollection = value; }
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..de68200adc1ca48ee5d74157c1ca6a17fc9ea4b8
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabApiSettings.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 66cd997c6a8b2ed4d8d2b5c2a97b6e22
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs
new file mode 100644
index 0000000000000000000000000000000000000000..cd9066d857567953720781248fee7e8e2114ca23
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs
@@ -0,0 +1,77 @@
+namespace PlayFab
+{
+    public sealed class PlayFabAuthenticationContext
+    {
+        public PlayFabAuthenticationContext()
+        {
+        }
+
+        public PlayFabAuthenticationContext(string clientSessionTicket, string entityToken, string playFabId, string entityId, string entityType) : this()
+        {
+#if !DISABLE_PLAYFABCLIENT_API
+            ClientSessionTicket = clientSessionTicket;
+            PlayFabId = playFabId;
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            EntityToken = entityToken;
+            EntityId = entityId;
+            EntityType = entityType;
+#endif
+        }
+
+        public void CopyFrom(PlayFabAuthenticationContext other)
+        {
+#if !DISABLE_PLAYFABCLIENT_API
+            ClientSessionTicket = other.ClientSessionTicket;
+            PlayFabId = other.PlayFabId;
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            EntityToken = other.EntityToken;
+            EntityId = other.EntityId;
+            EntityType = other.EntityType;
+#endif
+        }
+
+#if !DISABLE_PLAYFABCLIENT_API
+        /// <summary> Allows access to the ClientAPI </summary>
+        public string ClientSessionTicket;
+        /// <summary> The master player entity Id </summary>
+        public string PlayFabId;
+        public bool IsClientLoggedIn()
+        {
+            return !string.IsNullOrEmpty(ClientSessionTicket);
+        }
+#endif
+
+#if !DISABLE_PLAYFABENTITY_API
+        /// <summary> Allows access to most Entity APIs </summary>
+        public string EntityToken;
+        /// <summary>
+        /// Clients: The title player entity Id (unless replaced with a related entity)
+        /// Servers: The title id (unless replaced with a related entity)
+        /// </summary>
+        public string EntityId;
+        /// <summary>
+        /// Describes the type of entity identified by EntityId
+        /// </summary>
+        public string EntityType;
+        public bool IsEntityLoggedIn()
+        {
+            return !string.IsNullOrEmpty(EntityToken);
+        }
+#endif
+
+        public void ForgetAllCredentials()
+        {
+#if !DISABLE_PLAYFABCLIENT_API
+            PlayFabId = null;
+            ClientSessionTicket = null;
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            EntityToken = null;
+            EntityId = null;
+            EntityType = null;
+#endif
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..54e8f4f48f57a2143b467729b7d0e75647a71f41
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabAuthenticationContext.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 5e4df1f8e07aee2409343554f628ce8b
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs
new file mode 100644
index 0000000000000000000000000000000000000000..1ac5d571a2446494e2c5ae7ccaf7955c854808fc
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs
@@ -0,0 +1,138 @@
+using UnityEngine;
+using System.Text;
+using PlayFab.SharedModels;
+using UnityEngine.Rendering;
+#if NETFX_CORE
+using System.Reflection;
+#endif
+
+namespace PlayFab
+{
+    public class PlayFabDataGatherer
+    {
+#if UNITY_5 || UNITY_5_3_OR_NEWER
+        // UNITY_5 Application info
+        public string ProductName;
+        public string ProductBundle;
+        public string Version;
+        public string Company;
+        public RuntimePlatform Platform;
+        // UNITY_5 Graphics Abilities
+        public bool GraphicsMultiThreaded;
+#else
+        public enum GraphicsDeviceType
+        {
+            OpenGL2 = 0, Direct3D9 = 1, Direct3D11 = 2, PlayStation3 = 3, Null = 4, Xbox360 = 6, OpenGLES2 = 8, OpenGLES3 = 11, PlayStationVita = 12,
+            PlayStation4 = 13, XboxOne = 14, PlayStationMobile = 15, Metal = 16, OpenGLCore = 17, Direct3D12 = 18, Nintendo3DS = 19
+        }
+
+        // RuntimePlatform Enum info:
+        // OSXEditor = 0, OSXPlayer = 1, WindowsPlayer = 2, OSXWebPlayer = 3, OSXDashboardPlayer = 4, WindowsWebPlayer = 5, WindowsEditor = 7,
+        // IPhonePlayer = 8, PS3 = 9, XBOX360 = 10, Android = 11, LinuxPlayer = 13, FlashPlayer = 15, WebGLPlayer = 17, MetroPlayerX86 = 18,
+        // WSAPlayerX86 = 18, MetroPlayerX64 = 19,WSAPlayerX64 = 19, MetroPlayerARM = 20, WSAPlayerARM = 20, WP8Player = 21,
+        // EditorBrowsable(EditorBrowsableState.Never)] BB10Player = 22, BlackBerryPlayer = 22, TizenPlayer = 23, PSP2 = 24, PS4 = 25,
+        // PSM = 26, XboxOne = 27, SamsungTVPlayer = 28, WiiU = 30, tvOS = 31
+#endif
+#if !UNITY_5_0 && (UNITY_5 || UNITY_5_3_OR_NEWER)
+        public GraphicsDeviceType GraphicsType;
+#endif
+
+        // Application info
+        public string DataPath;
+        public string PersistentDataPath;
+        public string StreamingAssetsPath;
+        public int TargetFrameRate;
+        public string UnityVersion;
+        public bool RunInBackground;
+
+        //DEVICE & OS
+        public string DeviceModel;
+        //public enum DeviceType { Unknown, Handheld, Console, Desktop }
+        public DeviceType DeviceType;
+        public string DeviceUniqueId;
+        public string OperatingSystem;
+
+        //GRAPHICS ABILITIES
+        public int GraphicsDeviceId;
+        public string GraphicsDeviceName;
+        public int GraphicsMemorySize;
+        public int GraphicsShaderLevel;
+
+        //SYSTEM INFO
+        public int SystemMemorySize;
+        public int ProcessorCount;
+        public int ProcessorFrequency;
+        public string ProcessorType;
+        public bool SupportsAccelerometer;
+        public bool SupportsGyroscope;
+        public bool SupportsLocationService;
+
+        public PlayFabDataGatherer()
+        {
+#if UNITY_5 || UNITY_5_3_OR_NEWER
+            // UNITY_5 Application info
+            ProductName = Application.productName;
+            Version = Application.version;
+            Company = Application.companyName;
+            Platform = Application.platform;
+            // UNITY_5 Graphics Abilities
+            GraphicsMultiThreaded = SystemInfo.graphicsMultiThreaded;
+#endif
+#if !UNITY_5_0 && (UNITY_5 || UNITY_5_3_OR_NEWER)
+            GraphicsType = SystemInfo.graphicsDeviceType;
+#endif
+
+            //Only Used on iOS & Android
+#if UNITY_5_6_OR_NEWER && (UNITY_ANDROID || UNITY_IOS || UNITY_IPHONE)
+            ProductBundle = Application.identifier;
+#elif UNITY_ANDROID || UNITY_IOS || UNITY_IPHONE
+            ProductBundle = Application.bundleIdentifier;
+#endif
+
+            // Application info
+            DataPath = Application.dataPath;
+#if !UNITY_SWITCH
+            PersistentDataPath = Application.persistentDataPath;
+#endif
+            StreamingAssetsPath = Application.streamingAssetsPath;
+            TargetFrameRate = Application.targetFrameRate;
+            UnityVersion = Application.unityVersion;
+
+            //DEVICE & OS
+            DeviceModel = SystemInfo.deviceModel;
+            DeviceType = SystemInfo.deviceType;
+
+            DeviceUniqueId = PlayFabSettings.DeviceUniqueIdentifier;
+            OperatingSystem = SystemInfo.operatingSystem;
+
+            //GRAPHICS ABILITIES
+            GraphicsDeviceId = SystemInfo.graphicsDeviceID;
+            GraphicsDeviceName = SystemInfo.graphicsDeviceName;
+            GraphicsMemorySize = SystemInfo.graphicsMemorySize;
+            GraphicsShaderLevel = SystemInfo.graphicsShaderLevel;
+
+            //SYSTEM INFO
+            SystemMemorySize = SystemInfo.systemMemorySize;
+            ProcessorCount = SystemInfo.processorCount;
+#if UNITY_5_3_OR_NEWER
+            ProcessorFrequency = SystemInfo.processorFrequency; // Not Supported in PRE Unity 5_2
+#endif
+            ProcessorType = SystemInfo.processorType;
+            SupportsAccelerometer = SystemInfo.supportsAccelerometer;
+            SupportsGyroscope = SystemInfo.supportsGyroscope;
+            SupportsLocationService = SystemInfo.supportsLocationService;
+        }
+
+        public string GenerateReport()
+        {
+            var sb = new StringBuilder();
+            sb.Append("Logging System Info: ========================================\n");
+            foreach (var field in GetType().GetTypeInfo().GetFields())
+            {
+                var fld = field.GetValue(this).ToString();
+                sb.AppendFormat("System Info - {0}: {1}\n", field.Name, fld);
+            }
+            return sb.ToString();
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..8998e9aa712f52ca90b4ce4b62f739ed2baf8611
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabDataGatherer.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 9021fc3e0230b9a4db0f0e1b104b764b
+timeCreated: 1464569227
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs
new file mode 100644
index 0000000000000000000000000000000000000000..fabb8dd3719d491954e51faadb6637b241437ce7
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs
@@ -0,0 +1,2910 @@
+using PlayFab.SharedModels;
+using PlayFab.Internal;
+
+namespace PlayFab.Events
+{
+    public partial class PlayFabEvents
+    {
+        public delegate void PlayFabErrorEvent(PlayFabRequestCommon request, PlayFabError error);
+        public delegate void PlayFabResultEvent<in TResult>(TResult result) where TResult : PlayFabResultCommon;
+        public delegate void PlayFabRequestEvent<in TRequest>(TRequest request) where TRequest : PlayFabRequestCommon;
+        public event PlayFabErrorEvent OnGlobalErrorEvent;
+
+        private static PlayFabEvents _instance;
+        /// <summary>
+        /// Private constructor because we call PlayFabEvents.init();
+        /// </summary>
+        private PlayFabEvents() { }
+
+        public static PlayFabEvents Init()
+        {
+            if (_instance == null)
+            {
+                _instance = new PlayFabEvents();
+            }
+            PlayFabHttp.ApiProcessingEventHandler += _instance.OnProcessingEvent;
+            PlayFabHttp.ApiProcessingErrorEventHandler += _instance.OnProcessingErrorEvent;
+            return _instance;
+        }
+
+        public void UnregisterInstance(object instance)
+        {
+#if !DISABLE_PLAYFABCLIENT_API
+            if (OnLoginResultEvent != null) { foreach (var each in OnLoginResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginResultEvent -= (PlayFabResultEvent<ClientModels.LoginResult>)each; } } }
+#endif
+#if ENABLE_PLAYFABADMIN_API
+            if (OnAdminAbortTaskInstanceRequestEvent != null) { foreach (var each in OnAdminAbortTaskInstanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAbortTaskInstanceRequestEvent -= (PlayFabRequestEvent<AdminModels.AbortTaskInstanceRequest>)each; } } }
+            if (OnAdminAbortTaskInstanceResultEvent != null) { foreach (var each in OnAdminAbortTaskInstanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAbortTaskInstanceResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminAddLocalizedNewsRequestEvent != null) { foreach (var each in OnAdminAddLocalizedNewsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddLocalizedNewsRequestEvent -= (PlayFabRequestEvent<AdminModels.AddLocalizedNewsRequest>)each; } } }
+            if (OnAdminAddLocalizedNewsResultEvent != null) { foreach (var each in OnAdminAddLocalizedNewsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddLocalizedNewsResultEvent -= (PlayFabResultEvent<AdminModels.AddLocalizedNewsResult>)each; } } }
+
+            if (OnAdminAddNewsRequestEvent != null) { foreach (var each in OnAdminAddNewsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddNewsRequestEvent -= (PlayFabRequestEvent<AdminModels.AddNewsRequest>)each; } } }
+            if (OnAdminAddNewsResultEvent != null) { foreach (var each in OnAdminAddNewsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddNewsResultEvent -= (PlayFabResultEvent<AdminModels.AddNewsResult>)each; } } }
+
+            if (OnAdminAddPlayerTagRequestEvent != null) { foreach (var each in OnAdminAddPlayerTagRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddPlayerTagRequestEvent -= (PlayFabRequestEvent<AdminModels.AddPlayerTagRequest>)each; } } }
+            if (OnAdminAddPlayerTagResultEvent != null) { foreach (var each in OnAdminAddPlayerTagResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddPlayerTagResultEvent -= (PlayFabResultEvent<AdminModels.AddPlayerTagResult>)each; } } }
+
+            if (OnAdminAddServerBuildRequestEvent != null) { foreach (var each in OnAdminAddServerBuildRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddServerBuildRequestEvent -= (PlayFabRequestEvent<AdminModels.AddServerBuildRequest>)each; } } }
+            if (OnAdminAddServerBuildResultEvent != null) { foreach (var each in OnAdminAddServerBuildResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddServerBuildResultEvent -= (PlayFabResultEvent<AdminModels.AddServerBuildResult>)each; } } }
+
+            if (OnAdminAddUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnAdminAddUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<AdminModels.AddUserVirtualCurrencyRequest>)each; } } }
+            if (OnAdminAddUserVirtualCurrencyResultEvent != null) { foreach (var each in OnAdminAddUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<AdminModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnAdminAddVirtualCurrencyTypesRequestEvent != null) { foreach (var each in OnAdminAddVirtualCurrencyTypesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddVirtualCurrencyTypesRequestEvent -= (PlayFabRequestEvent<AdminModels.AddVirtualCurrencyTypesRequest>)each; } } }
+            if (OnAdminAddVirtualCurrencyTypesResultEvent != null) { foreach (var each in OnAdminAddVirtualCurrencyTypesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminAddVirtualCurrencyTypesResultEvent -= (PlayFabResultEvent<AdminModels.BlankResult>)each; } } }
+
+            if (OnAdminBanUsersRequestEvent != null) { foreach (var each in OnAdminBanUsersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminBanUsersRequestEvent -= (PlayFabRequestEvent<AdminModels.BanUsersRequest>)each; } } }
+            if (OnAdminBanUsersResultEvent != null) { foreach (var each in OnAdminBanUsersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminBanUsersResultEvent -= (PlayFabResultEvent<AdminModels.BanUsersResult>)each; } } }
+
+            if (OnAdminCheckLimitedEditionItemAvailabilityRequestEvent != null) { foreach (var each in OnAdminCheckLimitedEditionItemAvailabilityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCheckLimitedEditionItemAvailabilityRequestEvent -= (PlayFabRequestEvent<AdminModels.CheckLimitedEditionItemAvailabilityRequest>)each; } } }
+            if (OnAdminCheckLimitedEditionItemAvailabilityResultEvent != null) { foreach (var each in OnAdminCheckLimitedEditionItemAvailabilityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCheckLimitedEditionItemAvailabilityResultEvent -= (PlayFabResultEvent<AdminModels.CheckLimitedEditionItemAvailabilityResult>)each; } } }
+
+            if (OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent != null) { foreach (var each in OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.CreateActionsOnPlayerSegmentTaskRequest>)each; } } }
+            if (OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent != null) { foreach (var each in OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent -= (PlayFabResultEvent<AdminModels.CreateTaskResult>)each; } } }
+
+            if (OnAdminCreateCloudScriptTaskRequestEvent != null) { foreach (var each in OnAdminCreateCloudScriptTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateCloudScriptTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.CreateCloudScriptTaskRequest>)each; } } }
+            if (OnAdminCreateCloudScriptTaskResultEvent != null) { foreach (var each in OnAdminCreateCloudScriptTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateCloudScriptTaskResultEvent -= (PlayFabResultEvent<AdminModels.CreateTaskResult>)each; } } }
+
+            if (OnAdminCreateInsightsScheduledScalingTaskRequestEvent != null) { foreach (var each in OnAdminCreateInsightsScheduledScalingTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateInsightsScheduledScalingTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.CreateInsightsScheduledScalingTaskRequest>)each; } } }
+            if (OnAdminCreateInsightsScheduledScalingTaskResultEvent != null) { foreach (var each in OnAdminCreateInsightsScheduledScalingTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateInsightsScheduledScalingTaskResultEvent -= (PlayFabResultEvent<AdminModels.CreateTaskResult>)each; } } }
+
+            if (OnAdminCreateOpenIdConnectionRequestEvent != null) { foreach (var each in OnAdminCreateOpenIdConnectionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateOpenIdConnectionRequestEvent -= (PlayFabRequestEvent<AdminModels.CreateOpenIdConnectionRequest>)each; } } }
+            if (OnAdminCreateOpenIdConnectionResultEvent != null) { foreach (var each in OnAdminCreateOpenIdConnectionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateOpenIdConnectionResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminCreatePlayerSharedSecretRequestEvent != null) { foreach (var each in OnAdminCreatePlayerSharedSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreatePlayerSharedSecretRequestEvent -= (PlayFabRequestEvent<AdminModels.CreatePlayerSharedSecretRequest>)each; } } }
+            if (OnAdminCreatePlayerSharedSecretResultEvent != null) { foreach (var each in OnAdminCreatePlayerSharedSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreatePlayerSharedSecretResultEvent -= (PlayFabResultEvent<AdminModels.CreatePlayerSharedSecretResult>)each; } } }
+
+            if (OnAdminCreatePlayerStatisticDefinitionRequestEvent != null) { foreach (var each in OnAdminCreatePlayerStatisticDefinitionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreatePlayerStatisticDefinitionRequestEvent -= (PlayFabRequestEvent<AdminModels.CreatePlayerStatisticDefinitionRequest>)each; } } }
+            if (OnAdminCreatePlayerStatisticDefinitionResultEvent != null) { foreach (var each in OnAdminCreatePlayerStatisticDefinitionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreatePlayerStatisticDefinitionResultEvent -= (PlayFabResultEvent<AdminModels.CreatePlayerStatisticDefinitionResult>)each; } } }
+
+            if (OnAdminCreateSegmentRequestEvent != null) { foreach (var each in OnAdminCreateSegmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateSegmentRequestEvent -= (PlayFabRequestEvent<AdminModels.CreateSegmentRequest>)each; } } }
+            if (OnAdminCreateSegmentResultEvent != null) { foreach (var each in OnAdminCreateSegmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminCreateSegmentResultEvent -= (PlayFabResultEvent<AdminModels.CreateSegmentResponse>)each; } } }
+
+            if (OnAdminDeleteContentRequestEvent != null) { foreach (var each in OnAdminDeleteContentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteContentRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteContentRequest>)each; } } }
+            if (OnAdminDeleteContentResultEvent != null) { foreach (var each in OnAdminDeleteContentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteContentResultEvent -= (PlayFabResultEvent<AdminModels.BlankResult>)each; } } }
+
+            if (OnAdminDeleteMasterPlayerAccountRequestEvent != null) { foreach (var each in OnAdminDeleteMasterPlayerAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteMasterPlayerAccountRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteMasterPlayerAccountRequest>)each; } } }
+            if (OnAdminDeleteMasterPlayerAccountResultEvent != null) { foreach (var each in OnAdminDeleteMasterPlayerAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteMasterPlayerAccountResultEvent -= (PlayFabResultEvent<AdminModels.DeleteMasterPlayerAccountResult>)each; } } }
+
+            if (OnAdminDeleteOpenIdConnectionRequestEvent != null) { foreach (var each in OnAdminDeleteOpenIdConnectionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteOpenIdConnectionRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteOpenIdConnectionRequest>)each; } } }
+            if (OnAdminDeleteOpenIdConnectionResultEvent != null) { foreach (var each in OnAdminDeleteOpenIdConnectionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteOpenIdConnectionResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminDeletePlayerRequestEvent != null) { foreach (var each in OnAdminDeletePlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeletePlayerRequestEvent -= (PlayFabRequestEvent<AdminModels.DeletePlayerRequest>)each; } } }
+            if (OnAdminDeletePlayerResultEvent != null) { foreach (var each in OnAdminDeletePlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeletePlayerResultEvent -= (PlayFabResultEvent<AdminModels.DeletePlayerResult>)each; } } }
+
+            if (OnAdminDeletePlayerSharedSecretRequestEvent != null) { foreach (var each in OnAdminDeletePlayerSharedSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeletePlayerSharedSecretRequestEvent -= (PlayFabRequestEvent<AdminModels.DeletePlayerSharedSecretRequest>)each; } } }
+            if (OnAdminDeletePlayerSharedSecretResultEvent != null) { foreach (var each in OnAdminDeletePlayerSharedSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeletePlayerSharedSecretResultEvent -= (PlayFabResultEvent<AdminModels.DeletePlayerSharedSecretResult>)each; } } }
+
+            if (OnAdminDeleteSegmentRequestEvent != null) { foreach (var each in OnAdminDeleteSegmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteSegmentRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteSegmentRequest>)each; } } }
+            if (OnAdminDeleteSegmentResultEvent != null) { foreach (var each in OnAdminDeleteSegmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteSegmentResultEvent -= (PlayFabResultEvent<AdminModels.DeleteSegmentsResponse>)each; } } }
+
+            if (OnAdminDeleteStoreRequestEvent != null) { foreach (var each in OnAdminDeleteStoreRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteStoreRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteStoreRequest>)each; } } }
+            if (OnAdminDeleteStoreResultEvent != null) { foreach (var each in OnAdminDeleteStoreResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteStoreResultEvent -= (PlayFabResultEvent<AdminModels.DeleteStoreResult>)each; } } }
+
+            if (OnAdminDeleteTaskRequestEvent != null) { foreach (var each in OnAdminDeleteTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteTaskRequest>)each; } } }
+            if (OnAdminDeleteTaskResultEvent != null) { foreach (var each in OnAdminDeleteTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTaskResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminDeleteTitleRequestEvent != null) { foreach (var each in OnAdminDeleteTitleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTitleRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteTitleRequest>)each; } } }
+            if (OnAdminDeleteTitleResultEvent != null) { foreach (var each in OnAdminDeleteTitleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTitleResultEvent -= (PlayFabResultEvent<AdminModels.DeleteTitleResult>)each; } } }
+
+            if (OnAdminDeleteTitleDataOverrideRequestEvent != null) { foreach (var each in OnAdminDeleteTitleDataOverrideRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTitleDataOverrideRequestEvent -= (PlayFabRequestEvent<AdminModels.DeleteTitleDataOverrideRequest>)each; } } }
+            if (OnAdminDeleteTitleDataOverrideResultEvent != null) { foreach (var each in OnAdminDeleteTitleDataOverrideResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminDeleteTitleDataOverrideResultEvent -= (PlayFabResultEvent<AdminModels.DeleteTitleDataOverrideResult>)each; } } }
+
+            if (OnAdminExportMasterPlayerDataRequestEvent != null) { foreach (var each in OnAdminExportMasterPlayerDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminExportMasterPlayerDataRequestEvent -= (PlayFabRequestEvent<AdminModels.ExportMasterPlayerDataRequest>)each; } } }
+            if (OnAdminExportMasterPlayerDataResultEvent != null) { foreach (var each in OnAdminExportMasterPlayerDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminExportMasterPlayerDataResultEvent -= (PlayFabResultEvent<AdminModels.ExportMasterPlayerDataResult>)each; } } }
+
+            if (OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent != null) { foreach (var each in OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTaskInstanceRequest>)each; } } }
+            if (OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent != null) { foreach (var each in OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent -= (PlayFabResultEvent<AdminModels.GetActionsOnPlayersInSegmentTaskInstanceResult>)each; } } }
+
+            if (OnAdminGetAllSegmentsRequestEvent != null) { foreach (var each in OnAdminGetAllSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetAllSegmentsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetAllSegmentsRequest>)each; } } }
+            if (OnAdminGetAllSegmentsResultEvent != null) { foreach (var each in OnAdminGetAllSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetAllSegmentsResultEvent -= (PlayFabResultEvent<AdminModels.GetAllSegmentsResult>)each; } } }
+
+            if (OnAdminGetCatalogItemsRequestEvent != null) { foreach (var each in OnAdminGetCatalogItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCatalogItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetCatalogItemsRequest>)each; } } }
+            if (OnAdminGetCatalogItemsResultEvent != null) { foreach (var each in OnAdminGetCatalogItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCatalogItemsResultEvent -= (PlayFabResultEvent<AdminModels.GetCatalogItemsResult>)each; } } }
+
+            if (OnAdminGetCloudScriptRevisionRequestEvent != null) { foreach (var each in OnAdminGetCloudScriptRevisionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptRevisionRequestEvent -= (PlayFabRequestEvent<AdminModels.GetCloudScriptRevisionRequest>)each; } } }
+            if (OnAdminGetCloudScriptRevisionResultEvent != null) { foreach (var each in OnAdminGetCloudScriptRevisionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptRevisionResultEvent -= (PlayFabResultEvent<AdminModels.GetCloudScriptRevisionResult>)each; } } }
+
+            if (OnAdminGetCloudScriptTaskInstanceRequestEvent != null) { foreach (var each in OnAdminGetCloudScriptTaskInstanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptTaskInstanceRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTaskInstanceRequest>)each; } } }
+            if (OnAdminGetCloudScriptTaskInstanceResultEvent != null) { foreach (var each in OnAdminGetCloudScriptTaskInstanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptTaskInstanceResultEvent -= (PlayFabResultEvent<AdminModels.GetCloudScriptTaskInstanceResult>)each; } } }
+
+            if (OnAdminGetCloudScriptVersionsRequestEvent != null) { foreach (var each in OnAdminGetCloudScriptVersionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptVersionsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetCloudScriptVersionsRequest>)each; } } }
+            if (OnAdminGetCloudScriptVersionsResultEvent != null) { foreach (var each in OnAdminGetCloudScriptVersionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetCloudScriptVersionsResultEvent -= (PlayFabResultEvent<AdminModels.GetCloudScriptVersionsResult>)each; } } }
+
+            if (OnAdminGetContentListRequestEvent != null) { foreach (var each in OnAdminGetContentListRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetContentListRequestEvent -= (PlayFabRequestEvent<AdminModels.GetContentListRequest>)each; } } }
+            if (OnAdminGetContentListResultEvent != null) { foreach (var each in OnAdminGetContentListResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetContentListResultEvent -= (PlayFabResultEvent<AdminModels.GetContentListResult>)each; } } }
+
+            if (OnAdminGetContentUploadUrlRequestEvent != null) { foreach (var each in OnAdminGetContentUploadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetContentUploadUrlRequestEvent -= (PlayFabRequestEvent<AdminModels.GetContentUploadUrlRequest>)each; } } }
+            if (OnAdminGetContentUploadUrlResultEvent != null) { foreach (var each in OnAdminGetContentUploadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetContentUploadUrlResultEvent -= (PlayFabResultEvent<AdminModels.GetContentUploadUrlResult>)each; } } }
+
+            if (OnAdminGetDataReportRequestEvent != null) { foreach (var each in OnAdminGetDataReportRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetDataReportRequestEvent -= (PlayFabRequestEvent<AdminModels.GetDataReportRequest>)each; } } }
+            if (OnAdminGetDataReportResultEvent != null) { foreach (var each in OnAdminGetDataReportResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetDataReportResultEvent -= (PlayFabResultEvent<AdminModels.GetDataReportResult>)each; } } }
+
+            if (OnAdminGetMatchmakerGameInfoRequestEvent != null) { foreach (var each in OnAdminGetMatchmakerGameInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetMatchmakerGameInfoRequestEvent -= (PlayFabRequestEvent<AdminModels.GetMatchmakerGameInfoRequest>)each; } } }
+            if (OnAdminGetMatchmakerGameInfoResultEvent != null) { foreach (var each in OnAdminGetMatchmakerGameInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetMatchmakerGameInfoResultEvent -= (PlayFabResultEvent<AdminModels.GetMatchmakerGameInfoResult>)each; } } }
+
+            if (OnAdminGetMatchmakerGameModesRequestEvent != null) { foreach (var each in OnAdminGetMatchmakerGameModesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetMatchmakerGameModesRequestEvent -= (PlayFabRequestEvent<AdminModels.GetMatchmakerGameModesRequest>)each; } } }
+            if (OnAdminGetMatchmakerGameModesResultEvent != null) { foreach (var each in OnAdminGetMatchmakerGameModesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetMatchmakerGameModesResultEvent -= (PlayFabResultEvent<AdminModels.GetMatchmakerGameModesResult>)each; } } }
+
+            if (OnAdminGetPlayedTitleListRequestEvent != null) { foreach (var each in OnAdminGetPlayedTitleListRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayedTitleListRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayedTitleListRequest>)each; } } }
+            if (OnAdminGetPlayedTitleListResultEvent != null) { foreach (var each in OnAdminGetPlayedTitleListResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayedTitleListResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayedTitleListResult>)each; } } }
+
+            if (OnAdminGetPlayerIdFromAuthTokenRequestEvent != null) { foreach (var each in OnAdminGetPlayerIdFromAuthTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerIdFromAuthTokenRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerIdFromAuthTokenRequest>)each; } } }
+            if (OnAdminGetPlayerIdFromAuthTokenResultEvent != null) { foreach (var each in OnAdminGetPlayerIdFromAuthTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerIdFromAuthTokenResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerIdFromAuthTokenResult>)each; } } }
+
+            if (OnAdminGetPlayerProfileRequestEvent != null) { foreach (var each in OnAdminGetPlayerProfileRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerProfileRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerProfileRequest>)each; } } }
+            if (OnAdminGetPlayerProfileResultEvent != null) { foreach (var each in OnAdminGetPlayerProfileResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerProfileResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerProfileResult>)each; } } }
+
+            if (OnAdminGetPlayerSegmentsRequestEvent != null) { foreach (var each in OnAdminGetPlayerSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerSegmentsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayersSegmentsRequest>)each; } } }
+            if (OnAdminGetPlayerSegmentsResultEvent != null) { foreach (var each in OnAdminGetPlayerSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerSegmentsResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerSegmentsResult>)each; } } }
+
+            if (OnAdminGetPlayerSharedSecretsRequestEvent != null) { foreach (var each in OnAdminGetPlayerSharedSecretsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerSharedSecretsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerSharedSecretsRequest>)each; } } }
+            if (OnAdminGetPlayerSharedSecretsResultEvent != null) { foreach (var each in OnAdminGetPlayerSharedSecretsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerSharedSecretsResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerSharedSecretsResult>)each; } } }
+
+            if (OnAdminGetPlayersInSegmentRequestEvent != null) { foreach (var each in OnAdminGetPlayersInSegmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayersInSegmentRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayersInSegmentRequest>)each; } } }
+            if (OnAdminGetPlayersInSegmentResultEvent != null) { foreach (var each in OnAdminGetPlayersInSegmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayersInSegmentResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayersInSegmentResult>)each; } } }
+
+            if (OnAdminGetPlayerStatisticDefinitionsRequestEvent != null) { foreach (var each in OnAdminGetPlayerStatisticDefinitionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerStatisticDefinitionsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerStatisticDefinitionsRequest>)each; } } }
+            if (OnAdminGetPlayerStatisticDefinitionsResultEvent != null) { foreach (var each in OnAdminGetPlayerStatisticDefinitionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerStatisticDefinitionsResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerStatisticDefinitionsResult>)each; } } }
+
+            if (OnAdminGetPlayerStatisticVersionsRequestEvent != null) { foreach (var each in OnAdminGetPlayerStatisticVersionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerStatisticVersionsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerStatisticVersionsRequest>)each; } } }
+            if (OnAdminGetPlayerStatisticVersionsResultEvent != null) { foreach (var each in OnAdminGetPlayerStatisticVersionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerStatisticVersionsResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerStatisticVersionsResult>)each; } } }
+
+            if (OnAdminGetPlayerTagsRequestEvent != null) { foreach (var each in OnAdminGetPlayerTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerTagsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPlayerTagsRequest>)each; } } }
+            if (OnAdminGetPlayerTagsResultEvent != null) { foreach (var each in OnAdminGetPlayerTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPlayerTagsResultEvent -= (PlayFabResultEvent<AdminModels.GetPlayerTagsResult>)each; } } }
+
+            if (OnAdminGetPolicyRequestEvent != null) { foreach (var each in OnAdminGetPolicyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPolicyRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPolicyRequest>)each; } } }
+            if (OnAdminGetPolicyResultEvent != null) { foreach (var each in OnAdminGetPolicyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPolicyResultEvent -= (PlayFabResultEvent<AdminModels.GetPolicyResponse>)each; } } }
+
+            if (OnAdminGetPublisherDataRequestEvent != null) { foreach (var each in OnAdminGetPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPublisherDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetPublisherDataRequest>)each; } } }
+            if (OnAdminGetPublisherDataResultEvent != null) { foreach (var each in OnAdminGetPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetPublisherDataResultEvent -= (PlayFabResultEvent<AdminModels.GetPublisherDataResult>)each; } } }
+
+            if (OnAdminGetRandomResultTablesRequestEvent != null) { foreach (var each in OnAdminGetRandomResultTablesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetRandomResultTablesRequestEvent -= (PlayFabRequestEvent<AdminModels.GetRandomResultTablesRequest>)each; } } }
+            if (OnAdminGetRandomResultTablesResultEvent != null) { foreach (var each in OnAdminGetRandomResultTablesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetRandomResultTablesResultEvent -= (PlayFabResultEvent<AdminModels.GetRandomResultTablesResult>)each; } } }
+
+            if (OnAdminGetSegmentsRequestEvent != null) { foreach (var each in OnAdminGetSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetSegmentsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetSegmentsRequest>)each; } } }
+            if (OnAdminGetSegmentsResultEvent != null) { foreach (var each in OnAdminGetSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetSegmentsResultEvent -= (PlayFabResultEvent<AdminModels.GetSegmentsResponse>)each; } } }
+
+            if (OnAdminGetServerBuildInfoRequestEvent != null) { foreach (var each in OnAdminGetServerBuildInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetServerBuildInfoRequestEvent -= (PlayFabRequestEvent<AdminModels.GetServerBuildInfoRequest>)each; } } }
+            if (OnAdminGetServerBuildInfoResultEvent != null) { foreach (var each in OnAdminGetServerBuildInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetServerBuildInfoResultEvent -= (PlayFabResultEvent<AdminModels.GetServerBuildInfoResult>)each; } } }
+
+            if (OnAdminGetServerBuildUploadUrlRequestEvent != null) { foreach (var each in OnAdminGetServerBuildUploadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetServerBuildUploadUrlRequestEvent -= (PlayFabRequestEvent<AdminModels.GetServerBuildUploadURLRequest>)each; } } }
+            if (OnAdminGetServerBuildUploadUrlResultEvent != null) { foreach (var each in OnAdminGetServerBuildUploadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetServerBuildUploadUrlResultEvent -= (PlayFabResultEvent<AdminModels.GetServerBuildUploadURLResult>)each; } } }
+
+            if (OnAdminGetStoreItemsRequestEvent != null) { foreach (var each in OnAdminGetStoreItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetStoreItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.GetStoreItemsRequest>)each; } } }
+            if (OnAdminGetStoreItemsResultEvent != null) { foreach (var each in OnAdminGetStoreItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetStoreItemsResultEvent -= (PlayFabResultEvent<AdminModels.GetStoreItemsResult>)each; } } }
+
+            if (OnAdminGetTaskInstancesRequestEvent != null) { foreach (var each in OnAdminGetTaskInstancesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTaskInstancesRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTaskInstancesRequest>)each; } } }
+            if (OnAdminGetTaskInstancesResultEvent != null) { foreach (var each in OnAdminGetTaskInstancesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTaskInstancesResultEvent -= (PlayFabResultEvent<AdminModels.GetTaskInstancesResult>)each; } } }
+
+            if (OnAdminGetTasksRequestEvent != null) { foreach (var each in OnAdminGetTasksRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTasksRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTasksRequest>)each; } } }
+            if (OnAdminGetTasksResultEvent != null) { foreach (var each in OnAdminGetTasksResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTasksResultEvent -= (PlayFabResultEvent<AdminModels.GetTasksResult>)each; } } }
+
+            if (OnAdminGetTitleDataRequestEvent != null) { foreach (var each in OnAdminGetTitleDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTitleDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTitleDataRequest>)each; } } }
+            if (OnAdminGetTitleDataResultEvent != null) { foreach (var each in OnAdminGetTitleDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTitleDataResultEvent -= (PlayFabResultEvent<AdminModels.GetTitleDataResult>)each; } } }
+
+            if (OnAdminGetTitleInternalDataRequestEvent != null) { foreach (var each in OnAdminGetTitleInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTitleInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetTitleDataRequest>)each; } } }
+            if (OnAdminGetTitleInternalDataResultEvent != null) { foreach (var each in OnAdminGetTitleInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetTitleInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.GetTitleDataResult>)each; } } }
+
+            if (OnAdminGetUserAccountInfoRequestEvent != null) { foreach (var each in OnAdminGetUserAccountInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserAccountInfoRequestEvent -= (PlayFabRequestEvent<AdminModels.LookupUserAccountInfoRequest>)each; } } }
+            if (OnAdminGetUserAccountInfoResultEvent != null) { foreach (var each in OnAdminGetUserAccountInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserAccountInfoResultEvent -= (PlayFabResultEvent<AdminModels.LookupUserAccountInfoResult>)each; } } }
+
+            if (OnAdminGetUserBansRequestEvent != null) { foreach (var each in OnAdminGetUserBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserBansRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserBansRequest>)each; } } }
+            if (OnAdminGetUserBansResultEvent != null) { foreach (var each in OnAdminGetUserBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserBansResultEvent -= (PlayFabResultEvent<AdminModels.GetUserBansResult>)each; } } }
+
+            if (OnAdminGetUserDataRequestEvent != null) { foreach (var each in OnAdminGetUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserDataResultEvent != null) { foreach (var each in OnAdminGetUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGetUserInternalDataRequestEvent != null) { foreach (var each in OnAdminGetUserInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserInternalDataResultEvent != null) { foreach (var each in OnAdminGetUserInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGetUserInventoryRequestEvent != null) { foreach (var each in OnAdminGetUserInventoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserInventoryRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserInventoryRequest>)each; } } }
+            if (OnAdminGetUserInventoryResultEvent != null) { foreach (var each in OnAdminGetUserInventoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserInventoryResultEvent -= (PlayFabResultEvent<AdminModels.GetUserInventoryResult>)each; } } }
+
+            if (OnAdminGetUserPublisherDataRequestEvent != null) { foreach (var each in OnAdminGetUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserPublisherDataResultEvent != null) { foreach (var each in OnAdminGetUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGetUserPublisherInternalDataRequestEvent != null) { foreach (var each in OnAdminGetUserPublisherInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserPublisherInternalDataResultEvent != null) { foreach (var each in OnAdminGetUserPublisherInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGetUserPublisherReadOnlyDataRequestEvent != null) { foreach (var each in OnAdminGetUserPublisherReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherReadOnlyDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserPublisherReadOnlyDataResultEvent != null) { foreach (var each in OnAdminGetUserPublisherReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserPublisherReadOnlyDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGetUserReadOnlyDataRequestEvent != null) { foreach (var each in OnAdminGetUserReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserReadOnlyDataRequestEvent -= (PlayFabRequestEvent<AdminModels.GetUserDataRequest>)each; } } }
+            if (OnAdminGetUserReadOnlyDataResultEvent != null) { foreach (var each in OnAdminGetUserReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGetUserReadOnlyDataResultEvent -= (PlayFabResultEvent<AdminModels.GetUserDataResult>)each; } } }
+
+            if (OnAdminGrantItemsToUsersRequestEvent != null) { foreach (var each in OnAdminGrantItemsToUsersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGrantItemsToUsersRequestEvent -= (PlayFabRequestEvent<AdminModels.GrantItemsToUsersRequest>)each; } } }
+            if (OnAdminGrantItemsToUsersResultEvent != null) { foreach (var each in OnAdminGrantItemsToUsersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminGrantItemsToUsersResultEvent -= (PlayFabResultEvent<AdminModels.GrantItemsToUsersResult>)each; } } }
+
+            if (OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent != null) { foreach (var each in OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent -= (PlayFabRequestEvent<AdminModels.IncrementLimitedEditionItemAvailabilityRequest>)each; } } }
+            if (OnAdminIncrementLimitedEditionItemAvailabilityResultEvent != null) { foreach (var each in OnAdminIncrementLimitedEditionItemAvailabilityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminIncrementLimitedEditionItemAvailabilityResultEvent -= (PlayFabResultEvent<AdminModels.IncrementLimitedEditionItemAvailabilityResult>)each; } } }
+
+            if (OnAdminIncrementPlayerStatisticVersionRequestEvent != null) { foreach (var each in OnAdminIncrementPlayerStatisticVersionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminIncrementPlayerStatisticVersionRequestEvent -= (PlayFabRequestEvent<AdminModels.IncrementPlayerStatisticVersionRequest>)each; } } }
+            if (OnAdminIncrementPlayerStatisticVersionResultEvent != null) { foreach (var each in OnAdminIncrementPlayerStatisticVersionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminIncrementPlayerStatisticVersionResultEvent -= (PlayFabResultEvent<AdminModels.IncrementPlayerStatisticVersionResult>)each; } } }
+
+            if (OnAdminListOpenIdConnectionRequestEvent != null) { foreach (var each in OnAdminListOpenIdConnectionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListOpenIdConnectionRequestEvent -= (PlayFabRequestEvent<AdminModels.ListOpenIdConnectionRequest>)each; } } }
+            if (OnAdminListOpenIdConnectionResultEvent != null) { foreach (var each in OnAdminListOpenIdConnectionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListOpenIdConnectionResultEvent -= (PlayFabResultEvent<AdminModels.ListOpenIdConnectionResponse>)each; } } }
+
+            if (OnAdminListServerBuildsRequestEvent != null) { foreach (var each in OnAdminListServerBuildsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListServerBuildsRequestEvent -= (PlayFabRequestEvent<AdminModels.ListBuildsRequest>)each; } } }
+            if (OnAdminListServerBuildsResultEvent != null) { foreach (var each in OnAdminListServerBuildsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListServerBuildsResultEvent -= (PlayFabResultEvent<AdminModels.ListBuildsResult>)each; } } }
+
+            if (OnAdminListVirtualCurrencyTypesRequestEvent != null) { foreach (var each in OnAdminListVirtualCurrencyTypesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListVirtualCurrencyTypesRequestEvent -= (PlayFabRequestEvent<AdminModels.ListVirtualCurrencyTypesRequest>)each; } } }
+            if (OnAdminListVirtualCurrencyTypesResultEvent != null) { foreach (var each in OnAdminListVirtualCurrencyTypesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminListVirtualCurrencyTypesResultEvent -= (PlayFabResultEvent<AdminModels.ListVirtualCurrencyTypesResult>)each; } } }
+
+            if (OnAdminModifyMatchmakerGameModesRequestEvent != null) { foreach (var each in OnAdminModifyMatchmakerGameModesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminModifyMatchmakerGameModesRequestEvent -= (PlayFabRequestEvent<AdminModels.ModifyMatchmakerGameModesRequest>)each; } } }
+            if (OnAdminModifyMatchmakerGameModesResultEvent != null) { foreach (var each in OnAdminModifyMatchmakerGameModesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminModifyMatchmakerGameModesResultEvent -= (PlayFabResultEvent<AdminModels.ModifyMatchmakerGameModesResult>)each; } } }
+
+            if (OnAdminModifyServerBuildRequestEvent != null) { foreach (var each in OnAdminModifyServerBuildRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminModifyServerBuildRequestEvent -= (PlayFabRequestEvent<AdminModels.ModifyServerBuildRequest>)each; } } }
+            if (OnAdminModifyServerBuildResultEvent != null) { foreach (var each in OnAdminModifyServerBuildResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminModifyServerBuildResultEvent -= (PlayFabResultEvent<AdminModels.ModifyServerBuildResult>)each; } } }
+
+            if (OnAdminRefundPurchaseRequestEvent != null) { foreach (var each in OnAdminRefundPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRefundPurchaseRequestEvent -= (PlayFabRequestEvent<AdminModels.RefundPurchaseRequest>)each; } } }
+            if (OnAdminRefundPurchaseResultEvent != null) { foreach (var each in OnAdminRefundPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRefundPurchaseResultEvent -= (PlayFabResultEvent<AdminModels.RefundPurchaseResponse>)each; } } }
+
+            if (OnAdminRemovePlayerTagRequestEvent != null) { foreach (var each in OnAdminRemovePlayerTagRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemovePlayerTagRequestEvent -= (PlayFabRequestEvent<AdminModels.RemovePlayerTagRequest>)each; } } }
+            if (OnAdminRemovePlayerTagResultEvent != null) { foreach (var each in OnAdminRemovePlayerTagResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemovePlayerTagResultEvent -= (PlayFabResultEvent<AdminModels.RemovePlayerTagResult>)each; } } }
+
+            if (OnAdminRemoveServerBuildRequestEvent != null) { foreach (var each in OnAdminRemoveServerBuildRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemoveServerBuildRequestEvent -= (PlayFabRequestEvent<AdminModels.RemoveServerBuildRequest>)each; } } }
+            if (OnAdminRemoveServerBuildResultEvent != null) { foreach (var each in OnAdminRemoveServerBuildResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemoveServerBuildResultEvent -= (PlayFabResultEvent<AdminModels.RemoveServerBuildResult>)each; } } }
+
+            if (OnAdminRemoveVirtualCurrencyTypesRequestEvent != null) { foreach (var each in OnAdminRemoveVirtualCurrencyTypesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemoveVirtualCurrencyTypesRequestEvent -= (PlayFabRequestEvent<AdminModels.RemoveVirtualCurrencyTypesRequest>)each; } } }
+            if (OnAdminRemoveVirtualCurrencyTypesResultEvent != null) { foreach (var each in OnAdminRemoveVirtualCurrencyTypesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRemoveVirtualCurrencyTypesResultEvent -= (PlayFabResultEvent<AdminModels.BlankResult>)each; } } }
+
+            if (OnAdminResetCharacterStatisticsRequestEvent != null) { foreach (var each in OnAdminResetCharacterStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetCharacterStatisticsRequestEvent -= (PlayFabRequestEvent<AdminModels.ResetCharacterStatisticsRequest>)each; } } }
+            if (OnAdminResetCharacterStatisticsResultEvent != null) { foreach (var each in OnAdminResetCharacterStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetCharacterStatisticsResultEvent -= (PlayFabResultEvent<AdminModels.ResetCharacterStatisticsResult>)each; } } }
+
+            if (OnAdminResetPasswordRequestEvent != null) { foreach (var each in OnAdminResetPasswordRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetPasswordRequestEvent -= (PlayFabRequestEvent<AdminModels.ResetPasswordRequest>)each; } } }
+            if (OnAdminResetPasswordResultEvent != null) { foreach (var each in OnAdminResetPasswordResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetPasswordResultEvent -= (PlayFabResultEvent<AdminModels.ResetPasswordResult>)each; } } }
+
+            if (OnAdminResetUserStatisticsRequestEvent != null) { foreach (var each in OnAdminResetUserStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetUserStatisticsRequestEvent -= (PlayFabRequestEvent<AdminModels.ResetUserStatisticsRequest>)each; } } }
+            if (OnAdminResetUserStatisticsResultEvent != null) { foreach (var each in OnAdminResetUserStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResetUserStatisticsResultEvent -= (PlayFabResultEvent<AdminModels.ResetUserStatisticsResult>)each; } } }
+
+            if (OnAdminResolvePurchaseDisputeRequestEvent != null) { foreach (var each in OnAdminResolvePurchaseDisputeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResolvePurchaseDisputeRequestEvent -= (PlayFabRequestEvent<AdminModels.ResolvePurchaseDisputeRequest>)each; } } }
+            if (OnAdminResolvePurchaseDisputeResultEvent != null) { foreach (var each in OnAdminResolvePurchaseDisputeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminResolvePurchaseDisputeResultEvent -= (PlayFabResultEvent<AdminModels.ResolvePurchaseDisputeResponse>)each; } } }
+
+            if (OnAdminRevokeAllBansForUserRequestEvent != null) { foreach (var each in OnAdminRevokeAllBansForUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeAllBansForUserRequestEvent -= (PlayFabRequestEvent<AdminModels.RevokeAllBansForUserRequest>)each; } } }
+            if (OnAdminRevokeAllBansForUserResultEvent != null) { foreach (var each in OnAdminRevokeAllBansForUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeAllBansForUserResultEvent -= (PlayFabResultEvent<AdminModels.RevokeAllBansForUserResult>)each; } } }
+
+            if (OnAdminRevokeBansRequestEvent != null) { foreach (var each in OnAdminRevokeBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeBansRequestEvent -= (PlayFabRequestEvent<AdminModels.RevokeBansRequest>)each; } } }
+            if (OnAdminRevokeBansResultEvent != null) { foreach (var each in OnAdminRevokeBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeBansResultEvent -= (PlayFabResultEvent<AdminModels.RevokeBansResult>)each; } } }
+
+            if (OnAdminRevokeInventoryItemRequestEvent != null) { foreach (var each in OnAdminRevokeInventoryItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeInventoryItemRequestEvent -= (PlayFabRequestEvent<AdminModels.RevokeInventoryItemRequest>)each; } } }
+            if (OnAdminRevokeInventoryItemResultEvent != null) { foreach (var each in OnAdminRevokeInventoryItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeInventoryItemResultEvent -= (PlayFabResultEvent<AdminModels.RevokeInventoryResult>)each; } } }
+
+            if (OnAdminRevokeInventoryItemsRequestEvent != null) { foreach (var each in OnAdminRevokeInventoryItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeInventoryItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.RevokeInventoryItemsRequest>)each; } } }
+            if (OnAdminRevokeInventoryItemsResultEvent != null) { foreach (var each in OnAdminRevokeInventoryItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRevokeInventoryItemsResultEvent -= (PlayFabResultEvent<AdminModels.RevokeInventoryItemsResult>)each; } } }
+
+            if (OnAdminRunTaskRequestEvent != null) { foreach (var each in OnAdminRunTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRunTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.RunTaskRequest>)each; } } }
+            if (OnAdminRunTaskResultEvent != null) { foreach (var each in OnAdminRunTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminRunTaskResultEvent -= (PlayFabResultEvent<AdminModels.RunTaskResult>)each; } } }
+
+            if (OnAdminSendAccountRecoveryEmailRequestEvent != null) { foreach (var each in OnAdminSendAccountRecoveryEmailRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSendAccountRecoveryEmailRequestEvent -= (PlayFabRequestEvent<AdminModels.SendAccountRecoveryEmailRequest>)each; } } }
+            if (OnAdminSendAccountRecoveryEmailResultEvent != null) { foreach (var each in OnAdminSendAccountRecoveryEmailResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSendAccountRecoveryEmailResultEvent -= (PlayFabResultEvent<AdminModels.SendAccountRecoveryEmailResult>)each; } } }
+
+            if (OnAdminSetCatalogItemsRequestEvent != null) { foreach (var each in OnAdminSetCatalogItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetCatalogItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateCatalogItemsRequest>)each; } } }
+            if (OnAdminSetCatalogItemsResultEvent != null) { foreach (var each in OnAdminSetCatalogItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetCatalogItemsResultEvent -= (PlayFabResultEvent<AdminModels.UpdateCatalogItemsResult>)each; } } }
+
+            if (OnAdminSetPlayerSecretRequestEvent != null) { foreach (var each in OnAdminSetPlayerSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPlayerSecretRequestEvent -= (PlayFabRequestEvent<AdminModels.SetPlayerSecretRequest>)each; } } }
+            if (OnAdminSetPlayerSecretResultEvent != null) { foreach (var each in OnAdminSetPlayerSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPlayerSecretResultEvent -= (PlayFabResultEvent<AdminModels.SetPlayerSecretResult>)each; } } }
+
+            if (OnAdminSetPublishedRevisionRequestEvent != null) { foreach (var each in OnAdminSetPublishedRevisionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPublishedRevisionRequestEvent -= (PlayFabRequestEvent<AdminModels.SetPublishedRevisionRequest>)each; } } }
+            if (OnAdminSetPublishedRevisionResultEvent != null) { foreach (var each in OnAdminSetPublishedRevisionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPublishedRevisionResultEvent -= (PlayFabResultEvent<AdminModels.SetPublishedRevisionResult>)each; } } }
+
+            if (OnAdminSetPublisherDataRequestEvent != null) { foreach (var each in OnAdminSetPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPublisherDataRequestEvent -= (PlayFabRequestEvent<AdminModels.SetPublisherDataRequest>)each; } } }
+            if (OnAdminSetPublisherDataResultEvent != null) { foreach (var each in OnAdminSetPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetPublisherDataResultEvent -= (PlayFabResultEvent<AdminModels.SetPublisherDataResult>)each; } } }
+
+            if (OnAdminSetStoreItemsRequestEvent != null) { foreach (var each in OnAdminSetStoreItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetStoreItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateStoreItemsRequest>)each; } } }
+            if (OnAdminSetStoreItemsResultEvent != null) { foreach (var each in OnAdminSetStoreItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetStoreItemsResultEvent -= (PlayFabResultEvent<AdminModels.UpdateStoreItemsResult>)each; } } }
+
+            if (OnAdminSetTitleDataRequestEvent != null) { foreach (var each in OnAdminSetTitleDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleDataRequestEvent -= (PlayFabRequestEvent<AdminModels.SetTitleDataRequest>)each; } } }
+            if (OnAdminSetTitleDataResultEvent != null) { foreach (var each in OnAdminSetTitleDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleDataResultEvent -= (PlayFabResultEvent<AdminModels.SetTitleDataResult>)each; } } }
+
+            if (OnAdminSetTitleDataAndOverridesRequestEvent != null) { foreach (var each in OnAdminSetTitleDataAndOverridesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleDataAndOverridesRequestEvent -= (PlayFabRequestEvent<AdminModels.SetTitleDataAndOverridesRequest>)each; } } }
+            if (OnAdminSetTitleDataAndOverridesResultEvent != null) { foreach (var each in OnAdminSetTitleDataAndOverridesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleDataAndOverridesResultEvent -= (PlayFabResultEvent<AdminModels.SetTitleDataAndOverridesResult>)each; } } }
+
+            if (OnAdminSetTitleInternalDataRequestEvent != null) { foreach (var each in OnAdminSetTitleInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.SetTitleDataRequest>)each; } } }
+            if (OnAdminSetTitleInternalDataResultEvent != null) { foreach (var each in OnAdminSetTitleInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetTitleInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.SetTitleDataResult>)each; } } }
+
+            if (OnAdminSetupPushNotificationRequestEvent != null) { foreach (var each in OnAdminSetupPushNotificationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetupPushNotificationRequestEvent -= (PlayFabRequestEvent<AdminModels.SetupPushNotificationRequest>)each; } } }
+            if (OnAdminSetupPushNotificationResultEvent != null) { foreach (var each in OnAdminSetupPushNotificationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSetupPushNotificationResultEvent -= (PlayFabResultEvent<AdminModels.SetupPushNotificationResult>)each; } } }
+
+            if (OnAdminSubtractUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnAdminSubtractUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSubtractUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<AdminModels.SubtractUserVirtualCurrencyRequest>)each; } } }
+            if (OnAdminSubtractUserVirtualCurrencyResultEvent != null) { foreach (var each in OnAdminSubtractUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminSubtractUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<AdminModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnAdminUpdateBansRequestEvent != null) { foreach (var each in OnAdminUpdateBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateBansRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateBansRequest>)each; } } }
+            if (OnAdminUpdateBansResultEvent != null) { foreach (var each in OnAdminUpdateBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateBansResultEvent -= (PlayFabResultEvent<AdminModels.UpdateBansResult>)each; } } }
+
+            if (OnAdminUpdateCatalogItemsRequestEvent != null) { foreach (var each in OnAdminUpdateCatalogItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateCatalogItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateCatalogItemsRequest>)each; } } }
+            if (OnAdminUpdateCatalogItemsResultEvent != null) { foreach (var each in OnAdminUpdateCatalogItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateCatalogItemsResultEvent -= (PlayFabResultEvent<AdminModels.UpdateCatalogItemsResult>)each; } } }
+
+            if (OnAdminUpdateCloudScriptRequestEvent != null) { foreach (var each in OnAdminUpdateCloudScriptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateCloudScriptRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateCloudScriptRequest>)each; } } }
+            if (OnAdminUpdateCloudScriptResultEvent != null) { foreach (var each in OnAdminUpdateCloudScriptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateCloudScriptResultEvent -= (PlayFabResultEvent<AdminModels.UpdateCloudScriptResult>)each; } } }
+
+            if (OnAdminUpdateOpenIdConnectionRequestEvent != null) { foreach (var each in OnAdminUpdateOpenIdConnectionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateOpenIdConnectionRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateOpenIdConnectionRequest>)each; } } }
+            if (OnAdminUpdateOpenIdConnectionResultEvent != null) { foreach (var each in OnAdminUpdateOpenIdConnectionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateOpenIdConnectionResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminUpdatePlayerSharedSecretRequestEvent != null) { foreach (var each in OnAdminUpdatePlayerSharedSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePlayerSharedSecretRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdatePlayerSharedSecretRequest>)each; } } }
+            if (OnAdminUpdatePlayerSharedSecretResultEvent != null) { foreach (var each in OnAdminUpdatePlayerSharedSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePlayerSharedSecretResultEvent -= (PlayFabResultEvent<AdminModels.UpdatePlayerSharedSecretResult>)each; } } }
+
+            if (OnAdminUpdatePlayerStatisticDefinitionRequestEvent != null) { foreach (var each in OnAdminUpdatePlayerStatisticDefinitionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePlayerStatisticDefinitionRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdatePlayerStatisticDefinitionRequest>)each; } } }
+            if (OnAdminUpdatePlayerStatisticDefinitionResultEvent != null) { foreach (var each in OnAdminUpdatePlayerStatisticDefinitionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePlayerStatisticDefinitionResultEvent -= (PlayFabResultEvent<AdminModels.UpdatePlayerStatisticDefinitionResult>)each; } } }
+
+            if (OnAdminUpdatePolicyRequestEvent != null) { foreach (var each in OnAdminUpdatePolicyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePolicyRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdatePolicyRequest>)each; } } }
+            if (OnAdminUpdatePolicyResultEvent != null) { foreach (var each in OnAdminUpdatePolicyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdatePolicyResultEvent -= (PlayFabResultEvent<AdminModels.UpdatePolicyResponse>)each; } } }
+
+            if (OnAdminUpdateRandomResultTablesRequestEvent != null) { foreach (var each in OnAdminUpdateRandomResultTablesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateRandomResultTablesRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateRandomResultTablesRequest>)each; } } }
+            if (OnAdminUpdateRandomResultTablesResultEvent != null) { foreach (var each in OnAdminUpdateRandomResultTablesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateRandomResultTablesResultEvent -= (PlayFabResultEvent<AdminModels.UpdateRandomResultTablesResult>)each; } } }
+
+            if (OnAdminUpdateSegmentRequestEvent != null) { foreach (var each in OnAdminUpdateSegmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateSegmentRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateSegmentRequest>)each; } } }
+            if (OnAdminUpdateSegmentResultEvent != null) { foreach (var each in OnAdminUpdateSegmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateSegmentResultEvent -= (PlayFabResultEvent<AdminModels.UpdateSegmentResponse>)each; } } }
+
+            if (OnAdminUpdateStoreItemsRequestEvent != null) { foreach (var each in OnAdminUpdateStoreItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateStoreItemsRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateStoreItemsRequest>)each; } } }
+            if (OnAdminUpdateStoreItemsResultEvent != null) { foreach (var each in OnAdminUpdateStoreItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateStoreItemsResultEvent -= (PlayFabResultEvent<AdminModels.UpdateStoreItemsResult>)each; } } }
+
+            if (OnAdminUpdateTaskRequestEvent != null) { foreach (var each in OnAdminUpdateTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateTaskRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateTaskRequest>)each; } } }
+            if (OnAdminUpdateTaskResultEvent != null) { foreach (var each in OnAdminUpdateTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateTaskResultEvent -= (PlayFabResultEvent<AdminModels.EmptyResponse>)each; } } }
+
+            if (OnAdminUpdateUserDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserDataRequest>)each; } } }
+            if (OnAdminUpdateUserDataResultEvent != null) { foreach (var each in OnAdminUpdateUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserInternalDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserInternalDataRequest>)each; } } }
+            if (OnAdminUpdateUserInternalDataResultEvent != null) { foreach (var each in OnAdminUpdateUserInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserPublisherDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserDataRequest>)each; } } }
+            if (OnAdminUpdateUserPublisherDataResultEvent != null) { foreach (var each in OnAdminUpdateUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserPublisherInternalDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserPublisherInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherInternalDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserInternalDataRequest>)each; } } }
+            if (OnAdminUpdateUserPublisherInternalDataResultEvent != null) { foreach (var each in OnAdminUpdateUserPublisherInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherInternalDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserPublisherReadOnlyDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserPublisherReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherReadOnlyDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserDataRequest>)each; } } }
+            if (OnAdminUpdateUserPublisherReadOnlyDataResultEvent != null) { foreach (var each in OnAdminUpdateUserPublisherReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserPublisherReadOnlyDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserReadOnlyDataRequestEvent != null) { foreach (var each in OnAdminUpdateUserReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserReadOnlyDataRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserDataRequest>)each; } } }
+            if (OnAdminUpdateUserReadOnlyDataResultEvent != null) { foreach (var each in OnAdminUpdateUserReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserReadOnlyDataResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserDataResult>)each; } } }
+
+            if (OnAdminUpdateUserTitleDisplayNameRequestEvent != null) { foreach (var each in OnAdminUpdateUserTitleDisplayNameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserTitleDisplayNameRequestEvent -= (PlayFabRequestEvent<AdminModels.UpdateUserTitleDisplayNameRequest>)each; } } }
+            if (OnAdminUpdateUserTitleDisplayNameResultEvent != null) { foreach (var each in OnAdminUpdateUserTitleDisplayNameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAdminUpdateUserTitleDisplayNameResultEvent -= (PlayFabResultEvent<AdminModels.UpdateUserTitleDisplayNameResult>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABCLIENT_API
+            if (OnAcceptTradeRequestEvent != null) { foreach (var each in OnAcceptTradeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAcceptTradeRequestEvent -= (PlayFabRequestEvent<ClientModels.AcceptTradeRequest>)each; } } }
+            if (OnAcceptTradeResultEvent != null) { foreach (var each in OnAcceptTradeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAcceptTradeResultEvent -= (PlayFabResultEvent<ClientModels.AcceptTradeResponse>)each; } } }
+
+            if (OnAddFriendRequestEvent != null) { foreach (var each in OnAddFriendRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddFriendRequestEvent -= (PlayFabRequestEvent<ClientModels.AddFriendRequest>)each; } } }
+            if (OnAddFriendResultEvent != null) { foreach (var each in OnAddFriendResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddFriendResultEvent -= (PlayFabResultEvent<ClientModels.AddFriendResult>)each; } } }
+
+            if (OnAddGenericIDRequestEvent != null) { foreach (var each in OnAddGenericIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddGenericIDRequestEvent -= (PlayFabRequestEvent<ClientModels.AddGenericIDRequest>)each; } } }
+            if (OnAddGenericIDResultEvent != null) { foreach (var each in OnAddGenericIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddGenericIDResultEvent -= (PlayFabResultEvent<ClientModels.AddGenericIDResult>)each; } } }
+
+            if (OnAddOrUpdateContactEmailRequestEvent != null) { foreach (var each in OnAddOrUpdateContactEmailRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddOrUpdateContactEmailRequestEvent -= (PlayFabRequestEvent<ClientModels.AddOrUpdateContactEmailRequest>)each; } } }
+            if (OnAddOrUpdateContactEmailResultEvent != null) { foreach (var each in OnAddOrUpdateContactEmailResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddOrUpdateContactEmailResultEvent -= (PlayFabResultEvent<ClientModels.AddOrUpdateContactEmailResult>)each; } } }
+
+            if (OnAddSharedGroupMembersRequestEvent != null) { foreach (var each in OnAddSharedGroupMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddSharedGroupMembersRequestEvent -= (PlayFabRequestEvent<ClientModels.AddSharedGroupMembersRequest>)each; } } }
+            if (OnAddSharedGroupMembersResultEvent != null) { foreach (var each in OnAddSharedGroupMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddSharedGroupMembersResultEvent -= (PlayFabResultEvent<ClientModels.AddSharedGroupMembersResult>)each; } } }
+
+            if (OnAddUsernamePasswordRequestEvent != null) { foreach (var each in OnAddUsernamePasswordRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddUsernamePasswordRequestEvent -= (PlayFabRequestEvent<ClientModels.AddUsernamePasswordRequest>)each; } } }
+            if (OnAddUsernamePasswordResultEvent != null) { foreach (var each in OnAddUsernamePasswordResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddUsernamePasswordResultEvent -= (PlayFabResultEvent<ClientModels.AddUsernamePasswordResult>)each; } } }
+
+            if (OnAddUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnAddUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ClientModels.AddUserVirtualCurrencyRequest>)each; } } }
+            if (OnAddUserVirtualCurrencyResultEvent != null) { foreach (var each in OnAddUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAddUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<ClientModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnAndroidDevicePushNotificationRegistrationRequestEvent != null) { foreach (var each in OnAndroidDevicePushNotificationRegistrationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAndroidDevicePushNotificationRegistrationRequestEvent -= (PlayFabRequestEvent<ClientModels.AndroidDevicePushNotificationRegistrationRequest>)each; } } }
+            if (OnAndroidDevicePushNotificationRegistrationResultEvent != null) { foreach (var each in OnAndroidDevicePushNotificationRegistrationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAndroidDevicePushNotificationRegistrationResultEvent -= (PlayFabResultEvent<ClientModels.AndroidDevicePushNotificationRegistrationResult>)each; } } }
+
+            if (OnAttributeInstallRequestEvent != null) { foreach (var each in OnAttributeInstallRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAttributeInstallRequestEvent -= (PlayFabRequestEvent<ClientModels.AttributeInstallRequest>)each; } } }
+            if (OnAttributeInstallResultEvent != null) { foreach (var each in OnAttributeInstallResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAttributeInstallResultEvent -= (PlayFabResultEvent<ClientModels.AttributeInstallResult>)each; } } }
+
+            if (OnCancelTradeRequestEvent != null) { foreach (var each in OnCancelTradeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCancelTradeRequestEvent -= (PlayFabRequestEvent<ClientModels.CancelTradeRequest>)each; } } }
+            if (OnCancelTradeResultEvent != null) { foreach (var each in OnCancelTradeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCancelTradeResultEvent -= (PlayFabResultEvent<ClientModels.CancelTradeResponse>)each; } } }
+
+            if (OnConfirmPurchaseRequestEvent != null) { foreach (var each in OnConfirmPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConfirmPurchaseRequestEvent -= (PlayFabRequestEvent<ClientModels.ConfirmPurchaseRequest>)each; } } }
+            if (OnConfirmPurchaseResultEvent != null) { foreach (var each in OnConfirmPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConfirmPurchaseResultEvent -= (PlayFabResultEvent<ClientModels.ConfirmPurchaseResult>)each; } } }
+
+            if (OnConsumeItemRequestEvent != null) { foreach (var each in OnConsumeItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeItemRequestEvent -= (PlayFabRequestEvent<ClientModels.ConsumeItemRequest>)each; } } }
+            if (OnConsumeItemResultEvent != null) { foreach (var each in OnConsumeItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeItemResultEvent -= (PlayFabResultEvent<ClientModels.ConsumeItemResult>)each; } } }
+
+            if (OnConsumeMicrosoftStoreEntitlementsRequestEvent != null) { foreach (var each in OnConsumeMicrosoftStoreEntitlementsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeMicrosoftStoreEntitlementsRequestEvent -= (PlayFabRequestEvent<ClientModels.ConsumeMicrosoftStoreEntitlementsRequest>)each; } } }
+            if (OnConsumeMicrosoftStoreEntitlementsResultEvent != null) { foreach (var each in OnConsumeMicrosoftStoreEntitlementsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeMicrosoftStoreEntitlementsResultEvent -= (PlayFabResultEvent<ClientModels.ConsumeMicrosoftStoreEntitlementsResponse>)each; } } }
+
+            if (OnConsumePS5EntitlementsRequestEvent != null) { foreach (var each in OnConsumePS5EntitlementsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumePS5EntitlementsRequestEvent -= (PlayFabRequestEvent<ClientModels.ConsumePS5EntitlementsRequest>)each; } } }
+            if (OnConsumePS5EntitlementsResultEvent != null) { foreach (var each in OnConsumePS5EntitlementsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumePS5EntitlementsResultEvent -= (PlayFabResultEvent<ClientModels.ConsumePS5EntitlementsResult>)each; } } }
+
+            if (OnConsumePSNEntitlementsRequestEvent != null) { foreach (var each in OnConsumePSNEntitlementsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumePSNEntitlementsRequestEvent -= (PlayFabRequestEvent<ClientModels.ConsumePSNEntitlementsRequest>)each; } } }
+            if (OnConsumePSNEntitlementsResultEvent != null) { foreach (var each in OnConsumePSNEntitlementsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumePSNEntitlementsResultEvent -= (PlayFabResultEvent<ClientModels.ConsumePSNEntitlementsResult>)each; } } }
+
+            if (OnConsumeXboxEntitlementsRequestEvent != null) { foreach (var each in OnConsumeXboxEntitlementsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeXboxEntitlementsRequestEvent -= (PlayFabRequestEvent<ClientModels.ConsumeXboxEntitlementsRequest>)each; } } }
+            if (OnConsumeXboxEntitlementsResultEvent != null) { foreach (var each in OnConsumeXboxEntitlementsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnConsumeXboxEntitlementsResultEvent -= (PlayFabResultEvent<ClientModels.ConsumeXboxEntitlementsResult>)each; } } }
+
+            if (OnCreateSharedGroupRequestEvent != null) { foreach (var each in OnCreateSharedGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCreateSharedGroupRequestEvent -= (PlayFabRequestEvent<ClientModels.CreateSharedGroupRequest>)each; } } }
+            if (OnCreateSharedGroupResultEvent != null) { foreach (var each in OnCreateSharedGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCreateSharedGroupResultEvent -= (PlayFabResultEvent<ClientModels.CreateSharedGroupResult>)each; } } }
+
+            if (OnExecuteCloudScriptRequestEvent != null) { foreach (var each in OnExecuteCloudScriptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExecuteCloudScriptRequestEvent -= (PlayFabRequestEvent<ClientModels.ExecuteCloudScriptRequest>)each; } } }
+            if (OnExecuteCloudScriptResultEvent != null) { foreach (var each in OnExecuteCloudScriptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExecuteCloudScriptResultEvent -= (PlayFabResultEvent<ClientModels.ExecuteCloudScriptResult>)each; } } }
+
+            if (OnGetAccountInfoRequestEvent != null) { foreach (var each in OnGetAccountInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAccountInfoRequestEvent -= (PlayFabRequestEvent<ClientModels.GetAccountInfoRequest>)each; } } }
+            if (OnGetAccountInfoResultEvent != null) { foreach (var each in OnGetAccountInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAccountInfoResultEvent -= (PlayFabResultEvent<ClientModels.GetAccountInfoResult>)each; } } }
+
+            if (OnGetAdPlacementsRequestEvent != null) { foreach (var each in OnGetAdPlacementsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAdPlacementsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetAdPlacementsRequest>)each; } } }
+            if (OnGetAdPlacementsResultEvent != null) { foreach (var each in OnGetAdPlacementsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAdPlacementsResultEvent -= (PlayFabResultEvent<ClientModels.GetAdPlacementsResult>)each; } } }
+
+            if (OnGetAllUsersCharactersRequestEvent != null) { foreach (var each in OnGetAllUsersCharactersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAllUsersCharactersRequestEvent -= (PlayFabRequestEvent<ClientModels.ListUsersCharactersRequest>)each; } } }
+            if (OnGetAllUsersCharactersResultEvent != null) { foreach (var each in OnGetAllUsersCharactersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetAllUsersCharactersResultEvent -= (PlayFabResultEvent<ClientModels.ListUsersCharactersResult>)each; } } }
+
+            if (OnGetCatalogItemsRequestEvent != null) { foreach (var each in OnGetCatalogItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCatalogItemsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCatalogItemsRequest>)each; } } }
+            if (OnGetCatalogItemsResultEvent != null) { foreach (var each in OnGetCatalogItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCatalogItemsResultEvent -= (PlayFabResultEvent<ClientModels.GetCatalogItemsResult>)each; } } }
+
+            if (OnGetCharacterDataRequestEvent != null) { foreach (var each in OnGetCharacterDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCharacterDataRequest>)each; } } }
+            if (OnGetCharacterDataResultEvent != null) { foreach (var each in OnGetCharacterDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterDataResultEvent -= (PlayFabResultEvent<ClientModels.GetCharacterDataResult>)each; } } }
+
+            if (OnGetCharacterInventoryRequestEvent != null) { foreach (var each in OnGetCharacterInventoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterInventoryRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCharacterInventoryRequest>)each; } } }
+            if (OnGetCharacterInventoryResultEvent != null) { foreach (var each in OnGetCharacterInventoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterInventoryResultEvent -= (PlayFabResultEvent<ClientModels.GetCharacterInventoryResult>)each; } } }
+
+            if (OnGetCharacterLeaderboardRequestEvent != null) { foreach (var each in OnGetCharacterLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterLeaderboardRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCharacterLeaderboardRequest>)each; } } }
+            if (OnGetCharacterLeaderboardResultEvent != null) { foreach (var each in OnGetCharacterLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterLeaderboardResultEvent -= (PlayFabResultEvent<ClientModels.GetCharacterLeaderboardResult>)each; } } }
+
+            if (OnGetCharacterReadOnlyDataRequestEvent != null) { foreach (var each in OnGetCharacterReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCharacterDataRequest>)each; } } }
+            if (OnGetCharacterReadOnlyDataResultEvent != null) { foreach (var each in OnGetCharacterReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterReadOnlyDataResultEvent -= (PlayFabResultEvent<ClientModels.GetCharacterDataResult>)each; } } }
+
+            if (OnGetCharacterStatisticsRequestEvent != null) { foreach (var each in OnGetCharacterStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterStatisticsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetCharacterStatisticsRequest>)each; } } }
+            if (OnGetCharacterStatisticsResultEvent != null) { foreach (var each in OnGetCharacterStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCharacterStatisticsResultEvent -= (PlayFabResultEvent<ClientModels.GetCharacterStatisticsResult>)each; } } }
+
+            if (OnGetContentDownloadUrlRequestEvent != null) { foreach (var each in OnGetContentDownloadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetContentDownloadUrlRequestEvent -= (PlayFabRequestEvent<ClientModels.GetContentDownloadUrlRequest>)each; } } }
+            if (OnGetContentDownloadUrlResultEvent != null) { foreach (var each in OnGetContentDownloadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetContentDownloadUrlResultEvent -= (PlayFabResultEvent<ClientModels.GetContentDownloadUrlResult>)each; } } }
+
+            if (OnGetCurrentGamesRequestEvent != null) { foreach (var each in OnGetCurrentGamesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCurrentGamesRequestEvent -= (PlayFabRequestEvent<ClientModels.CurrentGamesRequest>)each; } } }
+            if (OnGetCurrentGamesResultEvent != null) { foreach (var each in OnGetCurrentGamesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetCurrentGamesResultEvent -= (PlayFabResultEvent<ClientModels.CurrentGamesResult>)each; } } }
+
+            if (OnGetFriendLeaderboardRequestEvent != null) { foreach (var each in OnGetFriendLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendLeaderboardRequestEvent -= (PlayFabRequestEvent<ClientModels.GetFriendLeaderboardRequest>)each; } } }
+            if (OnGetFriendLeaderboardResultEvent != null) { foreach (var each in OnGetFriendLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendLeaderboardResultEvent -= (PlayFabResultEvent<ClientModels.GetLeaderboardResult>)each; } } }
+
+            if (OnGetFriendLeaderboardAroundPlayerRequestEvent != null) { foreach (var each in OnGetFriendLeaderboardAroundPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendLeaderboardAroundPlayerRequestEvent -= (PlayFabRequestEvent<ClientModels.GetFriendLeaderboardAroundPlayerRequest>)each; } } }
+            if (OnGetFriendLeaderboardAroundPlayerResultEvent != null) { foreach (var each in OnGetFriendLeaderboardAroundPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendLeaderboardAroundPlayerResultEvent -= (PlayFabResultEvent<ClientModels.GetFriendLeaderboardAroundPlayerResult>)each; } } }
+
+            if (OnGetFriendsListRequestEvent != null) { foreach (var each in OnGetFriendsListRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendsListRequestEvent -= (PlayFabRequestEvent<ClientModels.GetFriendsListRequest>)each; } } }
+            if (OnGetFriendsListResultEvent != null) { foreach (var each in OnGetFriendsListResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetFriendsListResultEvent -= (PlayFabResultEvent<ClientModels.GetFriendsListResult>)each; } } }
+
+            if (OnGetGameServerRegionsRequestEvent != null) { foreach (var each in OnGetGameServerRegionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetGameServerRegionsRequestEvent -= (PlayFabRequestEvent<ClientModels.GameServerRegionsRequest>)each; } } }
+            if (OnGetGameServerRegionsResultEvent != null) { foreach (var each in OnGetGameServerRegionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetGameServerRegionsResultEvent -= (PlayFabResultEvent<ClientModels.GameServerRegionsResult>)each; } } }
+
+            if (OnGetLeaderboardRequestEvent != null) { foreach (var each in OnGetLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardRequestEvent -= (PlayFabRequestEvent<ClientModels.GetLeaderboardRequest>)each; } } }
+            if (OnGetLeaderboardResultEvent != null) { foreach (var each in OnGetLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardResultEvent -= (PlayFabResultEvent<ClientModels.GetLeaderboardResult>)each; } } }
+
+            if (OnGetLeaderboardAroundCharacterRequestEvent != null) { foreach (var each in OnGetLeaderboardAroundCharacterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardAroundCharacterRequestEvent -= (PlayFabRequestEvent<ClientModels.GetLeaderboardAroundCharacterRequest>)each; } } }
+            if (OnGetLeaderboardAroundCharacterResultEvent != null) { foreach (var each in OnGetLeaderboardAroundCharacterResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardAroundCharacterResultEvent -= (PlayFabResultEvent<ClientModels.GetLeaderboardAroundCharacterResult>)each; } } }
+
+            if (OnGetLeaderboardAroundPlayerRequestEvent != null) { foreach (var each in OnGetLeaderboardAroundPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardAroundPlayerRequestEvent -= (PlayFabRequestEvent<ClientModels.GetLeaderboardAroundPlayerRequest>)each; } } }
+            if (OnGetLeaderboardAroundPlayerResultEvent != null) { foreach (var each in OnGetLeaderboardAroundPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardAroundPlayerResultEvent -= (PlayFabResultEvent<ClientModels.GetLeaderboardAroundPlayerResult>)each; } } }
+
+            if (OnGetLeaderboardForUserCharactersRequestEvent != null) { foreach (var each in OnGetLeaderboardForUserCharactersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardForUserCharactersRequestEvent -= (PlayFabRequestEvent<ClientModels.GetLeaderboardForUsersCharactersRequest>)each; } } }
+            if (OnGetLeaderboardForUserCharactersResultEvent != null) { foreach (var each in OnGetLeaderboardForUserCharactersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetLeaderboardForUserCharactersResultEvent -= (PlayFabResultEvent<ClientModels.GetLeaderboardForUsersCharactersResult>)each; } } }
+
+            if (OnGetPaymentTokenRequestEvent != null) { foreach (var each in OnGetPaymentTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPaymentTokenRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPaymentTokenRequest>)each; } } }
+            if (OnGetPaymentTokenResultEvent != null) { foreach (var each in OnGetPaymentTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPaymentTokenResultEvent -= (PlayFabResultEvent<ClientModels.GetPaymentTokenResult>)each; } } }
+
+            if (OnGetPhotonAuthenticationTokenRequestEvent != null) { foreach (var each in OnGetPhotonAuthenticationTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPhotonAuthenticationTokenRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPhotonAuthenticationTokenRequest>)each; } } }
+            if (OnGetPhotonAuthenticationTokenResultEvent != null) { foreach (var each in OnGetPhotonAuthenticationTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPhotonAuthenticationTokenResultEvent -= (PlayFabResultEvent<ClientModels.GetPhotonAuthenticationTokenResult>)each; } } }
+
+            if (OnGetPlayerCombinedInfoRequestEvent != null) { foreach (var each in OnGetPlayerCombinedInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerCombinedInfoRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerCombinedInfoRequest>)each; } } }
+            if (OnGetPlayerCombinedInfoResultEvent != null) { foreach (var each in OnGetPlayerCombinedInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerCombinedInfoResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerCombinedInfoResult>)each; } } }
+
+            if (OnGetPlayerProfileRequestEvent != null) { foreach (var each in OnGetPlayerProfileRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerProfileRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerProfileRequest>)each; } } }
+            if (OnGetPlayerProfileResultEvent != null) { foreach (var each in OnGetPlayerProfileResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerProfileResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerProfileResult>)each; } } }
+
+            if (OnGetPlayerSegmentsRequestEvent != null) { foreach (var each in OnGetPlayerSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerSegmentsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerSegmentsRequest>)each; } } }
+            if (OnGetPlayerSegmentsResultEvent != null) { foreach (var each in OnGetPlayerSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerSegmentsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerSegmentsResult>)each; } } }
+
+            if (OnGetPlayerStatisticsRequestEvent != null) { foreach (var each in OnGetPlayerStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerStatisticsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerStatisticsRequest>)each; } } }
+            if (OnGetPlayerStatisticsResultEvent != null) { foreach (var each in OnGetPlayerStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerStatisticsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerStatisticsResult>)each; } } }
+
+            if (OnGetPlayerStatisticVersionsRequestEvent != null) { foreach (var each in OnGetPlayerStatisticVersionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerStatisticVersionsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerStatisticVersionsRequest>)each; } } }
+            if (OnGetPlayerStatisticVersionsResultEvent != null) { foreach (var each in OnGetPlayerStatisticVersionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerStatisticVersionsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerStatisticVersionsResult>)each; } } }
+
+            if (OnGetPlayerTagsRequestEvent != null) { foreach (var each in OnGetPlayerTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerTagsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerTagsRequest>)each; } } }
+            if (OnGetPlayerTagsResultEvent != null) { foreach (var each in OnGetPlayerTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerTagsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerTagsResult>)each; } } }
+
+            if (OnGetPlayerTradesRequestEvent != null) { foreach (var each in OnGetPlayerTradesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerTradesRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayerTradesRequest>)each; } } }
+            if (OnGetPlayerTradesResultEvent != null) { foreach (var each in OnGetPlayerTradesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayerTradesResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayerTradesResponse>)each; } } }
+
+            if (OnGetPlayFabIDsFromFacebookIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromFacebookIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromFacebookIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromFacebookIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromFacebookIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromFacebookIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromFacebookIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromFacebookIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromGameCenterIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromGameCenterIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGameCenterIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromGameCenterIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromGameCenterIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromGameCenterIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGameCenterIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromGameCenterIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromGenericIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromGenericIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGenericIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromGenericIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromGenericIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromGenericIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGenericIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromGenericIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromGoogleIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromGoogleIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGoogleIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromGoogleIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromGoogleIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromGoogleIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromGoogleIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromGoogleIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromKongregateIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromKongregateIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromKongregateIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromKongregateIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromKongregateIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromKongregateIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromKongregateIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromKongregateIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromPSNAccountIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromPSNAccountIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromPSNAccountIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromPSNAccountIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromPSNAccountIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromPSNAccountIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromPSNAccountIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromPSNAccountIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromSteamIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromSteamIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromSteamIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromSteamIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromSteamIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromSteamIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromSteamIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromSteamIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromTwitchIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromTwitchIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromTwitchIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromTwitchIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromTwitchIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromTwitchIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromTwitchIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromTwitchIDsResult>)each; } } }
+
+            if (OnGetPlayFabIDsFromXboxLiveIDsRequestEvent != null) { foreach (var each in OnGetPlayFabIDsFromXboxLiveIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromXboxLiveIDsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPlayFabIDsFromXboxLiveIDsRequest>)each; } } }
+            if (OnGetPlayFabIDsFromXboxLiveIDsResultEvent != null) { foreach (var each in OnGetPlayFabIDsFromXboxLiveIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPlayFabIDsFromXboxLiveIDsResultEvent -= (PlayFabResultEvent<ClientModels.GetPlayFabIDsFromXboxLiveIDsResult>)each; } } }
+
+            if (OnGetPublisherDataRequestEvent != null) { foreach (var each in OnGetPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPublisherDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPublisherDataRequest>)each; } } }
+            if (OnGetPublisherDataResultEvent != null) { foreach (var each in OnGetPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPublisherDataResultEvent -= (PlayFabResultEvent<ClientModels.GetPublisherDataResult>)each; } } }
+
+            if (OnGetPurchaseRequestEvent != null) { foreach (var each in OnGetPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPurchaseRequestEvent -= (PlayFabRequestEvent<ClientModels.GetPurchaseRequest>)each; } } }
+            if (OnGetPurchaseResultEvent != null) { foreach (var each in OnGetPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetPurchaseResultEvent -= (PlayFabResultEvent<ClientModels.GetPurchaseResult>)each; } } }
+
+            if (OnGetSharedGroupDataRequestEvent != null) { foreach (var each in OnGetSharedGroupDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetSharedGroupDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetSharedGroupDataRequest>)each; } } }
+            if (OnGetSharedGroupDataResultEvent != null) { foreach (var each in OnGetSharedGroupDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetSharedGroupDataResultEvent -= (PlayFabResultEvent<ClientModels.GetSharedGroupDataResult>)each; } } }
+
+            if (OnGetStoreItemsRequestEvent != null) { foreach (var each in OnGetStoreItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetStoreItemsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetStoreItemsRequest>)each; } } }
+            if (OnGetStoreItemsResultEvent != null) { foreach (var each in OnGetStoreItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetStoreItemsResultEvent -= (PlayFabResultEvent<ClientModels.GetStoreItemsResult>)each; } } }
+
+            if (OnGetTimeRequestEvent != null) { foreach (var each in OnGetTimeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTimeRequestEvent -= (PlayFabRequestEvent<ClientModels.GetTimeRequest>)each; } } }
+            if (OnGetTimeResultEvent != null) { foreach (var each in OnGetTimeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTimeResultEvent -= (PlayFabResultEvent<ClientModels.GetTimeResult>)each; } } }
+
+            if (OnGetTitleDataRequestEvent != null) { foreach (var each in OnGetTitleDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitleDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetTitleDataRequest>)each; } } }
+            if (OnGetTitleDataResultEvent != null) { foreach (var each in OnGetTitleDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitleDataResultEvent -= (PlayFabResultEvent<ClientModels.GetTitleDataResult>)each; } } }
+
+            if (OnGetTitleNewsRequestEvent != null) { foreach (var each in OnGetTitleNewsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitleNewsRequestEvent -= (PlayFabRequestEvent<ClientModels.GetTitleNewsRequest>)each; } } }
+            if (OnGetTitleNewsResultEvent != null) { foreach (var each in OnGetTitleNewsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitleNewsResultEvent -= (PlayFabResultEvent<ClientModels.GetTitleNewsResult>)each; } } }
+
+            if (OnGetTitlePublicKeyRequestEvent != null) { foreach (var each in OnGetTitlePublicKeyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitlePublicKeyRequestEvent -= (PlayFabRequestEvent<ClientModels.GetTitlePublicKeyRequest>)each; } } }
+            if (OnGetTitlePublicKeyResultEvent != null) { foreach (var each in OnGetTitlePublicKeyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTitlePublicKeyResultEvent -= (PlayFabResultEvent<ClientModels.GetTitlePublicKeyResult>)each; } } }
+
+            if (OnGetTradeStatusRequestEvent != null) { foreach (var each in OnGetTradeStatusRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTradeStatusRequestEvent -= (PlayFabRequestEvent<ClientModels.GetTradeStatusRequest>)each; } } }
+            if (OnGetTradeStatusResultEvent != null) { foreach (var each in OnGetTradeStatusResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetTradeStatusResultEvent -= (PlayFabResultEvent<ClientModels.GetTradeStatusResponse>)each; } } }
+
+            if (OnGetUserDataRequestEvent != null) { foreach (var each in OnGetUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetUserDataRequest>)each; } } }
+            if (OnGetUserDataResultEvent != null) { foreach (var each in OnGetUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserDataResultEvent -= (PlayFabResultEvent<ClientModels.GetUserDataResult>)each; } } }
+
+            if (OnGetUserInventoryRequestEvent != null) { foreach (var each in OnGetUserInventoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserInventoryRequestEvent -= (PlayFabRequestEvent<ClientModels.GetUserInventoryRequest>)each; } } }
+            if (OnGetUserInventoryResultEvent != null) { foreach (var each in OnGetUserInventoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserInventoryResultEvent -= (PlayFabResultEvent<ClientModels.GetUserInventoryResult>)each; } } }
+
+            if (OnGetUserPublisherDataRequestEvent != null) { foreach (var each in OnGetUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserPublisherDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetUserDataRequest>)each; } } }
+            if (OnGetUserPublisherDataResultEvent != null) { foreach (var each in OnGetUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserPublisherDataResultEvent -= (PlayFabResultEvent<ClientModels.GetUserDataResult>)each; } } }
+
+            if (OnGetUserPublisherReadOnlyDataRequestEvent != null) { foreach (var each in OnGetUserPublisherReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserPublisherReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetUserDataRequest>)each; } } }
+            if (OnGetUserPublisherReadOnlyDataResultEvent != null) { foreach (var each in OnGetUserPublisherReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserPublisherReadOnlyDataResultEvent -= (PlayFabResultEvent<ClientModels.GetUserDataResult>)each; } } }
+
+            if (OnGetUserReadOnlyDataRequestEvent != null) { foreach (var each in OnGetUserReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ClientModels.GetUserDataRequest>)each; } } }
+            if (OnGetUserReadOnlyDataResultEvent != null) { foreach (var each in OnGetUserReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGetUserReadOnlyDataResultEvent -= (PlayFabResultEvent<ClientModels.GetUserDataResult>)each; } } }
+
+            if (OnGrantCharacterToUserRequestEvent != null) { foreach (var each in OnGrantCharacterToUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGrantCharacterToUserRequestEvent -= (PlayFabRequestEvent<ClientModels.GrantCharacterToUserRequest>)each; } } }
+            if (OnGrantCharacterToUserResultEvent != null) { foreach (var each in OnGrantCharacterToUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGrantCharacterToUserResultEvent -= (PlayFabResultEvent<ClientModels.GrantCharacterToUserResult>)each; } } }
+
+            if (OnLinkAndroidDeviceIDRequestEvent != null) { foreach (var each in OnLinkAndroidDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkAndroidDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkAndroidDeviceIDRequest>)each; } } }
+            if (OnLinkAndroidDeviceIDResultEvent != null) { foreach (var each in OnLinkAndroidDeviceIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkAndroidDeviceIDResultEvent -= (PlayFabResultEvent<ClientModels.LinkAndroidDeviceIDResult>)each; } } }
+
+            if (OnLinkAppleRequestEvent != null) { foreach (var each in OnLinkAppleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkAppleRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkAppleRequest>)each; } } }
+            if (OnLinkAppleResultEvent != null) { foreach (var each in OnLinkAppleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkAppleResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResult>)each; } } }
+
+            if (OnLinkCustomIDRequestEvent != null) { foreach (var each in OnLinkCustomIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkCustomIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkCustomIDRequest>)each; } } }
+            if (OnLinkCustomIDResultEvent != null) { foreach (var each in OnLinkCustomIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkCustomIDResultEvent -= (PlayFabResultEvent<ClientModels.LinkCustomIDResult>)each; } } }
+
+            if (OnLinkFacebookAccountRequestEvent != null) { foreach (var each in OnLinkFacebookAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkFacebookAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkFacebookAccountRequest>)each; } } }
+            if (OnLinkFacebookAccountResultEvent != null) { foreach (var each in OnLinkFacebookAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkFacebookAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkFacebookAccountResult>)each; } } }
+
+            if (OnLinkFacebookInstantGamesIdRequestEvent != null) { foreach (var each in OnLinkFacebookInstantGamesIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkFacebookInstantGamesIdRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkFacebookInstantGamesIdRequest>)each; } } }
+            if (OnLinkFacebookInstantGamesIdResultEvent != null) { foreach (var each in OnLinkFacebookInstantGamesIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkFacebookInstantGamesIdResultEvent -= (PlayFabResultEvent<ClientModels.LinkFacebookInstantGamesIdResult>)each; } } }
+
+            if (OnLinkGameCenterAccountRequestEvent != null) { foreach (var each in OnLinkGameCenterAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkGameCenterAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkGameCenterAccountRequest>)each; } } }
+            if (OnLinkGameCenterAccountResultEvent != null) { foreach (var each in OnLinkGameCenterAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkGameCenterAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkGameCenterAccountResult>)each; } } }
+
+            if (OnLinkGoogleAccountRequestEvent != null) { foreach (var each in OnLinkGoogleAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkGoogleAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkGoogleAccountRequest>)each; } } }
+            if (OnLinkGoogleAccountResultEvent != null) { foreach (var each in OnLinkGoogleAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkGoogleAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkGoogleAccountResult>)each; } } }
+
+            if (OnLinkIOSDeviceIDRequestEvent != null) { foreach (var each in OnLinkIOSDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkIOSDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkIOSDeviceIDRequest>)each; } } }
+            if (OnLinkIOSDeviceIDResultEvent != null) { foreach (var each in OnLinkIOSDeviceIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkIOSDeviceIDResultEvent -= (PlayFabResultEvent<ClientModels.LinkIOSDeviceIDResult>)each; } } }
+
+            if (OnLinkKongregateRequestEvent != null) { foreach (var each in OnLinkKongregateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkKongregateRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkKongregateAccountRequest>)each; } } }
+            if (OnLinkKongregateResultEvent != null) { foreach (var each in OnLinkKongregateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkKongregateResultEvent -= (PlayFabResultEvent<ClientModels.LinkKongregateAccountResult>)each; } } }
+
+            if (OnLinkNintendoServiceAccountRequestEvent != null) { foreach (var each in OnLinkNintendoServiceAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkNintendoServiceAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkNintendoServiceAccountRequest>)each; } } }
+            if (OnLinkNintendoServiceAccountResultEvent != null) { foreach (var each in OnLinkNintendoServiceAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkNintendoServiceAccountResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResult>)each; } } }
+
+            if (OnLinkNintendoSwitchDeviceIdRequestEvent != null) { foreach (var each in OnLinkNintendoSwitchDeviceIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkNintendoSwitchDeviceIdRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkNintendoSwitchDeviceIdRequest>)each; } } }
+            if (OnLinkNintendoSwitchDeviceIdResultEvent != null) { foreach (var each in OnLinkNintendoSwitchDeviceIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkNintendoSwitchDeviceIdResultEvent -= (PlayFabResultEvent<ClientModels.LinkNintendoSwitchDeviceIdResult>)each; } } }
+
+            if (OnLinkOpenIdConnectRequestEvent != null) { foreach (var each in OnLinkOpenIdConnectRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkOpenIdConnectRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkOpenIdConnectRequest>)each; } } }
+            if (OnLinkOpenIdConnectResultEvent != null) { foreach (var each in OnLinkOpenIdConnectResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkOpenIdConnectResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResult>)each; } } }
+
+            if (OnLinkPSNAccountRequestEvent != null) { foreach (var each in OnLinkPSNAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkPSNAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkPSNAccountRequest>)each; } } }
+            if (OnLinkPSNAccountResultEvent != null) { foreach (var each in OnLinkPSNAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkPSNAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkPSNAccountResult>)each; } } }
+
+            if (OnLinkSteamAccountRequestEvent != null) { foreach (var each in OnLinkSteamAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkSteamAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkSteamAccountRequest>)each; } } }
+            if (OnLinkSteamAccountResultEvent != null) { foreach (var each in OnLinkSteamAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkSteamAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkSteamAccountResult>)each; } } }
+
+            if (OnLinkTwitchRequestEvent != null) { foreach (var each in OnLinkTwitchRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkTwitchRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkTwitchAccountRequest>)each; } } }
+            if (OnLinkTwitchResultEvent != null) { foreach (var each in OnLinkTwitchResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkTwitchResultEvent -= (PlayFabResultEvent<ClientModels.LinkTwitchAccountResult>)each; } } }
+
+            if (OnLinkXboxAccountRequestEvent != null) { foreach (var each in OnLinkXboxAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkXboxAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LinkXboxAccountRequest>)each; } } }
+            if (OnLinkXboxAccountResultEvent != null) { foreach (var each in OnLinkXboxAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLinkXboxAccountResultEvent -= (PlayFabResultEvent<ClientModels.LinkXboxAccountResult>)each; } } }
+
+            if (OnLoginWithAndroidDeviceIDRequestEvent != null) { foreach (var each in OnLoginWithAndroidDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithAndroidDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithAndroidDeviceIDRequest>)each; } } }
+
+            if (OnLoginWithAppleRequestEvent != null) { foreach (var each in OnLoginWithAppleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithAppleRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithAppleRequest>)each; } } }
+
+            if (OnLoginWithCustomIDRequestEvent != null) { foreach (var each in OnLoginWithCustomIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithCustomIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithCustomIDRequest>)each; } } }
+
+            if (OnLoginWithEmailAddressRequestEvent != null) { foreach (var each in OnLoginWithEmailAddressRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithEmailAddressRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithEmailAddressRequest>)each; } } }
+
+            if (OnLoginWithFacebookRequestEvent != null) { foreach (var each in OnLoginWithFacebookRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithFacebookRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithFacebookRequest>)each; } } }
+
+            if (OnLoginWithFacebookInstantGamesIdRequestEvent != null) { foreach (var each in OnLoginWithFacebookInstantGamesIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithFacebookInstantGamesIdRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithFacebookInstantGamesIdRequest>)each; } } }
+
+            if (OnLoginWithGameCenterRequestEvent != null) { foreach (var each in OnLoginWithGameCenterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithGameCenterRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithGameCenterRequest>)each; } } }
+
+            if (OnLoginWithGoogleAccountRequestEvent != null) { foreach (var each in OnLoginWithGoogleAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithGoogleAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithGoogleAccountRequest>)each; } } }
+
+            if (OnLoginWithIOSDeviceIDRequestEvent != null) { foreach (var each in OnLoginWithIOSDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithIOSDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithIOSDeviceIDRequest>)each; } } }
+
+            if (OnLoginWithKongregateRequestEvent != null) { foreach (var each in OnLoginWithKongregateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithKongregateRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithKongregateRequest>)each; } } }
+
+            if (OnLoginWithNintendoServiceAccountRequestEvent != null) { foreach (var each in OnLoginWithNintendoServiceAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithNintendoServiceAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithNintendoServiceAccountRequest>)each; } } }
+
+            if (OnLoginWithNintendoSwitchDeviceIdRequestEvent != null) { foreach (var each in OnLoginWithNintendoSwitchDeviceIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithNintendoSwitchDeviceIdRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithNintendoSwitchDeviceIdRequest>)each; } } }
+
+            if (OnLoginWithOpenIdConnectRequestEvent != null) { foreach (var each in OnLoginWithOpenIdConnectRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithOpenIdConnectRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithOpenIdConnectRequest>)each; } } }
+
+            if (OnLoginWithPlayFabRequestEvent != null) { foreach (var each in OnLoginWithPlayFabRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithPlayFabRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithPlayFabRequest>)each; } } }
+
+            if (OnLoginWithPSNRequestEvent != null) { foreach (var each in OnLoginWithPSNRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithPSNRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithPSNRequest>)each; } } }
+
+            if (OnLoginWithSteamRequestEvent != null) { foreach (var each in OnLoginWithSteamRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithSteamRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithSteamRequest>)each; } } }
+
+            if (OnLoginWithTwitchRequestEvent != null) { foreach (var each in OnLoginWithTwitchRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithTwitchRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithTwitchRequest>)each; } } }
+
+            if (OnLoginWithXboxRequestEvent != null) { foreach (var each in OnLoginWithXboxRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLoginWithXboxRequestEvent -= (PlayFabRequestEvent<ClientModels.LoginWithXboxRequest>)each; } } }
+
+            if (OnMatchmakeRequestEvent != null) { foreach (var each in OnMatchmakeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakeRequestEvent -= (PlayFabRequestEvent<ClientModels.MatchmakeRequest>)each; } } }
+            if (OnMatchmakeResultEvent != null) { foreach (var each in OnMatchmakeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakeResultEvent -= (PlayFabResultEvent<ClientModels.MatchmakeResult>)each; } } }
+
+            if (OnOpenTradeRequestEvent != null) { foreach (var each in OnOpenTradeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnOpenTradeRequestEvent -= (PlayFabRequestEvent<ClientModels.OpenTradeRequest>)each; } } }
+            if (OnOpenTradeResultEvent != null) { foreach (var each in OnOpenTradeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnOpenTradeResultEvent -= (PlayFabResultEvent<ClientModels.OpenTradeResponse>)each; } } }
+
+            if (OnPayForPurchaseRequestEvent != null) { foreach (var each in OnPayForPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnPayForPurchaseRequestEvent -= (PlayFabRequestEvent<ClientModels.PayForPurchaseRequest>)each; } } }
+            if (OnPayForPurchaseResultEvent != null) { foreach (var each in OnPayForPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnPayForPurchaseResultEvent -= (PlayFabResultEvent<ClientModels.PayForPurchaseResult>)each; } } }
+
+            if (OnPurchaseItemRequestEvent != null) { foreach (var each in OnPurchaseItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnPurchaseItemRequestEvent -= (PlayFabRequestEvent<ClientModels.PurchaseItemRequest>)each; } } }
+            if (OnPurchaseItemResultEvent != null) { foreach (var each in OnPurchaseItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnPurchaseItemResultEvent -= (PlayFabResultEvent<ClientModels.PurchaseItemResult>)each; } } }
+
+            if (OnRedeemCouponRequestEvent != null) { foreach (var each in OnRedeemCouponRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRedeemCouponRequestEvent -= (PlayFabRequestEvent<ClientModels.RedeemCouponRequest>)each; } } }
+            if (OnRedeemCouponResultEvent != null) { foreach (var each in OnRedeemCouponResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRedeemCouponResultEvent -= (PlayFabResultEvent<ClientModels.RedeemCouponResult>)each; } } }
+
+            if (OnRefreshPSNAuthTokenRequestEvent != null) { foreach (var each in OnRefreshPSNAuthTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRefreshPSNAuthTokenRequestEvent -= (PlayFabRequestEvent<ClientModels.RefreshPSNAuthTokenRequest>)each; } } }
+            if (OnRefreshPSNAuthTokenResultEvent != null) { foreach (var each in OnRefreshPSNAuthTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRefreshPSNAuthTokenResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnRegisterForIOSPushNotificationRequestEvent != null) { foreach (var each in OnRegisterForIOSPushNotificationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRegisterForIOSPushNotificationRequestEvent -= (PlayFabRequestEvent<ClientModels.RegisterForIOSPushNotificationRequest>)each; } } }
+            if (OnRegisterForIOSPushNotificationResultEvent != null) { foreach (var each in OnRegisterForIOSPushNotificationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRegisterForIOSPushNotificationResultEvent -= (PlayFabResultEvent<ClientModels.RegisterForIOSPushNotificationResult>)each; } } }
+
+            if (OnRegisterPlayFabUserRequestEvent != null) { foreach (var each in OnRegisterPlayFabUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRegisterPlayFabUserRequestEvent -= (PlayFabRequestEvent<ClientModels.RegisterPlayFabUserRequest>)each; } } }
+            if (OnRegisterPlayFabUserResultEvent != null) { foreach (var each in OnRegisterPlayFabUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRegisterPlayFabUserResultEvent -= (PlayFabResultEvent<ClientModels.RegisterPlayFabUserResult>)each; } } }
+
+            if (OnRemoveContactEmailRequestEvent != null) { foreach (var each in OnRemoveContactEmailRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveContactEmailRequestEvent -= (PlayFabRequestEvent<ClientModels.RemoveContactEmailRequest>)each; } } }
+            if (OnRemoveContactEmailResultEvent != null) { foreach (var each in OnRemoveContactEmailResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveContactEmailResultEvent -= (PlayFabResultEvent<ClientModels.RemoveContactEmailResult>)each; } } }
+
+            if (OnRemoveFriendRequestEvent != null) { foreach (var each in OnRemoveFriendRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveFriendRequestEvent -= (PlayFabRequestEvent<ClientModels.RemoveFriendRequest>)each; } } }
+            if (OnRemoveFriendResultEvent != null) { foreach (var each in OnRemoveFriendResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveFriendResultEvent -= (PlayFabResultEvent<ClientModels.RemoveFriendResult>)each; } } }
+
+            if (OnRemoveGenericIDRequestEvent != null) { foreach (var each in OnRemoveGenericIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveGenericIDRequestEvent -= (PlayFabRequestEvent<ClientModels.RemoveGenericIDRequest>)each; } } }
+            if (OnRemoveGenericIDResultEvent != null) { foreach (var each in OnRemoveGenericIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveGenericIDResultEvent -= (PlayFabResultEvent<ClientModels.RemoveGenericIDResult>)each; } } }
+
+            if (OnRemoveSharedGroupMembersRequestEvent != null) { foreach (var each in OnRemoveSharedGroupMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveSharedGroupMembersRequestEvent -= (PlayFabRequestEvent<ClientModels.RemoveSharedGroupMembersRequest>)each; } } }
+            if (OnRemoveSharedGroupMembersResultEvent != null) { foreach (var each in OnRemoveSharedGroupMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRemoveSharedGroupMembersResultEvent -= (PlayFabResultEvent<ClientModels.RemoveSharedGroupMembersResult>)each; } } }
+
+            if (OnReportAdActivityRequestEvent != null) { foreach (var each in OnReportAdActivityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportAdActivityRequestEvent -= (PlayFabRequestEvent<ClientModels.ReportAdActivityRequest>)each; } } }
+            if (OnReportAdActivityResultEvent != null) { foreach (var each in OnReportAdActivityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportAdActivityResultEvent -= (PlayFabResultEvent<ClientModels.ReportAdActivityResult>)each; } } }
+
+            if (OnReportDeviceInfoRequestEvent != null) { foreach (var each in OnReportDeviceInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportDeviceInfoRequestEvent -= (PlayFabRequestEvent<ClientModels.DeviceInfoRequest>)each; } } }
+            if (OnReportDeviceInfoResultEvent != null) { foreach (var each in OnReportDeviceInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportDeviceInfoResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnReportPlayerRequestEvent != null) { foreach (var each in OnReportPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportPlayerRequestEvent -= (PlayFabRequestEvent<ClientModels.ReportPlayerClientRequest>)each; } } }
+            if (OnReportPlayerResultEvent != null) { foreach (var each in OnReportPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnReportPlayerResultEvent -= (PlayFabResultEvent<ClientModels.ReportPlayerClientResult>)each; } } }
+
+            if (OnRestoreIOSPurchasesRequestEvent != null) { foreach (var each in OnRestoreIOSPurchasesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRestoreIOSPurchasesRequestEvent -= (PlayFabRequestEvent<ClientModels.RestoreIOSPurchasesRequest>)each; } } }
+            if (OnRestoreIOSPurchasesResultEvent != null) { foreach (var each in OnRestoreIOSPurchasesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRestoreIOSPurchasesResultEvent -= (PlayFabResultEvent<ClientModels.RestoreIOSPurchasesResult>)each; } } }
+
+            if (OnRewardAdActivityRequestEvent != null) { foreach (var each in OnRewardAdActivityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRewardAdActivityRequestEvent -= (PlayFabRequestEvent<ClientModels.RewardAdActivityRequest>)each; } } }
+            if (OnRewardAdActivityResultEvent != null) { foreach (var each in OnRewardAdActivityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnRewardAdActivityResultEvent -= (PlayFabResultEvent<ClientModels.RewardAdActivityResult>)each; } } }
+
+            if (OnSendAccountRecoveryEmailRequestEvent != null) { foreach (var each in OnSendAccountRecoveryEmailRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSendAccountRecoveryEmailRequestEvent -= (PlayFabRequestEvent<ClientModels.SendAccountRecoveryEmailRequest>)each; } } }
+            if (OnSendAccountRecoveryEmailResultEvent != null) { foreach (var each in OnSendAccountRecoveryEmailResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSendAccountRecoveryEmailResultEvent -= (PlayFabResultEvent<ClientModels.SendAccountRecoveryEmailResult>)each; } } }
+
+            if (OnSetFriendTagsRequestEvent != null) { foreach (var each in OnSetFriendTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSetFriendTagsRequestEvent -= (PlayFabRequestEvent<ClientModels.SetFriendTagsRequest>)each; } } }
+            if (OnSetFriendTagsResultEvent != null) { foreach (var each in OnSetFriendTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSetFriendTagsResultEvent -= (PlayFabResultEvent<ClientModels.SetFriendTagsResult>)each; } } }
+
+            if (OnSetPlayerSecretRequestEvent != null) { foreach (var each in OnSetPlayerSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSetPlayerSecretRequestEvent -= (PlayFabRequestEvent<ClientModels.SetPlayerSecretRequest>)each; } } }
+            if (OnSetPlayerSecretResultEvent != null) { foreach (var each in OnSetPlayerSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSetPlayerSecretResultEvent -= (PlayFabResultEvent<ClientModels.SetPlayerSecretResult>)each; } } }
+
+            if (OnStartGameRequestEvent != null) { foreach (var each in OnStartGameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnStartGameRequestEvent -= (PlayFabRequestEvent<ClientModels.StartGameRequest>)each; } } }
+            if (OnStartGameResultEvent != null) { foreach (var each in OnStartGameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnStartGameResultEvent -= (PlayFabResultEvent<ClientModels.StartGameResult>)each; } } }
+
+            if (OnStartPurchaseRequestEvent != null) { foreach (var each in OnStartPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnStartPurchaseRequestEvent -= (PlayFabRequestEvent<ClientModels.StartPurchaseRequest>)each; } } }
+            if (OnStartPurchaseResultEvent != null) { foreach (var each in OnStartPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnStartPurchaseResultEvent -= (PlayFabResultEvent<ClientModels.StartPurchaseResult>)each; } } }
+
+            if (OnSubtractUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnSubtractUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSubtractUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ClientModels.SubtractUserVirtualCurrencyRequest>)each; } } }
+            if (OnSubtractUserVirtualCurrencyResultEvent != null) { foreach (var each in OnSubtractUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnSubtractUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<ClientModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnUnlinkAndroidDeviceIDRequestEvent != null) { foreach (var each in OnUnlinkAndroidDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkAndroidDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkAndroidDeviceIDRequest>)each; } } }
+            if (OnUnlinkAndroidDeviceIDResultEvent != null) { foreach (var each in OnUnlinkAndroidDeviceIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkAndroidDeviceIDResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkAndroidDeviceIDResult>)each; } } }
+
+            if (OnUnlinkAppleRequestEvent != null) { foreach (var each in OnUnlinkAppleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkAppleRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkAppleRequest>)each; } } }
+            if (OnUnlinkAppleResultEvent != null) { foreach (var each in OnUnlinkAppleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkAppleResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnUnlinkCustomIDRequestEvent != null) { foreach (var each in OnUnlinkCustomIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkCustomIDRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkCustomIDRequest>)each; } } }
+            if (OnUnlinkCustomIDResultEvent != null) { foreach (var each in OnUnlinkCustomIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkCustomIDResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkCustomIDResult>)each; } } }
+
+            if (OnUnlinkFacebookAccountRequestEvent != null) { foreach (var each in OnUnlinkFacebookAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkFacebookAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkFacebookAccountRequest>)each; } } }
+            if (OnUnlinkFacebookAccountResultEvent != null) { foreach (var each in OnUnlinkFacebookAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkFacebookAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkFacebookAccountResult>)each; } } }
+
+            if (OnUnlinkFacebookInstantGamesIdRequestEvent != null) { foreach (var each in OnUnlinkFacebookInstantGamesIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkFacebookInstantGamesIdRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkFacebookInstantGamesIdRequest>)each; } } }
+            if (OnUnlinkFacebookInstantGamesIdResultEvent != null) { foreach (var each in OnUnlinkFacebookInstantGamesIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkFacebookInstantGamesIdResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkFacebookInstantGamesIdResult>)each; } } }
+
+            if (OnUnlinkGameCenterAccountRequestEvent != null) { foreach (var each in OnUnlinkGameCenterAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkGameCenterAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkGameCenterAccountRequest>)each; } } }
+            if (OnUnlinkGameCenterAccountResultEvent != null) { foreach (var each in OnUnlinkGameCenterAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkGameCenterAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkGameCenterAccountResult>)each; } } }
+
+            if (OnUnlinkGoogleAccountRequestEvent != null) { foreach (var each in OnUnlinkGoogleAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkGoogleAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkGoogleAccountRequest>)each; } } }
+            if (OnUnlinkGoogleAccountResultEvent != null) { foreach (var each in OnUnlinkGoogleAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkGoogleAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkGoogleAccountResult>)each; } } }
+
+            if (OnUnlinkIOSDeviceIDRequestEvent != null) { foreach (var each in OnUnlinkIOSDeviceIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkIOSDeviceIDRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkIOSDeviceIDRequest>)each; } } }
+            if (OnUnlinkIOSDeviceIDResultEvent != null) { foreach (var each in OnUnlinkIOSDeviceIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkIOSDeviceIDResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkIOSDeviceIDResult>)each; } } }
+
+            if (OnUnlinkKongregateRequestEvent != null) { foreach (var each in OnUnlinkKongregateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkKongregateRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkKongregateAccountRequest>)each; } } }
+            if (OnUnlinkKongregateResultEvent != null) { foreach (var each in OnUnlinkKongregateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkKongregateResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkKongregateAccountResult>)each; } } }
+
+            if (OnUnlinkNintendoServiceAccountRequestEvent != null) { foreach (var each in OnUnlinkNintendoServiceAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkNintendoServiceAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkNintendoServiceAccountRequest>)each; } } }
+            if (OnUnlinkNintendoServiceAccountResultEvent != null) { foreach (var each in OnUnlinkNintendoServiceAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkNintendoServiceAccountResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnUnlinkNintendoSwitchDeviceIdRequestEvent != null) { foreach (var each in OnUnlinkNintendoSwitchDeviceIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkNintendoSwitchDeviceIdRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkNintendoSwitchDeviceIdRequest>)each; } } }
+            if (OnUnlinkNintendoSwitchDeviceIdResultEvent != null) { foreach (var each in OnUnlinkNintendoSwitchDeviceIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkNintendoSwitchDeviceIdResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkNintendoSwitchDeviceIdResult>)each; } } }
+
+            if (OnUnlinkOpenIdConnectRequestEvent != null) { foreach (var each in OnUnlinkOpenIdConnectRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkOpenIdConnectRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkOpenIdConnectRequest>)each; } } }
+            if (OnUnlinkOpenIdConnectResultEvent != null) { foreach (var each in OnUnlinkOpenIdConnectResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkOpenIdConnectResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnUnlinkPSNAccountRequestEvent != null) { foreach (var each in OnUnlinkPSNAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkPSNAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkPSNAccountRequest>)each; } } }
+            if (OnUnlinkPSNAccountResultEvent != null) { foreach (var each in OnUnlinkPSNAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkPSNAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkPSNAccountResult>)each; } } }
+
+            if (OnUnlinkSteamAccountRequestEvent != null) { foreach (var each in OnUnlinkSteamAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkSteamAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkSteamAccountRequest>)each; } } }
+            if (OnUnlinkSteamAccountResultEvent != null) { foreach (var each in OnUnlinkSteamAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkSteamAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkSteamAccountResult>)each; } } }
+
+            if (OnUnlinkTwitchRequestEvent != null) { foreach (var each in OnUnlinkTwitchRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkTwitchRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkTwitchAccountRequest>)each; } } }
+            if (OnUnlinkTwitchResultEvent != null) { foreach (var each in OnUnlinkTwitchResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkTwitchResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkTwitchAccountResult>)each; } } }
+
+            if (OnUnlinkXboxAccountRequestEvent != null) { foreach (var each in OnUnlinkXboxAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkXboxAccountRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlinkXboxAccountRequest>)each; } } }
+            if (OnUnlinkXboxAccountResultEvent != null) { foreach (var each in OnUnlinkXboxAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlinkXboxAccountResultEvent -= (PlayFabResultEvent<ClientModels.UnlinkXboxAccountResult>)each; } } }
+
+            if (OnUnlockContainerInstanceRequestEvent != null) { foreach (var each in OnUnlockContainerInstanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlockContainerInstanceRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlockContainerInstanceRequest>)each; } } }
+            if (OnUnlockContainerInstanceResultEvent != null) { foreach (var each in OnUnlockContainerInstanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlockContainerInstanceResultEvent -= (PlayFabResultEvent<ClientModels.UnlockContainerItemResult>)each; } } }
+
+            if (OnUnlockContainerItemRequestEvent != null) { foreach (var each in OnUnlockContainerItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlockContainerItemRequestEvent -= (PlayFabRequestEvent<ClientModels.UnlockContainerItemRequest>)each; } } }
+            if (OnUnlockContainerItemResultEvent != null) { foreach (var each in OnUnlockContainerItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUnlockContainerItemResultEvent -= (PlayFabResultEvent<ClientModels.UnlockContainerItemResult>)each; } } }
+
+            if (OnUpdateAvatarUrlRequestEvent != null) { foreach (var each in OnUpdateAvatarUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateAvatarUrlRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateAvatarUrlRequest>)each; } } }
+            if (OnUpdateAvatarUrlResultEvent != null) { foreach (var each in OnUpdateAvatarUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateAvatarUrlResultEvent -= (PlayFabResultEvent<ClientModels.EmptyResponse>)each; } } }
+
+            if (OnUpdateCharacterDataRequestEvent != null) { foreach (var each in OnUpdateCharacterDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateCharacterDataRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateCharacterDataRequest>)each; } } }
+            if (OnUpdateCharacterDataResultEvent != null) { foreach (var each in OnUpdateCharacterDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateCharacterDataResultEvent -= (PlayFabResultEvent<ClientModels.UpdateCharacterDataResult>)each; } } }
+
+            if (OnUpdateCharacterStatisticsRequestEvent != null) { foreach (var each in OnUpdateCharacterStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateCharacterStatisticsRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateCharacterStatisticsRequest>)each; } } }
+            if (OnUpdateCharacterStatisticsResultEvent != null) { foreach (var each in OnUpdateCharacterStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateCharacterStatisticsResultEvent -= (PlayFabResultEvent<ClientModels.UpdateCharacterStatisticsResult>)each; } } }
+
+            if (OnUpdatePlayerStatisticsRequestEvent != null) { foreach (var each in OnUpdatePlayerStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdatePlayerStatisticsRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdatePlayerStatisticsRequest>)each; } } }
+            if (OnUpdatePlayerStatisticsResultEvent != null) { foreach (var each in OnUpdatePlayerStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdatePlayerStatisticsResultEvent -= (PlayFabResultEvent<ClientModels.UpdatePlayerStatisticsResult>)each; } } }
+
+            if (OnUpdateSharedGroupDataRequestEvent != null) { foreach (var each in OnUpdateSharedGroupDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateSharedGroupDataRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateSharedGroupDataRequest>)each; } } }
+            if (OnUpdateSharedGroupDataResultEvent != null) { foreach (var each in OnUpdateSharedGroupDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateSharedGroupDataResultEvent -= (PlayFabResultEvent<ClientModels.UpdateSharedGroupDataResult>)each; } } }
+
+            if (OnUpdateUserDataRequestEvent != null) { foreach (var each in OnUpdateUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserDataRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateUserDataRequest>)each; } } }
+            if (OnUpdateUserDataResultEvent != null) { foreach (var each in OnUpdateUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserDataResultEvent -= (PlayFabResultEvent<ClientModels.UpdateUserDataResult>)each; } } }
+
+            if (OnUpdateUserPublisherDataRequestEvent != null) { foreach (var each in OnUpdateUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserPublisherDataRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateUserDataRequest>)each; } } }
+            if (OnUpdateUserPublisherDataResultEvent != null) { foreach (var each in OnUpdateUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserPublisherDataResultEvent -= (PlayFabResultEvent<ClientModels.UpdateUserDataResult>)each; } } }
+
+            if (OnUpdateUserTitleDisplayNameRequestEvent != null) { foreach (var each in OnUpdateUserTitleDisplayNameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserTitleDisplayNameRequestEvent -= (PlayFabRequestEvent<ClientModels.UpdateUserTitleDisplayNameRequest>)each; } } }
+            if (OnUpdateUserTitleDisplayNameResultEvent != null) { foreach (var each in OnUpdateUserTitleDisplayNameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnUpdateUserTitleDisplayNameResultEvent -= (PlayFabResultEvent<ClientModels.UpdateUserTitleDisplayNameResult>)each; } } }
+
+            if (OnValidateAmazonIAPReceiptRequestEvent != null) { foreach (var each in OnValidateAmazonIAPReceiptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateAmazonIAPReceiptRequestEvent -= (PlayFabRequestEvent<ClientModels.ValidateAmazonReceiptRequest>)each; } } }
+            if (OnValidateAmazonIAPReceiptResultEvent != null) { foreach (var each in OnValidateAmazonIAPReceiptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateAmazonIAPReceiptResultEvent -= (PlayFabResultEvent<ClientModels.ValidateAmazonReceiptResult>)each; } } }
+
+            if (OnValidateGooglePlayPurchaseRequestEvent != null) { foreach (var each in OnValidateGooglePlayPurchaseRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateGooglePlayPurchaseRequestEvent -= (PlayFabRequestEvent<ClientModels.ValidateGooglePlayPurchaseRequest>)each; } } }
+            if (OnValidateGooglePlayPurchaseResultEvent != null) { foreach (var each in OnValidateGooglePlayPurchaseResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateGooglePlayPurchaseResultEvent -= (PlayFabResultEvent<ClientModels.ValidateGooglePlayPurchaseResult>)each; } } }
+
+            if (OnValidateIOSReceiptRequestEvent != null) { foreach (var each in OnValidateIOSReceiptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateIOSReceiptRequestEvent -= (PlayFabRequestEvent<ClientModels.ValidateIOSReceiptRequest>)each; } } }
+            if (OnValidateIOSReceiptResultEvent != null) { foreach (var each in OnValidateIOSReceiptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateIOSReceiptResultEvent -= (PlayFabResultEvent<ClientModels.ValidateIOSReceiptResult>)each; } } }
+
+            if (OnValidateWindowsStoreReceiptRequestEvent != null) { foreach (var each in OnValidateWindowsStoreReceiptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateWindowsStoreReceiptRequestEvent -= (PlayFabRequestEvent<ClientModels.ValidateWindowsReceiptRequest>)each; } } }
+            if (OnValidateWindowsStoreReceiptResultEvent != null) { foreach (var each in OnValidateWindowsStoreReceiptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnValidateWindowsStoreReceiptResultEvent -= (PlayFabResultEvent<ClientModels.ValidateWindowsReceiptResult>)each; } } }
+
+            if (OnWriteCharacterEventRequestEvent != null) { foreach (var each in OnWriteCharacterEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWriteCharacterEventRequestEvent -= (PlayFabRequestEvent<ClientModels.WriteClientCharacterEventRequest>)each; } } }
+            if (OnWriteCharacterEventResultEvent != null) { foreach (var each in OnWriteCharacterEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWriteCharacterEventResultEvent -= (PlayFabResultEvent<ClientModels.WriteEventResponse>)each; } } }
+
+            if (OnWritePlayerEventRequestEvent != null) { foreach (var each in OnWritePlayerEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWritePlayerEventRequestEvent -= (PlayFabRequestEvent<ClientModels.WriteClientPlayerEventRequest>)each; } } }
+            if (OnWritePlayerEventResultEvent != null) { foreach (var each in OnWritePlayerEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWritePlayerEventResultEvent -= (PlayFabResultEvent<ClientModels.WriteEventResponse>)each; } } }
+
+            if (OnWriteTitleEventRequestEvent != null) { foreach (var each in OnWriteTitleEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWriteTitleEventRequestEvent -= (PlayFabRequestEvent<ClientModels.WriteTitleEventRequest>)each; } } }
+            if (OnWriteTitleEventResultEvent != null) { foreach (var each in OnWriteTitleEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnWriteTitleEventResultEvent -= (PlayFabResultEvent<ClientModels.WriteEventResponse>)each; } } }
+
+#endif
+#if ENABLE_PLAYFABSERVER_API
+            if (OnMatchmakerAuthUserRequestEvent != null) { foreach (var each in OnMatchmakerAuthUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerAuthUserRequestEvent -= (PlayFabRequestEvent<MatchmakerModels.AuthUserRequest>)each; } } }
+            if (OnMatchmakerAuthUserResultEvent != null) { foreach (var each in OnMatchmakerAuthUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerAuthUserResultEvent -= (PlayFabResultEvent<MatchmakerModels.AuthUserResponse>)each; } } }
+
+            if (OnMatchmakerPlayerJoinedRequestEvent != null) { foreach (var each in OnMatchmakerPlayerJoinedRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerPlayerJoinedRequestEvent -= (PlayFabRequestEvent<MatchmakerModels.PlayerJoinedRequest>)each; } } }
+            if (OnMatchmakerPlayerJoinedResultEvent != null) { foreach (var each in OnMatchmakerPlayerJoinedResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerPlayerJoinedResultEvent -= (PlayFabResultEvent<MatchmakerModels.PlayerJoinedResponse>)each; } } }
+
+            if (OnMatchmakerPlayerLeftRequestEvent != null) { foreach (var each in OnMatchmakerPlayerLeftRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerPlayerLeftRequestEvent -= (PlayFabRequestEvent<MatchmakerModels.PlayerLeftRequest>)each; } } }
+            if (OnMatchmakerPlayerLeftResultEvent != null) { foreach (var each in OnMatchmakerPlayerLeftResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerPlayerLeftResultEvent -= (PlayFabResultEvent<MatchmakerModels.PlayerLeftResponse>)each; } } }
+
+            if (OnMatchmakerStartGameRequestEvent != null) { foreach (var each in OnMatchmakerStartGameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerStartGameRequestEvent -= (PlayFabRequestEvent<MatchmakerModels.StartGameRequest>)each; } } }
+            if (OnMatchmakerStartGameResultEvent != null) { foreach (var each in OnMatchmakerStartGameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerStartGameResultEvent -= (PlayFabResultEvent<MatchmakerModels.StartGameResponse>)each; } } }
+
+            if (OnMatchmakerUserInfoRequestEvent != null) { foreach (var each in OnMatchmakerUserInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerUserInfoRequestEvent -= (PlayFabRequestEvent<MatchmakerModels.UserInfoRequest>)each; } } }
+            if (OnMatchmakerUserInfoResultEvent != null) { foreach (var each in OnMatchmakerUserInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMatchmakerUserInfoResultEvent -= (PlayFabResultEvent<MatchmakerModels.UserInfoResponse>)each; } } }
+
+#endif
+#if ENABLE_PLAYFABSERVER_API
+            if (OnServerAddCharacterVirtualCurrencyRequestEvent != null) { foreach (var each in OnServerAddCharacterVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddCharacterVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ServerModels.AddCharacterVirtualCurrencyRequest>)each; } } }
+            if (OnServerAddCharacterVirtualCurrencyResultEvent != null) { foreach (var each in OnServerAddCharacterVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddCharacterVirtualCurrencyResultEvent -= (PlayFabResultEvent<ServerModels.ModifyCharacterVirtualCurrencyResult>)each; } } }
+
+            if (OnServerAddFriendRequestEvent != null) { foreach (var each in OnServerAddFriendRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddFriendRequestEvent -= (PlayFabRequestEvent<ServerModels.AddFriendRequest>)each; } } }
+            if (OnServerAddFriendResultEvent != null) { foreach (var each in OnServerAddFriendResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddFriendResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerAddGenericIDRequestEvent != null) { foreach (var each in OnServerAddGenericIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddGenericIDRequestEvent -= (PlayFabRequestEvent<ServerModels.AddGenericIDRequest>)each; } } }
+            if (OnServerAddGenericIDResultEvent != null) { foreach (var each in OnServerAddGenericIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddGenericIDResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResult>)each; } } }
+
+            if (OnServerAddPlayerTagRequestEvent != null) { foreach (var each in OnServerAddPlayerTagRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddPlayerTagRequestEvent -= (PlayFabRequestEvent<ServerModels.AddPlayerTagRequest>)each; } } }
+            if (OnServerAddPlayerTagResultEvent != null) { foreach (var each in OnServerAddPlayerTagResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddPlayerTagResultEvent -= (PlayFabResultEvent<ServerModels.AddPlayerTagResult>)each; } } }
+
+            if (OnServerAddSharedGroupMembersRequestEvent != null) { foreach (var each in OnServerAddSharedGroupMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddSharedGroupMembersRequestEvent -= (PlayFabRequestEvent<ServerModels.AddSharedGroupMembersRequest>)each; } } }
+            if (OnServerAddSharedGroupMembersResultEvent != null) { foreach (var each in OnServerAddSharedGroupMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddSharedGroupMembersResultEvent -= (PlayFabResultEvent<ServerModels.AddSharedGroupMembersResult>)each; } } }
+
+            if (OnServerAddUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnServerAddUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ServerModels.AddUserVirtualCurrencyRequest>)each; } } }
+            if (OnServerAddUserVirtualCurrencyResultEvent != null) { foreach (var each in OnServerAddUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAddUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<ServerModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnServerAuthenticateSessionTicketRequestEvent != null) { foreach (var each in OnServerAuthenticateSessionTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAuthenticateSessionTicketRequestEvent -= (PlayFabRequestEvent<ServerModels.AuthenticateSessionTicketRequest>)each; } } }
+            if (OnServerAuthenticateSessionTicketResultEvent != null) { foreach (var each in OnServerAuthenticateSessionTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAuthenticateSessionTicketResultEvent -= (PlayFabResultEvent<ServerModels.AuthenticateSessionTicketResult>)each; } } }
+
+            if (OnServerAwardSteamAchievementRequestEvent != null) { foreach (var each in OnServerAwardSteamAchievementRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAwardSteamAchievementRequestEvent -= (PlayFabRequestEvent<ServerModels.AwardSteamAchievementRequest>)each; } } }
+            if (OnServerAwardSteamAchievementResultEvent != null) { foreach (var each in OnServerAwardSteamAchievementResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerAwardSteamAchievementResultEvent -= (PlayFabResultEvent<ServerModels.AwardSteamAchievementResult>)each; } } }
+
+            if (OnServerBanUsersRequestEvent != null) { foreach (var each in OnServerBanUsersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerBanUsersRequestEvent -= (PlayFabRequestEvent<ServerModels.BanUsersRequest>)each; } } }
+            if (OnServerBanUsersResultEvent != null) { foreach (var each in OnServerBanUsersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerBanUsersResultEvent -= (PlayFabResultEvent<ServerModels.BanUsersResult>)each; } } }
+
+            if (OnServerConsumeItemRequestEvent != null) { foreach (var each in OnServerConsumeItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerConsumeItemRequestEvent -= (PlayFabRequestEvent<ServerModels.ConsumeItemRequest>)each; } } }
+            if (OnServerConsumeItemResultEvent != null) { foreach (var each in OnServerConsumeItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerConsumeItemResultEvent -= (PlayFabResultEvent<ServerModels.ConsumeItemResult>)each; } } }
+
+            if (OnServerCreateSharedGroupRequestEvent != null) { foreach (var each in OnServerCreateSharedGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerCreateSharedGroupRequestEvent -= (PlayFabRequestEvent<ServerModels.CreateSharedGroupRequest>)each; } } }
+            if (OnServerCreateSharedGroupResultEvent != null) { foreach (var each in OnServerCreateSharedGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerCreateSharedGroupResultEvent -= (PlayFabResultEvent<ServerModels.CreateSharedGroupResult>)each; } } }
+
+            if (OnServerDeleteCharacterFromUserRequestEvent != null) { foreach (var each in OnServerDeleteCharacterFromUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeleteCharacterFromUserRequestEvent -= (PlayFabRequestEvent<ServerModels.DeleteCharacterFromUserRequest>)each; } } }
+            if (OnServerDeleteCharacterFromUserResultEvent != null) { foreach (var each in OnServerDeleteCharacterFromUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeleteCharacterFromUserResultEvent -= (PlayFabResultEvent<ServerModels.DeleteCharacterFromUserResult>)each; } } }
+
+            if (OnServerDeletePlayerRequestEvent != null) { foreach (var each in OnServerDeletePlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeletePlayerRequestEvent -= (PlayFabRequestEvent<ServerModels.DeletePlayerRequest>)each; } } }
+            if (OnServerDeletePlayerResultEvent != null) { foreach (var each in OnServerDeletePlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeletePlayerResultEvent -= (PlayFabResultEvent<ServerModels.DeletePlayerResult>)each; } } }
+
+            if (OnServerDeletePushNotificationTemplateRequestEvent != null) { foreach (var each in OnServerDeletePushNotificationTemplateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeletePushNotificationTemplateRequestEvent -= (PlayFabRequestEvent<ServerModels.DeletePushNotificationTemplateRequest>)each; } } }
+            if (OnServerDeletePushNotificationTemplateResultEvent != null) { foreach (var each in OnServerDeletePushNotificationTemplateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeletePushNotificationTemplateResultEvent -= (PlayFabResultEvent<ServerModels.DeletePushNotificationTemplateResult>)each; } } }
+
+            if (OnServerDeleteSharedGroupRequestEvent != null) { foreach (var each in OnServerDeleteSharedGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeleteSharedGroupRequestEvent -= (PlayFabRequestEvent<ServerModels.DeleteSharedGroupRequest>)each; } } }
+            if (OnServerDeleteSharedGroupResultEvent != null) { foreach (var each in OnServerDeleteSharedGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeleteSharedGroupResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerDeregisterGameRequestEvent != null) { foreach (var each in OnServerDeregisterGameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeregisterGameRequestEvent -= (PlayFabRequestEvent<ServerModels.DeregisterGameRequest>)each; } } }
+            if (OnServerDeregisterGameResultEvent != null) { foreach (var each in OnServerDeregisterGameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerDeregisterGameResultEvent -= (PlayFabResultEvent<ServerModels.DeregisterGameResponse>)each; } } }
+
+            if (OnServerEvaluateRandomResultTableRequestEvent != null) { foreach (var each in OnServerEvaluateRandomResultTableRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerEvaluateRandomResultTableRequestEvent -= (PlayFabRequestEvent<ServerModels.EvaluateRandomResultTableRequest>)each; } } }
+            if (OnServerEvaluateRandomResultTableResultEvent != null) { foreach (var each in OnServerEvaluateRandomResultTableResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerEvaluateRandomResultTableResultEvent -= (PlayFabResultEvent<ServerModels.EvaluateRandomResultTableResult>)each; } } }
+
+            if (OnServerExecuteCloudScriptRequestEvent != null) { foreach (var each in OnServerExecuteCloudScriptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerExecuteCloudScriptRequestEvent -= (PlayFabRequestEvent<ServerModels.ExecuteCloudScriptServerRequest>)each; } } }
+            if (OnServerExecuteCloudScriptResultEvent != null) { foreach (var each in OnServerExecuteCloudScriptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerExecuteCloudScriptResultEvent -= (PlayFabResultEvent<ServerModels.ExecuteCloudScriptResult>)each; } } }
+
+            if (OnServerGetAllSegmentsRequestEvent != null) { foreach (var each in OnServerGetAllSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetAllSegmentsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetAllSegmentsRequest>)each; } } }
+            if (OnServerGetAllSegmentsResultEvent != null) { foreach (var each in OnServerGetAllSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetAllSegmentsResultEvent -= (PlayFabResultEvent<ServerModels.GetAllSegmentsResult>)each; } } }
+
+            if (OnServerGetAllUsersCharactersRequestEvent != null) { foreach (var each in OnServerGetAllUsersCharactersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetAllUsersCharactersRequestEvent -= (PlayFabRequestEvent<ServerModels.ListUsersCharactersRequest>)each; } } }
+            if (OnServerGetAllUsersCharactersResultEvent != null) { foreach (var each in OnServerGetAllUsersCharactersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetAllUsersCharactersResultEvent -= (PlayFabResultEvent<ServerModels.ListUsersCharactersResult>)each; } } }
+
+            if (OnServerGetCatalogItemsRequestEvent != null) { foreach (var each in OnServerGetCatalogItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCatalogItemsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCatalogItemsRequest>)each; } } }
+            if (OnServerGetCatalogItemsResultEvent != null) { foreach (var each in OnServerGetCatalogItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCatalogItemsResultEvent -= (PlayFabResultEvent<ServerModels.GetCatalogItemsResult>)each; } } }
+
+            if (OnServerGetCharacterDataRequestEvent != null) { foreach (var each in OnServerGetCharacterDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterDataRequest>)each; } } }
+            if (OnServerGetCharacterDataResultEvent != null) { foreach (var each in OnServerGetCharacterDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterDataResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterDataResult>)each; } } }
+
+            if (OnServerGetCharacterInternalDataRequestEvent != null) { foreach (var each in OnServerGetCharacterInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterDataRequest>)each; } } }
+            if (OnServerGetCharacterInternalDataResultEvent != null) { foreach (var each in OnServerGetCharacterInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterDataResult>)each; } } }
+
+            if (OnServerGetCharacterInventoryRequestEvent != null) { foreach (var each in OnServerGetCharacterInventoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterInventoryRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterInventoryRequest>)each; } } }
+            if (OnServerGetCharacterInventoryResultEvent != null) { foreach (var each in OnServerGetCharacterInventoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterInventoryResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterInventoryResult>)each; } } }
+
+            if (OnServerGetCharacterLeaderboardRequestEvent != null) { foreach (var each in OnServerGetCharacterLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterLeaderboardRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterLeaderboardRequest>)each; } } }
+            if (OnServerGetCharacterLeaderboardResultEvent != null) { foreach (var each in OnServerGetCharacterLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterLeaderboardResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterLeaderboardResult>)each; } } }
+
+            if (OnServerGetCharacterReadOnlyDataRequestEvent != null) { foreach (var each in OnServerGetCharacterReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterDataRequest>)each; } } }
+            if (OnServerGetCharacterReadOnlyDataResultEvent != null) { foreach (var each in OnServerGetCharacterReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterDataResult>)each; } } }
+
+            if (OnServerGetCharacterStatisticsRequestEvent != null) { foreach (var each in OnServerGetCharacterStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterStatisticsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetCharacterStatisticsRequest>)each; } } }
+            if (OnServerGetCharacterStatisticsResultEvent != null) { foreach (var each in OnServerGetCharacterStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetCharacterStatisticsResultEvent -= (PlayFabResultEvent<ServerModels.GetCharacterStatisticsResult>)each; } } }
+
+            if (OnServerGetContentDownloadUrlRequestEvent != null) { foreach (var each in OnServerGetContentDownloadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetContentDownloadUrlRequestEvent -= (PlayFabRequestEvent<ServerModels.GetContentDownloadUrlRequest>)each; } } }
+            if (OnServerGetContentDownloadUrlResultEvent != null) { foreach (var each in OnServerGetContentDownloadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetContentDownloadUrlResultEvent -= (PlayFabResultEvent<ServerModels.GetContentDownloadUrlResult>)each; } } }
+
+            if (OnServerGetFriendLeaderboardRequestEvent != null) { foreach (var each in OnServerGetFriendLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetFriendLeaderboardRequestEvent -= (PlayFabRequestEvent<ServerModels.GetFriendLeaderboardRequest>)each; } } }
+            if (OnServerGetFriendLeaderboardResultEvent != null) { foreach (var each in OnServerGetFriendLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetFriendLeaderboardResultEvent -= (PlayFabResultEvent<ServerModels.GetLeaderboardResult>)each; } } }
+
+            if (OnServerGetFriendsListRequestEvent != null) { foreach (var each in OnServerGetFriendsListRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetFriendsListRequestEvent -= (PlayFabRequestEvent<ServerModels.GetFriendsListRequest>)each; } } }
+            if (OnServerGetFriendsListResultEvent != null) { foreach (var each in OnServerGetFriendsListResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetFriendsListResultEvent -= (PlayFabResultEvent<ServerModels.GetFriendsListResult>)each; } } }
+
+            if (OnServerGetLeaderboardRequestEvent != null) { foreach (var each in OnServerGetLeaderboardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardRequestEvent -= (PlayFabRequestEvent<ServerModels.GetLeaderboardRequest>)each; } } }
+            if (OnServerGetLeaderboardResultEvent != null) { foreach (var each in OnServerGetLeaderboardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardResultEvent -= (PlayFabResultEvent<ServerModels.GetLeaderboardResult>)each; } } }
+
+            if (OnServerGetLeaderboardAroundCharacterRequestEvent != null) { foreach (var each in OnServerGetLeaderboardAroundCharacterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardAroundCharacterRequestEvent -= (PlayFabRequestEvent<ServerModels.GetLeaderboardAroundCharacterRequest>)each; } } }
+            if (OnServerGetLeaderboardAroundCharacterResultEvent != null) { foreach (var each in OnServerGetLeaderboardAroundCharacterResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardAroundCharacterResultEvent -= (PlayFabResultEvent<ServerModels.GetLeaderboardAroundCharacterResult>)each; } } }
+
+            if (OnServerGetLeaderboardAroundUserRequestEvent != null) { foreach (var each in OnServerGetLeaderboardAroundUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardAroundUserRequestEvent -= (PlayFabRequestEvent<ServerModels.GetLeaderboardAroundUserRequest>)each; } } }
+            if (OnServerGetLeaderboardAroundUserResultEvent != null) { foreach (var each in OnServerGetLeaderboardAroundUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardAroundUserResultEvent -= (PlayFabResultEvent<ServerModels.GetLeaderboardAroundUserResult>)each; } } }
+
+            if (OnServerGetLeaderboardForUserCharactersRequestEvent != null) { foreach (var each in OnServerGetLeaderboardForUserCharactersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardForUserCharactersRequestEvent -= (PlayFabRequestEvent<ServerModels.GetLeaderboardForUsersCharactersRequest>)each; } } }
+            if (OnServerGetLeaderboardForUserCharactersResultEvent != null) { foreach (var each in OnServerGetLeaderboardForUserCharactersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetLeaderboardForUserCharactersResultEvent -= (PlayFabResultEvent<ServerModels.GetLeaderboardForUsersCharactersResult>)each; } } }
+
+            if (OnServerGetPlayerCombinedInfoRequestEvent != null) { foreach (var each in OnServerGetPlayerCombinedInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerCombinedInfoRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayerCombinedInfoRequest>)each; } } }
+            if (OnServerGetPlayerCombinedInfoResultEvent != null) { foreach (var each in OnServerGetPlayerCombinedInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerCombinedInfoResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerCombinedInfoResult>)each; } } }
+
+            if (OnServerGetPlayerProfileRequestEvent != null) { foreach (var each in OnServerGetPlayerProfileRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerProfileRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayerProfileRequest>)each; } } }
+            if (OnServerGetPlayerProfileResultEvent != null) { foreach (var each in OnServerGetPlayerProfileResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerProfileResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerProfileResult>)each; } } }
+
+            if (OnServerGetPlayerSegmentsRequestEvent != null) { foreach (var each in OnServerGetPlayerSegmentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerSegmentsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayersSegmentsRequest>)each; } } }
+            if (OnServerGetPlayerSegmentsResultEvent != null) { foreach (var each in OnServerGetPlayerSegmentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerSegmentsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerSegmentsResult>)each; } } }
+
+            if (OnServerGetPlayersInSegmentRequestEvent != null) { foreach (var each in OnServerGetPlayersInSegmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayersInSegmentRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayersInSegmentRequest>)each; } } }
+            if (OnServerGetPlayersInSegmentResultEvent != null) { foreach (var each in OnServerGetPlayersInSegmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayersInSegmentResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayersInSegmentResult>)each; } } }
+
+            if (OnServerGetPlayerStatisticsRequestEvent != null) { foreach (var each in OnServerGetPlayerStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerStatisticsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayerStatisticsRequest>)each; } } }
+            if (OnServerGetPlayerStatisticsResultEvent != null) { foreach (var each in OnServerGetPlayerStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerStatisticsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerStatisticsResult>)each; } } }
+
+            if (OnServerGetPlayerStatisticVersionsRequestEvent != null) { foreach (var each in OnServerGetPlayerStatisticVersionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerStatisticVersionsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayerStatisticVersionsRequest>)each; } } }
+            if (OnServerGetPlayerStatisticVersionsResultEvent != null) { foreach (var each in OnServerGetPlayerStatisticVersionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerStatisticVersionsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerStatisticVersionsResult>)each; } } }
+
+            if (OnServerGetPlayerTagsRequestEvent != null) { foreach (var each in OnServerGetPlayerTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerTagsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayerTagsRequest>)each; } } }
+            if (OnServerGetPlayerTagsResultEvent != null) { foreach (var each in OnServerGetPlayerTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayerTagsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayerTagsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromFacebookIDsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromFacebookIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromFacebookIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromFacebookIDsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromFacebookIDsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromFacebookIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromFacebookIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromFacebookIDsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromGenericIDsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromGenericIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromGenericIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromGenericIDsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromGenericIDsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromGenericIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromGenericIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromGenericIDsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromPSNAccountIDsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromPSNAccountIDsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromSteamIDsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromSteamIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromSteamIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromSteamIDsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromSteamIDsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromSteamIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromSteamIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromSteamIDsResult>)each; } } }
+
+            if (OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPlayFabIDsFromXboxLiveIDsRequest>)each; } } }
+            if (OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent != null) { foreach (var each in OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetPlayFabIDsFromXboxLiveIDsResult>)each; } } }
+
+            if (OnServerGetPublisherDataRequestEvent != null) { foreach (var each in OnServerGetPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPublisherDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetPublisherDataRequest>)each; } } }
+            if (OnServerGetPublisherDataResultEvent != null) { foreach (var each in OnServerGetPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetPublisherDataResultEvent -= (PlayFabResultEvent<ServerModels.GetPublisherDataResult>)each; } } }
+
+            if (OnServerGetRandomResultTablesRequestEvent != null) { foreach (var each in OnServerGetRandomResultTablesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetRandomResultTablesRequestEvent -= (PlayFabRequestEvent<ServerModels.GetRandomResultTablesRequest>)each; } } }
+            if (OnServerGetRandomResultTablesResultEvent != null) { foreach (var each in OnServerGetRandomResultTablesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetRandomResultTablesResultEvent -= (PlayFabResultEvent<ServerModels.GetRandomResultTablesResult>)each; } } }
+
+            if (OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent != null) { foreach (var each in OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetServerCustomIDsFromPlayFabIDsRequest>)each; } } }
+            if (OnServerGetServerCustomIDsFromPlayFabIDsResultEvent != null) { foreach (var each in OnServerGetServerCustomIDsFromPlayFabIDsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetServerCustomIDsFromPlayFabIDsResultEvent -= (PlayFabResultEvent<ServerModels.GetServerCustomIDsFromPlayFabIDsResult>)each; } } }
+
+            if (OnServerGetSharedGroupDataRequestEvent != null) { foreach (var each in OnServerGetSharedGroupDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetSharedGroupDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetSharedGroupDataRequest>)each; } } }
+            if (OnServerGetSharedGroupDataResultEvent != null) { foreach (var each in OnServerGetSharedGroupDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetSharedGroupDataResultEvent -= (PlayFabResultEvent<ServerModels.GetSharedGroupDataResult>)each; } } }
+
+            if (OnServerGetStoreItemsRequestEvent != null) { foreach (var each in OnServerGetStoreItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetStoreItemsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetStoreItemsServerRequest>)each; } } }
+            if (OnServerGetStoreItemsResultEvent != null) { foreach (var each in OnServerGetStoreItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetStoreItemsResultEvent -= (PlayFabResultEvent<ServerModels.GetStoreItemsResult>)each; } } }
+
+            if (OnServerGetTimeRequestEvent != null) { foreach (var each in OnServerGetTimeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTimeRequestEvent -= (PlayFabRequestEvent<ServerModels.GetTimeRequest>)each; } } }
+            if (OnServerGetTimeResultEvent != null) { foreach (var each in OnServerGetTimeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTimeResultEvent -= (PlayFabResultEvent<ServerModels.GetTimeResult>)each; } } }
+
+            if (OnServerGetTitleDataRequestEvent != null) { foreach (var each in OnServerGetTitleDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetTitleDataRequest>)each; } } }
+            if (OnServerGetTitleDataResultEvent != null) { foreach (var each in OnServerGetTitleDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleDataResultEvent -= (PlayFabResultEvent<ServerModels.GetTitleDataResult>)each; } } }
+
+            if (OnServerGetTitleInternalDataRequestEvent != null) { foreach (var each in OnServerGetTitleInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetTitleDataRequest>)each; } } }
+            if (OnServerGetTitleInternalDataResultEvent != null) { foreach (var each in OnServerGetTitleInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.GetTitleDataResult>)each; } } }
+
+            if (OnServerGetTitleNewsRequestEvent != null) { foreach (var each in OnServerGetTitleNewsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleNewsRequestEvent -= (PlayFabRequestEvent<ServerModels.GetTitleNewsRequest>)each; } } }
+            if (OnServerGetTitleNewsResultEvent != null) { foreach (var each in OnServerGetTitleNewsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetTitleNewsResultEvent -= (PlayFabResultEvent<ServerModels.GetTitleNewsResult>)each; } } }
+
+            if (OnServerGetUserAccountInfoRequestEvent != null) { foreach (var each in OnServerGetUserAccountInfoRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserAccountInfoRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserAccountInfoRequest>)each; } } }
+            if (OnServerGetUserAccountInfoResultEvent != null) { foreach (var each in OnServerGetUserAccountInfoResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserAccountInfoResultEvent -= (PlayFabResultEvent<ServerModels.GetUserAccountInfoResult>)each; } } }
+
+            if (OnServerGetUserBansRequestEvent != null) { foreach (var each in OnServerGetUserBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserBansRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserBansRequest>)each; } } }
+            if (OnServerGetUserBansResultEvent != null) { foreach (var each in OnServerGetUserBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserBansResultEvent -= (PlayFabResultEvent<ServerModels.GetUserBansResult>)each; } } }
+
+            if (OnServerGetUserDataRequestEvent != null) { foreach (var each in OnServerGetUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserDataResultEvent != null) { foreach (var each in OnServerGetUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGetUserInternalDataRequestEvent != null) { foreach (var each in OnServerGetUserInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserInternalDataResultEvent != null) { foreach (var each in OnServerGetUserInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGetUserInventoryRequestEvent != null) { foreach (var each in OnServerGetUserInventoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserInventoryRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserInventoryRequest>)each; } } }
+            if (OnServerGetUserInventoryResultEvent != null) { foreach (var each in OnServerGetUserInventoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserInventoryResultEvent -= (PlayFabResultEvent<ServerModels.GetUserInventoryResult>)each; } } }
+
+            if (OnServerGetUserPublisherDataRequestEvent != null) { foreach (var each in OnServerGetUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserPublisherDataResultEvent != null) { foreach (var each in OnServerGetUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGetUserPublisherInternalDataRequestEvent != null) { foreach (var each in OnServerGetUserPublisherInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserPublisherInternalDataResultEvent != null) { foreach (var each in OnServerGetUserPublisherInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGetUserPublisherReadOnlyDataRequestEvent != null) { foreach (var each in OnServerGetUserPublisherReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserPublisherReadOnlyDataResultEvent != null) { foreach (var each in OnServerGetUserPublisherReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserPublisherReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGetUserReadOnlyDataRequestEvent != null) { foreach (var each in OnServerGetUserReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.GetUserDataRequest>)each; } } }
+            if (OnServerGetUserReadOnlyDataResultEvent != null) { foreach (var each in OnServerGetUserReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGetUserReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.GetUserDataResult>)each; } } }
+
+            if (OnServerGrantCharacterToUserRequestEvent != null) { foreach (var each in OnServerGrantCharacterToUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantCharacterToUserRequestEvent -= (PlayFabRequestEvent<ServerModels.GrantCharacterToUserRequest>)each; } } }
+            if (OnServerGrantCharacterToUserResultEvent != null) { foreach (var each in OnServerGrantCharacterToUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantCharacterToUserResultEvent -= (PlayFabResultEvent<ServerModels.GrantCharacterToUserResult>)each; } } }
+
+            if (OnServerGrantItemsToCharacterRequestEvent != null) { foreach (var each in OnServerGrantItemsToCharacterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToCharacterRequestEvent -= (PlayFabRequestEvent<ServerModels.GrantItemsToCharacterRequest>)each; } } }
+            if (OnServerGrantItemsToCharacterResultEvent != null) { foreach (var each in OnServerGrantItemsToCharacterResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToCharacterResultEvent -= (PlayFabResultEvent<ServerModels.GrantItemsToCharacterResult>)each; } } }
+
+            if (OnServerGrantItemsToUserRequestEvent != null) { foreach (var each in OnServerGrantItemsToUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToUserRequestEvent -= (PlayFabRequestEvent<ServerModels.GrantItemsToUserRequest>)each; } } }
+            if (OnServerGrantItemsToUserResultEvent != null) { foreach (var each in OnServerGrantItemsToUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToUserResultEvent -= (PlayFabResultEvent<ServerModels.GrantItemsToUserResult>)each; } } }
+
+            if (OnServerGrantItemsToUsersRequestEvent != null) { foreach (var each in OnServerGrantItemsToUsersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToUsersRequestEvent -= (PlayFabRequestEvent<ServerModels.GrantItemsToUsersRequest>)each; } } }
+            if (OnServerGrantItemsToUsersResultEvent != null) { foreach (var each in OnServerGrantItemsToUsersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerGrantItemsToUsersResultEvent -= (PlayFabResultEvent<ServerModels.GrantItemsToUsersResult>)each; } } }
+
+            if (OnServerLinkPSNAccountRequestEvent != null) { foreach (var each in OnServerLinkPSNAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkPSNAccountRequestEvent -= (PlayFabRequestEvent<ServerModels.LinkPSNAccountRequest>)each; } } }
+            if (OnServerLinkPSNAccountResultEvent != null) { foreach (var each in OnServerLinkPSNAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkPSNAccountResultEvent -= (PlayFabResultEvent<ServerModels.LinkPSNAccountResult>)each; } } }
+
+            if (OnServerLinkServerCustomIdRequestEvent != null) { foreach (var each in OnServerLinkServerCustomIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkServerCustomIdRequestEvent -= (PlayFabRequestEvent<ServerModels.LinkServerCustomIdRequest>)each; } } }
+            if (OnServerLinkServerCustomIdResultEvent != null) { foreach (var each in OnServerLinkServerCustomIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkServerCustomIdResultEvent -= (PlayFabResultEvent<ServerModels.LinkServerCustomIdResult>)each; } } }
+
+            if (OnServerLinkXboxAccountRequestEvent != null) { foreach (var each in OnServerLinkXboxAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkXboxAccountRequestEvent -= (PlayFabRequestEvent<ServerModels.LinkXboxAccountRequest>)each; } } }
+            if (OnServerLinkXboxAccountResultEvent != null) { foreach (var each in OnServerLinkXboxAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLinkXboxAccountResultEvent -= (PlayFabResultEvent<ServerModels.LinkXboxAccountResult>)each; } } }
+
+            if (OnServerLoginWithServerCustomIdRequestEvent != null) { foreach (var each in OnServerLoginWithServerCustomIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithServerCustomIdRequestEvent -= (PlayFabRequestEvent<ServerModels.LoginWithServerCustomIdRequest>)each; } } }
+            if (OnServerLoginWithServerCustomIdResultEvent != null) { foreach (var each in OnServerLoginWithServerCustomIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithServerCustomIdResultEvent -= (PlayFabResultEvent<ServerModels.ServerLoginResult>)each; } } }
+
+            if (OnServerLoginWithSteamIdRequestEvent != null) { foreach (var each in OnServerLoginWithSteamIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithSteamIdRequestEvent -= (PlayFabRequestEvent<ServerModels.LoginWithSteamIdRequest>)each; } } }
+            if (OnServerLoginWithSteamIdResultEvent != null) { foreach (var each in OnServerLoginWithSteamIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithSteamIdResultEvent -= (PlayFabResultEvent<ServerModels.ServerLoginResult>)each; } } }
+
+            if (OnServerLoginWithXboxRequestEvent != null) { foreach (var each in OnServerLoginWithXboxRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithXboxRequestEvent -= (PlayFabRequestEvent<ServerModels.LoginWithXboxRequest>)each; } } }
+            if (OnServerLoginWithXboxResultEvent != null) { foreach (var each in OnServerLoginWithXboxResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithXboxResultEvent -= (PlayFabResultEvent<ServerModels.ServerLoginResult>)each; } } }
+
+            if (OnServerLoginWithXboxIdRequestEvent != null) { foreach (var each in OnServerLoginWithXboxIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithXboxIdRequestEvent -= (PlayFabRequestEvent<ServerModels.LoginWithXboxIdRequest>)each; } } }
+            if (OnServerLoginWithXboxIdResultEvent != null) { foreach (var each in OnServerLoginWithXboxIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerLoginWithXboxIdResultEvent -= (PlayFabResultEvent<ServerModels.ServerLoginResult>)each; } } }
+
+            if (OnServerModifyItemUsesRequestEvent != null) { foreach (var each in OnServerModifyItemUsesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerModifyItemUsesRequestEvent -= (PlayFabRequestEvent<ServerModels.ModifyItemUsesRequest>)each; } } }
+            if (OnServerModifyItemUsesResultEvent != null) { foreach (var each in OnServerModifyItemUsesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerModifyItemUsesResultEvent -= (PlayFabResultEvent<ServerModels.ModifyItemUsesResult>)each; } } }
+
+            if (OnServerMoveItemToCharacterFromCharacterRequestEvent != null) { foreach (var each in OnServerMoveItemToCharacterFromCharacterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToCharacterFromCharacterRequestEvent -= (PlayFabRequestEvent<ServerModels.MoveItemToCharacterFromCharacterRequest>)each; } } }
+            if (OnServerMoveItemToCharacterFromCharacterResultEvent != null) { foreach (var each in OnServerMoveItemToCharacterFromCharacterResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToCharacterFromCharacterResultEvent -= (PlayFabResultEvent<ServerModels.MoveItemToCharacterFromCharacterResult>)each; } } }
+
+            if (OnServerMoveItemToCharacterFromUserRequestEvent != null) { foreach (var each in OnServerMoveItemToCharacterFromUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToCharacterFromUserRequestEvent -= (PlayFabRequestEvent<ServerModels.MoveItemToCharacterFromUserRequest>)each; } } }
+            if (OnServerMoveItemToCharacterFromUserResultEvent != null) { foreach (var each in OnServerMoveItemToCharacterFromUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToCharacterFromUserResultEvent -= (PlayFabResultEvent<ServerModels.MoveItemToCharacterFromUserResult>)each; } } }
+
+            if (OnServerMoveItemToUserFromCharacterRequestEvent != null) { foreach (var each in OnServerMoveItemToUserFromCharacterRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToUserFromCharacterRequestEvent -= (PlayFabRequestEvent<ServerModels.MoveItemToUserFromCharacterRequest>)each; } } }
+            if (OnServerMoveItemToUserFromCharacterResultEvent != null) { foreach (var each in OnServerMoveItemToUserFromCharacterResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerMoveItemToUserFromCharacterResultEvent -= (PlayFabResultEvent<ServerModels.MoveItemToUserFromCharacterResult>)each; } } }
+
+            if (OnServerNotifyMatchmakerPlayerLeftRequestEvent != null) { foreach (var each in OnServerNotifyMatchmakerPlayerLeftRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerNotifyMatchmakerPlayerLeftRequestEvent -= (PlayFabRequestEvent<ServerModels.NotifyMatchmakerPlayerLeftRequest>)each; } } }
+            if (OnServerNotifyMatchmakerPlayerLeftResultEvent != null) { foreach (var each in OnServerNotifyMatchmakerPlayerLeftResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerNotifyMatchmakerPlayerLeftResultEvent -= (PlayFabResultEvent<ServerModels.NotifyMatchmakerPlayerLeftResult>)each; } } }
+
+            if (OnServerRedeemCouponRequestEvent != null) { foreach (var each in OnServerRedeemCouponRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRedeemCouponRequestEvent -= (PlayFabRequestEvent<ServerModels.RedeemCouponRequest>)each; } } }
+            if (OnServerRedeemCouponResultEvent != null) { foreach (var each in OnServerRedeemCouponResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRedeemCouponResultEvent -= (PlayFabResultEvent<ServerModels.RedeemCouponResult>)each; } } }
+
+            if (OnServerRedeemMatchmakerTicketRequestEvent != null) { foreach (var each in OnServerRedeemMatchmakerTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRedeemMatchmakerTicketRequestEvent -= (PlayFabRequestEvent<ServerModels.RedeemMatchmakerTicketRequest>)each; } } }
+            if (OnServerRedeemMatchmakerTicketResultEvent != null) { foreach (var each in OnServerRedeemMatchmakerTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRedeemMatchmakerTicketResultEvent -= (PlayFabResultEvent<ServerModels.RedeemMatchmakerTicketResult>)each; } } }
+
+            if (OnServerRefreshGameServerInstanceHeartbeatRequestEvent != null) { foreach (var each in OnServerRefreshGameServerInstanceHeartbeatRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRefreshGameServerInstanceHeartbeatRequestEvent -= (PlayFabRequestEvent<ServerModels.RefreshGameServerInstanceHeartbeatRequest>)each; } } }
+            if (OnServerRefreshGameServerInstanceHeartbeatResultEvent != null) { foreach (var each in OnServerRefreshGameServerInstanceHeartbeatResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRefreshGameServerInstanceHeartbeatResultEvent -= (PlayFabResultEvent<ServerModels.RefreshGameServerInstanceHeartbeatResult>)each; } } }
+
+            if (OnServerRegisterGameRequestEvent != null) { foreach (var each in OnServerRegisterGameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRegisterGameRequestEvent -= (PlayFabRequestEvent<ServerModels.RegisterGameRequest>)each; } } }
+            if (OnServerRegisterGameResultEvent != null) { foreach (var each in OnServerRegisterGameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRegisterGameResultEvent -= (PlayFabResultEvent<ServerModels.RegisterGameResponse>)each; } } }
+
+            if (OnServerRemoveFriendRequestEvent != null) { foreach (var each in OnServerRemoveFriendRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveFriendRequestEvent -= (PlayFabRequestEvent<ServerModels.RemoveFriendRequest>)each; } } }
+            if (OnServerRemoveFriendResultEvent != null) { foreach (var each in OnServerRemoveFriendResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveFriendResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerRemoveGenericIDRequestEvent != null) { foreach (var each in OnServerRemoveGenericIDRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveGenericIDRequestEvent -= (PlayFabRequestEvent<ServerModels.RemoveGenericIDRequest>)each; } } }
+            if (OnServerRemoveGenericIDResultEvent != null) { foreach (var each in OnServerRemoveGenericIDResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveGenericIDResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResult>)each; } } }
+
+            if (OnServerRemovePlayerTagRequestEvent != null) { foreach (var each in OnServerRemovePlayerTagRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemovePlayerTagRequestEvent -= (PlayFabRequestEvent<ServerModels.RemovePlayerTagRequest>)each; } } }
+            if (OnServerRemovePlayerTagResultEvent != null) { foreach (var each in OnServerRemovePlayerTagResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemovePlayerTagResultEvent -= (PlayFabResultEvent<ServerModels.RemovePlayerTagResult>)each; } } }
+
+            if (OnServerRemoveSharedGroupMembersRequestEvent != null) { foreach (var each in OnServerRemoveSharedGroupMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveSharedGroupMembersRequestEvent -= (PlayFabRequestEvent<ServerModels.RemoveSharedGroupMembersRequest>)each; } } }
+            if (OnServerRemoveSharedGroupMembersResultEvent != null) { foreach (var each in OnServerRemoveSharedGroupMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRemoveSharedGroupMembersResultEvent -= (PlayFabResultEvent<ServerModels.RemoveSharedGroupMembersResult>)each; } } }
+
+            if (OnServerReportPlayerRequestEvent != null) { foreach (var each in OnServerReportPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerReportPlayerRequestEvent -= (PlayFabRequestEvent<ServerModels.ReportPlayerServerRequest>)each; } } }
+            if (OnServerReportPlayerResultEvent != null) { foreach (var each in OnServerReportPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerReportPlayerResultEvent -= (PlayFabResultEvent<ServerModels.ReportPlayerServerResult>)each; } } }
+
+            if (OnServerRevokeAllBansForUserRequestEvent != null) { foreach (var each in OnServerRevokeAllBansForUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeAllBansForUserRequestEvent -= (PlayFabRequestEvent<ServerModels.RevokeAllBansForUserRequest>)each; } } }
+            if (OnServerRevokeAllBansForUserResultEvent != null) { foreach (var each in OnServerRevokeAllBansForUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeAllBansForUserResultEvent -= (PlayFabResultEvent<ServerModels.RevokeAllBansForUserResult>)each; } } }
+
+            if (OnServerRevokeBansRequestEvent != null) { foreach (var each in OnServerRevokeBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeBansRequestEvent -= (PlayFabRequestEvent<ServerModels.RevokeBansRequest>)each; } } }
+            if (OnServerRevokeBansResultEvent != null) { foreach (var each in OnServerRevokeBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeBansResultEvent -= (PlayFabResultEvent<ServerModels.RevokeBansResult>)each; } } }
+
+            if (OnServerRevokeInventoryItemRequestEvent != null) { foreach (var each in OnServerRevokeInventoryItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeInventoryItemRequestEvent -= (PlayFabRequestEvent<ServerModels.RevokeInventoryItemRequest>)each; } } }
+            if (OnServerRevokeInventoryItemResultEvent != null) { foreach (var each in OnServerRevokeInventoryItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeInventoryItemResultEvent -= (PlayFabResultEvent<ServerModels.RevokeInventoryResult>)each; } } }
+
+            if (OnServerRevokeInventoryItemsRequestEvent != null) { foreach (var each in OnServerRevokeInventoryItemsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeInventoryItemsRequestEvent -= (PlayFabRequestEvent<ServerModels.RevokeInventoryItemsRequest>)each; } } }
+            if (OnServerRevokeInventoryItemsResultEvent != null) { foreach (var each in OnServerRevokeInventoryItemsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerRevokeInventoryItemsResultEvent -= (PlayFabResultEvent<ServerModels.RevokeInventoryItemsResult>)each; } } }
+
+            if (OnServerSavePushNotificationTemplateRequestEvent != null) { foreach (var each in OnServerSavePushNotificationTemplateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSavePushNotificationTemplateRequestEvent -= (PlayFabRequestEvent<ServerModels.SavePushNotificationTemplateRequest>)each; } } }
+            if (OnServerSavePushNotificationTemplateResultEvent != null) { foreach (var each in OnServerSavePushNotificationTemplateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSavePushNotificationTemplateResultEvent -= (PlayFabResultEvent<ServerModels.SavePushNotificationTemplateResult>)each; } } }
+
+            if (OnServerSendCustomAccountRecoveryEmailRequestEvent != null) { foreach (var each in OnServerSendCustomAccountRecoveryEmailRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendCustomAccountRecoveryEmailRequestEvent -= (PlayFabRequestEvent<ServerModels.SendCustomAccountRecoveryEmailRequest>)each; } } }
+            if (OnServerSendCustomAccountRecoveryEmailResultEvent != null) { foreach (var each in OnServerSendCustomAccountRecoveryEmailResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendCustomAccountRecoveryEmailResultEvent -= (PlayFabResultEvent<ServerModels.SendCustomAccountRecoveryEmailResult>)each; } } }
+
+            if (OnServerSendEmailFromTemplateRequestEvent != null) { foreach (var each in OnServerSendEmailFromTemplateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendEmailFromTemplateRequestEvent -= (PlayFabRequestEvent<ServerModels.SendEmailFromTemplateRequest>)each; } } }
+            if (OnServerSendEmailFromTemplateResultEvent != null) { foreach (var each in OnServerSendEmailFromTemplateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendEmailFromTemplateResultEvent -= (PlayFabResultEvent<ServerModels.SendEmailFromTemplateResult>)each; } } }
+
+            if (OnServerSendPushNotificationRequestEvent != null) { foreach (var each in OnServerSendPushNotificationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendPushNotificationRequestEvent -= (PlayFabRequestEvent<ServerModels.SendPushNotificationRequest>)each; } } }
+            if (OnServerSendPushNotificationResultEvent != null) { foreach (var each in OnServerSendPushNotificationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendPushNotificationResultEvent -= (PlayFabResultEvent<ServerModels.SendPushNotificationResult>)each; } } }
+
+            if (OnServerSendPushNotificationFromTemplateRequestEvent != null) { foreach (var each in OnServerSendPushNotificationFromTemplateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendPushNotificationFromTemplateRequestEvent -= (PlayFabRequestEvent<ServerModels.SendPushNotificationFromTemplateRequest>)each; } } }
+            if (OnServerSendPushNotificationFromTemplateResultEvent != null) { foreach (var each in OnServerSendPushNotificationFromTemplateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSendPushNotificationFromTemplateResultEvent -= (PlayFabResultEvent<ServerModels.SendPushNotificationResult>)each; } } }
+
+            if (OnServerSetFriendTagsRequestEvent != null) { foreach (var each in OnServerSetFriendTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetFriendTagsRequestEvent -= (PlayFabRequestEvent<ServerModels.SetFriendTagsRequest>)each; } } }
+            if (OnServerSetFriendTagsResultEvent != null) { foreach (var each in OnServerSetFriendTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetFriendTagsResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerSetGameServerInstanceDataRequestEvent != null) { foreach (var each in OnServerSetGameServerInstanceDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceDataRequestEvent -= (PlayFabRequestEvent<ServerModels.SetGameServerInstanceDataRequest>)each; } } }
+            if (OnServerSetGameServerInstanceDataResultEvent != null) { foreach (var each in OnServerSetGameServerInstanceDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceDataResultEvent -= (PlayFabResultEvent<ServerModels.SetGameServerInstanceDataResult>)each; } } }
+
+            if (OnServerSetGameServerInstanceStateRequestEvent != null) { foreach (var each in OnServerSetGameServerInstanceStateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceStateRequestEvent -= (PlayFabRequestEvent<ServerModels.SetGameServerInstanceStateRequest>)each; } } }
+            if (OnServerSetGameServerInstanceStateResultEvent != null) { foreach (var each in OnServerSetGameServerInstanceStateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceStateResultEvent -= (PlayFabResultEvent<ServerModels.SetGameServerInstanceStateResult>)each; } } }
+
+            if (OnServerSetGameServerInstanceTagsRequestEvent != null) { foreach (var each in OnServerSetGameServerInstanceTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceTagsRequestEvent -= (PlayFabRequestEvent<ServerModels.SetGameServerInstanceTagsRequest>)each; } } }
+            if (OnServerSetGameServerInstanceTagsResultEvent != null) { foreach (var each in OnServerSetGameServerInstanceTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetGameServerInstanceTagsResultEvent -= (PlayFabResultEvent<ServerModels.SetGameServerInstanceTagsResult>)each; } } }
+
+            if (OnServerSetPlayerSecretRequestEvent != null) { foreach (var each in OnServerSetPlayerSecretRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetPlayerSecretRequestEvent -= (PlayFabRequestEvent<ServerModels.SetPlayerSecretRequest>)each; } } }
+            if (OnServerSetPlayerSecretResultEvent != null) { foreach (var each in OnServerSetPlayerSecretResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetPlayerSecretResultEvent -= (PlayFabResultEvent<ServerModels.SetPlayerSecretResult>)each; } } }
+
+            if (OnServerSetPublisherDataRequestEvent != null) { foreach (var each in OnServerSetPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetPublisherDataRequestEvent -= (PlayFabRequestEvent<ServerModels.SetPublisherDataRequest>)each; } } }
+            if (OnServerSetPublisherDataResultEvent != null) { foreach (var each in OnServerSetPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetPublisherDataResultEvent -= (PlayFabResultEvent<ServerModels.SetPublisherDataResult>)each; } } }
+
+            if (OnServerSetTitleDataRequestEvent != null) { foreach (var each in OnServerSetTitleDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetTitleDataRequestEvent -= (PlayFabRequestEvent<ServerModels.SetTitleDataRequest>)each; } } }
+            if (OnServerSetTitleDataResultEvent != null) { foreach (var each in OnServerSetTitleDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetTitleDataResultEvent -= (PlayFabResultEvent<ServerModels.SetTitleDataResult>)each; } } }
+
+            if (OnServerSetTitleInternalDataRequestEvent != null) { foreach (var each in OnServerSetTitleInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetTitleInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.SetTitleDataRequest>)each; } } }
+            if (OnServerSetTitleInternalDataResultEvent != null) { foreach (var each in OnServerSetTitleInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSetTitleInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.SetTitleDataResult>)each; } } }
+
+            if (OnServerSubtractCharacterVirtualCurrencyRequestEvent != null) { foreach (var each in OnServerSubtractCharacterVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSubtractCharacterVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ServerModels.SubtractCharacterVirtualCurrencyRequest>)each; } } }
+            if (OnServerSubtractCharacterVirtualCurrencyResultEvent != null) { foreach (var each in OnServerSubtractCharacterVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSubtractCharacterVirtualCurrencyResultEvent -= (PlayFabResultEvent<ServerModels.ModifyCharacterVirtualCurrencyResult>)each; } } }
+
+            if (OnServerSubtractUserVirtualCurrencyRequestEvent != null) { foreach (var each in OnServerSubtractUserVirtualCurrencyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSubtractUserVirtualCurrencyRequestEvent -= (PlayFabRequestEvent<ServerModels.SubtractUserVirtualCurrencyRequest>)each; } } }
+            if (OnServerSubtractUserVirtualCurrencyResultEvent != null) { foreach (var each in OnServerSubtractUserVirtualCurrencyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerSubtractUserVirtualCurrencyResultEvent -= (PlayFabResultEvent<ServerModels.ModifyUserVirtualCurrencyResult>)each; } } }
+
+            if (OnServerUnlinkPSNAccountRequestEvent != null) { foreach (var each in OnServerUnlinkPSNAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkPSNAccountRequestEvent -= (PlayFabRequestEvent<ServerModels.UnlinkPSNAccountRequest>)each; } } }
+            if (OnServerUnlinkPSNAccountResultEvent != null) { foreach (var each in OnServerUnlinkPSNAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkPSNAccountResultEvent -= (PlayFabResultEvent<ServerModels.UnlinkPSNAccountResult>)each; } } }
+
+            if (OnServerUnlinkServerCustomIdRequestEvent != null) { foreach (var each in OnServerUnlinkServerCustomIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkServerCustomIdRequestEvent -= (PlayFabRequestEvent<ServerModels.UnlinkServerCustomIdRequest>)each; } } }
+            if (OnServerUnlinkServerCustomIdResultEvent != null) { foreach (var each in OnServerUnlinkServerCustomIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkServerCustomIdResultEvent -= (PlayFabResultEvent<ServerModels.UnlinkServerCustomIdResult>)each; } } }
+
+            if (OnServerUnlinkXboxAccountRequestEvent != null) { foreach (var each in OnServerUnlinkXboxAccountRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkXboxAccountRequestEvent -= (PlayFabRequestEvent<ServerModels.UnlinkXboxAccountRequest>)each; } } }
+            if (OnServerUnlinkXboxAccountResultEvent != null) { foreach (var each in OnServerUnlinkXboxAccountResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlinkXboxAccountResultEvent -= (PlayFabResultEvent<ServerModels.UnlinkXboxAccountResult>)each; } } }
+
+            if (OnServerUnlockContainerInstanceRequestEvent != null) { foreach (var each in OnServerUnlockContainerInstanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlockContainerInstanceRequestEvent -= (PlayFabRequestEvent<ServerModels.UnlockContainerInstanceRequest>)each; } } }
+            if (OnServerUnlockContainerInstanceResultEvent != null) { foreach (var each in OnServerUnlockContainerInstanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlockContainerInstanceResultEvent -= (PlayFabResultEvent<ServerModels.UnlockContainerItemResult>)each; } } }
+
+            if (OnServerUnlockContainerItemRequestEvent != null) { foreach (var each in OnServerUnlockContainerItemRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlockContainerItemRequestEvent -= (PlayFabRequestEvent<ServerModels.UnlockContainerItemRequest>)each; } } }
+            if (OnServerUnlockContainerItemResultEvent != null) { foreach (var each in OnServerUnlockContainerItemResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUnlockContainerItemResultEvent -= (PlayFabResultEvent<ServerModels.UnlockContainerItemResult>)each; } } }
+
+            if (OnServerUpdateAvatarUrlRequestEvent != null) { foreach (var each in OnServerUpdateAvatarUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateAvatarUrlRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateAvatarUrlRequest>)each; } } }
+            if (OnServerUpdateAvatarUrlResultEvent != null) { foreach (var each in OnServerUpdateAvatarUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateAvatarUrlResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerUpdateBansRequestEvent != null) { foreach (var each in OnServerUpdateBansRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateBansRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateBansRequest>)each; } } }
+            if (OnServerUpdateBansResultEvent != null) { foreach (var each in OnServerUpdateBansResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateBansResultEvent -= (PlayFabResultEvent<ServerModels.UpdateBansResult>)each; } } }
+
+            if (OnServerUpdateCharacterDataRequestEvent != null) { foreach (var each in OnServerUpdateCharacterDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateCharacterDataRequest>)each; } } }
+            if (OnServerUpdateCharacterDataResultEvent != null) { foreach (var each in OnServerUpdateCharacterDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateCharacterDataResult>)each; } } }
+
+            if (OnServerUpdateCharacterInternalDataRequestEvent != null) { foreach (var each in OnServerUpdateCharacterInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateCharacterDataRequest>)each; } } }
+            if (OnServerUpdateCharacterInternalDataResultEvent != null) { foreach (var each in OnServerUpdateCharacterInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateCharacterDataResult>)each; } } }
+
+            if (OnServerUpdateCharacterReadOnlyDataRequestEvent != null) { foreach (var each in OnServerUpdateCharacterReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateCharacterDataRequest>)each; } } }
+            if (OnServerUpdateCharacterReadOnlyDataResultEvent != null) { foreach (var each in OnServerUpdateCharacterReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateCharacterDataResult>)each; } } }
+
+            if (OnServerUpdateCharacterStatisticsRequestEvent != null) { foreach (var each in OnServerUpdateCharacterStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterStatisticsRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateCharacterStatisticsRequest>)each; } } }
+            if (OnServerUpdateCharacterStatisticsResultEvent != null) { foreach (var each in OnServerUpdateCharacterStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateCharacterStatisticsResultEvent -= (PlayFabResultEvent<ServerModels.UpdateCharacterStatisticsResult>)each; } } }
+
+            if (OnServerUpdatePlayerStatisticsRequestEvent != null) { foreach (var each in OnServerUpdatePlayerStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdatePlayerStatisticsRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdatePlayerStatisticsRequest>)each; } } }
+            if (OnServerUpdatePlayerStatisticsResultEvent != null) { foreach (var each in OnServerUpdatePlayerStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdatePlayerStatisticsResultEvent -= (PlayFabResultEvent<ServerModels.UpdatePlayerStatisticsResult>)each; } } }
+
+            if (OnServerUpdateSharedGroupDataRequestEvent != null) { foreach (var each in OnServerUpdateSharedGroupDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateSharedGroupDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateSharedGroupDataRequest>)each; } } }
+            if (OnServerUpdateSharedGroupDataResultEvent != null) { foreach (var each in OnServerUpdateSharedGroupDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateSharedGroupDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateSharedGroupDataResult>)each; } } }
+
+            if (OnServerUpdateUserDataRequestEvent != null) { foreach (var each in OnServerUpdateUserDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserDataRequest>)each; } } }
+            if (OnServerUpdateUserDataResultEvent != null) { foreach (var each in OnServerUpdateUserDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerUpdateUserInternalDataRequestEvent != null) { foreach (var each in OnServerUpdateUserInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserInternalDataRequest>)each; } } }
+            if (OnServerUpdateUserInternalDataResultEvent != null) { foreach (var each in OnServerUpdateUserInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerUpdateUserInventoryItemCustomDataRequestEvent != null) { foreach (var each in OnServerUpdateUserInventoryItemCustomDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserInventoryItemCustomDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserInventoryItemDataRequest>)each; } } }
+            if (OnServerUpdateUserInventoryItemCustomDataResultEvent != null) { foreach (var each in OnServerUpdateUserInventoryItemCustomDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserInventoryItemCustomDataResultEvent -= (PlayFabResultEvent<ServerModels.EmptyResponse>)each; } } }
+
+            if (OnServerUpdateUserPublisherDataRequestEvent != null) { foreach (var each in OnServerUpdateUserPublisherDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserDataRequest>)each; } } }
+            if (OnServerUpdateUserPublisherDataResultEvent != null) { foreach (var each in OnServerUpdateUserPublisherDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerUpdateUserPublisherInternalDataRequestEvent != null) { foreach (var each in OnServerUpdateUserPublisherInternalDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherInternalDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserInternalDataRequest>)each; } } }
+            if (OnServerUpdateUserPublisherInternalDataResultEvent != null) { foreach (var each in OnServerUpdateUserPublisherInternalDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherInternalDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerUpdateUserPublisherReadOnlyDataRequestEvent != null) { foreach (var each in OnServerUpdateUserPublisherReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserDataRequest>)each; } } }
+            if (OnServerUpdateUserPublisherReadOnlyDataResultEvent != null) { foreach (var each in OnServerUpdateUserPublisherReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserPublisherReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerUpdateUserReadOnlyDataRequestEvent != null) { foreach (var each in OnServerUpdateUserReadOnlyDataRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserReadOnlyDataRequestEvent -= (PlayFabRequestEvent<ServerModels.UpdateUserDataRequest>)each; } } }
+            if (OnServerUpdateUserReadOnlyDataResultEvent != null) { foreach (var each in OnServerUpdateUserReadOnlyDataResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerUpdateUserReadOnlyDataResultEvent -= (PlayFabResultEvent<ServerModels.UpdateUserDataResult>)each; } } }
+
+            if (OnServerWriteCharacterEventRequestEvent != null) { foreach (var each in OnServerWriteCharacterEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWriteCharacterEventRequestEvent -= (PlayFabRequestEvent<ServerModels.WriteServerCharacterEventRequest>)each; } } }
+            if (OnServerWriteCharacterEventResultEvent != null) { foreach (var each in OnServerWriteCharacterEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWriteCharacterEventResultEvent -= (PlayFabResultEvent<ServerModels.WriteEventResponse>)each; } } }
+
+            if (OnServerWritePlayerEventRequestEvent != null) { foreach (var each in OnServerWritePlayerEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWritePlayerEventRequestEvent -= (PlayFabRequestEvent<ServerModels.WriteServerPlayerEventRequest>)each; } } }
+            if (OnServerWritePlayerEventResultEvent != null) { foreach (var each in OnServerWritePlayerEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWritePlayerEventResultEvent -= (PlayFabResultEvent<ServerModels.WriteEventResponse>)each; } } }
+
+            if (OnServerWriteTitleEventRequestEvent != null) { foreach (var each in OnServerWriteTitleEventRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWriteTitleEventRequestEvent -= (PlayFabRequestEvent<ServerModels.WriteTitleEventRequest>)each; } } }
+            if (OnServerWriteTitleEventResultEvent != null) { foreach (var each in OnServerWriteTitleEventResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnServerWriteTitleEventResultEvent -= (PlayFabResultEvent<ServerModels.WriteEventResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnAuthenticationGetEntityTokenRequestEvent != null) { foreach (var each in OnAuthenticationGetEntityTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAuthenticationGetEntityTokenRequestEvent -= (PlayFabRequestEvent<AuthenticationModels.GetEntityTokenRequest>)each; } } }
+            if (OnAuthenticationGetEntityTokenResultEvent != null) { foreach (var each in OnAuthenticationGetEntityTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAuthenticationGetEntityTokenResultEvent -= (PlayFabResultEvent<AuthenticationModels.GetEntityTokenResponse>)each; } } }
+
+            if (OnAuthenticationValidateEntityTokenRequestEvent != null) { foreach (var each in OnAuthenticationValidateEntityTokenRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAuthenticationValidateEntityTokenRequestEvent -= (PlayFabRequestEvent<AuthenticationModels.ValidateEntityTokenRequest>)each; } } }
+            if (OnAuthenticationValidateEntityTokenResultEvent != null) { foreach (var each in OnAuthenticationValidateEntityTokenResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnAuthenticationValidateEntityTokenResultEvent -= (PlayFabResultEvent<AuthenticationModels.ValidateEntityTokenResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnCloudScriptExecuteEntityCloudScriptRequestEvent != null) { foreach (var each in OnCloudScriptExecuteEntityCloudScriptRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptExecuteEntityCloudScriptRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.ExecuteEntityCloudScriptRequest>)each; } } }
+            if (OnCloudScriptExecuteEntityCloudScriptResultEvent != null) { foreach (var each in OnCloudScriptExecuteEntityCloudScriptResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptExecuteEntityCloudScriptResultEvent -= (PlayFabResultEvent<CloudScriptModels.ExecuteCloudScriptResult>)each; } } }
+
+            if (OnCloudScriptExecuteFunctionRequestEvent != null) { foreach (var each in OnCloudScriptExecuteFunctionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptExecuteFunctionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.ExecuteFunctionRequest>)each; } } }
+            if (OnCloudScriptExecuteFunctionResultEvent != null) { foreach (var each in OnCloudScriptExecuteFunctionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptExecuteFunctionResultEvent -= (PlayFabResultEvent<CloudScriptModels.ExecuteFunctionResult>)each; } } }
+
+            if (OnCloudScriptListFunctionsRequestEvent != null) { foreach (var each in OnCloudScriptListFunctionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListFunctionsRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.ListFunctionsRequest>)each; } } }
+            if (OnCloudScriptListFunctionsResultEvent != null) { foreach (var each in OnCloudScriptListFunctionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListFunctionsResultEvent -= (PlayFabResultEvent<CloudScriptModels.ListFunctionsResult>)each; } } }
+
+            if (OnCloudScriptListHttpFunctionsRequestEvent != null) { foreach (var each in OnCloudScriptListHttpFunctionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListHttpFunctionsRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.ListFunctionsRequest>)each; } } }
+            if (OnCloudScriptListHttpFunctionsResultEvent != null) { foreach (var each in OnCloudScriptListHttpFunctionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListHttpFunctionsResultEvent -= (PlayFabResultEvent<CloudScriptModels.ListHttpFunctionsResult>)each; } } }
+
+            if (OnCloudScriptListQueuedFunctionsRequestEvent != null) { foreach (var each in OnCloudScriptListQueuedFunctionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListQueuedFunctionsRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.ListFunctionsRequest>)each; } } }
+            if (OnCloudScriptListQueuedFunctionsResultEvent != null) { foreach (var each in OnCloudScriptListQueuedFunctionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptListQueuedFunctionsResultEvent -= (PlayFabResultEvent<CloudScriptModels.ListQueuedFunctionsResult>)each; } } }
+
+            if (OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.PostFunctionResultForEntityTriggeredActionRequest>)each; } } }
+            if (OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.PostFunctionResultForFunctionExecutionRequest>)each; } } }
+            if (OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.PostFunctionResultForPlayerTriggeredActionRequest>)each; } } }
+            if (OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.PostFunctionResultForScheduledTaskRequest>)each; } } }
+            if (OnCloudScriptPostFunctionResultForScheduledTaskResultEvent != null) { foreach (var each in OnCloudScriptPostFunctionResultForScheduledTaskResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptPostFunctionResultForScheduledTaskResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptRegisterHttpFunctionRequestEvent != null) { foreach (var each in OnCloudScriptRegisterHttpFunctionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptRegisterHttpFunctionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.RegisterHttpFunctionRequest>)each; } } }
+            if (OnCloudScriptRegisterHttpFunctionResultEvent != null) { foreach (var each in OnCloudScriptRegisterHttpFunctionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptRegisterHttpFunctionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptRegisterQueuedFunctionRequestEvent != null) { foreach (var each in OnCloudScriptRegisterQueuedFunctionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptRegisterQueuedFunctionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.RegisterQueuedFunctionRequest>)each; } } }
+            if (OnCloudScriptRegisterQueuedFunctionResultEvent != null) { foreach (var each in OnCloudScriptRegisterQueuedFunctionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptRegisterQueuedFunctionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+            if (OnCloudScriptUnregisterFunctionRequestEvent != null) { foreach (var each in OnCloudScriptUnregisterFunctionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptUnregisterFunctionRequestEvent -= (PlayFabRequestEvent<CloudScriptModels.UnregisterFunctionRequest>)each; } } }
+            if (OnCloudScriptUnregisterFunctionResultEvent != null) { foreach (var each in OnCloudScriptUnregisterFunctionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnCloudScriptUnregisterFunctionResultEvent -= (PlayFabResultEvent<CloudScriptModels.EmptyResult>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnDataAbortFileUploadsRequestEvent != null) { foreach (var each in OnDataAbortFileUploadsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataAbortFileUploadsRequestEvent -= (PlayFabRequestEvent<DataModels.AbortFileUploadsRequest>)each; } } }
+            if (OnDataAbortFileUploadsResultEvent != null) { foreach (var each in OnDataAbortFileUploadsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataAbortFileUploadsResultEvent -= (PlayFabResultEvent<DataModels.AbortFileUploadsResponse>)each; } } }
+
+            if (OnDataDeleteFilesRequestEvent != null) { foreach (var each in OnDataDeleteFilesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataDeleteFilesRequestEvent -= (PlayFabRequestEvent<DataModels.DeleteFilesRequest>)each; } } }
+            if (OnDataDeleteFilesResultEvent != null) { foreach (var each in OnDataDeleteFilesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataDeleteFilesResultEvent -= (PlayFabResultEvent<DataModels.DeleteFilesResponse>)each; } } }
+
+            if (OnDataFinalizeFileUploadsRequestEvent != null) { foreach (var each in OnDataFinalizeFileUploadsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataFinalizeFileUploadsRequestEvent -= (PlayFabRequestEvent<DataModels.FinalizeFileUploadsRequest>)each; } } }
+            if (OnDataFinalizeFileUploadsResultEvent != null) { foreach (var each in OnDataFinalizeFileUploadsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataFinalizeFileUploadsResultEvent -= (PlayFabResultEvent<DataModels.FinalizeFileUploadsResponse>)each; } } }
+
+            if (OnDataGetFilesRequestEvent != null) { foreach (var each in OnDataGetFilesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataGetFilesRequestEvent -= (PlayFabRequestEvent<DataModels.GetFilesRequest>)each; } } }
+            if (OnDataGetFilesResultEvent != null) { foreach (var each in OnDataGetFilesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataGetFilesResultEvent -= (PlayFabResultEvent<DataModels.GetFilesResponse>)each; } } }
+
+            if (OnDataGetObjectsRequestEvent != null) { foreach (var each in OnDataGetObjectsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataGetObjectsRequestEvent -= (PlayFabRequestEvent<DataModels.GetObjectsRequest>)each; } } }
+            if (OnDataGetObjectsResultEvent != null) { foreach (var each in OnDataGetObjectsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataGetObjectsResultEvent -= (PlayFabResultEvent<DataModels.GetObjectsResponse>)each; } } }
+
+            if (OnDataInitiateFileUploadsRequestEvent != null) { foreach (var each in OnDataInitiateFileUploadsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataInitiateFileUploadsRequestEvent -= (PlayFabRequestEvent<DataModels.InitiateFileUploadsRequest>)each; } } }
+            if (OnDataInitiateFileUploadsResultEvent != null) { foreach (var each in OnDataInitiateFileUploadsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataInitiateFileUploadsResultEvent -= (PlayFabResultEvent<DataModels.InitiateFileUploadsResponse>)each; } } }
+
+            if (OnDataSetObjectsRequestEvent != null) { foreach (var each in OnDataSetObjectsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataSetObjectsRequestEvent -= (PlayFabRequestEvent<DataModels.SetObjectsRequest>)each; } } }
+            if (OnDataSetObjectsResultEvent != null) { foreach (var each in OnDataSetObjectsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnDataSetObjectsResultEvent -= (PlayFabResultEvent<DataModels.SetObjectsResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnEventsWriteEventsRequestEvent != null) { foreach (var each in OnEventsWriteEventsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnEventsWriteEventsRequestEvent -= (PlayFabRequestEvent<EventsModels.WriteEventsRequest>)each; } } }
+            if (OnEventsWriteEventsResultEvent != null) { foreach (var each in OnEventsWriteEventsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnEventsWriteEventsResultEvent -= (PlayFabResultEvent<EventsModels.WriteEventsResponse>)each; } } }
+
+            if (OnEventsWriteTelemetryEventsRequestEvent != null) { foreach (var each in OnEventsWriteTelemetryEventsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnEventsWriteTelemetryEventsRequestEvent -= (PlayFabRequestEvent<EventsModels.WriteEventsRequest>)each; } } }
+            if (OnEventsWriteTelemetryEventsResultEvent != null) { foreach (var each in OnEventsWriteTelemetryEventsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnEventsWriteTelemetryEventsResultEvent -= (PlayFabResultEvent<EventsModels.WriteEventsResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnExperimentationCreateExclusionGroupRequestEvent != null) { foreach (var each in OnExperimentationCreateExclusionGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationCreateExclusionGroupRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.CreateExclusionGroupRequest>)each; } } }
+            if (OnExperimentationCreateExclusionGroupResultEvent != null) { foreach (var each in OnExperimentationCreateExclusionGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationCreateExclusionGroupResultEvent -= (PlayFabResultEvent<ExperimentationModels.CreateExclusionGroupResult>)each; } } }
+
+            if (OnExperimentationCreateExperimentRequestEvent != null) { foreach (var each in OnExperimentationCreateExperimentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationCreateExperimentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.CreateExperimentRequest>)each; } } }
+            if (OnExperimentationCreateExperimentResultEvent != null) { foreach (var each in OnExperimentationCreateExperimentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationCreateExperimentResultEvent -= (PlayFabResultEvent<ExperimentationModels.CreateExperimentResult>)each; } } }
+
+            if (OnExperimentationDeleteExclusionGroupRequestEvent != null) { foreach (var each in OnExperimentationDeleteExclusionGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationDeleteExclusionGroupRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.DeleteExclusionGroupRequest>)each; } } }
+            if (OnExperimentationDeleteExclusionGroupResultEvent != null) { foreach (var each in OnExperimentationDeleteExclusionGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationDeleteExclusionGroupResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+            if (OnExperimentationDeleteExperimentRequestEvent != null) { foreach (var each in OnExperimentationDeleteExperimentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationDeleteExperimentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.DeleteExperimentRequest>)each; } } }
+            if (OnExperimentationDeleteExperimentResultEvent != null) { foreach (var each in OnExperimentationDeleteExperimentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationDeleteExperimentResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+            if (OnExperimentationGetExclusionGroupsRequestEvent != null) { foreach (var each in OnExperimentationGetExclusionGroupsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExclusionGroupsRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.GetExclusionGroupsRequest>)each; } } }
+            if (OnExperimentationGetExclusionGroupsResultEvent != null) { foreach (var each in OnExperimentationGetExclusionGroupsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExclusionGroupsResultEvent -= (PlayFabResultEvent<ExperimentationModels.GetExclusionGroupsResult>)each; } } }
+
+            if (OnExperimentationGetExclusionGroupTrafficRequestEvent != null) { foreach (var each in OnExperimentationGetExclusionGroupTrafficRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExclusionGroupTrafficRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.GetExclusionGroupTrafficRequest>)each; } } }
+            if (OnExperimentationGetExclusionGroupTrafficResultEvent != null) { foreach (var each in OnExperimentationGetExclusionGroupTrafficResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExclusionGroupTrafficResultEvent -= (PlayFabResultEvent<ExperimentationModels.GetExclusionGroupTrafficResult>)each; } } }
+
+            if (OnExperimentationGetExperimentsRequestEvent != null) { foreach (var each in OnExperimentationGetExperimentsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExperimentsRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.GetExperimentsRequest>)each; } } }
+            if (OnExperimentationGetExperimentsResultEvent != null) { foreach (var each in OnExperimentationGetExperimentsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetExperimentsResultEvent -= (PlayFabResultEvent<ExperimentationModels.GetExperimentsResult>)each; } } }
+
+            if (OnExperimentationGetLatestScorecardRequestEvent != null) { foreach (var each in OnExperimentationGetLatestScorecardRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetLatestScorecardRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.GetLatestScorecardRequest>)each; } } }
+            if (OnExperimentationGetLatestScorecardResultEvent != null) { foreach (var each in OnExperimentationGetLatestScorecardResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetLatestScorecardResultEvent -= (PlayFabResultEvent<ExperimentationModels.GetLatestScorecardResult>)each; } } }
+
+            if (OnExperimentationGetTreatmentAssignmentRequestEvent != null) { foreach (var each in OnExperimentationGetTreatmentAssignmentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetTreatmentAssignmentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.GetTreatmentAssignmentRequest>)each; } } }
+            if (OnExperimentationGetTreatmentAssignmentResultEvent != null) { foreach (var each in OnExperimentationGetTreatmentAssignmentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationGetTreatmentAssignmentResultEvent -= (PlayFabResultEvent<ExperimentationModels.GetTreatmentAssignmentResult>)each; } } }
+
+            if (OnExperimentationStartExperimentRequestEvent != null) { foreach (var each in OnExperimentationStartExperimentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationStartExperimentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.StartExperimentRequest>)each; } } }
+            if (OnExperimentationStartExperimentResultEvent != null) { foreach (var each in OnExperimentationStartExperimentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationStartExperimentResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+            if (OnExperimentationStopExperimentRequestEvent != null) { foreach (var each in OnExperimentationStopExperimentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationStopExperimentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.StopExperimentRequest>)each; } } }
+            if (OnExperimentationStopExperimentResultEvent != null) { foreach (var each in OnExperimentationStopExperimentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationStopExperimentResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+            if (OnExperimentationUpdateExclusionGroupRequestEvent != null) { foreach (var each in OnExperimentationUpdateExclusionGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationUpdateExclusionGroupRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.UpdateExclusionGroupRequest>)each; } } }
+            if (OnExperimentationUpdateExclusionGroupResultEvent != null) { foreach (var each in OnExperimentationUpdateExclusionGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationUpdateExclusionGroupResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+            if (OnExperimentationUpdateExperimentRequestEvent != null) { foreach (var each in OnExperimentationUpdateExperimentRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationUpdateExperimentRequestEvent -= (PlayFabRequestEvent<ExperimentationModels.UpdateExperimentRequest>)each; } } }
+            if (OnExperimentationUpdateExperimentResultEvent != null) { foreach (var each in OnExperimentationUpdateExperimentResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnExperimentationUpdateExperimentResultEvent -= (PlayFabResultEvent<ExperimentationModels.EmptyResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnInsightsGetDetailsRequestEvent != null) { foreach (var each in OnInsightsGetDetailsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetDetailsRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsEmptyRequest>)each; } } }
+            if (OnInsightsGetDetailsResultEvent != null) { foreach (var each in OnInsightsGetDetailsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetDetailsResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsGetDetailsResponse>)each; } } }
+
+            if (OnInsightsGetLimitsRequestEvent != null) { foreach (var each in OnInsightsGetLimitsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetLimitsRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsEmptyRequest>)each; } } }
+            if (OnInsightsGetLimitsResultEvent != null) { foreach (var each in OnInsightsGetLimitsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetLimitsResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsGetLimitsResponse>)each; } } }
+
+            if (OnInsightsGetOperationStatusRequestEvent != null) { foreach (var each in OnInsightsGetOperationStatusRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetOperationStatusRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsGetOperationStatusRequest>)each; } } }
+            if (OnInsightsGetOperationStatusResultEvent != null) { foreach (var each in OnInsightsGetOperationStatusResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetOperationStatusResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsGetOperationStatusResponse>)each; } } }
+
+            if (OnInsightsGetPendingOperationsRequestEvent != null) { foreach (var each in OnInsightsGetPendingOperationsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetPendingOperationsRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsGetPendingOperationsRequest>)each; } } }
+            if (OnInsightsGetPendingOperationsResultEvent != null) { foreach (var each in OnInsightsGetPendingOperationsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsGetPendingOperationsResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsGetPendingOperationsResponse>)each; } } }
+
+            if (OnInsightsSetPerformanceRequestEvent != null) { foreach (var each in OnInsightsSetPerformanceRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsSetPerformanceRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsSetPerformanceRequest>)each; } } }
+            if (OnInsightsSetPerformanceResultEvent != null) { foreach (var each in OnInsightsSetPerformanceResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsSetPerformanceResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsOperationResponse>)each; } } }
+
+            if (OnInsightsSetStorageRetentionRequestEvent != null) { foreach (var each in OnInsightsSetStorageRetentionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsSetStorageRetentionRequestEvent -= (PlayFabRequestEvent<InsightsModels.InsightsSetStorageRetentionRequest>)each; } } }
+            if (OnInsightsSetStorageRetentionResultEvent != null) { foreach (var each in OnInsightsSetStorageRetentionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnInsightsSetStorageRetentionResultEvent -= (PlayFabResultEvent<InsightsModels.InsightsOperationResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnGroupsAcceptGroupApplicationRequestEvent != null) { foreach (var each in OnGroupsAcceptGroupApplicationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAcceptGroupApplicationRequestEvent -= (PlayFabRequestEvent<GroupsModels.AcceptGroupApplicationRequest>)each; } } }
+            if (OnGroupsAcceptGroupApplicationResultEvent != null) { foreach (var each in OnGroupsAcceptGroupApplicationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAcceptGroupApplicationResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsAcceptGroupInvitationRequestEvent != null) { foreach (var each in OnGroupsAcceptGroupInvitationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAcceptGroupInvitationRequestEvent -= (PlayFabRequestEvent<GroupsModels.AcceptGroupInvitationRequest>)each; } } }
+            if (OnGroupsAcceptGroupInvitationResultEvent != null) { foreach (var each in OnGroupsAcceptGroupInvitationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAcceptGroupInvitationResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsAddMembersRequestEvent != null) { foreach (var each in OnGroupsAddMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAddMembersRequestEvent -= (PlayFabRequestEvent<GroupsModels.AddMembersRequest>)each; } } }
+            if (OnGroupsAddMembersResultEvent != null) { foreach (var each in OnGroupsAddMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsAddMembersResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsApplyToGroupRequestEvent != null) { foreach (var each in OnGroupsApplyToGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsApplyToGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.ApplyToGroupRequest>)each; } } }
+            if (OnGroupsApplyToGroupResultEvent != null) { foreach (var each in OnGroupsApplyToGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsApplyToGroupResultEvent -= (PlayFabResultEvent<GroupsModels.ApplyToGroupResponse>)each; } } }
+
+            if (OnGroupsBlockEntityRequestEvent != null) { foreach (var each in OnGroupsBlockEntityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsBlockEntityRequestEvent -= (PlayFabRequestEvent<GroupsModels.BlockEntityRequest>)each; } } }
+            if (OnGroupsBlockEntityResultEvent != null) { foreach (var each in OnGroupsBlockEntityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsBlockEntityResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsChangeMemberRoleRequestEvent != null) { foreach (var each in OnGroupsChangeMemberRoleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsChangeMemberRoleRequestEvent -= (PlayFabRequestEvent<GroupsModels.ChangeMemberRoleRequest>)each; } } }
+            if (OnGroupsChangeMemberRoleResultEvent != null) { foreach (var each in OnGroupsChangeMemberRoleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsChangeMemberRoleResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsCreateGroupRequestEvent != null) { foreach (var each in OnGroupsCreateGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsCreateGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.CreateGroupRequest>)each; } } }
+            if (OnGroupsCreateGroupResultEvent != null) { foreach (var each in OnGroupsCreateGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsCreateGroupResultEvent -= (PlayFabResultEvent<GroupsModels.CreateGroupResponse>)each; } } }
+
+            if (OnGroupsCreateRoleRequestEvent != null) { foreach (var each in OnGroupsCreateRoleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsCreateRoleRequestEvent -= (PlayFabRequestEvent<GroupsModels.CreateGroupRoleRequest>)each; } } }
+            if (OnGroupsCreateRoleResultEvent != null) { foreach (var each in OnGroupsCreateRoleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsCreateRoleResultEvent -= (PlayFabResultEvent<GroupsModels.CreateGroupRoleResponse>)each; } } }
+
+            if (OnGroupsDeleteGroupRequestEvent != null) { foreach (var each in OnGroupsDeleteGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsDeleteGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.DeleteGroupRequest>)each; } } }
+            if (OnGroupsDeleteGroupResultEvent != null) { foreach (var each in OnGroupsDeleteGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsDeleteGroupResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsDeleteRoleRequestEvent != null) { foreach (var each in OnGroupsDeleteRoleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsDeleteRoleRequestEvent -= (PlayFabRequestEvent<GroupsModels.DeleteRoleRequest>)each; } } }
+            if (OnGroupsDeleteRoleResultEvent != null) { foreach (var each in OnGroupsDeleteRoleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsDeleteRoleResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsGetGroupRequestEvent != null) { foreach (var each in OnGroupsGetGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsGetGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.GetGroupRequest>)each; } } }
+            if (OnGroupsGetGroupResultEvent != null) { foreach (var each in OnGroupsGetGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsGetGroupResultEvent -= (PlayFabResultEvent<GroupsModels.GetGroupResponse>)each; } } }
+
+            if (OnGroupsInviteToGroupRequestEvent != null) { foreach (var each in OnGroupsInviteToGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsInviteToGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.InviteToGroupRequest>)each; } } }
+            if (OnGroupsInviteToGroupResultEvent != null) { foreach (var each in OnGroupsInviteToGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsInviteToGroupResultEvent -= (PlayFabResultEvent<GroupsModels.InviteToGroupResponse>)each; } } }
+
+            if (OnGroupsIsMemberRequestEvent != null) { foreach (var each in OnGroupsIsMemberRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsIsMemberRequestEvent -= (PlayFabRequestEvent<GroupsModels.IsMemberRequest>)each; } } }
+            if (OnGroupsIsMemberResultEvent != null) { foreach (var each in OnGroupsIsMemberResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsIsMemberResultEvent -= (PlayFabResultEvent<GroupsModels.IsMemberResponse>)each; } } }
+
+            if (OnGroupsListGroupApplicationsRequestEvent != null) { foreach (var each in OnGroupsListGroupApplicationsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupApplicationsRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListGroupApplicationsRequest>)each; } } }
+            if (OnGroupsListGroupApplicationsResultEvent != null) { foreach (var each in OnGroupsListGroupApplicationsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupApplicationsResultEvent -= (PlayFabResultEvent<GroupsModels.ListGroupApplicationsResponse>)each; } } }
+
+            if (OnGroupsListGroupBlocksRequestEvent != null) { foreach (var each in OnGroupsListGroupBlocksRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupBlocksRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListGroupBlocksRequest>)each; } } }
+            if (OnGroupsListGroupBlocksResultEvent != null) { foreach (var each in OnGroupsListGroupBlocksResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupBlocksResultEvent -= (PlayFabResultEvent<GroupsModels.ListGroupBlocksResponse>)each; } } }
+
+            if (OnGroupsListGroupInvitationsRequestEvent != null) { foreach (var each in OnGroupsListGroupInvitationsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupInvitationsRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListGroupInvitationsRequest>)each; } } }
+            if (OnGroupsListGroupInvitationsResultEvent != null) { foreach (var each in OnGroupsListGroupInvitationsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupInvitationsResultEvent -= (PlayFabResultEvent<GroupsModels.ListGroupInvitationsResponse>)each; } } }
+
+            if (OnGroupsListGroupMembersRequestEvent != null) { foreach (var each in OnGroupsListGroupMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupMembersRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListGroupMembersRequest>)each; } } }
+            if (OnGroupsListGroupMembersResultEvent != null) { foreach (var each in OnGroupsListGroupMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListGroupMembersResultEvent -= (PlayFabResultEvent<GroupsModels.ListGroupMembersResponse>)each; } } }
+
+            if (OnGroupsListMembershipRequestEvent != null) { foreach (var each in OnGroupsListMembershipRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListMembershipRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListMembershipRequest>)each; } } }
+            if (OnGroupsListMembershipResultEvent != null) { foreach (var each in OnGroupsListMembershipResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListMembershipResultEvent -= (PlayFabResultEvent<GroupsModels.ListMembershipResponse>)each; } } }
+
+            if (OnGroupsListMembershipOpportunitiesRequestEvent != null) { foreach (var each in OnGroupsListMembershipOpportunitiesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListMembershipOpportunitiesRequestEvent -= (PlayFabRequestEvent<GroupsModels.ListMembershipOpportunitiesRequest>)each; } } }
+            if (OnGroupsListMembershipOpportunitiesResultEvent != null) { foreach (var each in OnGroupsListMembershipOpportunitiesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsListMembershipOpportunitiesResultEvent -= (PlayFabResultEvent<GroupsModels.ListMembershipOpportunitiesResponse>)each; } } }
+
+            if (OnGroupsRemoveGroupApplicationRequestEvent != null) { foreach (var each in OnGroupsRemoveGroupApplicationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveGroupApplicationRequestEvent -= (PlayFabRequestEvent<GroupsModels.RemoveGroupApplicationRequest>)each; } } }
+            if (OnGroupsRemoveGroupApplicationResultEvent != null) { foreach (var each in OnGroupsRemoveGroupApplicationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveGroupApplicationResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsRemoveGroupInvitationRequestEvent != null) { foreach (var each in OnGroupsRemoveGroupInvitationRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveGroupInvitationRequestEvent -= (PlayFabRequestEvent<GroupsModels.RemoveGroupInvitationRequest>)each; } } }
+            if (OnGroupsRemoveGroupInvitationResultEvent != null) { foreach (var each in OnGroupsRemoveGroupInvitationResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveGroupInvitationResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsRemoveMembersRequestEvent != null) { foreach (var each in OnGroupsRemoveMembersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveMembersRequestEvent -= (PlayFabRequestEvent<GroupsModels.RemoveMembersRequest>)each; } } }
+            if (OnGroupsRemoveMembersResultEvent != null) { foreach (var each in OnGroupsRemoveMembersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsRemoveMembersResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsUnblockEntityRequestEvent != null) { foreach (var each in OnGroupsUnblockEntityRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUnblockEntityRequestEvent -= (PlayFabRequestEvent<GroupsModels.UnblockEntityRequest>)each; } } }
+            if (OnGroupsUnblockEntityResultEvent != null) { foreach (var each in OnGroupsUnblockEntityResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUnblockEntityResultEvent -= (PlayFabResultEvent<GroupsModels.EmptyResponse>)each; } } }
+
+            if (OnGroupsUpdateGroupRequestEvent != null) { foreach (var each in OnGroupsUpdateGroupRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUpdateGroupRequestEvent -= (PlayFabRequestEvent<GroupsModels.UpdateGroupRequest>)each; } } }
+            if (OnGroupsUpdateGroupResultEvent != null) { foreach (var each in OnGroupsUpdateGroupResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUpdateGroupResultEvent -= (PlayFabResultEvent<GroupsModels.UpdateGroupResponse>)each; } } }
+
+            if (OnGroupsUpdateRoleRequestEvent != null) { foreach (var each in OnGroupsUpdateRoleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUpdateRoleRequestEvent -= (PlayFabRequestEvent<GroupsModels.UpdateGroupRoleRequest>)each; } } }
+            if (OnGroupsUpdateRoleResultEvent != null) { foreach (var each in OnGroupsUpdateRoleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnGroupsUpdateRoleResultEvent -= (PlayFabResultEvent<GroupsModels.UpdateGroupRoleResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnLocalizationGetLanguageListRequestEvent != null) { foreach (var each in OnLocalizationGetLanguageListRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLocalizationGetLanguageListRequestEvent -= (PlayFabRequestEvent<LocalizationModels.GetLanguageListRequest>)each; } } }
+            if (OnLocalizationGetLanguageListResultEvent != null) { foreach (var each in OnLocalizationGetLanguageListResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnLocalizationGetLanguageListResultEvent -= (PlayFabResultEvent<LocalizationModels.GetLanguageListResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent != null) { foreach (var each in OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CancelAllMatchmakingTicketsForPlayerRequest>)each; } } }
+            if (OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent != null) { foreach (var each in OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent -= (PlayFabResultEvent<MultiplayerModels.CancelAllMatchmakingTicketsForPlayerResult>)each; } } }
+
+            if (OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent != null) { foreach (var each in OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CancelAllServerBackfillTicketsForPlayerRequest>)each; } } }
+            if (OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent != null) { foreach (var each in OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent -= (PlayFabResultEvent<MultiplayerModels.CancelAllServerBackfillTicketsForPlayerResult>)each; } } }
+
+            if (OnMultiplayerCancelMatchmakingTicketRequestEvent != null) { foreach (var each in OnMultiplayerCancelMatchmakingTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelMatchmakingTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CancelMatchmakingTicketRequest>)each; } } }
+            if (OnMultiplayerCancelMatchmakingTicketResultEvent != null) { foreach (var each in OnMultiplayerCancelMatchmakingTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelMatchmakingTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.CancelMatchmakingTicketResult>)each; } } }
+
+            if (OnMultiplayerCancelServerBackfillTicketRequestEvent != null) { foreach (var each in OnMultiplayerCancelServerBackfillTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelServerBackfillTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CancelServerBackfillTicketRequest>)each; } } }
+            if (OnMultiplayerCancelServerBackfillTicketResultEvent != null) { foreach (var each in OnMultiplayerCancelServerBackfillTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCancelServerBackfillTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.CancelServerBackfillTicketResult>)each; } } }
+
+            if (OnMultiplayerCreateBuildAliasRequestEvent != null) { foreach (var each in OnMultiplayerCreateBuildAliasRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildAliasRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateBuildAliasRequest>)each; } } }
+            if (OnMultiplayerCreateBuildAliasResultEvent != null) { foreach (var each in OnMultiplayerCreateBuildAliasResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildAliasResultEvent -= (PlayFabResultEvent<MultiplayerModels.BuildAliasDetailsResponse>)each; } } }
+
+            if (OnMultiplayerCreateBuildWithCustomContainerRequestEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithCustomContainerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithCustomContainerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateBuildWithCustomContainerRequest>)each; } } }
+            if (OnMultiplayerCreateBuildWithCustomContainerResultEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithCustomContainerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithCustomContainerResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateBuildWithCustomContainerResponse>)each; } } }
+
+            if (OnMultiplayerCreateBuildWithManagedContainerRequestEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithManagedContainerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithManagedContainerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateBuildWithManagedContainerRequest>)each; } } }
+            if (OnMultiplayerCreateBuildWithManagedContainerResultEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithManagedContainerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithManagedContainerResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateBuildWithManagedContainerResponse>)each; } } }
+
+            if (OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateBuildWithProcessBasedServerRequest>)each; } } }
+            if (OnMultiplayerCreateBuildWithProcessBasedServerResultEvent != null) { foreach (var each in OnMultiplayerCreateBuildWithProcessBasedServerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateBuildWithProcessBasedServerResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateBuildWithProcessBasedServerResponse>)each; } } }
+
+            if (OnMultiplayerCreateMatchmakingTicketRequestEvent != null) { foreach (var each in OnMultiplayerCreateMatchmakingTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateMatchmakingTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateMatchmakingTicketRequest>)each; } } }
+            if (OnMultiplayerCreateMatchmakingTicketResultEvent != null) { foreach (var each in OnMultiplayerCreateMatchmakingTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateMatchmakingTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateMatchmakingTicketResult>)each; } } }
+
+            if (OnMultiplayerCreateRemoteUserRequestEvent != null) { foreach (var each in OnMultiplayerCreateRemoteUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateRemoteUserRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateRemoteUserRequest>)each; } } }
+            if (OnMultiplayerCreateRemoteUserResultEvent != null) { foreach (var each in OnMultiplayerCreateRemoteUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateRemoteUserResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateRemoteUserResponse>)each; } } }
+
+            if (OnMultiplayerCreateServerBackfillTicketRequestEvent != null) { foreach (var each in OnMultiplayerCreateServerBackfillTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateServerBackfillTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateServerBackfillTicketRequest>)each; } } }
+            if (OnMultiplayerCreateServerBackfillTicketResultEvent != null) { foreach (var each in OnMultiplayerCreateServerBackfillTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateServerBackfillTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateServerBackfillTicketResult>)each; } } }
+
+            if (OnMultiplayerCreateServerMatchmakingTicketRequestEvent != null) { foreach (var each in OnMultiplayerCreateServerMatchmakingTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateServerMatchmakingTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateServerMatchmakingTicketRequest>)each; } } }
+            if (OnMultiplayerCreateServerMatchmakingTicketResultEvent != null) { foreach (var each in OnMultiplayerCreateServerMatchmakingTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateServerMatchmakingTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateMatchmakingTicketResult>)each; } } }
+
+            if (OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent != null) { foreach (var each in OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeRequest>)each; } } }
+            if (OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent != null) { foreach (var each in OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent -= (PlayFabResultEvent<MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeResponse>)each; } } }
+
+            if (OnMultiplayerDeleteAssetRequestEvent != null) { foreach (var each in OnMultiplayerDeleteAssetRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteAssetRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteAssetRequest>)each; } } }
+            if (OnMultiplayerDeleteAssetResultEvent != null) { foreach (var each in OnMultiplayerDeleteAssetResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteAssetResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteBuildRequestEvent != null) { foreach (var each in OnMultiplayerDeleteBuildRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteBuildRequest>)each; } } }
+            if (OnMultiplayerDeleteBuildResultEvent != null) { foreach (var each in OnMultiplayerDeleteBuildResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteBuildAliasRequestEvent != null) { foreach (var each in OnMultiplayerDeleteBuildAliasRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildAliasRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteBuildAliasRequest>)each; } } }
+            if (OnMultiplayerDeleteBuildAliasResultEvent != null) { foreach (var each in OnMultiplayerDeleteBuildAliasResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildAliasResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteBuildRegionRequestEvent != null) { foreach (var each in OnMultiplayerDeleteBuildRegionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildRegionRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteBuildRegionRequest>)each; } } }
+            if (OnMultiplayerDeleteBuildRegionResultEvent != null) { foreach (var each in OnMultiplayerDeleteBuildRegionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteBuildRegionResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteCertificateRequestEvent != null) { foreach (var each in OnMultiplayerDeleteCertificateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteCertificateRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteCertificateRequest>)each; } } }
+            if (OnMultiplayerDeleteCertificateResultEvent != null) { foreach (var each in OnMultiplayerDeleteCertificateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteCertificateResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteContainerImageRepositoryRequestEvent != null) { foreach (var each in OnMultiplayerDeleteContainerImageRepositoryRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteContainerImageRepositoryRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteContainerImageRequest>)each; } } }
+            if (OnMultiplayerDeleteContainerImageRepositoryResultEvent != null) { foreach (var each in OnMultiplayerDeleteContainerImageRepositoryResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteContainerImageRepositoryResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerDeleteRemoteUserRequestEvent != null) { foreach (var each in OnMultiplayerDeleteRemoteUserRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteRemoteUserRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.DeleteRemoteUserRequest>)each; } } }
+            if (OnMultiplayerDeleteRemoteUserResultEvent != null) { foreach (var each in OnMultiplayerDeleteRemoteUserResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerDeleteRemoteUserResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerEnableMultiplayerServersForTitleRequestEvent != null) { foreach (var each in OnMultiplayerEnableMultiplayerServersForTitleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerEnableMultiplayerServersForTitleRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.EnableMultiplayerServersForTitleRequest>)each; } } }
+            if (OnMultiplayerEnableMultiplayerServersForTitleResultEvent != null) { foreach (var each in OnMultiplayerEnableMultiplayerServersForTitleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerEnableMultiplayerServersForTitleResultEvent -= (PlayFabResultEvent<MultiplayerModels.EnableMultiplayerServersForTitleResponse>)each; } } }
+
+            if (OnMultiplayerGetAssetDownloadUrlRequestEvent != null) { foreach (var each in OnMultiplayerGetAssetDownloadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetAssetDownloadUrlRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetAssetDownloadUrlRequest>)each; } } }
+            if (OnMultiplayerGetAssetDownloadUrlResultEvent != null) { foreach (var each in OnMultiplayerGetAssetDownloadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetAssetDownloadUrlResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetAssetDownloadUrlResponse>)each; } } }
+
+            if (OnMultiplayerGetAssetUploadUrlRequestEvent != null) { foreach (var each in OnMultiplayerGetAssetUploadUrlRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetAssetUploadUrlRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetAssetUploadUrlRequest>)each; } } }
+            if (OnMultiplayerGetAssetUploadUrlResultEvent != null) { foreach (var each in OnMultiplayerGetAssetUploadUrlResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetAssetUploadUrlResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetAssetUploadUrlResponse>)each; } } }
+
+            if (OnMultiplayerGetBuildRequestEvent != null) { foreach (var each in OnMultiplayerGetBuildRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetBuildRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetBuildRequest>)each; } } }
+            if (OnMultiplayerGetBuildResultEvent != null) { foreach (var each in OnMultiplayerGetBuildResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetBuildResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetBuildResponse>)each; } } }
+
+            if (OnMultiplayerGetBuildAliasRequestEvent != null) { foreach (var each in OnMultiplayerGetBuildAliasRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetBuildAliasRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetBuildAliasRequest>)each; } } }
+            if (OnMultiplayerGetBuildAliasResultEvent != null) { foreach (var each in OnMultiplayerGetBuildAliasResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetBuildAliasResultEvent -= (PlayFabResultEvent<MultiplayerModels.BuildAliasDetailsResponse>)each; } } }
+
+            if (OnMultiplayerGetContainerRegistryCredentialsRequestEvent != null) { foreach (var each in OnMultiplayerGetContainerRegistryCredentialsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetContainerRegistryCredentialsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetContainerRegistryCredentialsRequest>)each; } } }
+            if (OnMultiplayerGetContainerRegistryCredentialsResultEvent != null) { foreach (var each in OnMultiplayerGetContainerRegistryCredentialsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetContainerRegistryCredentialsResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetContainerRegistryCredentialsResponse>)each; } } }
+
+            if (OnMultiplayerGetMatchRequestEvent != null) { foreach (var each in OnMultiplayerGetMatchRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMatchRequest>)each; } } }
+            if (OnMultiplayerGetMatchResultEvent != null) { foreach (var each in OnMultiplayerGetMatchResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMatchResult>)each; } } }
+
+            if (OnMultiplayerGetMatchmakingQueueRequestEvent != null) { foreach (var each in OnMultiplayerGetMatchmakingQueueRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchmakingQueueRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMatchmakingQueueRequest>)each; } } }
+            if (OnMultiplayerGetMatchmakingQueueResultEvent != null) { foreach (var each in OnMultiplayerGetMatchmakingQueueResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchmakingQueueResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMatchmakingQueueResult>)each; } } }
+
+            if (OnMultiplayerGetMatchmakingTicketRequestEvent != null) { foreach (var each in OnMultiplayerGetMatchmakingTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchmakingTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMatchmakingTicketRequest>)each; } } }
+            if (OnMultiplayerGetMatchmakingTicketResultEvent != null) { foreach (var each in OnMultiplayerGetMatchmakingTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMatchmakingTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMatchmakingTicketResult>)each; } } }
+
+            if (OnMultiplayerGetMultiplayerServerDetailsRequestEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerServerDetailsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerServerDetailsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMultiplayerServerDetailsRequest>)each; } } }
+            if (OnMultiplayerGetMultiplayerServerDetailsResultEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerServerDetailsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerServerDetailsResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMultiplayerServerDetailsResponse>)each; } } }
+
+            if (OnMultiplayerGetMultiplayerServerLogsRequestEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerServerLogsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerServerLogsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMultiplayerServerLogsRequest>)each; } } }
+            if (OnMultiplayerGetMultiplayerServerLogsResultEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerServerLogsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerServerLogsResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMultiplayerServerLogsResponse>)each; } } }
+
+            if (OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetMultiplayerSessionLogsBySessionIdRequest>)each; } } }
+            if (OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent != null) { foreach (var each in OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetMultiplayerServerLogsResponse>)each; } } }
+
+            if (OnMultiplayerGetQueueStatisticsRequestEvent != null) { foreach (var each in OnMultiplayerGetQueueStatisticsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetQueueStatisticsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetQueueStatisticsRequest>)each; } } }
+            if (OnMultiplayerGetQueueStatisticsResultEvent != null) { foreach (var each in OnMultiplayerGetQueueStatisticsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetQueueStatisticsResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetQueueStatisticsResult>)each; } } }
+
+            if (OnMultiplayerGetRemoteLoginEndpointRequestEvent != null) { foreach (var each in OnMultiplayerGetRemoteLoginEndpointRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetRemoteLoginEndpointRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetRemoteLoginEndpointRequest>)each; } } }
+            if (OnMultiplayerGetRemoteLoginEndpointResultEvent != null) { foreach (var each in OnMultiplayerGetRemoteLoginEndpointResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetRemoteLoginEndpointResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetRemoteLoginEndpointResponse>)each; } } }
+
+            if (OnMultiplayerGetServerBackfillTicketRequestEvent != null) { foreach (var each in OnMultiplayerGetServerBackfillTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetServerBackfillTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetServerBackfillTicketRequest>)each; } } }
+            if (OnMultiplayerGetServerBackfillTicketResultEvent != null) { foreach (var each in OnMultiplayerGetServerBackfillTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetServerBackfillTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetServerBackfillTicketResult>)each; } } }
+
+            if (OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent != null) { foreach (var each in OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusRequest>)each; } } }
+            if (OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent != null) { foreach (var each in OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusResponse>)each; } } }
+
+            if (OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent != null) { foreach (var each in OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetTitleMultiplayerServersQuotaChangeRequest>)each; } } }
+            if (OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent != null) { foreach (var each in OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetTitleMultiplayerServersQuotaChangeResponse>)each; } } }
+
+            if (OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent != null) { foreach (var each in OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.GetTitleMultiplayerServersQuotasRequest>)each; } } }
+            if (OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent != null) { foreach (var each in OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent -= (PlayFabResultEvent<MultiplayerModels.GetTitleMultiplayerServersQuotasResponse>)each; } } }
+
+            if (OnMultiplayerJoinMatchmakingTicketRequestEvent != null) { foreach (var each in OnMultiplayerJoinMatchmakingTicketRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerJoinMatchmakingTicketRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.JoinMatchmakingTicketRequest>)each; } } }
+            if (OnMultiplayerJoinMatchmakingTicketResultEvent != null) { foreach (var each in OnMultiplayerJoinMatchmakingTicketResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerJoinMatchmakingTicketResultEvent -= (PlayFabResultEvent<MultiplayerModels.JoinMatchmakingTicketResult>)each; } } }
+
+            if (OnMultiplayerListArchivedMultiplayerServersRequestEvent != null) { foreach (var each in OnMultiplayerListArchivedMultiplayerServersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListArchivedMultiplayerServersRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListMultiplayerServersRequest>)each; } } }
+            if (OnMultiplayerListArchivedMultiplayerServersResultEvent != null) { foreach (var each in OnMultiplayerListArchivedMultiplayerServersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListArchivedMultiplayerServersResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListMultiplayerServersResponse>)each; } } }
+
+            if (OnMultiplayerListAssetSummariesRequestEvent != null) { foreach (var each in OnMultiplayerListAssetSummariesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListAssetSummariesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListAssetSummariesRequest>)each; } } }
+            if (OnMultiplayerListAssetSummariesResultEvent != null) { foreach (var each in OnMultiplayerListAssetSummariesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListAssetSummariesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListAssetSummariesResponse>)each; } } }
+
+            if (OnMultiplayerListBuildAliasesRequestEvent != null) { foreach (var each in OnMultiplayerListBuildAliasesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListBuildAliasesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListBuildAliasesRequest>)each; } } }
+            if (OnMultiplayerListBuildAliasesResultEvent != null) { foreach (var each in OnMultiplayerListBuildAliasesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListBuildAliasesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListBuildAliasesResponse>)each; } } }
+
+            if (OnMultiplayerListBuildSummariesV2RequestEvent != null) { foreach (var each in OnMultiplayerListBuildSummariesV2RequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListBuildSummariesV2RequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListBuildSummariesRequest>)each; } } }
+            if (OnMultiplayerListBuildSummariesV2ResultEvent != null) { foreach (var each in OnMultiplayerListBuildSummariesV2ResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListBuildSummariesV2ResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListBuildSummariesResponse>)each; } } }
+
+            if (OnMultiplayerListCertificateSummariesRequestEvent != null) { foreach (var each in OnMultiplayerListCertificateSummariesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListCertificateSummariesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListCertificateSummariesRequest>)each; } } }
+            if (OnMultiplayerListCertificateSummariesResultEvent != null) { foreach (var each in OnMultiplayerListCertificateSummariesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListCertificateSummariesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListCertificateSummariesResponse>)each; } } }
+
+            if (OnMultiplayerListContainerImagesRequestEvent != null) { foreach (var each in OnMultiplayerListContainerImagesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListContainerImagesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListContainerImagesRequest>)each; } } }
+            if (OnMultiplayerListContainerImagesResultEvent != null) { foreach (var each in OnMultiplayerListContainerImagesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListContainerImagesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListContainerImagesResponse>)each; } } }
+
+            if (OnMultiplayerListContainerImageTagsRequestEvent != null) { foreach (var each in OnMultiplayerListContainerImageTagsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListContainerImageTagsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListContainerImageTagsRequest>)each; } } }
+            if (OnMultiplayerListContainerImageTagsResultEvent != null) { foreach (var each in OnMultiplayerListContainerImageTagsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListContainerImageTagsResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListContainerImageTagsResponse>)each; } } }
+
+            if (OnMultiplayerListMatchmakingQueuesRequestEvent != null) { foreach (var each in OnMultiplayerListMatchmakingQueuesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMatchmakingQueuesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListMatchmakingQueuesRequest>)each; } } }
+            if (OnMultiplayerListMatchmakingQueuesResultEvent != null) { foreach (var each in OnMultiplayerListMatchmakingQueuesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMatchmakingQueuesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListMatchmakingQueuesResult>)each; } } }
+
+            if (OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent != null) { foreach (var each in OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListMatchmakingTicketsForPlayerRequest>)each; } } }
+            if (OnMultiplayerListMatchmakingTicketsForPlayerResultEvent != null) { foreach (var each in OnMultiplayerListMatchmakingTicketsForPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMatchmakingTicketsForPlayerResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListMatchmakingTicketsForPlayerResult>)each; } } }
+
+            if (OnMultiplayerListMultiplayerServersRequestEvent != null) { foreach (var each in OnMultiplayerListMultiplayerServersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMultiplayerServersRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListMultiplayerServersRequest>)each; } } }
+            if (OnMultiplayerListMultiplayerServersResultEvent != null) { foreach (var each in OnMultiplayerListMultiplayerServersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListMultiplayerServersResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListMultiplayerServersResponse>)each; } } }
+
+            if (OnMultiplayerListPartyQosServersRequestEvent != null) { foreach (var each in OnMultiplayerListPartyQosServersRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListPartyQosServersRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListPartyQosServersRequest>)each; } } }
+            if (OnMultiplayerListPartyQosServersResultEvent != null) { foreach (var each in OnMultiplayerListPartyQosServersResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListPartyQosServersResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListPartyQosServersResponse>)each; } } }
+
+            if (OnMultiplayerListQosServersForTitleRequestEvent != null) { foreach (var each in OnMultiplayerListQosServersForTitleRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListQosServersForTitleRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListQosServersForTitleRequest>)each; } } }
+            if (OnMultiplayerListQosServersForTitleResultEvent != null) { foreach (var each in OnMultiplayerListQosServersForTitleResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListQosServersForTitleResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListQosServersForTitleResponse>)each; } } }
+
+            if (OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent != null) { foreach (var each in OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListServerBackfillTicketsForPlayerRequest>)each; } } }
+            if (OnMultiplayerListServerBackfillTicketsForPlayerResultEvent != null) { foreach (var each in OnMultiplayerListServerBackfillTicketsForPlayerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListServerBackfillTicketsForPlayerResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListServerBackfillTicketsForPlayerResult>)each; } } }
+
+            if (OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent != null) { foreach (var each in OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListTitleMultiplayerServersQuotaChangesRequest>)each; } } }
+            if (OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent != null) { foreach (var each in OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListTitleMultiplayerServersQuotaChangesResponse>)each; } } }
+
+            if (OnMultiplayerListVirtualMachineSummariesRequestEvent != null) { foreach (var each in OnMultiplayerListVirtualMachineSummariesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListVirtualMachineSummariesRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ListVirtualMachineSummariesRequest>)each; } } }
+            if (OnMultiplayerListVirtualMachineSummariesResultEvent != null) { foreach (var each in OnMultiplayerListVirtualMachineSummariesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerListVirtualMachineSummariesResultEvent -= (PlayFabResultEvent<MultiplayerModels.ListVirtualMachineSummariesResponse>)each; } } }
+
+            if (OnMultiplayerRemoveMatchmakingQueueRequestEvent != null) { foreach (var each in OnMultiplayerRemoveMatchmakingQueueRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRemoveMatchmakingQueueRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.RemoveMatchmakingQueueRequest>)each; } } }
+            if (OnMultiplayerRemoveMatchmakingQueueResultEvent != null) { foreach (var each in OnMultiplayerRemoveMatchmakingQueueResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRemoveMatchmakingQueueResultEvent -= (PlayFabResultEvent<MultiplayerModels.RemoveMatchmakingQueueResult>)each; } } }
+
+            if (OnMultiplayerRequestMultiplayerServerRequestEvent != null) { foreach (var each in OnMultiplayerRequestMultiplayerServerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRequestMultiplayerServerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.RequestMultiplayerServerRequest>)each; } } }
+            if (OnMultiplayerRequestMultiplayerServerResultEvent != null) { foreach (var each in OnMultiplayerRequestMultiplayerServerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRequestMultiplayerServerResultEvent -= (PlayFabResultEvent<MultiplayerModels.RequestMultiplayerServerResponse>)each; } } }
+
+            if (OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent != null) { foreach (var each in OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.RolloverContainerRegistryCredentialsRequest>)each; } } }
+            if (OnMultiplayerRolloverContainerRegistryCredentialsResultEvent != null) { foreach (var each in OnMultiplayerRolloverContainerRegistryCredentialsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerRolloverContainerRegistryCredentialsResultEvent -= (PlayFabResultEvent<MultiplayerModels.RolloverContainerRegistryCredentialsResponse>)each; } } }
+
+            if (OnMultiplayerSetMatchmakingQueueRequestEvent != null) { foreach (var each in OnMultiplayerSetMatchmakingQueueRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerSetMatchmakingQueueRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.SetMatchmakingQueueRequest>)each; } } }
+            if (OnMultiplayerSetMatchmakingQueueResultEvent != null) { foreach (var each in OnMultiplayerSetMatchmakingQueueResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerSetMatchmakingQueueResultEvent -= (PlayFabResultEvent<MultiplayerModels.SetMatchmakingQueueResult>)each; } } }
+
+            if (OnMultiplayerShutdownMultiplayerServerRequestEvent != null) { foreach (var each in OnMultiplayerShutdownMultiplayerServerRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerShutdownMultiplayerServerRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.ShutdownMultiplayerServerRequest>)each; } } }
+            if (OnMultiplayerShutdownMultiplayerServerResultEvent != null) { foreach (var each in OnMultiplayerShutdownMultiplayerServerResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerShutdownMultiplayerServerResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerUntagContainerImageRequestEvent != null) { foreach (var each in OnMultiplayerUntagContainerImageRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUntagContainerImageRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UntagContainerImageRequest>)each; } } }
+            if (OnMultiplayerUntagContainerImageResultEvent != null) { foreach (var each in OnMultiplayerUntagContainerImageResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUntagContainerImageResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerUpdateBuildAliasRequestEvent != null) { foreach (var each in OnMultiplayerUpdateBuildAliasRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildAliasRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UpdateBuildAliasRequest>)each; } } }
+            if (OnMultiplayerUpdateBuildAliasResultEvent != null) { foreach (var each in OnMultiplayerUpdateBuildAliasResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildAliasResultEvent -= (PlayFabResultEvent<MultiplayerModels.BuildAliasDetailsResponse>)each; } } }
+
+            if (OnMultiplayerUpdateBuildNameRequestEvent != null) { foreach (var each in OnMultiplayerUpdateBuildNameRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildNameRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UpdateBuildNameRequest>)each; } } }
+            if (OnMultiplayerUpdateBuildNameResultEvent != null) { foreach (var each in OnMultiplayerUpdateBuildNameResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildNameResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerUpdateBuildRegionRequestEvent != null) { foreach (var each in OnMultiplayerUpdateBuildRegionRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildRegionRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UpdateBuildRegionRequest>)each; } } }
+            if (OnMultiplayerUpdateBuildRegionResultEvent != null) { foreach (var each in OnMultiplayerUpdateBuildRegionResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildRegionResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerUpdateBuildRegionsRequestEvent != null) { foreach (var each in OnMultiplayerUpdateBuildRegionsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildRegionsRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UpdateBuildRegionsRequest>)each; } } }
+            if (OnMultiplayerUpdateBuildRegionsResultEvent != null) { foreach (var each in OnMultiplayerUpdateBuildRegionsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUpdateBuildRegionsResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+            if (OnMultiplayerUploadCertificateRequestEvent != null) { foreach (var each in OnMultiplayerUploadCertificateRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUploadCertificateRequestEvent -= (PlayFabRequestEvent<MultiplayerModels.UploadCertificateRequest>)each; } } }
+            if (OnMultiplayerUploadCertificateResultEvent != null) { foreach (var each in OnMultiplayerUploadCertificateResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnMultiplayerUploadCertificateResultEvent -= (PlayFabResultEvent<MultiplayerModels.EmptyResponse>)each; } } }
+
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+            if (OnProfilesGetGlobalPolicyRequestEvent != null) { foreach (var each in OnProfilesGetGlobalPolicyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetGlobalPolicyRequestEvent -= (PlayFabRequestEvent<ProfilesModels.GetGlobalPolicyRequest>)each; } } }
+            if (OnProfilesGetGlobalPolicyResultEvent != null) { foreach (var each in OnProfilesGetGlobalPolicyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetGlobalPolicyResultEvent -= (PlayFabResultEvent<ProfilesModels.GetGlobalPolicyResponse>)each; } } }
+
+            if (OnProfilesGetProfileRequestEvent != null) { foreach (var each in OnProfilesGetProfileRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetProfileRequestEvent -= (PlayFabRequestEvent<ProfilesModels.GetEntityProfileRequest>)each; } } }
+            if (OnProfilesGetProfileResultEvent != null) { foreach (var each in OnProfilesGetProfileResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetProfileResultEvent -= (PlayFabResultEvent<ProfilesModels.GetEntityProfileResponse>)each; } } }
+
+            if (OnProfilesGetProfilesRequestEvent != null) { foreach (var each in OnProfilesGetProfilesRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetProfilesRequestEvent -= (PlayFabRequestEvent<ProfilesModels.GetEntityProfilesRequest>)each; } } }
+            if (OnProfilesGetProfilesResultEvent != null) { foreach (var each in OnProfilesGetProfilesResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetProfilesResultEvent -= (PlayFabResultEvent<ProfilesModels.GetEntityProfilesResponse>)each; } } }
+
+            if (OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent != null) { foreach (var each in OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent -= (PlayFabRequestEvent<ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsRequest>)each; } } }
+            if (OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent != null) { foreach (var each in OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent -= (PlayFabResultEvent<ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsResponse>)each; } } }
+
+            if (OnProfilesSetGlobalPolicyRequestEvent != null) { foreach (var each in OnProfilesSetGlobalPolicyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetGlobalPolicyRequestEvent -= (PlayFabRequestEvent<ProfilesModels.SetGlobalPolicyRequest>)each; } } }
+            if (OnProfilesSetGlobalPolicyResultEvent != null) { foreach (var each in OnProfilesSetGlobalPolicyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetGlobalPolicyResultEvent -= (PlayFabResultEvent<ProfilesModels.SetGlobalPolicyResponse>)each; } } }
+
+            if (OnProfilesSetProfileLanguageRequestEvent != null) { foreach (var each in OnProfilesSetProfileLanguageRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetProfileLanguageRequestEvent -= (PlayFabRequestEvent<ProfilesModels.SetProfileLanguageRequest>)each; } } }
+            if (OnProfilesSetProfileLanguageResultEvent != null) { foreach (var each in OnProfilesSetProfileLanguageResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetProfileLanguageResultEvent -= (PlayFabResultEvent<ProfilesModels.SetProfileLanguageResponse>)each; } } }
+
+            if (OnProfilesSetProfilePolicyRequestEvent != null) { foreach (var each in OnProfilesSetProfilePolicyRequestEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetProfilePolicyRequestEvent -= (PlayFabRequestEvent<ProfilesModels.SetEntityProfilePolicyRequest>)each; } } }
+            if (OnProfilesSetProfilePolicyResultEvent != null) { foreach (var each in OnProfilesSetProfilePolicyResultEvent.GetInvocationList()) { if (ReferenceEquals(each.Target, instance)) { OnProfilesSetProfilePolicyResultEvent -= (PlayFabResultEvent<ProfilesModels.SetEntityProfilePolicyResponse>)each; } } }
+
+#endif
+
+        }
+
+        private void OnProcessingErrorEvent(PlayFabRequestCommon request, PlayFabError error)
+        {
+            //This just forwards the event.
+            if (_instance.OnGlobalErrorEvent != null)
+            {
+                _instance.OnGlobalErrorEvent(request, error);
+            }
+        }
+
+        private void OnProcessingEvent(ApiProcessingEventArgs e)
+        {
+
+            if (e.EventType == ApiProcessingEventType.Pre)
+            {
+                var type = e.Request.GetType();
+#if ENABLE_PLAYFABADMIN_API
+                if (type == typeof(AdminModels.AbortTaskInstanceRequest)) { if (_instance.OnAdminAbortTaskInstanceRequestEvent != null) { _instance.OnAdminAbortTaskInstanceRequestEvent((AdminModels.AbortTaskInstanceRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddLocalizedNewsRequest)) { if (_instance.OnAdminAddLocalizedNewsRequestEvent != null) { _instance.OnAdminAddLocalizedNewsRequestEvent((AdminModels.AddLocalizedNewsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddNewsRequest)) { if (_instance.OnAdminAddNewsRequestEvent != null) { _instance.OnAdminAddNewsRequestEvent((AdminModels.AddNewsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddPlayerTagRequest)) { if (_instance.OnAdminAddPlayerTagRequestEvent != null) { _instance.OnAdminAddPlayerTagRequestEvent((AdminModels.AddPlayerTagRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddServerBuildRequest)) { if (_instance.OnAdminAddServerBuildRequestEvent != null) { _instance.OnAdminAddServerBuildRequestEvent((AdminModels.AddServerBuildRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddUserVirtualCurrencyRequest)) { if (_instance.OnAdminAddUserVirtualCurrencyRequestEvent != null) { _instance.OnAdminAddUserVirtualCurrencyRequestEvent((AdminModels.AddUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.AddVirtualCurrencyTypesRequest)) { if (_instance.OnAdminAddVirtualCurrencyTypesRequestEvent != null) { _instance.OnAdminAddVirtualCurrencyTypesRequestEvent((AdminModels.AddVirtualCurrencyTypesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.BanUsersRequest)) { if (_instance.OnAdminBanUsersRequestEvent != null) { _instance.OnAdminBanUsersRequestEvent((AdminModels.BanUsersRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CheckLimitedEditionItemAvailabilityRequest)) { if (_instance.OnAdminCheckLimitedEditionItemAvailabilityRequestEvent != null) { _instance.OnAdminCheckLimitedEditionItemAvailabilityRequestEvent((AdminModels.CheckLimitedEditionItemAvailabilityRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreateActionsOnPlayerSegmentTaskRequest)) { if (_instance.OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent != null) { _instance.OnAdminCreateActionsOnPlayersInSegmentTaskRequestEvent((AdminModels.CreateActionsOnPlayerSegmentTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreateCloudScriptTaskRequest)) { if (_instance.OnAdminCreateCloudScriptTaskRequestEvent != null) { _instance.OnAdminCreateCloudScriptTaskRequestEvent((AdminModels.CreateCloudScriptTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreateInsightsScheduledScalingTaskRequest)) { if (_instance.OnAdminCreateInsightsScheduledScalingTaskRequestEvent != null) { _instance.OnAdminCreateInsightsScheduledScalingTaskRequestEvent((AdminModels.CreateInsightsScheduledScalingTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreateOpenIdConnectionRequest)) { if (_instance.OnAdminCreateOpenIdConnectionRequestEvent != null) { _instance.OnAdminCreateOpenIdConnectionRequestEvent((AdminModels.CreateOpenIdConnectionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreatePlayerSharedSecretRequest)) { if (_instance.OnAdminCreatePlayerSharedSecretRequestEvent != null) { _instance.OnAdminCreatePlayerSharedSecretRequestEvent((AdminModels.CreatePlayerSharedSecretRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreatePlayerStatisticDefinitionRequest)) { if (_instance.OnAdminCreatePlayerStatisticDefinitionRequestEvent != null) { _instance.OnAdminCreatePlayerStatisticDefinitionRequestEvent((AdminModels.CreatePlayerStatisticDefinitionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.CreateSegmentRequest)) { if (_instance.OnAdminCreateSegmentRequestEvent != null) { _instance.OnAdminCreateSegmentRequestEvent((AdminModels.CreateSegmentRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteContentRequest)) { if (_instance.OnAdminDeleteContentRequestEvent != null) { _instance.OnAdminDeleteContentRequestEvent((AdminModels.DeleteContentRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteMasterPlayerAccountRequest)) { if (_instance.OnAdminDeleteMasterPlayerAccountRequestEvent != null) { _instance.OnAdminDeleteMasterPlayerAccountRequestEvent((AdminModels.DeleteMasterPlayerAccountRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteOpenIdConnectionRequest)) { if (_instance.OnAdminDeleteOpenIdConnectionRequestEvent != null) { _instance.OnAdminDeleteOpenIdConnectionRequestEvent((AdminModels.DeleteOpenIdConnectionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeletePlayerRequest)) { if (_instance.OnAdminDeletePlayerRequestEvent != null) { _instance.OnAdminDeletePlayerRequestEvent((AdminModels.DeletePlayerRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeletePlayerSharedSecretRequest)) { if (_instance.OnAdminDeletePlayerSharedSecretRequestEvent != null) { _instance.OnAdminDeletePlayerSharedSecretRequestEvent((AdminModels.DeletePlayerSharedSecretRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteSegmentRequest)) { if (_instance.OnAdminDeleteSegmentRequestEvent != null) { _instance.OnAdminDeleteSegmentRequestEvent((AdminModels.DeleteSegmentRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteStoreRequest)) { if (_instance.OnAdminDeleteStoreRequestEvent != null) { _instance.OnAdminDeleteStoreRequestEvent((AdminModels.DeleteStoreRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteTaskRequest)) { if (_instance.OnAdminDeleteTaskRequestEvent != null) { _instance.OnAdminDeleteTaskRequestEvent((AdminModels.DeleteTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteTitleRequest)) { if (_instance.OnAdminDeleteTitleRequestEvent != null) { _instance.OnAdminDeleteTitleRequestEvent((AdminModels.DeleteTitleRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.DeleteTitleDataOverrideRequest)) { if (_instance.OnAdminDeleteTitleDataOverrideRequestEvent != null) { _instance.OnAdminDeleteTitleDataOverrideRequestEvent((AdminModels.DeleteTitleDataOverrideRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ExportMasterPlayerDataRequest)) { if (_instance.OnAdminExportMasterPlayerDataRequestEvent != null) { _instance.OnAdminExportMasterPlayerDataRequestEvent((AdminModels.ExportMasterPlayerDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTaskInstanceRequest)) { if (_instance.OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent != null) { _instance.OnAdminGetActionsOnPlayersInSegmentTaskInstanceRequestEvent((AdminModels.GetTaskInstanceRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetAllSegmentsRequest)) { if (_instance.OnAdminGetAllSegmentsRequestEvent != null) { _instance.OnAdminGetAllSegmentsRequestEvent((AdminModels.GetAllSegmentsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetCatalogItemsRequest)) { if (_instance.OnAdminGetCatalogItemsRequestEvent != null) { _instance.OnAdminGetCatalogItemsRequestEvent((AdminModels.GetCatalogItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetCloudScriptRevisionRequest)) { if (_instance.OnAdminGetCloudScriptRevisionRequestEvent != null) { _instance.OnAdminGetCloudScriptRevisionRequestEvent((AdminModels.GetCloudScriptRevisionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTaskInstanceRequest)) { if (_instance.OnAdminGetCloudScriptTaskInstanceRequestEvent != null) { _instance.OnAdminGetCloudScriptTaskInstanceRequestEvent((AdminModels.GetTaskInstanceRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetCloudScriptVersionsRequest)) { if (_instance.OnAdminGetCloudScriptVersionsRequestEvent != null) { _instance.OnAdminGetCloudScriptVersionsRequestEvent((AdminModels.GetCloudScriptVersionsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetContentListRequest)) { if (_instance.OnAdminGetContentListRequestEvent != null) { _instance.OnAdminGetContentListRequestEvent((AdminModels.GetContentListRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetContentUploadUrlRequest)) { if (_instance.OnAdminGetContentUploadUrlRequestEvent != null) { _instance.OnAdminGetContentUploadUrlRequestEvent((AdminModels.GetContentUploadUrlRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetDataReportRequest)) { if (_instance.OnAdminGetDataReportRequestEvent != null) { _instance.OnAdminGetDataReportRequestEvent((AdminModels.GetDataReportRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetMatchmakerGameInfoRequest)) { if (_instance.OnAdminGetMatchmakerGameInfoRequestEvent != null) { _instance.OnAdminGetMatchmakerGameInfoRequestEvent((AdminModels.GetMatchmakerGameInfoRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetMatchmakerGameModesRequest)) { if (_instance.OnAdminGetMatchmakerGameModesRequestEvent != null) { _instance.OnAdminGetMatchmakerGameModesRequestEvent((AdminModels.GetMatchmakerGameModesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayedTitleListRequest)) { if (_instance.OnAdminGetPlayedTitleListRequestEvent != null) { _instance.OnAdminGetPlayedTitleListRequestEvent((AdminModels.GetPlayedTitleListRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerIdFromAuthTokenRequest)) { if (_instance.OnAdminGetPlayerIdFromAuthTokenRequestEvent != null) { _instance.OnAdminGetPlayerIdFromAuthTokenRequestEvent((AdminModels.GetPlayerIdFromAuthTokenRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerProfileRequest)) { if (_instance.OnAdminGetPlayerProfileRequestEvent != null) { _instance.OnAdminGetPlayerProfileRequestEvent((AdminModels.GetPlayerProfileRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayersSegmentsRequest)) { if (_instance.OnAdminGetPlayerSegmentsRequestEvent != null) { _instance.OnAdminGetPlayerSegmentsRequestEvent((AdminModels.GetPlayersSegmentsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerSharedSecretsRequest)) { if (_instance.OnAdminGetPlayerSharedSecretsRequestEvent != null) { _instance.OnAdminGetPlayerSharedSecretsRequestEvent((AdminModels.GetPlayerSharedSecretsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayersInSegmentRequest)) { if (_instance.OnAdminGetPlayersInSegmentRequestEvent != null) { _instance.OnAdminGetPlayersInSegmentRequestEvent((AdminModels.GetPlayersInSegmentRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerStatisticDefinitionsRequest)) { if (_instance.OnAdminGetPlayerStatisticDefinitionsRequestEvent != null) { _instance.OnAdminGetPlayerStatisticDefinitionsRequestEvent((AdminModels.GetPlayerStatisticDefinitionsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerStatisticVersionsRequest)) { if (_instance.OnAdminGetPlayerStatisticVersionsRequestEvent != null) { _instance.OnAdminGetPlayerStatisticVersionsRequestEvent((AdminModels.GetPlayerStatisticVersionsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPlayerTagsRequest)) { if (_instance.OnAdminGetPlayerTagsRequestEvent != null) { _instance.OnAdminGetPlayerTagsRequestEvent((AdminModels.GetPlayerTagsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPolicyRequest)) { if (_instance.OnAdminGetPolicyRequestEvent != null) { _instance.OnAdminGetPolicyRequestEvent((AdminModels.GetPolicyRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetPublisherDataRequest)) { if (_instance.OnAdminGetPublisherDataRequestEvent != null) { _instance.OnAdminGetPublisherDataRequestEvent((AdminModels.GetPublisherDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetRandomResultTablesRequest)) { if (_instance.OnAdminGetRandomResultTablesRequestEvent != null) { _instance.OnAdminGetRandomResultTablesRequestEvent((AdminModels.GetRandomResultTablesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetSegmentsRequest)) { if (_instance.OnAdminGetSegmentsRequestEvent != null) { _instance.OnAdminGetSegmentsRequestEvent((AdminModels.GetSegmentsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetServerBuildInfoRequest)) { if (_instance.OnAdminGetServerBuildInfoRequestEvent != null) { _instance.OnAdminGetServerBuildInfoRequestEvent((AdminModels.GetServerBuildInfoRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetServerBuildUploadURLRequest)) { if (_instance.OnAdminGetServerBuildUploadUrlRequestEvent != null) { _instance.OnAdminGetServerBuildUploadUrlRequestEvent((AdminModels.GetServerBuildUploadURLRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetStoreItemsRequest)) { if (_instance.OnAdminGetStoreItemsRequestEvent != null) { _instance.OnAdminGetStoreItemsRequestEvent((AdminModels.GetStoreItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTaskInstancesRequest)) { if (_instance.OnAdminGetTaskInstancesRequestEvent != null) { _instance.OnAdminGetTaskInstancesRequestEvent((AdminModels.GetTaskInstancesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTasksRequest)) { if (_instance.OnAdminGetTasksRequestEvent != null) { _instance.OnAdminGetTasksRequestEvent((AdminModels.GetTasksRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTitleDataRequest)) { if (_instance.OnAdminGetTitleDataRequestEvent != null) { _instance.OnAdminGetTitleDataRequestEvent((AdminModels.GetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetTitleDataRequest)) { if (_instance.OnAdminGetTitleInternalDataRequestEvent != null) { _instance.OnAdminGetTitleInternalDataRequestEvent((AdminModels.GetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.LookupUserAccountInfoRequest)) { if (_instance.OnAdminGetUserAccountInfoRequestEvent != null) { _instance.OnAdminGetUserAccountInfoRequestEvent((AdminModels.LookupUserAccountInfoRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserBansRequest)) { if (_instance.OnAdminGetUserBansRequestEvent != null) { _instance.OnAdminGetUserBansRequestEvent((AdminModels.GetUserBansRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserDataRequestEvent != null) { _instance.OnAdminGetUserDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserInternalDataRequestEvent != null) { _instance.OnAdminGetUserInternalDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserInventoryRequest)) { if (_instance.OnAdminGetUserInventoryRequestEvent != null) { _instance.OnAdminGetUserInventoryRequestEvent((AdminModels.GetUserInventoryRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserPublisherDataRequestEvent != null) { _instance.OnAdminGetUserPublisherDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserPublisherInternalDataRequestEvent != null) { _instance.OnAdminGetUserPublisherInternalDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserPublisherReadOnlyDataRequestEvent != null) { _instance.OnAdminGetUserPublisherReadOnlyDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GetUserDataRequest)) { if (_instance.OnAdminGetUserReadOnlyDataRequestEvent != null) { _instance.OnAdminGetUserReadOnlyDataRequestEvent((AdminModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.GrantItemsToUsersRequest)) { if (_instance.OnAdminGrantItemsToUsersRequestEvent != null) { _instance.OnAdminGrantItemsToUsersRequestEvent((AdminModels.GrantItemsToUsersRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.IncrementLimitedEditionItemAvailabilityRequest)) { if (_instance.OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent != null) { _instance.OnAdminIncrementLimitedEditionItemAvailabilityRequestEvent((AdminModels.IncrementLimitedEditionItemAvailabilityRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.IncrementPlayerStatisticVersionRequest)) { if (_instance.OnAdminIncrementPlayerStatisticVersionRequestEvent != null) { _instance.OnAdminIncrementPlayerStatisticVersionRequestEvent((AdminModels.IncrementPlayerStatisticVersionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ListOpenIdConnectionRequest)) { if (_instance.OnAdminListOpenIdConnectionRequestEvent != null) { _instance.OnAdminListOpenIdConnectionRequestEvent((AdminModels.ListOpenIdConnectionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ListBuildsRequest)) { if (_instance.OnAdminListServerBuildsRequestEvent != null) { _instance.OnAdminListServerBuildsRequestEvent((AdminModels.ListBuildsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ListVirtualCurrencyTypesRequest)) { if (_instance.OnAdminListVirtualCurrencyTypesRequestEvent != null) { _instance.OnAdminListVirtualCurrencyTypesRequestEvent((AdminModels.ListVirtualCurrencyTypesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ModifyMatchmakerGameModesRequest)) { if (_instance.OnAdminModifyMatchmakerGameModesRequestEvent != null) { _instance.OnAdminModifyMatchmakerGameModesRequestEvent((AdminModels.ModifyMatchmakerGameModesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ModifyServerBuildRequest)) { if (_instance.OnAdminModifyServerBuildRequestEvent != null) { _instance.OnAdminModifyServerBuildRequestEvent((AdminModels.ModifyServerBuildRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RefundPurchaseRequest)) { if (_instance.OnAdminRefundPurchaseRequestEvent != null) { _instance.OnAdminRefundPurchaseRequestEvent((AdminModels.RefundPurchaseRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RemovePlayerTagRequest)) { if (_instance.OnAdminRemovePlayerTagRequestEvent != null) { _instance.OnAdminRemovePlayerTagRequestEvent((AdminModels.RemovePlayerTagRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RemoveServerBuildRequest)) { if (_instance.OnAdminRemoveServerBuildRequestEvent != null) { _instance.OnAdminRemoveServerBuildRequestEvent((AdminModels.RemoveServerBuildRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RemoveVirtualCurrencyTypesRequest)) { if (_instance.OnAdminRemoveVirtualCurrencyTypesRequestEvent != null) { _instance.OnAdminRemoveVirtualCurrencyTypesRequestEvent((AdminModels.RemoveVirtualCurrencyTypesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ResetCharacterStatisticsRequest)) { if (_instance.OnAdminResetCharacterStatisticsRequestEvent != null) { _instance.OnAdminResetCharacterStatisticsRequestEvent((AdminModels.ResetCharacterStatisticsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ResetPasswordRequest)) { if (_instance.OnAdminResetPasswordRequestEvent != null) { _instance.OnAdminResetPasswordRequestEvent((AdminModels.ResetPasswordRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ResetUserStatisticsRequest)) { if (_instance.OnAdminResetUserStatisticsRequestEvent != null) { _instance.OnAdminResetUserStatisticsRequestEvent((AdminModels.ResetUserStatisticsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.ResolvePurchaseDisputeRequest)) { if (_instance.OnAdminResolvePurchaseDisputeRequestEvent != null) { _instance.OnAdminResolvePurchaseDisputeRequestEvent((AdminModels.ResolvePurchaseDisputeRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RevokeAllBansForUserRequest)) { if (_instance.OnAdminRevokeAllBansForUserRequestEvent != null) { _instance.OnAdminRevokeAllBansForUserRequestEvent((AdminModels.RevokeAllBansForUserRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RevokeBansRequest)) { if (_instance.OnAdminRevokeBansRequestEvent != null) { _instance.OnAdminRevokeBansRequestEvent((AdminModels.RevokeBansRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RevokeInventoryItemRequest)) { if (_instance.OnAdminRevokeInventoryItemRequestEvent != null) { _instance.OnAdminRevokeInventoryItemRequestEvent((AdminModels.RevokeInventoryItemRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RevokeInventoryItemsRequest)) { if (_instance.OnAdminRevokeInventoryItemsRequestEvent != null) { _instance.OnAdminRevokeInventoryItemsRequestEvent((AdminModels.RevokeInventoryItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.RunTaskRequest)) { if (_instance.OnAdminRunTaskRequestEvent != null) { _instance.OnAdminRunTaskRequestEvent((AdminModels.RunTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SendAccountRecoveryEmailRequest)) { if (_instance.OnAdminSendAccountRecoveryEmailRequestEvent != null) { _instance.OnAdminSendAccountRecoveryEmailRequestEvent((AdminModels.SendAccountRecoveryEmailRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateCatalogItemsRequest)) { if (_instance.OnAdminSetCatalogItemsRequestEvent != null) { _instance.OnAdminSetCatalogItemsRequestEvent((AdminModels.UpdateCatalogItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetPlayerSecretRequest)) { if (_instance.OnAdminSetPlayerSecretRequestEvent != null) { _instance.OnAdminSetPlayerSecretRequestEvent((AdminModels.SetPlayerSecretRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetPublishedRevisionRequest)) { if (_instance.OnAdminSetPublishedRevisionRequestEvent != null) { _instance.OnAdminSetPublishedRevisionRequestEvent((AdminModels.SetPublishedRevisionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetPublisherDataRequest)) { if (_instance.OnAdminSetPublisherDataRequestEvent != null) { _instance.OnAdminSetPublisherDataRequestEvent((AdminModels.SetPublisherDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateStoreItemsRequest)) { if (_instance.OnAdminSetStoreItemsRequestEvent != null) { _instance.OnAdminSetStoreItemsRequestEvent((AdminModels.UpdateStoreItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetTitleDataRequest)) { if (_instance.OnAdminSetTitleDataRequestEvent != null) { _instance.OnAdminSetTitleDataRequestEvent((AdminModels.SetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetTitleDataAndOverridesRequest)) { if (_instance.OnAdminSetTitleDataAndOverridesRequestEvent != null) { _instance.OnAdminSetTitleDataAndOverridesRequestEvent((AdminModels.SetTitleDataAndOverridesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetTitleDataRequest)) { if (_instance.OnAdminSetTitleInternalDataRequestEvent != null) { _instance.OnAdminSetTitleInternalDataRequestEvent((AdminModels.SetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SetupPushNotificationRequest)) { if (_instance.OnAdminSetupPushNotificationRequestEvent != null) { _instance.OnAdminSetupPushNotificationRequestEvent((AdminModels.SetupPushNotificationRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.SubtractUserVirtualCurrencyRequest)) { if (_instance.OnAdminSubtractUserVirtualCurrencyRequestEvent != null) { _instance.OnAdminSubtractUserVirtualCurrencyRequestEvent((AdminModels.SubtractUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateBansRequest)) { if (_instance.OnAdminUpdateBansRequestEvent != null) { _instance.OnAdminUpdateBansRequestEvent((AdminModels.UpdateBansRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateCatalogItemsRequest)) { if (_instance.OnAdminUpdateCatalogItemsRequestEvent != null) { _instance.OnAdminUpdateCatalogItemsRequestEvent((AdminModels.UpdateCatalogItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateCloudScriptRequest)) { if (_instance.OnAdminUpdateCloudScriptRequestEvent != null) { _instance.OnAdminUpdateCloudScriptRequestEvent((AdminModels.UpdateCloudScriptRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateOpenIdConnectionRequest)) { if (_instance.OnAdminUpdateOpenIdConnectionRequestEvent != null) { _instance.OnAdminUpdateOpenIdConnectionRequestEvent((AdminModels.UpdateOpenIdConnectionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdatePlayerSharedSecretRequest)) { if (_instance.OnAdminUpdatePlayerSharedSecretRequestEvent != null) { _instance.OnAdminUpdatePlayerSharedSecretRequestEvent((AdminModels.UpdatePlayerSharedSecretRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdatePlayerStatisticDefinitionRequest)) { if (_instance.OnAdminUpdatePlayerStatisticDefinitionRequestEvent != null) { _instance.OnAdminUpdatePlayerStatisticDefinitionRequestEvent((AdminModels.UpdatePlayerStatisticDefinitionRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdatePolicyRequest)) { if (_instance.OnAdminUpdatePolicyRequestEvent != null) { _instance.OnAdminUpdatePolicyRequestEvent((AdminModels.UpdatePolicyRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateRandomResultTablesRequest)) { if (_instance.OnAdminUpdateRandomResultTablesRequestEvent != null) { _instance.OnAdminUpdateRandomResultTablesRequestEvent((AdminModels.UpdateRandomResultTablesRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateSegmentRequest)) { if (_instance.OnAdminUpdateSegmentRequestEvent != null) { _instance.OnAdminUpdateSegmentRequestEvent((AdminModels.UpdateSegmentRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateStoreItemsRequest)) { if (_instance.OnAdminUpdateStoreItemsRequestEvent != null) { _instance.OnAdminUpdateStoreItemsRequestEvent((AdminModels.UpdateStoreItemsRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateTaskRequest)) { if (_instance.OnAdminUpdateTaskRequestEvent != null) { _instance.OnAdminUpdateTaskRequestEvent((AdminModels.UpdateTaskRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataRequest)) { if (_instance.OnAdminUpdateUserDataRequestEvent != null) { _instance.OnAdminUpdateUserDataRequestEvent((AdminModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserInternalDataRequest)) { if (_instance.OnAdminUpdateUserInternalDataRequestEvent != null) { _instance.OnAdminUpdateUserInternalDataRequestEvent((AdminModels.UpdateUserInternalDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataRequest)) { if (_instance.OnAdminUpdateUserPublisherDataRequestEvent != null) { _instance.OnAdminUpdateUserPublisherDataRequestEvent((AdminModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserInternalDataRequest)) { if (_instance.OnAdminUpdateUserPublisherInternalDataRequestEvent != null) { _instance.OnAdminUpdateUserPublisherInternalDataRequestEvent((AdminModels.UpdateUserInternalDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataRequest)) { if (_instance.OnAdminUpdateUserPublisherReadOnlyDataRequestEvent != null) { _instance.OnAdminUpdateUserPublisherReadOnlyDataRequestEvent((AdminModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataRequest)) { if (_instance.OnAdminUpdateUserReadOnlyDataRequestEvent != null) { _instance.OnAdminUpdateUserReadOnlyDataRequestEvent((AdminModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(AdminModels.UpdateUserTitleDisplayNameRequest)) { if (_instance.OnAdminUpdateUserTitleDisplayNameRequestEvent != null) { _instance.OnAdminUpdateUserTitleDisplayNameRequestEvent((AdminModels.UpdateUserTitleDisplayNameRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABCLIENT_API
+                if (type == typeof(ClientModels.AcceptTradeRequest)) { if (_instance.OnAcceptTradeRequestEvent != null) { _instance.OnAcceptTradeRequestEvent((ClientModels.AcceptTradeRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddFriendRequest)) { if (_instance.OnAddFriendRequestEvent != null) { _instance.OnAddFriendRequestEvent((ClientModels.AddFriendRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddGenericIDRequest)) { if (_instance.OnAddGenericIDRequestEvent != null) { _instance.OnAddGenericIDRequestEvent((ClientModels.AddGenericIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddOrUpdateContactEmailRequest)) { if (_instance.OnAddOrUpdateContactEmailRequestEvent != null) { _instance.OnAddOrUpdateContactEmailRequestEvent((ClientModels.AddOrUpdateContactEmailRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddSharedGroupMembersRequest)) { if (_instance.OnAddSharedGroupMembersRequestEvent != null) { _instance.OnAddSharedGroupMembersRequestEvent((ClientModels.AddSharedGroupMembersRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddUsernamePasswordRequest)) { if (_instance.OnAddUsernamePasswordRequestEvent != null) { _instance.OnAddUsernamePasswordRequestEvent((ClientModels.AddUsernamePasswordRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AddUserVirtualCurrencyRequest)) { if (_instance.OnAddUserVirtualCurrencyRequestEvent != null) { _instance.OnAddUserVirtualCurrencyRequestEvent((ClientModels.AddUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AndroidDevicePushNotificationRegistrationRequest)) { if (_instance.OnAndroidDevicePushNotificationRegistrationRequestEvent != null) { _instance.OnAndroidDevicePushNotificationRegistrationRequestEvent((ClientModels.AndroidDevicePushNotificationRegistrationRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.AttributeInstallRequest)) { if (_instance.OnAttributeInstallRequestEvent != null) { _instance.OnAttributeInstallRequestEvent((ClientModels.AttributeInstallRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.CancelTradeRequest)) { if (_instance.OnCancelTradeRequestEvent != null) { _instance.OnCancelTradeRequestEvent((ClientModels.CancelTradeRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConfirmPurchaseRequest)) { if (_instance.OnConfirmPurchaseRequestEvent != null) { _instance.OnConfirmPurchaseRequestEvent((ClientModels.ConfirmPurchaseRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConsumeItemRequest)) { if (_instance.OnConsumeItemRequestEvent != null) { _instance.OnConsumeItemRequestEvent((ClientModels.ConsumeItemRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConsumeMicrosoftStoreEntitlementsRequest)) { if (_instance.OnConsumeMicrosoftStoreEntitlementsRequestEvent != null) { _instance.OnConsumeMicrosoftStoreEntitlementsRequestEvent((ClientModels.ConsumeMicrosoftStoreEntitlementsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConsumePS5EntitlementsRequest)) { if (_instance.OnConsumePS5EntitlementsRequestEvent != null) { _instance.OnConsumePS5EntitlementsRequestEvent((ClientModels.ConsumePS5EntitlementsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConsumePSNEntitlementsRequest)) { if (_instance.OnConsumePSNEntitlementsRequestEvent != null) { _instance.OnConsumePSNEntitlementsRequestEvent((ClientModels.ConsumePSNEntitlementsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ConsumeXboxEntitlementsRequest)) { if (_instance.OnConsumeXboxEntitlementsRequestEvent != null) { _instance.OnConsumeXboxEntitlementsRequestEvent((ClientModels.ConsumeXboxEntitlementsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.CreateSharedGroupRequest)) { if (_instance.OnCreateSharedGroupRequestEvent != null) { _instance.OnCreateSharedGroupRequestEvent((ClientModels.CreateSharedGroupRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ExecuteCloudScriptRequest)) { if (_instance.OnExecuteCloudScriptRequestEvent != null) { _instance.OnExecuteCloudScriptRequestEvent((ClientModels.ExecuteCloudScriptRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetAccountInfoRequest)) { if (_instance.OnGetAccountInfoRequestEvent != null) { _instance.OnGetAccountInfoRequestEvent((ClientModels.GetAccountInfoRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetAdPlacementsRequest)) { if (_instance.OnGetAdPlacementsRequestEvent != null) { _instance.OnGetAdPlacementsRequestEvent((ClientModels.GetAdPlacementsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ListUsersCharactersRequest)) { if (_instance.OnGetAllUsersCharactersRequestEvent != null) { _instance.OnGetAllUsersCharactersRequestEvent((ClientModels.ListUsersCharactersRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCatalogItemsRequest)) { if (_instance.OnGetCatalogItemsRequestEvent != null) { _instance.OnGetCatalogItemsRequestEvent((ClientModels.GetCatalogItemsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCharacterDataRequest)) { if (_instance.OnGetCharacterDataRequestEvent != null) { _instance.OnGetCharacterDataRequestEvent((ClientModels.GetCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCharacterInventoryRequest)) { if (_instance.OnGetCharacterInventoryRequestEvent != null) { _instance.OnGetCharacterInventoryRequestEvent((ClientModels.GetCharacterInventoryRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCharacterLeaderboardRequest)) { if (_instance.OnGetCharacterLeaderboardRequestEvent != null) { _instance.OnGetCharacterLeaderboardRequestEvent((ClientModels.GetCharacterLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCharacterDataRequest)) { if (_instance.OnGetCharacterReadOnlyDataRequestEvent != null) { _instance.OnGetCharacterReadOnlyDataRequestEvent((ClientModels.GetCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetCharacterStatisticsRequest)) { if (_instance.OnGetCharacterStatisticsRequestEvent != null) { _instance.OnGetCharacterStatisticsRequestEvent((ClientModels.GetCharacterStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetContentDownloadUrlRequest)) { if (_instance.OnGetContentDownloadUrlRequestEvent != null) { _instance.OnGetContentDownloadUrlRequestEvent((ClientModels.GetContentDownloadUrlRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.CurrentGamesRequest)) { if (_instance.OnGetCurrentGamesRequestEvent != null) { _instance.OnGetCurrentGamesRequestEvent((ClientModels.CurrentGamesRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetFriendLeaderboardRequest)) { if (_instance.OnGetFriendLeaderboardRequestEvent != null) { _instance.OnGetFriendLeaderboardRequestEvent((ClientModels.GetFriendLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetFriendLeaderboardAroundPlayerRequest)) { if (_instance.OnGetFriendLeaderboardAroundPlayerRequestEvent != null) { _instance.OnGetFriendLeaderboardAroundPlayerRequestEvent((ClientModels.GetFriendLeaderboardAroundPlayerRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetFriendsListRequest)) { if (_instance.OnGetFriendsListRequestEvent != null) { _instance.OnGetFriendsListRequestEvent((ClientModels.GetFriendsListRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GameServerRegionsRequest)) { if (_instance.OnGetGameServerRegionsRequestEvent != null) { _instance.OnGetGameServerRegionsRequestEvent((ClientModels.GameServerRegionsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardRequest)) { if (_instance.OnGetLeaderboardRequestEvent != null) { _instance.OnGetLeaderboardRequestEvent((ClientModels.GetLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardAroundCharacterRequest)) { if (_instance.OnGetLeaderboardAroundCharacterRequestEvent != null) { _instance.OnGetLeaderboardAroundCharacterRequestEvent((ClientModels.GetLeaderboardAroundCharacterRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardAroundPlayerRequest)) { if (_instance.OnGetLeaderboardAroundPlayerRequestEvent != null) { _instance.OnGetLeaderboardAroundPlayerRequestEvent((ClientModels.GetLeaderboardAroundPlayerRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardForUsersCharactersRequest)) { if (_instance.OnGetLeaderboardForUserCharactersRequestEvent != null) { _instance.OnGetLeaderboardForUserCharactersRequestEvent((ClientModels.GetLeaderboardForUsersCharactersRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPaymentTokenRequest)) { if (_instance.OnGetPaymentTokenRequestEvent != null) { _instance.OnGetPaymentTokenRequestEvent((ClientModels.GetPaymentTokenRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPhotonAuthenticationTokenRequest)) { if (_instance.OnGetPhotonAuthenticationTokenRequestEvent != null) { _instance.OnGetPhotonAuthenticationTokenRequestEvent((ClientModels.GetPhotonAuthenticationTokenRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerCombinedInfoRequest)) { if (_instance.OnGetPlayerCombinedInfoRequestEvent != null) { _instance.OnGetPlayerCombinedInfoRequestEvent((ClientModels.GetPlayerCombinedInfoRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerProfileRequest)) { if (_instance.OnGetPlayerProfileRequestEvent != null) { _instance.OnGetPlayerProfileRequestEvent((ClientModels.GetPlayerProfileRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerSegmentsRequest)) { if (_instance.OnGetPlayerSegmentsRequestEvent != null) { _instance.OnGetPlayerSegmentsRequestEvent((ClientModels.GetPlayerSegmentsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerStatisticsRequest)) { if (_instance.OnGetPlayerStatisticsRequestEvent != null) { _instance.OnGetPlayerStatisticsRequestEvent((ClientModels.GetPlayerStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerStatisticVersionsRequest)) { if (_instance.OnGetPlayerStatisticVersionsRequestEvent != null) { _instance.OnGetPlayerStatisticVersionsRequestEvent((ClientModels.GetPlayerStatisticVersionsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerTagsRequest)) { if (_instance.OnGetPlayerTagsRequestEvent != null) { _instance.OnGetPlayerTagsRequestEvent((ClientModels.GetPlayerTagsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayerTradesRequest)) { if (_instance.OnGetPlayerTradesRequestEvent != null) { _instance.OnGetPlayerTradesRequestEvent((ClientModels.GetPlayerTradesRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromFacebookIDsRequest)) { if (_instance.OnGetPlayFabIDsFromFacebookIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromFacebookIDsRequestEvent((ClientModels.GetPlayFabIDsFromFacebookIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest)) { if (_instance.OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent != null) { _instance.OnGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent((ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGameCenterIDsRequest)) { if (_instance.OnGetPlayFabIDsFromGameCenterIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromGameCenterIDsRequestEvent((ClientModels.GetPlayFabIDsFromGameCenterIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGenericIDsRequest)) { if (_instance.OnGetPlayFabIDsFromGenericIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromGenericIDsRequestEvent((ClientModels.GetPlayFabIDsFromGenericIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGoogleIDsRequest)) { if (_instance.OnGetPlayFabIDsFromGoogleIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromGoogleIDsRequestEvent((ClientModels.GetPlayFabIDsFromGoogleIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromKongregateIDsRequest)) { if (_instance.OnGetPlayFabIDsFromKongregateIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromKongregateIDsRequestEvent((ClientModels.GetPlayFabIDsFromKongregateIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest)) { if (_instance.OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent != null) { _instance.OnGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent((ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromPSNAccountIDsRequest)) { if (_instance.OnGetPlayFabIDsFromPSNAccountIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromPSNAccountIDsRequestEvent((ClientModels.GetPlayFabIDsFromPSNAccountIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromSteamIDsRequest)) { if (_instance.OnGetPlayFabIDsFromSteamIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromSteamIDsRequestEvent((ClientModels.GetPlayFabIDsFromSteamIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromTwitchIDsRequest)) { if (_instance.OnGetPlayFabIDsFromTwitchIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromTwitchIDsRequestEvent((ClientModels.GetPlayFabIDsFromTwitchIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromXboxLiveIDsRequest)) { if (_instance.OnGetPlayFabIDsFromXboxLiveIDsRequestEvent != null) { _instance.OnGetPlayFabIDsFromXboxLiveIDsRequestEvent((ClientModels.GetPlayFabIDsFromXboxLiveIDsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPublisherDataRequest)) { if (_instance.OnGetPublisherDataRequestEvent != null) { _instance.OnGetPublisherDataRequestEvent((ClientModels.GetPublisherDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetPurchaseRequest)) { if (_instance.OnGetPurchaseRequestEvent != null) { _instance.OnGetPurchaseRequestEvent((ClientModels.GetPurchaseRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetSharedGroupDataRequest)) { if (_instance.OnGetSharedGroupDataRequestEvent != null) { _instance.OnGetSharedGroupDataRequestEvent((ClientModels.GetSharedGroupDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetStoreItemsRequest)) { if (_instance.OnGetStoreItemsRequestEvent != null) { _instance.OnGetStoreItemsRequestEvent((ClientModels.GetStoreItemsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetTimeRequest)) { if (_instance.OnGetTimeRequestEvent != null) { _instance.OnGetTimeRequestEvent((ClientModels.GetTimeRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetTitleDataRequest)) { if (_instance.OnGetTitleDataRequestEvent != null) { _instance.OnGetTitleDataRequestEvent((ClientModels.GetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetTitleNewsRequest)) { if (_instance.OnGetTitleNewsRequestEvent != null) { _instance.OnGetTitleNewsRequestEvent((ClientModels.GetTitleNewsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetTitlePublicKeyRequest)) { if (_instance.OnGetTitlePublicKeyRequestEvent != null) { _instance.OnGetTitlePublicKeyRequestEvent((ClientModels.GetTitlePublicKeyRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetTradeStatusRequest)) { if (_instance.OnGetTradeStatusRequestEvent != null) { _instance.OnGetTradeStatusRequestEvent((ClientModels.GetTradeStatusRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetUserDataRequest)) { if (_instance.OnGetUserDataRequestEvent != null) { _instance.OnGetUserDataRequestEvent((ClientModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetUserInventoryRequest)) { if (_instance.OnGetUserInventoryRequestEvent != null) { _instance.OnGetUserInventoryRequestEvent((ClientModels.GetUserInventoryRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetUserDataRequest)) { if (_instance.OnGetUserPublisherDataRequestEvent != null) { _instance.OnGetUserPublisherDataRequestEvent((ClientModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetUserDataRequest)) { if (_instance.OnGetUserPublisherReadOnlyDataRequestEvent != null) { _instance.OnGetUserPublisherReadOnlyDataRequestEvent((ClientModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GetUserDataRequest)) { if (_instance.OnGetUserReadOnlyDataRequestEvent != null) { _instance.OnGetUserReadOnlyDataRequestEvent((ClientModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.GrantCharacterToUserRequest)) { if (_instance.OnGrantCharacterToUserRequestEvent != null) { _instance.OnGrantCharacterToUserRequestEvent((ClientModels.GrantCharacterToUserRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkAndroidDeviceIDRequest)) { if (_instance.OnLinkAndroidDeviceIDRequestEvent != null) { _instance.OnLinkAndroidDeviceIDRequestEvent((ClientModels.LinkAndroidDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkAppleRequest)) { if (_instance.OnLinkAppleRequestEvent != null) { _instance.OnLinkAppleRequestEvent((ClientModels.LinkAppleRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkCustomIDRequest)) { if (_instance.OnLinkCustomIDRequestEvent != null) { _instance.OnLinkCustomIDRequestEvent((ClientModels.LinkCustomIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkFacebookAccountRequest)) { if (_instance.OnLinkFacebookAccountRequestEvent != null) { _instance.OnLinkFacebookAccountRequestEvent((ClientModels.LinkFacebookAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkFacebookInstantGamesIdRequest)) { if (_instance.OnLinkFacebookInstantGamesIdRequestEvent != null) { _instance.OnLinkFacebookInstantGamesIdRequestEvent((ClientModels.LinkFacebookInstantGamesIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkGameCenterAccountRequest)) { if (_instance.OnLinkGameCenterAccountRequestEvent != null) { _instance.OnLinkGameCenterAccountRequestEvent((ClientModels.LinkGameCenterAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkGoogleAccountRequest)) { if (_instance.OnLinkGoogleAccountRequestEvent != null) { _instance.OnLinkGoogleAccountRequestEvent((ClientModels.LinkGoogleAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkIOSDeviceIDRequest)) { if (_instance.OnLinkIOSDeviceIDRequestEvent != null) { _instance.OnLinkIOSDeviceIDRequestEvent((ClientModels.LinkIOSDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkKongregateAccountRequest)) { if (_instance.OnLinkKongregateRequestEvent != null) { _instance.OnLinkKongregateRequestEvent((ClientModels.LinkKongregateAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkNintendoServiceAccountRequest)) { if (_instance.OnLinkNintendoServiceAccountRequestEvent != null) { _instance.OnLinkNintendoServiceAccountRequestEvent((ClientModels.LinkNintendoServiceAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkNintendoSwitchDeviceIdRequest)) { if (_instance.OnLinkNintendoSwitchDeviceIdRequestEvent != null) { _instance.OnLinkNintendoSwitchDeviceIdRequestEvent((ClientModels.LinkNintendoSwitchDeviceIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkOpenIdConnectRequest)) { if (_instance.OnLinkOpenIdConnectRequestEvent != null) { _instance.OnLinkOpenIdConnectRequestEvent((ClientModels.LinkOpenIdConnectRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkPSNAccountRequest)) { if (_instance.OnLinkPSNAccountRequestEvent != null) { _instance.OnLinkPSNAccountRequestEvent((ClientModels.LinkPSNAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkSteamAccountRequest)) { if (_instance.OnLinkSteamAccountRequestEvent != null) { _instance.OnLinkSteamAccountRequestEvent((ClientModels.LinkSteamAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkTwitchAccountRequest)) { if (_instance.OnLinkTwitchRequestEvent != null) { _instance.OnLinkTwitchRequestEvent((ClientModels.LinkTwitchAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LinkXboxAccountRequest)) { if (_instance.OnLinkXboxAccountRequestEvent != null) { _instance.OnLinkXboxAccountRequestEvent((ClientModels.LinkXboxAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithAndroidDeviceIDRequest)) { if (_instance.OnLoginWithAndroidDeviceIDRequestEvent != null) { _instance.OnLoginWithAndroidDeviceIDRequestEvent((ClientModels.LoginWithAndroidDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithAppleRequest)) { if (_instance.OnLoginWithAppleRequestEvent != null) { _instance.OnLoginWithAppleRequestEvent((ClientModels.LoginWithAppleRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithCustomIDRequest)) { if (_instance.OnLoginWithCustomIDRequestEvent != null) { _instance.OnLoginWithCustomIDRequestEvent((ClientModels.LoginWithCustomIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithEmailAddressRequest)) { if (_instance.OnLoginWithEmailAddressRequestEvent != null) { _instance.OnLoginWithEmailAddressRequestEvent((ClientModels.LoginWithEmailAddressRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithFacebookRequest)) { if (_instance.OnLoginWithFacebookRequestEvent != null) { _instance.OnLoginWithFacebookRequestEvent((ClientModels.LoginWithFacebookRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithFacebookInstantGamesIdRequest)) { if (_instance.OnLoginWithFacebookInstantGamesIdRequestEvent != null) { _instance.OnLoginWithFacebookInstantGamesIdRequestEvent((ClientModels.LoginWithFacebookInstantGamesIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithGameCenterRequest)) { if (_instance.OnLoginWithGameCenterRequestEvent != null) { _instance.OnLoginWithGameCenterRequestEvent((ClientModels.LoginWithGameCenterRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithGoogleAccountRequest)) { if (_instance.OnLoginWithGoogleAccountRequestEvent != null) { _instance.OnLoginWithGoogleAccountRequestEvent((ClientModels.LoginWithGoogleAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithIOSDeviceIDRequest)) { if (_instance.OnLoginWithIOSDeviceIDRequestEvent != null) { _instance.OnLoginWithIOSDeviceIDRequestEvent((ClientModels.LoginWithIOSDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithKongregateRequest)) { if (_instance.OnLoginWithKongregateRequestEvent != null) { _instance.OnLoginWithKongregateRequestEvent((ClientModels.LoginWithKongregateRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithNintendoServiceAccountRequest)) { if (_instance.OnLoginWithNintendoServiceAccountRequestEvent != null) { _instance.OnLoginWithNintendoServiceAccountRequestEvent((ClientModels.LoginWithNintendoServiceAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithNintendoSwitchDeviceIdRequest)) { if (_instance.OnLoginWithNintendoSwitchDeviceIdRequestEvent != null) { _instance.OnLoginWithNintendoSwitchDeviceIdRequestEvent((ClientModels.LoginWithNintendoSwitchDeviceIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithOpenIdConnectRequest)) { if (_instance.OnLoginWithOpenIdConnectRequestEvent != null) { _instance.OnLoginWithOpenIdConnectRequestEvent((ClientModels.LoginWithOpenIdConnectRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithPlayFabRequest)) { if (_instance.OnLoginWithPlayFabRequestEvent != null) { _instance.OnLoginWithPlayFabRequestEvent((ClientModels.LoginWithPlayFabRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithPSNRequest)) { if (_instance.OnLoginWithPSNRequestEvent != null) { _instance.OnLoginWithPSNRequestEvent((ClientModels.LoginWithPSNRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithSteamRequest)) { if (_instance.OnLoginWithSteamRequestEvent != null) { _instance.OnLoginWithSteamRequestEvent((ClientModels.LoginWithSteamRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithTwitchRequest)) { if (_instance.OnLoginWithTwitchRequestEvent != null) { _instance.OnLoginWithTwitchRequestEvent((ClientModels.LoginWithTwitchRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.LoginWithXboxRequest)) { if (_instance.OnLoginWithXboxRequestEvent != null) { _instance.OnLoginWithXboxRequestEvent((ClientModels.LoginWithXboxRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.MatchmakeRequest)) { if (_instance.OnMatchmakeRequestEvent != null) { _instance.OnMatchmakeRequestEvent((ClientModels.MatchmakeRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.OpenTradeRequest)) { if (_instance.OnOpenTradeRequestEvent != null) { _instance.OnOpenTradeRequestEvent((ClientModels.OpenTradeRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.PayForPurchaseRequest)) { if (_instance.OnPayForPurchaseRequestEvent != null) { _instance.OnPayForPurchaseRequestEvent((ClientModels.PayForPurchaseRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.PurchaseItemRequest)) { if (_instance.OnPurchaseItemRequestEvent != null) { _instance.OnPurchaseItemRequestEvent((ClientModels.PurchaseItemRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RedeemCouponRequest)) { if (_instance.OnRedeemCouponRequestEvent != null) { _instance.OnRedeemCouponRequestEvent((ClientModels.RedeemCouponRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RefreshPSNAuthTokenRequest)) { if (_instance.OnRefreshPSNAuthTokenRequestEvent != null) { _instance.OnRefreshPSNAuthTokenRequestEvent((ClientModels.RefreshPSNAuthTokenRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RegisterForIOSPushNotificationRequest)) { if (_instance.OnRegisterForIOSPushNotificationRequestEvent != null) { _instance.OnRegisterForIOSPushNotificationRequestEvent((ClientModels.RegisterForIOSPushNotificationRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RegisterPlayFabUserRequest)) { if (_instance.OnRegisterPlayFabUserRequestEvent != null) { _instance.OnRegisterPlayFabUserRequestEvent((ClientModels.RegisterPlayFabUserRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RemoveContactEmailRequest)) { if (_instance.OnRemoveContactEmailRequestEvent != null) { _instance.OnRemoveContactEmailRequestEvent((ClientModels.RemoveContactEmailRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RemoveFriendRequest)) { if (_instance.OnRemoveFriendRequestEvent != null) { _instance.OnRemoveFriendRequestEvent((ClientModels.RemoveFriendRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RemoveGenericIDRequest)) { if (_instance.OnRemoveGenericIDRequestEvent != null) { _instance.OnRemoveGenericIDRequestEvent((ClientModels.RemoveGenericIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RemoveSharedGroupMembersRequest)) { if (_instance.OnRemoveSharedGroupMembersRequestEvent != null) { _instance.OnRemoveSharedGroupMembersRequestEvent((ClientModels.RemoveSharedGroupMembersRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ReportAdActivityRequest)) { if (_instance.OnReportAdActivityRequestEvent != null) { _instance.OnReportAdActivityRequestEvent((ClientModels.ReportAdActivityRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.DeviceInfoRequest)) { if (_instance.OnReportDeviceInfoRequestEvent != null) { _instance.OnReportDeviceInfoRequestEvent((ClientModels.DeviceInfoRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ReportPlayerClientRequest)) { if (_instance.OnReportPlayerRequestEvent != null) { _instance.OnReportPlayerRequestEvent((ClientModels.ReportPlayerClientRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RestoreIOSPurchasesRequest)) { if (_instance.OnRestoreIOSPurchasesRequestEvent != null) { _instance.OnRestoreIOSPurchasesRequestEvent((ClientModels.RestoreIOSPurchasesRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.RewardAdActivityRequest)) { if (_instance.OnRewardAdActivityRequestEvent != null) { _instance.OnRewardAdActivityRequestEvent((ClientModels.RewardAdActivityRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.SendAccountRecoveryEmailRequest)) { if (_instance.OnSendAccountRecoveryEmailRequestEvent != null) { _instance.OnSendAccountRecoveryEmailRequestEvent((ClientModels.SendAccountRecoveryEmailRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.SetFriendTagsRequest)) { if (_instance.OnSetFriendTagsRequestEvent != null) { _instance.OnSetFriendTagsRequestEvent((ClientModels.SetFriendTagsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.SetPlayerSecretRequest)) { if (_instance.OnSetPlayerSecretRequestEvent != null) { _instance.OnSetPlayerSecretRequestEvent((ClientModels.SetPlayerSecretRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.StartGameRequest)) { if (_instance.OnStartGameRequestEvent != null) { _instance.OnStartGameRequestEvent((ClientModels.StartGameRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.StartPurchaseRequest)) { if (_instance.OnStartPurchaseRequestEvent != null) { _instance.OnStartPurchaseRequestEvent((ClientModels.StartPurchaseRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.SubtractUserVirtualCurrencyRequest)) { if (_instance.OnSubtractUserVirtualCurrencyRequestEvent != null) { _instance.OnSubtractUserVirtualCurrencyRequestEvent((ClientModels.SubtractUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkAndroidDeviceIDRequest)) { if (_instance.OnUnlinkAndroidDeviceIDRequestEvent != null) { _instance.OnUnlinkAndroidDeviceIDRequestEvent((ClientModels.UnlinkAndroidDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkAppleRequest)) { if (_instance.OnUnlinkAppleRequestEvent != null) { _instance.OnUnlinkAppleRequestEvent((ClientModels.UnlinkAppleRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkCustomIDRequest)) { if (_instance.OnUnlinkCustomIDRequestEvent != null) { _instance.OnUnlinkCustomIDRequestEvent((ClientModels.UnlinkCustomIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkFacebookAccountRequest)) { if (_instance.OnUnlinkFacebookAccountRequestEvent != null) { _instance.OnUnlinkFacebookAccountRequestEvent((ClientModels.UnlinkFacebookAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkFacebookInstantGamesIdRequest)) { if (_instance.OnUnlinkFacebookInstantGamesIdRequestEvent != null) { _instance.OnUnlinkFacebookInstantGamesIdRequestEvent((ClientModels.UnlinkFacebookInstantGamesIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkGameCenterAccountRequest)) { if (_instance.OnUnlinkGameCenterAccountRequestEvent != null) { _instance.OnUnlinkGameCenterAccountRequestEvent((ClientModels.UnlinkGameCenterAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkGoogleAccountRequest)) { if (_instance.OnUnlinkGoogleAccountRequestEvent != null) { _instance.OnUnlinkGoogleAccountRequestEvent((ClientModels.UnlinkGoogleAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkIOSDeviceIDRequest)) { if (_instance.OnUnlinkIOSDeviceIDRequestEvent != null) { _instance.OnUnlinkIOSDeviceIDRequestEvent((ClientModels.UnlinkIOSDeviceIDRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkKongregateAccountRequest)) { if (_instance.OnUnlinkKongregateRequestEvent != null) { _instance.OnUnlinkKongregateRequestEvent((ClientModels.UnlinkKongregateAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkNintendoServiceAccountRequest)) { if (_instance.OnUnlinkNintendoServiceAccountRequestEvent != null) { _instance.OnUnlinkNintendoServiceAccountRequestEvent((ClientModels.UnlinkNintendoServiceAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkNintendoSwitchDeviceIdRequest)) { if (_instance.OnUnlinkNintendoSwitchDeviceIdRequestEvent != null) { _instance.OnUnlinkNintendoSwitchDeviceIdRequestEvent((ClientModels.UnlinkNintendoSwitchDeviceIdRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkOpenIdConnectRequest)) { if (_instance.OnUnlinkOpenIdConnectRequestEvent != null) { _instance.OnUnlinkOpenIdConnectRequestEvent((ClientModels.UnlinkOpenIdConnectRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkPSNAccountRequest)) { if (_instance.OnUnlinkPSNAccountRequestEvent != null) { _instance.OnUnlinkPSNAccountRequestEvent((ClientModels.UnlinkPSNAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkSteamAccountRequest)) { if (_instance.OnUnlinkSteamAccountRequestEvent != null) { _instance.OnUnlinkSteamAccountRequestEvent((ClientModels.UnlinkSteamAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkTwitchAccountRequest)) { if (_instance.OnUnlinkTwitchRequestEvent != null) { _instance.OnUnlinkTwitchRequestEvent((ClientModels.UnlinkTwitchAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlinkXboxAccountRequest)) { if (_instance.OnUnlinkXboxAccountRequestEvent != null) { _instance.OnUnlinkXboxAccountRequestEvent((ClientModels.UnlinkXboxAccountRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlockContainerInstanceRequest)) { if (_instance.OnUnlockContainerInstanceRequestEvent != null) { _instance.OnUnlockContainerInstanceRequestEvent((ClientModels.UnlockContainerInstanceRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UnlockContainerItemRequest)) { if (_instance.OnUnlockContainerItemRequestEvent != null) { _instance.OnUnlockContainerItemRequestEvent((ClientModels.UnlockContainerItemRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateAvatarUrlRequest)) { if (_instance.OnUpdateAvatarUrlRequestEvent != null) { _instance.OnUpdateAvatarUrlRequestEvent((ClientModels.UpdateAvatarUrlRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateCharacterDataRequest)) { if (_instance.OnUpdateCharacterDataRequestEvent != null) { _instance.OnUpdateCharacterDataRequestEvent((ClientModels.UpdateCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateCharacterStatisticsRequest)) { if (_instance.OnUpdateCharacterStatisticsRequestEvent != null) { _instance.OnUpdateCharacterStatisticsRequestEvent((ClientModels.UpdateCharacterStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdatePlayerStatisticsRequest)) { if (_instance.OnUpdatePlayerStatisticsRequestEvent != null) { _instance.OnUpdatePlayerStatisticsRequestEvent((ClientModels.UpdatePlayerStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateSharedGroupDataRequest)) { if (_instance.OnUpdateSharedGroupDataRequestEvent != null) { _instance.OnUpdateSharedGroupDataRequestEvent((ClientModels.UpdateSharedGroupDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateUserDataRequest)) { if (_instance.OnUpdateUserDataRequestEvent != null) { _instance.OnUpdateUserDataRequestEvent((ClientModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateUserDataRequest)) { if (_instance.OnUpdateUserPublisherDataRequestEvent != null) { _instance.OnUpdateUserPublisherDataRequestEvent((ClientModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.UpdateUserTitleDisplayNameRequest)) { if (_instance.OnUpdateUserTitleDisplayNameRequestEvent != null) { _instance.OnUpdateUserTitleDisplayNameRequestEvent((ClientModels.UpdateUserTitleDisplayNameRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ValidateAmazonReceiptRequest)) { if (_instance.OnValidateAmazonIAPReceiptRequestEvent != null) { _instance.OnValidateAmazonIAPReceiptRequestEvent((ClientModels.ValidateAmazonReceiptRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ValidateGooglePlayPurchaseRequest)) { if (_instance.OnValidateGooglePlayPurchaseRequestEvent != null) { _instance.OnValidateGooglePlayPurchaseRequestEvent((ClientModels.ValidateGooglePlayPurchaseRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ValidateIOSReceiptRequest)) { if (_instance.OnValidateIOSReceiptRequestEvent != null) { _instance.OnValidateIOSReceiptRequestEvent((ClientModels.ValidateIOSReceiptRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.ValidateWindowsReceiptRequest)) { if (_instance.OnValidateWindowsStoreReceiptRequestEvent != null) { _instance.OnValidateWindowsStoreReceiptRequestEvent((ClientModels.ValidateWindowsReceiptRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.WriteClientCharacterEventRequest)) { if (_instance.OnWriteCharacterEventRequestEvent != null) { _instance.OnWriteCharacterEventRequestEvent((ClientModels.WriteClientCharacterEventRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.WriteClientPlayerEventRequest)) { if (_instance.OnWritePlayerEventRequestEvent != null) { _instance.OnWritePlayerEventRequestEvent((ClientModels.WriteClientPlayerEventRequest)e.Request); return; } }
+                if (type == typeof(ClientModels.WriteTitleEventRequest)) { if (_instance.OnWriteTitleEventRequestEvent != null) { _instance.OnWriteTitleEventRequestEvent((ClientModels.WriteTitleEventRequest)e.Request); return; } }
+#endif
+#if ENABLE_PLAYFABSERVER_API
+                if (type == typeof(MatchmakerModels.AuthUserRequest)) { if (_instance.OnMatchmakerAuthUserRequestEvent != null) { _instance.OnMatchmakerAuthUserRequestEvent((MatchmakerModels.AuthUserRequest)e.Request); return; } }
+                if (type == typeof(MatchmakerModels.PlayerJoinedRequest)) { if (_instance.OnMatchmakerPlayerJoinedRequestEvent != null) { _instance.OnMatchmakerPlayerJoinedRequestEvent((MatchmakerModels.PlayerJoinedRequest)e.Request); return; } }
+                if (type == typeof(MatchmakerModels.PlayerLeftRequest)) { if (_instance.OnMatchmakerPlayerLeftRequestEvent != null) { _instance.OnMatchmakerPlayerLeftRequestEvent((MatchmakerModels.PlayerLeftRequest)e.Request); return; } }
+                if (type == typeof(MatchmakerModels.StartGameRequest)) { if (_instance.OnMatchmakerStartGameRequestEvent != null) { _instance.OnMatchmakerStartGameRequestEvent((MatchmakerModels.StartGameRequest)e.Request); return; } }
+                if (type == typeof(MatchmakerModels.UserInfoRequest)) { if (_instance.OnMatchmakerUserInfoRequestEvent != null) { _instance.OnMatchmakerUserInfoRequestEvent((MatchmakerModels.UserInfoRequest)e.Request); return; } }
+#endif
+#if ENABLE_PLAYFABSERVER_API
+                if (type == typeof(ServerModels.AddCharacterVirtualCurrencyRequest)) { if (_instance.OnServerAddCharacterVirtualCurrencyRequestEvent != null) { _instance.OnServerAddCharacterVirtualCurrencyRequestEvent((ServerModels.AddCharacterVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AddFriendRequest)) { if (_instance.OnServerAddFriendRequestEvent != null) { _instance.OnServerAddFriendRequestEvent((ServerModels.AddFriendRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AddGenericIDRequest)) { if (_instance.OnServerAddGenericIDRequestEvent != null) { _instance.OnServerAddGenericIDRequestEvent((ServerModels.AddGenericIDRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AddPlayerTagRequest)) { if (_instance.OnServerAddPlayerTagRequestEvent != null) { _instance.OnServerAddPlayerTagRequestEvent((ServerModels.AddPlayerTagRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AddSharedGroupMembersRequest)) { if (_instance.OnServerAddSharedGroupMembersRequestEvent != null) { _instance.OnServerAddSharedGroupMembersRequestEvent((ServerModels.AddSharedGroupMembersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AddUserVirtualCurrencyRequest)) { if (_instance.OnServerAddUserVirtualCurrencyRequestEvent != null) { _instance.OnServerAddUserVirtualCurrencyRequestEvent((ServerModels.AddUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AuthenticateSessionTicketRequest)) { if (_instance.OnServerAuthenticateSessionTicketRequestEvent != null) { _instance.OnServerAuthenticateSessionTicketRequestEvent((ServerModels.AuthenticateSessionTicketRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.AwardSteamAchievementRequest)) { if (_instance.OnServerAwardSteamAchievementRequestEvent != null) { _instance.OnServerAwardSteamAchievementRequestEvent((ServerModels.AwardSteamAchievementRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.BanUsersRequest)) { if (_instance.OnServerBanUsersRequestEvent != null) { _instance.OnServerBanUsersRequestEvent((ServerModels.BanUsersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.ConsumeItemRequest)) { if (_instance.OnServerConsumeItemRequestEvent != null) { _instance.OnServerConsumeItemRequestEvent((ServerModels.ConsumeItemRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.CreateSharedGroupRequest)) { if (_instance.OnServerCreateSharedGroupRequestEvent != null) { _instance.OnServerCreateSharedGroupRequestEvent((ServerModels.CreateSharedGroupRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.DeleteCharacterFromUserRequest)) { if (_instance.OnServerDeleteCharacterFromUserRequestEvent != null) { _instance.OnServerDeleteCharacterFromUserRequestEvent((ServerModels.DeleteCharacterFromUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.DeletePlayerRequest)) { if (_instance.OnServerDeletePlayerRequestEvent != null) { _instance.OnServerDeletePlayerRequestEvent((ServerModels.DeletePlayerRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.DeletePushNotificationTemplateRequest)) { if (_instance.OnServerDeletePushNotificationTemplateRequestEvent != null) { _instance.OnServerDeletePushNotificationTemplateRequestEvent((ServerModels.DeletePushNotificationTemplateRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.DeleteSharedGroupRequest)) { if (_instance.OnServerDeleteSharedGroupRequestEvent != null) { _instance.OnServerDeleteSharedGroupRequestEvent((ServerModels.DeleteSharedGroupRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.DeregisterGameRequest)) { if (_instance.OnServerDeregisterGameRequestEvent != null) { _instance.OnServerDeregisterGameRequestEvent((ServerModels.DeregisterGameRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.EvaluateRandomResultTableRequest)) { if (_instance.OnServerEvaluateRandomResultTableRequestEvent != null) { _instance.OnServerEvaluateRandomResultTableRequestEvent((ServerModels.EvaluateRandomResultTableRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.ExecuteCloudScriptServerRequest)) { if (_instance.OnServerExecuteCloudScriptRequestEvent != null) { _instance.OnServerExecuteCloudScriptRequestEvent((ServerModels.ExecuteCloudScriptServerRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetAllSegmentsRequest)) { if (_instance.OnServerGetAllSegmentsRequestEvent != null) { _instance.OnServerGetAllSegmentsRequestEvent((ServerModels.GetAllSegmentsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.ListUsersCharactersRequest)) { if (_instance.OnServerGetAllUsersCharactersRequestEvent != null) { _instance.OnServerGetAllUsersCharactersRequestEvent((ServerModels.ListUsersCharactersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCatalogItemsRequest)) { if (_instance.OnServerGetCatalogItemsRequestEvent != null) { _instance.OnServerGetCatalogItemsRequestEvent((ServerModels.GetCatalogItemsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataRequest)) { if (_instance.OnServerGetCharacterDataRequestEvent != null) { _instance.OnServerGetCharacterDataRequestEvent((ServerModels.GetCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataRequest)) { if (_instance.OnServerGetCharacterInternalDataRequestEvent != null) { _instance.OnServerGetCharacterInternalDataRequestEvent((ServerModels.GetCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterInventoryRequest)) { if (_instance.OnServerGetCharacterInventoryRequestEvent != null) { _instance.OnServerGetCharacterInventoryRequestEvent((ServerModels.GetCharacterInventoryRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterLeaderboardRequest)) { if (_instance.OnServerGetCharacterLeaderboardRequestEvent != null) { _instance.OnServerGetCharacterLeaderboardRequestEvent((ServerModels.GetCharacterLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataRequest)) { if (_instance.OnServerGetCharacterReadOnlyDataRequestEvent != null) { _instance.OnServerGetCharacterReadOnlyDataRequestEvent((ServerModels.GetCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetCharacterStatisticsRequest)) { if (_instance.OnServerGetCharacterStatisticsRequestEvent != null) { _instance.OnServerGetCharacterStatisticsRequestEvent((ServerModels.GetCharacterStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetContentDownloadUrlRequest)) { if (_instance.OnServerGetContentDownloadUrlRequestEvent != null) { _instance.OnServerGetContentDownloadUrlRequestEvent((ServerModels.GetContentDownloadUrlRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetFriendLeaderboardRequest)) { if (_instance.OnServerGetFriendLeaderboardRequestEvent != null) { _instance.OnServerGetFriendLeaderboardRequestEvent((ServerModels.GetFriendLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetFriendsListRequest)) { if (_instance.OnServerGetFriendsListRequestEvent != null) { _instance.OnServerGetFriendsListRequestEvent((ServerModels.GetFriendsListRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardRequest)) { if (_instance.OnServerGetLeaderboardRequestEvent != null) { _instance.OnServerGetLeaderboardRequestEvent((ServerModels.GetLeaderboardRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardAroundCharacterRequest)) { if (_instance.OnServerGetLeaderboardAroundCharacterRequestEvent != null) { _instance.OnServerGetLeaderboardAroundCharacterRequestEvent((ServerModels.GetLeaderboardAroundCharacterRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardAroundUserRequest)) { if (_instance.OnServerGetLeaderboardAroundUserRequestEvent != null) { _instance.OnServerGetLeaderboardAroundUserRequestEvent((ServerModels.GetLeaderboardAroundUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardForUsersCharactersRequest)) { if (_instance.OnServerGetLeaderboardForUserCharactersRequestEvent != null) { _instance.OnServerGetLeaderboardForUserCharactersRequestEvent((ServerModels.GetLeaderboardForUsersCharactersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayerCombinedInfoRequest)) { if (_instance.OnServerGetPlayerCombinedInfoRequestEvent != null) { _instance.OnServerGetPlayerCombinedInfoRequestEvent((ServerModels.GetPlayerCombinedInfoRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayerProfileRequest)) { if (_instance.OnServerGetPlayerProfileRequestEvent != null) { _instance.OnServerGetPlayerProfileRequestEvent((ServerModels.GetPlayerProfileRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayersSegmentsRequest)) { if (_instance.OnServerGetPlayerSegmentsRequestEvent != null) { _instance.OnServerGetPlayerSegmentsRequestEvent((ServerModels.GetPlayersSegmentsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayersInSegmentRequest)) { if (_instance.OnServerGetPlayersInSegmentRequestEvent != null) { _instance.OnServerGetPlayersInSegmentRequestEvent((ServerModels.GetPlayersInSegmentRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayerStatisticsRequest)) { if (_instance.OnServerGetPlayerStatisticsRequestEvent != null) { _instance.OnServerGetPlayerStatisticsRequestEvent((ServerModels.GetPlayerStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayerStatisticVersionsRequest)) { if (_instance.OnServerGetPlayerStatisticVersionsRequestEvent != null) { _instance.OnServerGetPlayerStatisticVersionsRequestEvent((ServerModels.GetPlayerStatisticVersionsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayerTagsRequest)) { if (_instance.OnServerGetPlayerTagsRequestEvent != null) { _instance.OnServerGetPlayerTagsRequestEvent((ServerModels.GetPlayerTagsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromFacebookIDsRequest)) { if (_instance.OnServerGetPlayFabIDsFromFacebookIDsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromFacebookIDsRequestEvent((ServerModels.GetPlayFabIDsFromFacebookIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest)) { if (_instance.OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromFacebookInstantGamesIdsRequestEvent((ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromGenericIDsRequest)) { if (_instance.OnServerGetPlayFabIDsFromGenericIDsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromGenericIDsRequestEvent((ServerModels.GetPlayFabIDsFromGenericIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest)) { if (_instance.OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsRequestEvent((ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromPSNAccountIDsRequest)) { if (_instance.OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromPSNAccountIDsRequestEvent((ServerModels.GetPlayFabIDsFromPSNAccountIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromSteamIDsRequest)) { if (_instance.OnServerGetPlayFabIDsFromSteamIDsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromSteamIDsRequestEvent((ServerModels.GetPlayFabIDsFromSteamIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromXboxLiveIDsRequest)) { if (_instance.OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent != null) { _instance.OnServerGetPlayFabIDsFromXboxLiveIDsRequestEvent((ServerModels.GetPlayFabIDsFromXboxLiveIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetPublisherDataRequest)) { if (_instance.OnServerGetPublisherDataRequestEvent != null) { _instance.OnServerGetPublisherDataRequestEvent((ServerModels.GetPublisherDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetRandomResultTablesRequest)) { if (_instance.OnServerGetRandomResultTablesRequestEvent != null) { _instance.OnServerGetRandomResultTablesRequestEvent((ServerModels.GetRandomResultTablesRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetServerCustomIDsFromPlayFabIDsRequest)) { if (_instance.OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent != null) { _instance.OnServerGetServerCustomIDsFromPlayFabIDsRequestEvent((ServerModels.GetServerCustomIDsFromPlayFabIDsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetSharedGroupDataRequest)) { if (_instance.OnServerGetSharedGroupDataRequestEvent != null) { _instance.OnServerGetSharedGroupDataRequestEvent((ServerModels.GetSharedGroupDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetStoreItemsServerRequest)) { if (_instance.OnServerGetStoreItemsRequestEvent != null) { _instance.OnServerGetStoreItemsRequestEvent((ServerModels.GetStoreItemsServerRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetTimeRequest)) { if (_instance.OnServerGetTimeRequestEvent != null) { _instance.OnServerGetTimeRequestEvent((ServerModels.GetTimeRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetTitleDataRequest)) { if (_instance.OnServerGetTitleDataRequestEvent != null) { _instance.OnServerGetTitleDataRequestEvent((ServerModels.GetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetTitleDataRequest)) { if (_instance.OnServerGetTitleInternalDataRequestEvent != null) { _instance.OnServerGetTitleInternalDataRequestEvent((ServerModels.GetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetTitleNewsRequest)) { if (_instance.OnServerGetTitleNewsRequestEvent != null) { _instance.OnServerGetTitleNewsRequestEvent((ServerModels.GetTitleNewsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserAccountInfoRequest)) { if (_instance.OnServerGetUserAccountInfoRequestEvent != null) { _instance.OnServerGetUserAccountInfoRequestEvent((ServerModels.GetUserAccountInfoRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserBansRequest)) { if (_instance.OnServerGetUserBansRequestEvent != null) { _instance.OnServerGetUserBansRequestEvent((ServerModels.GetUserBansRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserDataRequestEvent != null) { _instance.OnServerGetUserDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserInternalDataRequestEvent != null) { _instance.OnServerGetUserInternalDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserInventoryRequest)) { if (_instance.OnServerGetUserInventoryRequestEvent != null) { _instance.OnServerGetUserInventoryRequestEvent((ServerModels.GetUserInventoryRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserPublisherDataRequestEvent != null) { _instance.OnServerGetUserPublisherDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserPublisherInternalDataRequestEvent != null) { _instance.OnServerGetUserPublisherInternalDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserPublisherReadOnlyDataRequestEvent != null) { _instance.OnServerGetUserPublisherReadOnlyDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GetUserDataRequest)) { if (_instance.OnServerGetUserReadOnlyDataRequestEvent != null) { _instance.OnServerGetUserReadOnlyDataRequestEvent((ServerModels.GetUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GrantCharacterToUserRequest)) { if (_instance.OnServerGrantCharacterToUserRequestEvent != null) { _instance.OnServerGrantCharacterToUserRequestEvent((ServerModels.GrantCharacterToUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GrantItemsToCharacterRequest)) { if (_instance.OnServerGrantItemsToCharacterRequestEvent != null) { _instance.OnServerGrantItemsToCharacterRequestEvent((ServerModels.GrantItemsToCharacterRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GrantItemsToUserRequest)) { if (_instance.OnServerGrantItemsToUserRequestEvent != null) { _instance.OnServerGrantItemsToUserRequestEvent((ServerModels.GrantItemsToUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.GrantItemsToUsersRequest)) { if (_instance.OnServerGrantItemsToUsersRequestEvent != null) { _instance.OnServerGrantItemsToUsersRequestEvent((ServerModels.GrantItemsToUsersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LinkPSNAccountRequest)) { if (_instance.OnServerLinkPSNAccountRequestEvent != null) { _instance.OnServerLinkPSNAccountRequestEvent((ServerModels.LinkPSNAccountRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LinkServerCustomIdRequest)) { if (_instance.OnServerLinkServerCustomIdRequestEvent != null) { _instance.OnServerLinkServerCustomIdRequestEvent((ServerModels.LinkServerCustomIdRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LinkXboxAccountRequest)) { if (_instance.OnServerLinkXboxAccountRequestEvent != null) { _instance.OnServerLinkXboxAccountRequestEvent((ServerModels.LinkXboxAccountRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LoginWithServerCustomIdRequest)) { if (_instance.OnServerLoginWithServerCustomIdRequestEvent != null) { _instance.OnServerLoginWithServerCustomIdRequestEvent((ServerModels.LoginWithServerCustomIdRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LoginWithSteamIdRequest)) { if (_instance.OnServerLoginWithSteamIdRequestEvent != null) { _instance.OnServerLoginWithSteamIdRequestEvent((ServerModels.LoginWithSteamIdRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LoginWithXboxRequest)) { if (_instance.OnServerLoginWithXboxRequestEvent != null) { _instance.OnServerLoginWithXboxRequestEvent((ServerModels.LoginWithXboxRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.LoginWithXboxIdRequest)) { if (_instance.OnServerLoginWithXboxIdRequestEvent != null) { _instance.OnServerLoginWithXboxIdRequestEvent((ServerModels.LoginWithXboxIdRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.ModifyItemUsesRequest)) { if (_instance.OnServerModifyItemUsesRequestEvent != null) { _instance.OnServerModifyItemUsesRequestEvent((ServerModels.ModifyItemUsesRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.MoveItemToCharacterFromCharacterRequest)) { if (_instance.OnServerMoveItemToCharacterFromCharacterRequestEvent != null) { _instance.OnServerMoveItemToCharacterFromCharacterRequestEvent((ServerModels.MoveItemToCharacterFromCharacterRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.MoveItemToCharacterFromUserRequest)) { if (_instance.OnServerMoveItemToCharacterFromUserRequestEvent != null) { _instance.OnServerMoveItemToCharacterFromUserRequestEvent((ServerModels.MoveItemToCharacterFromUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.MoveItemToUserFromCharacterRequest)) { if (_instance.OnServerMoveItemToUserFromCharacterRequestEvent != null) { _instance.OnServerMoveItemToUserFromCharacterRequestEvent((ServerModels.MoveItemToUserFromCharacterRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.NotifyMatchmakerPlayerLeftRequest)) { if (_instance.OnServerNotifyMatchmakerPlayerLeftRequestEvent != null) { _instance.OnServerNotifyMatchmakerPlayerLeftRequestEvent((ServerModels.NotifyMatchmakerPlayerLeftRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RedeemCouponRequest)) { if (_instance.OnServerRedeemCouponRequestEvent != null) { _instance.OnServerRedeemCouponRequestEvent((ServerModels.RedeemCouponRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RedeemMatchmakerTicketRequest)) { if (_instance.OnServerRedeemMatchmakerTicketRequestEvent != null) { _instance.OnServerRedeemMatchmakerTicketRequestEvent((ServerModels.RedeemMatchmakerTicketRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RefreshGameServerInstanceHeartbeatRequest)) { if (_instance.OnServerRefreshGameServerInstanceHeartbeatRequestEvent != null) { _instance.OnServerRefreshGameServerInstanceHeartbeatRequestEvent((ServerModels.RefreshGameServerInstanceHeartbeatRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RegisterGameRequest)) { if (_instance.OnServerRegisterGameRequestEvent != null) { _instance.OnServerRegisterGameRequestEvent((ServerModels.RegisterGameRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RemoveFriendRequest)) { if (_instance.OnServerRemoveFriendRequestEvent != null) { _instance.OnServerRemoveFriendRequestEvent((ServerModels.RemoveFriendRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RemoveGenericIDRequest)) { if (_instance.OnServerRemoveGenericIDRequestEvent != null) { _instance.OnServerRemoveGenericIDRequestEvent((ServerModels.RemoveGenericIDRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RemovePlayerTagRequest)) { if (_instance.OnServerRemovePlayerTagRequestEvent != null) { _instance.OnServerRemovePlayerTagRequestEvent((ServerModels.RemovePlayerTagRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RemoveSharedGroupMembersRequest)) { if (_instance.OnServerRemoveSharedGroupMembersRequestEvent != null) { _instance.OnServerRemoveSharedGroupMembersRequestEvent((ServerModels.RemoveSharedGroupMembersRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.ReportPlayerServerRequest)) { if (_instance.OnServerReportPlayerRequestEvent != null) { _instance.OnServerReportPlayerRequestEvent((ServerModels.ReportPlayerServerRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RevokeAllBansForUserRequest)) { if (_instance.OnServerRevokeAllBansForUserRequestEvent != null) { _instance.OnServerRevokeAllBansForUserRequestEvent((ServerModels.RevokeAllBansForUserRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RevokeBansRequest)) { if (_instance.OnServerRevokeBansRequestEvent != null) { _instance.OnServerRevokeBansRequestEvent((ServerModels.RevokeBansRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RevokeInventoryItemRequest)) { if (_instance.OnServerRevokeInventoryItemRequestEvent != null) { _instance.OnServerRevokeInventoryItemRequestEvent((ServerModels.RevokeInventoryItemRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.RevokeInventoryItemsRequest)) { if (_instance.OnServerRevokeInventoryItemsRequestEvent != null) { _instance.OnServerRevokeInventoryItemsRequestEvent((ServerModels.RevokeInventoryItemsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SavePushNotificationTemplateRequest)) { if (_instance.OnServerSavePushNotificationTemplateRequestEvent != null) { _instance.OnServerSavePushNotificationTemplateRequestEvent((ServerModels.SavePushNotificationTemplateRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SendCustomAccountRecoveryEmailRequest)) { if (_instance.OnServerSendCustomAccountRecoveryEmailRequestEvent != null) { _instance.OnServerSendCustomAccountRecoveryEmailRequestEvent((ServerModels.SendCustomAccountRecoveryEmailRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SendEmailFromTemplateRequest)) { if (_instance.OnServerSendEmailFromTemplateRequestEvent != null) { _instance.OnServerSendEmailFromTemplateRequestEvent((ServerModels.SendEmailFromTemplateRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SendPushNotificationRequest)) { if (_instance.OnServerSendPushNotificationRequestEvent != null) { _instance.OnServerSendPushNotificationRequestEvent((ServerModels.SendPushNotificationRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SendPushNotificationFromTemplateRequest)) { if (_instance.OnServerSendPushNotificationFromTemplateRequestEvent != null) { _instance.OnServerSendPushNotificationFromTemplateRequestEvent((ServerModels.SendPushNotificationFromTemplateRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetFriendTagsRequest)) { if (_instance.OnServerSetFriendTagsRequestEvent != null) { _instance.OnServerSetFriendTagsRequestEvent((ServerModels.SetFriendTagsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceDataRequest)) { if (_instance.OnServerSetGameServerInstanceDataRequestEvent != null) { _instance.OnServerSetGameServerInstanceDataRequestEvent((ServerModels.SetGameServerInstanceDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceStateRequest)) { if (_instance.OnServerSetGameServerInstanceStateRequestEvent != null) { _instance.OnServerSetGameServerInstanceStateRequestEvent((ServerModels.SetGameServerInstanceStateRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceTagsRequest)) { if (_instance.OnServerSetGameServerInstanceTagsRequestEvent != null) { _instance.OnServerSetGameServerInstanceTagsRequestEvent((ServerModels.SetGameServerInstanceTagsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetPlayerSecretRequest)) { if (_instance.OnServerSetPlayerSecretRequestEvent != null) { _instance.OnServerSetPlayerSecretRequestEvent((ServerModels.SetPlayerSecretRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetPublisherDataRequest)) { if (_instance.OnServerSetPublisherDataRequestEvent != null) { _instance.OnServerSetPublisherDataRequestEvent((ServerModels.SetPublisherDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetTitleDataRequest)) { if (_instance.OnServerSetTitleDataRequestEvent != null) { _instance.OnServerSetTitleDataRequestEvent((ServerModels.SetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SetTitleDataRequest)) { if (_instance.OnServerSetTitleInternalDataRequestEvent != null) { _instance.OnServerSetTitleInternalDataRequestEvent((ServerModels.SetTitleDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SubtractCharacterVirtualCurrencyRequest)) { if (_instance.OnServerSubtractCharacterVirtualCurrencyRequestEvent != null) { _instance.OnServerSubtractCharacterVirtualCurrencyRequestEvent((ServerModels.SubtractCharacterVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.SubtractUserVirtualCurrencyRequest)) { if (_instance.OnServerSubtractUserVirtualCurrencyRequestEvent != null) { _instance.OnServerSubtractUserVirtualCurrencyRequestEvent((ServerModels.SubtractUserVirtualCurrencyRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UnlinkPSNAccountRequest)) { if (_instance.OnServerUnlinkPSNAccountRequestEvent != null) { _instance.OnServerUnlinkPSNAccountRequestEvent((ServerModels.UnlinkPSNAccountRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UnlinkServerCustomIdRequest)) { if (_instance.OnServerUnlinkServerCustomIdRequestEvent != null) { _instance.OnServerUnlinkServerCustomIdRequestEvent((ServerModels.UnlinkServerCustomIdRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UnlinkXboxAccountRequest)) { if (_instance.OnServerUnlinkXboxAccountRequestEvent != null) { _instance.OnServerUnlinkXboxAccountRequestEvent((ServerModels.UnlinkXboxAccountRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UnlockContainerInstanceRequest)) { if (_instance.OnServerUnlockContainerInstanceRequestEvent != null) { _instance.OnServerUnlockContainerInstanceRequestEvent((ServerModels.UnlockContainerInstanceRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UnlockContainerItemRequest)) { if (_instance.OnServerUnlockContainerItemRequestEvent != null) { _instance.OnServerUnlockContainerItemRequestEvent((ServerModels.UnlockContainerItemRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateAvatarUrlRequest)) { if (_instance.OnServerUpdateAvatarUrlRequestEvent != null) { _instance.OnServerUpdateAvatarUrlRequestEvent((ServerModels.UpdateAvatarUrlRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateBansRequest)) { if (_instance.OnServerUpdateBansRequestEvent != null) { _instance.OnServerUpdateBansRequestEvent((ServerModels.UpdateBansRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataRequest)) { if (_instance.OnServerUpdateCharacterDataRequestEvent != null) { _instance.OnServerUpdateCharacterDataRequestEvent((ServerModels.UpdateCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataRequest)) { if (_instance.OnServerUpdateCharacterInternalDataRequestEvent != null) { _instance.OnServerUpdateCharacterInternalDataRequestEvent((ServerModels.UpdateCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataRequest)) { if (_instance.OnServerUpdateCharacterReadOnlyDataRequestEvent != null) { _instance.OnServerUpdateCharacterReadOnlyDataRequestEvent((ServerModels.UpdateCharacterDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterStatisticsRequest)) { if (_instance.OnServerUpdateCharacterStatisticsRequestEvent != null) { _instance.OnServerUpdateCharacterStatisticsRequestEvent((ServerModels.UpdateCharacterStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdatePlayerStatisticsRequest)) { if (_instance.OnServerUpdatePlayerStatisticsRequestEvent != null) { _instance.OnServerUpdatePlayerStatisticsRequestEvent((ServerModels.UpdatePlayerStatisticsRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateSharedGroupDataRequest)) { if (_instance.OnServerUpdateSharedGroupDataRequestEvent != null) { _instance.OnServerUpdateSharedGroupDataRequestEvent((ServerModels.UpdateSharedGroupDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataRequest)) { if (_instance.OnServerUpdateUserDataRequestEvent != null) { _instance.OnServerUpdateUserDataRequestEvent((ServerModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserInternalDataRequest)) { if (_instance.OnServerUpdateUserInternalDataRequestEvent != null) { _instance.OnServerUpdateUserInternalDataRequestEvent((ServerModels.UpdateUserInternalDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserInventoryItemDataRequest)) { if (_instance.OnServerUpdateUserInventoryItemCustomDataRequestEvent != null) { _instance.OnServerUpdateUserInventoryItemCustomDataRequestEvent((ServerModels.UpdateUserInventoryItemDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataRequest)) { if (_instance.OnServerUpdateUserPublisherDataRequestEvent != null) { _instance.OnServerUpdateUserPublisherDataRequestEvent((ServerModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserInternalDataRequest)) { if (_instance.OnServerUpdateUserPublisherInternalDataRequestEvent != null) { _instance.OnServerUpdateUserPublisherInternalDataRequestEvent((ServerModels.UpdateUserInternalDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataRequest)) { if (_instance.OnServerUpdateUserPublisherReadOnlyDataRequestEvent != null) { _instance.OnServerUpdateUserPublisherReadOnlyDataRequestEvent((ServerModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataRequest)) { if (_instance.OnServerUpdateUserReadOnlyDataRequestEvent != null) { _instance.OnServerUpdateUserReadOnlyDataRequestEvent((ServerModels.UpdateUserDataRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.WriteServerCharacterEventRequest)) { if (_instance.OnServerWriteCharacterEventRequestEvent != null) { _instance.OnServerWriteCharacterEventRequestEvent((ServerModels.WriteServerCharacterEventRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.WriteServerPlayerEventRequest)) { if (_instance.OnServerWritePlayerEventRequestEvent != null) { _instance.OnServerWritePlayerEventRequestEvent((ServerModels.WriteServerPlayerEventRequest)e.Request); return; } }
+                if (type == typeof(ServerModels.WriteTitleEventRequest)) { if (_instance.OnServerWriteTitleEventRequestEvent != null) { _instance.OnServerWriteTitleEventRequestEvent((ServerModels.WriteTitleEventRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(AuthenticationModels.GetEntityTokenRequest)) { if (_instance.OnAuthenticationGetEntityTokenRequestEvent != null) { _instance.OnAuthenticationGetEntityTokenRequestEvent((AuthenticationModels.GetEntityTokenRequest)e.Request); return; } }
+                if (type == typeof(AuthenticationModels.ValidateEntityTokenRequest)) { if (_instance.OnAuthenticationValidateEntityTokenRequestEvent != null) { _instance.OnAuthenticationValidateEntityTokenRequestEvent((AuthenticationModels.ValidateEntityTokenRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(CloudScriptModels.ExecuteEntityCloudScriptRequest)) { if (_instance.OnCloudScriptExecuteEntityCloudScriptRequestEvent != null) { _instance.OnCloudScriptExecuteEntityCloudScriptRequestEvent((CloudScriptModels.ExecuteEntityCloudScriptRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.ExecuteFunctionRequest)) { if (_instance.OnCloudScriptExecuteFunctionRequestEvent != null) { _instance.OnCloudScriptExecuteFunctionRequestEvent((CloudScriptModels.ExecuteFunctionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.ListFunctionsRequest)) { if (_instance.OnCloudScriptListFunctionsRequestEvent != null) { _instance.OnCloudScriptListFunctionsRequestEvent((CloudScriptModels.ListFunctionsRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.ListFunctionsRequest)) { if (_instance.OnCloudScriptListHttpFunctionsRequestEvent != null) { _instance.OnCloudScriptListHttpFunctionsRequestEvent((CloudScriptModels.ListFunctionsRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.ListFunctionsRequest)) { if (_instance.OnCloudScriptListQueuedFunctionsRequestEvent != null) { _instance.OnCloudScriptListQueuedFunctionsRequestEvent((CloudScriptModels.ListFunctionsRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.PostFunctionResultForEntityTriggeredActionRequest)) { if (_instance.OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent != null) { _instance.OnCloudScriptPostFunctionResultForEntityTriggeredActionRequestEvent((CloudScriptModels.PostFunctionResultForEntityTriggeredActionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.PostFunctionResultForFunctionExecutionRequest)) { if (_instance.OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent != null) { _instance.OnCloudScriptPostFunctionResultForFunctionExecutionRequestEvent((CloudScriptModels.PostFunctionResultForFunctionExecutionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.PostFunctionResultForPlayerTriggeredActionRequest)) { if (_instance.OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent != null) { _instance.OnCloudScriptPostFunctionResultForPlayerTriggeredActionRequestEvent((CloudScriptModels.PostFunctionResultForPlayerTriggeredActionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.PostFunctionResultForScheduledTaskRequest)) { if (_instance.OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent != null) { _instance.OnCloudScriptPostFunctionResultForScheduledTaskRequestEvent((CloudScriptModels.PostFunctionResultForScheduledTaskRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.RegisterHttpFunctionRequest)) { if (_instance.OnCloudScriptRegisterHttpFunctionRequestEvent != null) { _instance.OnCloudScriptRegisterHttpFunctionRequestEvent((CloudScriptModels.RegisterHttpFunctionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.RegisterQueuedFunctionRequest)) { if (_instance.OnCloudScriptRegisterQueuedFunctionRequestEvent != null) { _instance.OnCloudScriptRegisterQueuedFunctionRequestEvent((CloudScriptModels.RegisterQueuedFunctionRequest)e.Request); return; } }
+                if (type == typeof(CloudScriptModels.UnregisterFunctionRequest)) { if (_instance.OnCloudScriptUnregisterFunctionRequestEvent != null) { _instance.OnCloudScriptUnregisterFunctionRequestEvent((CloudScriptModels.UnregisterFunctionRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(DataModels.AbortFileUploadsRequest)) { if (_instance.OnDataAbortFileUploadsRequestEvent != null) { _instance.OnDataAbortFileUploadsRequestEvent((DataModels.AbortFileUploadsRequest)e.Request); return; } }
+                if (type == typeof(DataModels.DeleteFilesRequest)) { if (_instance.OnDataDeleteFilesRequestEvent != null) { _instance.OnDataDeleteFilesRequestEvent((DataModels.DeleteFilesRequest)e.Request); return; } }
+                if (type == typeof(DataModels.FinalizeFileUploadsRequest)) { if (_instance.OnDataFinalizeFileUploadsRequestEvent != null) { _instance.OnDataFinalizeFileUploadsRequestEvent((DataModels.FinalizeFileUploadsRequest)e.Request); return; } }
+                if (type == typeof(DataModels.GetFilesRequest)) { if (_instance.OnDataGetFilesRequestEvent != null) { _instance.OnDataGetFilesRequestEvent((DataModels.GetFilesRequest)e.Request); return; } }
+                if (type == typeof(DataModels.GetObjectsRequest)) { if (_instance.OnDataGetObjectsRequestEvent != null) { _instance.OnDataGetObjectsRequestEvent((DataModels.GetObjectsRequest)e.Request); return; } }
+                if (type == typeof(DataModels.InitiateFileUploadsRequest)) { if (_instance.OnDataInitiateFileUploadsRequestEvent != null) { _instance.OnDataInitiateFileUploadsRequestEvent((DataModels.InitiateFileUploadsRequest)e.Request); return; } }
+                if (type == typeof(DataModels.SetObjectsRequest)) { if (_instance.OnDataSetObjectsRequestEvent != null) { _instance.OnDataSetObjectsRequestEvent((DataModels.SetObjectsRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(EventsModels.WriteEventsRequest)) { if (_instance.OnEventsWriteEventsRequestEvent != null) { _instance.OnEventsWriteEventsRequestEvent((EventsModels.WriteEventsRequest)e.Request); return; } }
+                if (type == typeof(EventsModels.WriteEventsRequest)) { if (_instance.OnEventsWriteTelemetryEventsRequestEvent != null) { _instance.OnEventsWriteTelemetryEventsRequestEvent((EventsModels.WriteEventsRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(ExperimentationModels.CreateExclusionGroupRequest)) { if (_instance.OnExperimentationCreateExclusionGroupRequestEvent != null) { _instance.OnExperimentationCreateExclusionGroupRequestEvent((ExperimentationModels.CreateExclusionGroupRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.CreateExperimentRequest)) { if (_instance.OnExperimentationCreateExperimentRequestEvent != null) { _instance.OnExperimentationCreateExperimentRequestEvent((ExperimentationModels.CreateExperimentRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.DeleteExclusionGroupRequest)) { if (_instance.OnExperimentationDeleteExclusionGroupRequestEvent != null) { _instance.OnExperimentationDeleteExclusionGroupRequestEvent((ExperimentationModels.DeleteExclusionGroupRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.DeleteExperimentRequest)) { if (_instance.OnExperimentationDeleteExperimentRequestEvent != null) { _instance.OnExperimentationDeleteExperimentRequestEvent((ExperimentationModels.DeleteExperimentRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.GetExclusionGroupsRequest)) { if (_instance.OnExperimentationGetExclusionGroupsRequestEvent != null) { _instance.OnExperimentationGetExclusionGroupsRequestEvent((ExperimentationModels.GetExclusionGroupsRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.GetExclusionGroupTrafficRequest)) { if (_instance.OnExperimentationGetExclusionGroupTrafficRequestEvent != null) { _instance.OnExperimentationGetExclusionGroupTrafficRequestEvent((ExperimentationModels.GetExclusionGroupTrafficRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.GetExperimentsRequest)) { if (_instance.OnExperimentationGetExperimentsRequestEvent != null) { _instance.OnExperimentationGetExperimentsRequestEvent((ExperimentationModels.GetExperimentsRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.GetLatestScorecardRequest)) { if (_instance.OnExperimentationGetLatestScorecardRequestEvent != null) { _instance.OnExperimentationGetLatestScorecardRequestEvent((ExperimentationModels.GetLatestScorecardRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.GetTreatmentAssignmentRequest)) { if (_instance.OnExperimentationGetTreatmentAssignmentRequestEvent != null) { _instance.OnExperimentationGetTreatmentAssignmentRequestEvent((ExperimentationModels.GetTreatmentAssignmentRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.StartExperimentRequest)) { if (_instance.OnExperimentationStartExperimentRequestEvent != null) { _instance.OnExperimentationStartExperimentRequestEvent((ExperimentationModels.StartExperimentRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.StopExperimentRequest)) { if (_instance.OnExperimentationStopExperimentRequestEvent != null) { _instance.OnExperimentationStopExperimentRequestEvent((ExperimentationModels.StopExperimentRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.UpdateExclusionGroupRequest)) { if (_instance.OnExperimentationUpdateExclusionGroupRequestEvent != null) { _instance.OnExperimentationUpdateExclusionGroupRequestEvent((ExperimentationModels.UpdateExclusionGroupRequest)e.Request); return; } }
+                if (type == typeof(ExperimentationModels.UpdateExperimentRequest)) { if (_instance.OnExperimentationUpdateExperimentRequestEvent != null) { _instance.OnExperimentationUpdateExperimentRequestEvent((ExperimentationModels.UpdateExperimentRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(InsightsModels.InsightsEmptyRequest)) { if (_instance.OnInsightsGetDetailsRequestEvent != null) { _instance.OnInsightsGetDetailsRequestEvent((InsightsModels.InsightsEmptyRequest)e.Request); return; } }
+                if (type == typeof(InsightsModels.InsightsEmptyRequest)) { if (_instance.OnInsightsGetLimitsRequestEvent != null) { _instance.OnInsightsGetLimitsRequestEvent((InsightsModels.InsightsEmptyRequest)e.Request); return; } }
+                if (type == typeof(InsightsModels.InsightsGetOperationStatusRequest)) { if (_instance.OnInsightsGetOperationStatusRequestEvent != null) { _instance.OnInsightsGetOperationStatusRequestEvent((InsightsModels.InsightsGetOperationStatusRequest)e.Request); return; } }
+                if (type == typeof(InsightsModels.InsightsGetPendingOperationsRequest)) { if (_instance.OnInsightsGetPendingOperationsRequestEvent != null) { _instance.OnInsightsGetPendingOperationsRequestEvent((InsightsModels.InsightsGetPendingOperationsRequest)e.Request); return; } }
+                if (type == typeof(InsightsModels.InsightsSetPerformanceRequest)) { if (_instance.OnInsightsSetPerformanceRequestEvent != null) { _instance.OnInsightsSetPerformanceRequestEvent((InsightsModels.InsightsSetPerformanceRequest)e.Request); return; } }
+                if (type == typeof(InsightsModels.InsightsSetStorageRetentionRequest)) { if (_instance.OnInsightsSetStorageRetentionRequestEvent != null) { _instance.OnInsightsSetStorageRetentionRequestEvent((InsightsModels.InsightsSetStorageRetentionRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(GroupsModels.AcceptGroupApplicationRequest)) { if (_instance.OnGroupsAcceptGroupApplicationRequestEvent != null) { _instance.OnGroupsAcceptGroupApplicationRequestEvent((GroupsModels.AcceptGroupApplicationRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.AcceptGroupInvitationRequest)) { if (_instance.OnGroupsAcceptGroupInvitationRequestEvent != null) { _instance.OnGroupsAcceptGroupInvitationRequestEvent((GroupsModels.AcceptGroupInvitationRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.AddMembersRequest)) { if (_instance.OnGroupsAddMembersRequestEvent != null) { _instance.OnGroupsAddMembersRequestEvent((GroupsModels.AddMembersRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ApplyToGroupRequest)) { if (_instance.OnGroupsApplyToGroupRequestEvent != null) { _instance.OnGroupsApplyToGroupRequestEvent((GroupsModels.ApplyToGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.BlockEntityRequest)) { if (_instance.OnGroupsBlockEntityRequestEvent != null) { _instance.OnGroupsBlockEntityRequestEvent((GroupsModels.BlockEntityRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ChangeMemberRoleRequest)) { if (_instance.OnGroupsChangeMemberRoleRequestEvent != null) { _instance.OnGroupsChangeMemberRoleRequestEvent((GroupsModels.ChangeMemberRoleRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.CreateGroupRequest)) { if (_instance.OnGroupsCreateGroupRequestEvent != null) { _instance.OnGroupsCreateGroupRequestEvent((GroupsModels.CreateGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.CreateGroupRoleRequest)) { if (_instance.OnGroupsCreateRoleRequestEvent != null) { _instance.OnGroupsCreateRoleRequestEvent((GroupsModels.CreateGroupRoleRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.DeleteGroupRequest)) { if (_instance.OnGroupsDeleteGroupRequestEvent != null) { _instance.OnGroupsDeleteGroupRequestEvent((GroupsModels.DeleteGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.DeleteRoleRequest)) { if (_instance.OnGroupsDeleteRoleRequestEvent != null) { _instance.OnGroupsDeleteRoleRequestEvent((GroupsModels.DeleteRoleRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.GetGroupRequest)) { if (_instance.OnGroupsGetGroupRequestEvent != null) { _instance.OnGroupsGetGroupRequestEvent((GroupsModels.GetGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.InviteToGroupRequest)) { if (_instance.OnGroupsInviteToGroupRequestEvent != null) { _instance.OnGroupsInviteToGroupRequestEvent((GroupsModels.InviteToGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.IsMemberRequest)) { if (_instance.OnGroupsIsMemberRequestEvent != null) { _instance.OnGroupsIsMemberRequestEvent((GroupsModels.IsMemberRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListGroupApplicationsRequest)) { if (_instance.OnGroupsListGroupApplicationsRequestEvent != null) { _instance.OnGroupsListGroupApplicationsRequestEvent((GroupsModels.ListGroupApplicationsRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListGroupBlocksRequest)) { if (_instance.OnGroupsListGroupBlocksRequestEvent != null) { _instance.OnGroupsListGroupBlocksRequestEvent((GroupsModels.ListGroupBlocksRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListGroupInvitationsRequest)) { if (_instance.OnGroupsListGroupInvitationsRequestEvent != null) { _instance.OnGroupsListGroupInvitationsRequestEvent((GroupsModels.ListGroupInvitationsRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListGroupMembersRequest)) { if (_instance.OnGroupsListGroupMembersRequestEvent != null) { _instance.OnGroupsListGroupMembersRequestEvent((GroupsModels.ListGroupMembersRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListMembershipRequest)) { if (_instance.OnGroupsListMembershipRequestEvent != null) { _instance.OnGroupsListMembershipRequestEvent((GroupsModels.ListMembershipRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.ListMembershipOpportunitiesRequest)) { if (_instance.OnGroupsListMembershipOpportunitiesRequestEvent != null) { _instance.OnGroupsListMembershipOpportunitiesRequestEvent((GroupsModels.ListMembershipOpportunitiesRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.RemoveGroupApplicationRequest)) { if (_instance.OnGroupsRemoveGroupApplicationRequestEvent != null) { _instance.OnGroupsRemoveGroupApplicationRequestEvent((GroupsModels.RemoveGroupApplicationRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.RemoveGroupInvitationRequest)) { if (_instance.OnGroupsRemoveGroupInvitationRequestEvent != null) { _instance.OnGroupsRemoveGroupInvitationRequestEvent((GroupsModels.RemoveGroupInvitationRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.RemoveMembersRequest)) { if (_instance.OnGroupsRemoveMembersRequestEvent != null) { _instance.OnGroupsRemoveMembersRequestEvent((GroupsModels.RemoveMembersRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.UnblockEntityRequest)) { if (_instance.OnGroupsUnblockEntityRequestEvent != null) { _instance.OnGroupsUnblockEntityRequestEvent((GroupsModels.UnblockEntityRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.UpdateGroupRequest)) { if (_instance.OnGroupsUpdateGroupRequestEvent != null) { _instance.OnGroupsUpdateGroupRequestEvent((GroupsModels.UpdateGroupRequest)e.Request); return; } }
+                if (type == typeof(GroupsModels.UpdateGroupRoleRequest)) { if (_instance.OnGroupsUpdateRoleRequestEvent != null) { _instance.OnGroupsUpdateRoleRequestEvent((GroupsModels.UpdateGroupRoleRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(LocalizationModels.GetLanguageListRequest)) { if (_instance.OnLocalizationGetLanguageListRequestEvent != null) { _instance.OnLocalizationGetLanguageListRequestEvent((LocalizationModels.GetLanguageListRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(MultiplayerModels.CancelAllMatchmakingTicketsForPlayerRequest)) { if (_instance.OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent != null) { _instance.OnMultiplayerCancelAllMatchmakingTicketsForPlayerRequestEvent((MultiplayerModels.CancelAllMatchmakingTicketsForPlayerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CancelAllServerBackfillTicketsForPlayerRequest)) { if (_instance.OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent != null) { _instance.OnMultiplayerCancelAllServerBackfillTicketsForPlayerRequestEvent((MultiplayerModels.CancelAllServerBackfillTicketsForPlayerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CancelMatchmakingTicketRequest)) { if (_instance.OnMultiplayerCancelMatchmakingTicketRequestEvent != null) { _instance.OnMultiplayerCancelMatchmakingTicketRequestEvent((MultiplayerModels.CancelMatchmakingTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CancelServerBackfillTicketRequest)) { if (_instance.OnMultiplayerCancelServerBackfillTicketRequestEvent != null) { _instance.OnMultiplayerCancelServerBackfillTicketRequestEvent((MultiplayerModels.CancelServerBackfillTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildAliasRequest)) { if (_instance.OnMultiplayerCreateBuildAliasRequestEvent != null) { _instance.OnMultiplayerCreateBuildAliasRequestEvent((MultiplayerModels.CreateBuildAliasRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithCustomContainerRequest)) { if (_instance.OnMultiplayerCreateBuildWithCustomContainerRequestEvent != null) { _instance.OnMultiplayerCreateBuildWithCustomContainerRequestEvent((MultiplayerModels.CreateBuildWithCustomContainerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithManagedContainerRequest)) { if (_instance.OnMultiplayerCreateBuildWithManagedContainerRequestEvent != null) { _instance.OnMultiplayerCreateBuildWithManagedContainerRequestEvent((MultiplayerModels.CreateBuildWithManagedContainerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithProcessBasedServerRequest)) { if (_instance.OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent != null) { _instance.OnMultiplayerCreateBuildWithProcessBasedServerRequestEvent((MultiplayerModels.CreateBuildWithProcessBasedServerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateMatchmakingTicketRequest)) { if (_instance.OnMultiplayerCreateMatchmakingTicketRequestEvent != null) { _instance.OnMultiplayerCreateMatchmakingTicketRequestEvent((MultiplayerModels.CreateMatchmakingTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateRemoteUserRequest)) { if (_instance.OnMultiplayerCreateRemoteUserRequestEvent != null) { _instance.OnMultiplayerCreateRemoteUserRequestEvent((MultiplayerModels.CreateRemoteUserRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateServerBackfillTicketRequest)) { if (_instance.OnMultiplayerCreateServerBackfillTicketRequestEvent != null) { _instance.OnMultiplayerCreateServerBackfillTicketRequestEvent((MultiplayerModels.CreateServerBackfillTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateServerMatchmakingTicketRequest)) { if (_instance.OnMultiplayerCreateServerMatchmakingTicketRequestEvent != null) { _instance.OnMultiplayerCreateServerMatchmakingTicketRequestEvent((MultiplayerModels.CreateServerMatchmakingTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeRequest)) { if (_instance.OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent != null) { _instance.OnMultiplayerCreateTitleMultiplayerServersQuotaChangeRequestEvent((MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteAssetRequest)) { if (_instance.OnMultiplayerDeleteAssetRequestEvent != null) { _instance.OnMultiplayerDeleteAssetRequestEvent((MultiplayerModels.DeleteAssetRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteBuildRequest)) { if (_instance.OnMultiplayerDeleteBuildRequestEvent != null) { _instance.OnMultiplayerDeleteBuildRequestEvent((MultiplayerModels.DeleteBuildRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteBuildAliasRequest)) { if (_instance.OnMultiplayerDeleteBuildAliasRequestEvent != null) { _instance.OnMultiplayerDeleteBuildAliasRequestEvent((MultiplayerModels.DeleteBuildAliasRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteBuildRegionRequest)) { if (_instance.OnMultiplayerDeleteBuildRegionRequestEvent != null) { _instance.OnMultiplayerDeleteBuildRegionRequestEvent((MultiplayerModels.DeleteBuildRegionRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteCertificateRequest)) { if (_instance.OnMultiplayerDeleteCertificateRequestEvent != null) { _instance.OnMultiplayerDeleteCertificateRequestEvent((MultiplayerModels.DeleteCertificateRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteContainerImageRequest)) { if (_instance.OnMultiplayerDeleteContainerImageRepositoryRequestEvent != null) { _instance.OnMultiplayerDeleteContainerImageRepositoryRequestEvent((MultiplayerModels.DeleteContainerImageRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.DeleteRemoteUserRequest)) { if (_instance.OnMultiplayerDeleteRemoteUserRequestEvent != null) { _instance.OnMultiplayerDeleteRemoteUserRequestEvent((MultiplayerModels.DeleteRemoteUserRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.EnableMultiplayerServersForTitleRequest)) { if (_instance.OnMultiplayerEnableMultiplayerServersForTitleRequestEvent != null) { _instance.OnMultiplayerEnableMultiplayerServersForTitleRequestEvent((MultiplayerModels.EnableMultiplayerServersForTitleRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetAssetDownloadUrlRequest)) { if (_instance.OnMultiplayerGetAssetDownloadUrlRequestEvent != null) { _instance.OnMultiplayerGetAssetDownloadUrlRequestEvent((MultiplayerModels.GetAssetDownloadUrlRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetAssetUploadUrlRequest)) { if (_instance.OnMultiplayerGetAssetUploadUrlRequestEvent != null) { _instance.OnMultiplayerGetAssetUploadUrlRequestEvent((MultiplayerModels.GetAssetUploadUrlRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetBuildRequest)) { if (_instance.OnMultiplayerGetBuildRequestEvent != null) { _instance.OnMultiplayerGetBuildRequestEvent((MultiplayerModels.GetBuildRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetBuildAliasRequest)) { if (_instance.OnMultiplayerGetBuildAliasRequestEvent != null) { _instance.OnMultiplayerGetBuildAliasRequestEvent((MultiplayerModels.GetBuildAliasRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetContainerRegistryCredentialsRequest)) { if (_instance.OnMultiplayerGetContainerRegistryCredentialsRequestEvent != null) { _instance.OnMultiplayerGetContainerRegistryCredentialsRequestEvent((MultiplayerModels.GetContainerRegistryCredentialsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchRequest)) { if (_instance.OnMultiplayerGetMatchRequestEvent != null) { _instance.OnMultiplayerGetMatchRequestEvent((MultiplayerModels.GetMatchRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchmakingQueueRequest)) { if (_instance.OnMultiplayerGetMatchmakingQueueRequestEvent != null) { _instance.OnMultiplayerGetMatchmakingQueueRequestEvent((MultiplayerModels.GetMatchmakingQueueRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchmakingTicketRequest)) { if (_instance.OnMultiplayerGetMatchmakingTicketRequestEvent != null) { _instance.OnMultiplayerGetMatchmakingTicketRequestEvent((MultiplayerModels.GetMatchmakingTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerServerDetailsRequest)) { if (_instance.OnMultiplayerGetMultiplayerServerDetailsRequestEvent != null) { _instance.OnMultiplayerGetMultiplayerServerDetailsRequestEvent((MultiplayerModels.GetMultiplayerServerDetailsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerServerLogsRequest)) { if (_instance.OnMultiplayerGetMultiplayerServerLogsRequestEvent != null) { _instance.OnMultiplayerGetMultiplayerServerLogsRequestEvent((MultiplayerModels.GetMultiplayerServerLogsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerSessionLogsBySessionIdRequest)) { if (_instance.OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent != null) { _instance.OnMultiplayerGetMultiplayerSessionLogsBySessionIdRequestEvent((MultiplayerModels.GetMultiplayerSessionLogsBySessionIdRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetQueueStatisticsRequest)) { if (_instance.OnMultiplayerGetQueueStatisticsRequestEvent != null) { _instance.OnMultiplayerGetQueueStatisticsRequestEvent((MultiplayerModels.GetQueueStatisticsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetRemoteLoginEndpointRequest)) { if (_instance.OnMultiplayerGetRemoteLoginEndpointRequestEvent != null) { _instance.OnMultiplayerGetRemoteLoginEndpointRequestEvent((MultiplayerModels.GetRemoteLoginEndpointRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetServerBackfillTicketRequest)) { if (_instance.OnMultiplayerGetServerBackfillTicketRequestEvent != null) { _instance.OnMultiplayerGetServerBackfillTicketRequestEvent((MultiplayerModels.GetServerBackfillTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusRequest)) { if (_instance.OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent != null) { _instance.OnMultiplayerGetTitleEnabledForMultiplayerServersStatusRequestEvent((MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleMultiplayerServersQuotaChangeRequest)) { if (_instance.OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent != null) { _instance.OnMultiplayerGetTitleMultiplayerServersQuotaChangeRequestEvent((MultiplayerModels.GetTitleMultiplayerServersQuotaChangeRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleMultiplayerServersQuotasRequest)) { if (_instance.OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent != null) { _instance.OnMultiplayerGetTitleMultiplayerServersQuotasRequestEvent((MultiplayerModels.GetTitleMultiplayerServersQuotasRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.JoinMatchmakingTicketRequest)) { if (_instance.OnMultiplayerJoinMatchmakingTicketRequestEvent != null) { _instance.OnMultiplayerJoinMatchmakingTicketRequestEvent((MultiplayerModels.JoinMatchmakingTicketRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListMultiplayerServersRequest)) { if (_instance.OnMultiplayerListArchivedMultiplayerServersRequestEvent != null) { _instance.OnMultiplayerListArchivedMultiplayerServersRequestEvent((MultiplayerModels.ListMultiplayerServersRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListAssetSummariesRequest)) { if (_instance.OnMultiplayerListAssetSummariesRequestEvent != null) { _instance.OnMultiplayerListAssetSummariesRequestEvent((MultiplayerModels.ListAssetSummariesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListBuildAliasesRequest)) { if (_instance.OnMultiplayerListBuildAliasesRequestEvent != null) { _instance.OnMultiplayerListBuildAliasesRequestEvent((MultiplayerModels.ListBuildAliasesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListBuildSummariesRequest)) { if (_instance.OnMultiplayerListBuildSummariesV2RequestEvent != null) { _instance.OnMultiplayerListBuildSummariesV2RequestEvent((MultiplayerModels.ListBuildSummariesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListCertificateSummariesRequest)) { if (_instance.OnMultiplayerListCertificateSummariesRequestEvent != null) { _instance.OnMultiplayerListCertificateSummariesRequestEvent((MultiplayerModels.ListCertificateSummariesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListContainerImagesRequest)) { if (_instance.OnMultiplayerListContainerImagesRequestEvent != null) { _instance.OnMultiplayerListContainerImagesRequestEvent((MultiplayerModels.ListContainerImagesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListContainerImageTagsRequest)) { if (_instance.OnMultiplayerListContainerImageTagsRequestEvent != null) { _instance.OnMultiplayerListContainerImageTagsRequestEvent((MultiplayerModels.ListContainerImageTagsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListMatchmakingQueuesRequest)) { if (_instance.OnMultiplayerListMatchmakingQueuesRequestEvent != null) { _instance.OnMultiplayerListMatchmakingQueuesRequestEvent((MultiplayerModels.ListMatchmakingQueuesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListMatchmakingTicketsForPlayerRequest)) { if (_instance.OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent != null) { _instance.OnMultiplayerListMatchmakingTicketsForPlayerRequestEvent((MultiplayerModels.ListMatchmakingTicketsForPlayerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListMultiplayerServersRequest)) { if (_instance.OnMultiplayerListMultiplayerServersRequestEvent != null) { _instance.OnMultiplayerListMultiplayerServersRequestEvent((MultiplayerModels.ListMultiplayerServersRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListPartyQosServersRequest)) { if (_instance.OnMultiplayerListPartyQosServersRequestEvent != null) { _instance.OnMultiplayerListPartyQosServersRequestEvent((MultiplayerModels.ListPartyQosServersRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListQosServersForTitleRequest)) { if (_instance.OnMultiplayerListQosServersForTitleRequestEvent != null) { _instance.OnMultiplayerListQosServersForTitleRequestEvent((MultiplayerModels.ListQosServersForTitleRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListServerBackfillTicketsForPlayerRequest)) { if (_instance.OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent != null) { _instance.OnMultiplayerListServerBackfillTicketsForPlayerRequestEvent((MultiplayerModels.ListServerBackfillTicketsForPlayerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListTitleMultiplayerServersQuotaChangesRequest)) { if (_instance.OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent != null) { _instance.OnMultiplayerListTitleMultiplayerServersQuotaChangesRequestEvent((MultiplayerModels.ListTitleMultiplayerServersQuotaChangesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ListVirtualMachineSummariesRequest)) { if (_instance.OnMultiplayerListVirtualMachineSummariesRequestEvent != null) { _instance.OnMultiplayerListVirtualMachineSummariesRequestEvent((MultiplayerModels.ListVirtualMachineSummariesRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.RemoveMatchmakingQueueRequest)) { if (_instance.OnMultiplayerRemoveMatchmakingQueueRequestEvent != null) { _instance.OnMultiplayerRemoveMatchmakingQueueRequestEvent((MultiplayerModels.RemoveMatchmakingQueueRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.RequestMultiplayerServerRequest)) { if (_instance.OnMultiplayerRequestMultiplayerServerRequestEvent != null) { _instance.OnMultiplayerRequestMultiplayerServerRequestEvent((MultiplayerModels.RequestMultiplayerServerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.RolloverContainerRegistryCredentialsRequest)) { if (_instance.OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent != null) { _instance.OnMultiplayerRolloverContainerRegistryCredentialsRequestEvent((MultiplayerModels.RolloverContainerRegistryCredentialsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.SetMatchmakingQueueRequest)) { if (_instance.OnMultiplayerSetMatchmakingQueueRequestEvent != null) { _instance.OnMultiplayerSetMatchmakingQueueRequestEvent((MultiplayerModels.SetMatchmakingQueueRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.ShutdownMultiplayerServerRequest)) { if (_instance.OnMultiplayerShutdownMultiplayerServerRequestEvent != null) { _instance.OnMultiplayerShutdownMultiplayerServerRequestEvent((MultiplayerModels.ShutdownMultiplayerServerRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UntagContainerImageRequest)) { if (_instance.OnMultiplayerUntagContainerImageRequestEvent != null) { _instance.OnMultiplayerUntagContainerImageRequestEvent((MultiplayerModels.UntagContainerImageRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UpdateBuildAliasRequest)) { if (_instance.OnMultiplayerUpdateBuildAliasRequestEvent != null) { _instance.OnMultiplayerUpdateBuildAliasRequestEvent((MultiplayerModels.UpdateBuildAliasRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UpdateBuildNameRequest)) { if (_instance.OnMultiplayerUpdateBuildNameRequestEvent != null) { _instance.OnMultiplayerUpdateBuildNameRequestEvent((MultiplayerModels.UpdateBuildNameRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UpdateBuildRegionRequest)) { if (_instance.OnMultiplayerUpdateBuildRegionRequestEvent != null) { _instance.OnMultiplayerUpdateBuildRegionRequestEvent((MultiplayerModels.UpdateBuildRegionRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UpdateBuildRegionsRequest)) { if (_instance.OnMultiplayerUpdateBuildRegionsRequestEvent != null) { _instance.OnMultiplayerUpdateBuildRegionsRequestEvent((MultiplayerModels.UpdateBuildRegionsRequest)e.Request); return; } }
+                if (type == typeof(MultiplayerModels.UploadCertificateRequest)) { if (_instance.OnMultiplayerUploadCertificateRequestEvent != null) { _instance.OnMultiplayerUploadCertificateRequestEvent((MultiplayerModels.UploadCertificateRequest)e.Request); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+                if (type == typeof(ProfilesModels.GetGlobalPolicyRequest)) { if (_instance.OnProfilesGetGlobalPolicyRequestEvent != null) { _instance.OnProfilesGetGlobalPolicyRequestEvent((ProfilesModels.GetGlobalPolicyRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.GetEntityProfileRequest)) { if (_instance.OnProfilesGetProfileRequestEvent != null) { _instance.OnProfilesGetProfileRequestEvent((ProfilesModels.GetEntityProfileRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.GetEntityProfilesRequest)) { if (_instance.OnProfilesGetProfilesRequestEvent != null) { _instance.OnProfilesGetProfilesRequestEvent((ProfilesModels.GetEntityProfilesRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsRequest)) { if (_instance.OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent != null) { _instance.OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsRequestEvent((ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.SetGlobalPolicyRequest)) { if (_instance.OnProfilesSetGlobalPolicyRequestEvent != null) { _instance.OnProfilesSetGlobalPolicyRequestEvent((ProfilesModels.SetGlobalPolicyRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.SetProfileLanguageRequest)) { if (_instance.OnProfilesSetProfileLanguageRequestEvent != null) { _instance.OnProfilesSetProfileLanguageRequestEvent((ProfilesModels.SetProfileLanguageRequest)e.Request); return; } }
+                if (type == typeof(ProfilesModels.SetEntityProfilePolicyRequest)) { if (_instance.OnProfilesSetProfilePolicyRequestEvent != null) { _instance.OnProfilesSetProfilePolicyRequestEvent((ProfilesModels.SetEntityProfilePolicyRequest)e.Request); return; } }
+#endif
+
+            }
+            else
+            {
+                var type = e.Result.GetType();
+#if ENABLE_PLAYFABADMIN_API
+
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminAbortTaskInstanceResultEvent != null) { _instance.OnAdminAbortTaskInstanceResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.AddLocalizedNewsResult)) { if (_instance.OnAdminAddLocalizedNewsResultEvent != null) { _instance.OnAdminAddLocalizedNewsResultEvent((AdminModels.AddLocalizedNewsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.AddNewsResult)) { if (_instance.OnAdminAddNewsResultEvent != null) { _instance.OnAdminAddNewsResultEvent((AdminModels.AddNewsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.AddPlayerTagResult)) { if (_instance.OnAdminAddPlayerTagResultEvent != null) { _instance.OnAdminAddPlayerTagResultEvent((AdminModels.AddPlayerTagResult)e.Result); return; } }
+                if (type == typeof(AdminModels.AddServerBuildResult)) { if (_instance.OnAdminAddServerBuildResultEvent != null) { _instance.OnAdminAddServerBuildResultEvent((AdminModels.AddServerBuildResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnAdminAddUserVirtualCurrencyResultEvent != null) { _instance.OnAdminAddUserVirtualCurrencyResultEvent((AdminModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(AdminModels.BlankResult)) { if (_instance.OnAdminAddVirtualCurrencyTypesResultEvent != null) { _instance.OnAdminAddVirtualCurrencyTypesResultEvent((AdminModels.BlankResult)e.Result); return; } }
+                if (type == typeof(AdminModels.BanUsersResult)) { if (_instance.OnAdminBanUsersResultEvent != null) { _instance.OnAdminBanUsersResultEvent((AdminModels.BanUsersResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CheckLimitedEditionItemAvailabilityResult)) { if (_instance.OnAdminCheckLimitedEditionItemAvailabilityResultEvent != null) { _instance.OnAdminCheckLimitedEditionItemAvailabilityResultEvent((AdminModels.CheckLimitedEditionItemAvailabilityResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CreateTaskResult)) { if (_instance.OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent != null) { _instance.OnAdminCreateActionsOnPlayersInSegmentTaskResultEvent((AdminModels.CreateTaskResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CreateTaskResult)) { if (_instance.OnAdminCreateCloudScriptTaskResultEvent != null) { _instance.OnAdminCreateCloudScriptTaskResultEvent((AdminModels.CreateTaskResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CreateTaskResult)) { if (_instance.OnAdminCreateInsightsScheduledScalingTaskResultEvent != null) { _instance.OnAdminCreateInsightsScheduledScalingTaskResultEvent((AdminModels.CreateTaskResult)e.Result); return; } }
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminCreateOpenIdConnectionResultEvent != null) { _instance.OnAdminCreateOpenIdConnectionResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.CreatePlayerSharedSecretResult)) { if (_instance.OnAdminCreatePlayerSharedSecretResultEvent != null) { _instance.OnAdminCreatePlayerSharedSecretResultEvent((AdminModels.CreatePlayerSharedSecretResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CreatePlayerStatisticDefinitionResult)) { if (_instance.OnAdminCreatePlayerStatisticDefinitionResultEvent != null) { _instance.OnAdminCreatePlayerStatisticDefinitionResultEvent((AdminModels.CreatePlayerStatisticDefinitionResult)e.Result); return; } }
+                if (type == typeof(AdminModels.CreateSegmentResponse)) { if (_instance.OnAdminCreateSegmentResultEvent != null) { _instance.OnAdminCreateSegmentResultEvent((AdminModels.CreateSegmentResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.BlankResult)) { if (_instance.OnAdminDeleteContentResultEvent != null) { _instance.OnAdminDeleteContentResultEvent((AdminModels.BlankResult)e.Result); return; } }
+                if (type == typeof(AdminModels.DeleteMasterPlayerAccountResult)) { if (_instance.OnAdminDeleteMasterPlayerAccountResultEvent != null) { _instance.OnAdminDeleteMasterPlayerAccountResultEvent((AdminModels.DeleteMasterPlayerAccountResult)e.Result); return; } }
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminDeleteOpenIdConnectionResultEvent != null) { _instance.OnAdminDeleteOpenIdConnectionResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.DeletePlayerResult)) { if (_instance.OnAdminDeletePlayerResultEvent != null) { _instance.OnAdminDeletePlayerResultEvent((AdminModels.DeletePlayerResult)e.Result); return; } }
+                if (type == typeof(AdminModels.DeletePlayerSharedSecretResult)) { if (_instance.OnAdminDeletePlayerSharedSecretResultEvent != null) { _instance.OnAdminDeletePlayerSharedSecretResultEvent((AdminModels.DeletePlayerSharedSecretResult)e.Result); return; } }
+                if (type == typeof(AdminModels.DeleteSegmentsResponse)) { if (_instance.OnAdminDeleteSegmentResultEvent != null) { _instance.OnAdminDeleteSegmentResultEvent((AdminModels.DeleteSegmentsResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.DeleteStoreResult)) { if (_instance.OnAdminDeleteStoreResultEvent != null) { _instance.OnAdminDeleteStoreResultEvent((AdminModels.DeleteStoreResult)e.Result); return; } }
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminDeleteTaskResultEvent != null) { _instance.OnAdminDeleteTaskResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.DeleteTitleResult)) { if (_instance.OnAdminDeleteTitleResultEvent != null) { _instance.OnAdminDeleteTitleResultEvent((AdminModels.DeleteTitleResult)e.Result); return; } }
+                if (type == typeof(AdminModels.DeleteTitleDataOverrideResult)) { if (_instance.OnAdminDeleteTitleDataOverrideResultEvent != null) { _instance.OnAdminDeleteTitleDataOverrideResultEvent((AdminModels.DeleteTitleDataOverrideResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ExportMasterPlayerDataResult)) { if (_instance.OnAdminExportMasterPlayerDataResultEvent != null) { _instance.OnAdminExportMasterPlayerDataResultEvent((AdminModels.ExportMasterPlayerDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetActionsOnPlayersInSegmentTaskInstanceResult)) { if (_instance.OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent != null) { _instance.OnAdminGetActionsOnPlayersInSegmentTaskInstanceResultEvent((AdminModels.GetActionsOnPlayersInSegmentTaskInstanceResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetAllSegmentsResult)) { if (_instance.OnAdminGetAllSegmentsResultEvent != null) { _instance.OnAdminGetAllSegmentsResultEvent((AdminModels.GetAllSegmentsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetCatalogItemsResult)) { if (_instance.OnAdminGetCatalogItemsResultEvent != null) { _instance.OnAdminGetCatalogItemsResultEvent((AdminModels.GetCatalogItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetCloudScriptRevisionResult)) { if (_instance.OnAdminGetCloudScriptRevisionResultEvent != null) { _instance.OnAdminGetCloudScriptRevisionResultEvent((AdminModels.GetCloudScriptRevisionResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetCloudScriptTaskInstanceResult)) { if (_instance.OnAdminGetCloudScriptTaskInstanceResultEvent != null) { _instance.OnAdminGetCloudScriptTaskInstanceResultEvent((AdminModels.GetCloudScriptTaskInstanceResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetCloudScriptVersionsResult)) { if (_instance.OnAdminGetCloudScriptVersionsResultEvent != null) { _instance.OnAdminGetCloudScriptVersionsResultEvent((AdminModels.GetCloudScriptVersionsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetContentListResult)) { if (_instance.OnAdminGetContentListResultEvent != null) { _instance.OnAdminGetContentListResultEvent((AdminModels.GetContentListResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetContentUploadUrlResult)) { if (_instance.OnAdminGetContentUploadUrlResultEvent != null) { _instance.OnAdminGetContentUploadUrlResultEvent((AdminModels.GetContentUploadUrlResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetDataReportResult)) { if (_instance.OnAdminGetDataReportResultEvent != null) { _instance.OnAdminGetDataReportResultEvent((AdminModels.GetDataReportResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetMatchmakerGameInfoResult)) { if (_instance.OnAdminGetMatchmakerGameInfoResultEvent != null) { _instance.OnAdminGetMatchmakerGameInfoResultEvent((AdminModels.GetMatchmakerGameInfoResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetMatchmakerGameModesResult)) { if (_instance.OnAdminGetMatchmakerGameModesResultEvent != null) { _instance.OnAdminGetMatchmakerGameModesResultEvent((AdminModels.GetMatchmakerGameModesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayedTitleListResult)) { if (_instance.OnAdminGetPlayedTitleListResultEvent != null) { _instance.OnAdminGetPlayedTitleListResultEvent((AdminModels.GetPlayedTitleListResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerIdFromAuthTokenResult)) { if (_instance.OnAdminGetPlayerIdFromAuthTokenResultEvent != null) { _instance.OnAdminGetPlayerIdFromAuthTokenResultEvent((AdminModels.GetPlayerIdFromAuthTokenResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerProfileResult)) { if (_instance.OnAdminGetPlayerProfileResultEvent != null) { _instance.OnAdminGetPlayerProfileResultEvent((AdminModels.GetPlayerProfileResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerSegmentsResult)) { if (_instance.OnAdminGetPlayerSegmentsResultEvent != null) { _instance.OnAdminGetPlayerSegmentsResultEvent((AdminModels.GetPlayerSegmentsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerSharedSecretsResult)) { if (_instance.OnAdminGetPlayerSharedSecretsResultEvent != null) { _instance.OnAdminGetPlayerSharedSecretsResultEvent((AdminModels.GetPlayerSharedSecretsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayersInSegmentResult)) { if (_instance.OnAdminGetPlayersInSegmentResultEvent != null) { _instance.OnAdminGetPlayersInSegmentResultEvent((AdminModels.GetPlayersInSegmentResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerStatisticDefinitionsResult)) { if (_instance.OnAdminGetPlayerStatisticDefinitionsResultEvent != null) { _instance.OnAdminGetPlayerStatisticDefinitionsResultEvent((AdminModels.GetPlayerStatisticDefinitionsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerStatisticVersionsResult)) { if (_instance.OnAdminGetPlayerStatisticVersionsResultEvent != null) { _instance.OnAdminGetPlayerStatisticVersionsResultEvent((AdminModels.GetPlayerStatisticVersionsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPlayerTagsResult)) { if (_instance.OnAdminGetPlayerTagsResultEvent != null) { _instance.OnAdminGetPlayerTagsResultEvent((AdminModels.GetPlayerTagsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPolicyResponse)) { if (_instance.OnAdminGetPolicyResultEvent != null) { _instance.OnAdminGetPolicyResultEvent((AdminModels.GetPolicyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.GetPublisherDataResult)) { if (_instance.OnAdminGetPublisherDataResultEvent != null) { _instance.OnAdminGetPublisherDataResultEvent((AdminModels.GetPublisherDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetRandomResultTablesResult)) { if (_instance.OnAdminGetRandomResultTablesResultEvent != null) { _instance.OnAdminGetRandomResultTablesResultEvent((AdminModels.GetRandomResultTablesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetSegmentsResponse)) { if (_instance.OnAdminGetSegmentsResultEvent != null) { _instance.OnAdminGetSegmentsResultEvent((AdminModels.GetSegmentsResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.GetServerBuildInfoResult)) { if (_instance.OnAdminGetServerBuildInfoResultEvent != null) { _instance.OnAdminGetServerBuildInfoResultEvent((AdminModels.GetServerBuildInfoResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetServerBuildUploadURLResult)) { if (_instance.OnAdminGetServerBuildUploadUrlResultEvent != null) { _instance.OnAdminGetServerBuildUploadUrlResultEvent((AdminModels.GetServerBuildUploadURLResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetStoreItemsResult)) { if (_instance.OnAdminGetStoreItemsResultEvent != null) { _instance.OnAdminGetStoreItemsResultEvent((AdminModels.GetStoreItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetTaskInstancesResult)) { if (_instance.OnAdminGetTaskInstancesResultEvent != null) { _instance.OnAdminGetTaskInstancesResultEvent((AdminModels.GetTaskInstancesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetTasksResult)) { if (_instance.OnAdminGetTasksResultEvent != null) { _instance.OnAdminGetTasksResultEvent((AdminModels.GetTasksResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetTitleDataResult)) { if (_instance.OnAdminGetTitleDataResultEvent != null) { _instance.OnAdminGetTitleDataResultEvent((AdminModels.GetTitleDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetTitleDataResult)) { if (_instance.OnAdminGetTitleInternalDataResultEvent != null) { _instance.OnAdminGetTitleInternalDataResultEvent((AdminModels.GetTitleDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.LookupUserAccountInfoResult)) { if (_instance.OnAdminGetUserAccountInfoResultEvent != null) { _instance.OnAdminGetUserAccountInfoResultEvent((AdminModels.LookupUserAccountInfoResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserBansResult)) { if (_instance.OnAdminGetUserBansResultEvent != null) { _instance.OnAdminGetUserBansResultEvent((AdminModels.GetUserBansResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserDataResultEvent != null) { _instance.OnAdminGetUserDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserInternalDataResultEvent != null) { _instance.OnAdminGetUserInternalDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserInventoryResult)) { if (_instance.OnAdminGetUserInventoryResultEvent != null) { _instance.OnAdminGetUserInventoryResultEvent((AdminModels.GetUserInventoryResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserPublisherDataResultEvent != null) { _instance.OnAdminGetUserPublisherDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserPublisherInternalDataResultEvent != null) { _instance.OnAdminGetUserPublisherInternalDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserPublisherReadOnlyDataResultEvent != null) { _instance.OnAdminGetUserPublisherReadOnlyDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GetUserDataResult)) { if (_instance.OnAdminGetUserReadOnlyDataResultEvent != null) { _instance.OnAdminGetUserReadOnlyDataResultEvent((AdminModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.GrantItemsToUsersResult)) { if (_instance.OnAdminGrantItemsToUsersResultEvent != null) { _instance.OnAdminGrantItemsToUsersResultEvent((AdminModels.GrantItemsToUsersResult)e.Result); return; } }
+                if (type == typeof(AdminModels.IncrementLimitedEditionItemAvailabilityResult)) { if (_instance.OnAdminIncrementLimitedEditionItemAvailabilityResultEvent != null) { _instance.OnAdminIncrementLimitedEditionItemAvailabilityResultEvent((AdminModels.IncrementLimitedEditionItemAvailabilityResult)e.Result); return; } }
+                if (type == typeof(AdminModels.IncrementPlayerStatisticVersionResult)) { if (_instance.OnAdminIncrementPlayerStatisticVersionResultEvent != null) { _instance.OnAdminIncrementPlayerStatisticVersionResultEvent((AdminModels.IncrementPlayerStatisticVersionResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ListOpenIdConnectionResponse)) { if (_instance.OnAdminListOpenIdConnectionResultEvent != null) { _instance.OnAdminListOpenIdConnectionResultEvent((AdminModels.ListOpenIdConnectionResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.ListBuildsResult)) { if (_instance.OnAdminListServerBuildsResultEvent != null) { _instance.OnAdminListServerBuildsResultEvent((AdminModels.ListBuildsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ListVirtualCurrencyTypesResult)) { if (_instance.OnAdminListVirtualCurrencyTypesResultEvent != null) { _instance.OnAdminListVirtualCurrencyTypesResultEvent((AdminModels.ListVirtualCurrencyTypesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ModifyMatchmakerGameModesResult)) { if (_instance.OnAdminModifyMatchmakerGameModesResultEvent != null) { _instance.OnAdminModifyMatchmakerGameModesResultEvent((AdminModels.ModifyMatchmakerGameModesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ModifyServerBuildResult)) { if (_instance.OnAdminModifyServerBuildResultEvent != null) { _instance.OnAdminModifyServerBuildResultEvent((AdminModels.ModifyServerBuildResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RefundPurchaseResponse)) { if (_instance.OnAdminRefundPurchaseResultEvent != null) { _instance.OnAdminRefundPurchaseResultEvent((AdminModels.RefundPurchaseResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.RemovePlayerTagResult)) { if (_instance.OnAdminRemovePlayerTagResultEvent != null) { _instance.OnAdminRemovePlayerTagResultEvent((AdminModels.RemovePlayerTagResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RemoveServerBuildResult)) { if (_instance.OnAdminRemoveServerBuildResultEvent != null) { _instance.OnAdminRemoveServerBuildResultEvent((AdminModels.RemoveServerBuildResult)e.Result); return; } }
+                if (type == typeof(AdminModels.BlankResult)) { if (_instance.OnAdminRemoveVirtualCurrencyTypesResultEvent != null) { _instance.OnAdminRemoveVirtualCurrencyTypesResultEvent((AdminModels.BlankResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ResetCharacterStatisticsResult)) { if (_instance.OnAdminResetCharacterStatisticsResultEvent != null) { _instance.OnAdminResetCharacterStatisticsResultEvent((AdminModels.ResetCharacterStatisticsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ResetPasswordResult)) { if (_instance.OnAdminResetPasswordResultEvent != null) { _instance.OnAdminResetPasswordResultEvent((AdminModels.ResetPasswordResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ResetUserStatisticsResult)) { if (_instance.OnAdminResetUserStatisticsResultEvent != null) { _instance.OnAdminResetUserStatisticsResultEvent((AdminModels.ResetUserStatisticsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ResolvePurchaseDisputeResponse)) { if (_instance.OnAdminResolvePurchaseDisputeResultEvent != null) { _instance.OnAdminResolvePurchaseDisputeResultEvent((AdminModels.ResolvePurchaseDisputeResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.RevokeAllBansForUserResult)) { if (_instance.OnAdminRevokeAllBansForUserResultEvent != null) { _instance.OnAdminRevokeAllBansForUserResultEvent((AdminModels.RevokeAllBansForUserResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RevokeBansResult)) { if (_instance.OnAdminRevokeBansResultEvent != null) { _instance.OnAdminRevokeBansResultEvent((AdminModels.RevokeBansResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RevokeInventoryResult)) { if (_instance.OnAdminRevokeInventoryItemResultEvent != null) { _instance.OnAdminRevokeInventoryItemResultEvent((AdminModels.RevokeInventoryResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RevokeInventoryItemsResult)) { if (_instance.OnAdminRevokeInventoryItemsResultEvent != null) { _instance.OnAdminRevokeInventoryItemsResultEvent((AdminModels.RevokeInventoryItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.RunTaskResult)) { if (_instance.OnAdminRunTaskResultEvent != null) { _instance.OnAdminRunTaskResultEvent((AdminModels.RunTaskResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SendAccountRecoveryEmailResult)) { if (_instance.OnAdminSendAccountRecoveryEmailResultEvent != null) { _instance.OnAdminSendAccountRecoveryEmailResultEvent((AdminModels.SendAccountRecoveryEmailResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateCatalogItemsResult)) { if (_instance.OnAdminSetCatalogItemsResultEvent != null) { _instance.OnAdminSetCatalogItemsResultEvent((AdminModels.UpdateCatalogItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetPlayerSecretResult)) { if (_instance.OnAdminSetPlayerSecretResultEvent != null) { _instance.OnAdminSetPlayerSecretResultEvent((AdminModels.SetPlayerSecretResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetPublishedRevisionResult)) { if (_instance.OnAdminSetPublishedRevisionResultEvent != null) { _instance.OnAdminSetPublishedRevisionResultEvent((AdminModels.SetPublishedRevisionResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetPublisherDataResult)) { if (_instance.OnAdminSetPublisherDataResultEvent != null) { _instance.OnAdminSetPublisherDataResultEvent((AdminModels.SetPublisherDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateStoreItemsResult)) { if (_instance.OnAdminSetStoreItemsResultEvent != null) { _instance.OnAdminSetStoreItemsResultEvent((AdminModels.UpdateStoreItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetTitleDataResult)) { if (_instance.OnAdminSetTitleDataResultEvent != null) { _instance.OnAdminSetTitleDataResultEvent((AdminModels.SetTitleDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetTitleDataAndOverridesResult)) { if (_instance.OnAdminSetTitleDataAndOverridesResultEvent != null) { _instance.OnAdminSetTitleDataAndOverridesResultEvent((AdminModels.SetTitleDataAndOverridesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetTitleDataResult)) { if (_instance.OnAdminSetTitleInternalDataResultEvent != null) { _instance.OnAdminSetTitleInternalDataResultEvent((AdminModels.SetTitleDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.SetupPushNotificationResult)) { if (_instance.OnAdminSetupPushNotificationResultEvent != null) { _instance.OnAdminSetupPushNotificationResultEvent((AdminModels.SetupPushNotificationResult)e.Result); return; } }
+                if (type == typeof(AdminModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnAdminSubtractUserVirtualCurrencyResultEvent != null) { _instance.OnAdminSubtractUserVirtualCurrencyResultEvent((AdminModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateBansResult)) { if (_instance.OnAdminUpdateBansResultEvent != null) { _instance.OnAdminUpdateBansResultEvent((AdminModels.UpdateBansResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateCatalogItemsResult)) { if (_instance.OnAdminUpdateCatalogItemsResultEvent != null) { _instance.OnAdminUpdateCatalogItemsResultEvent((AdminModels.UpdateCatalogItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateCloudScriptResult)) { if (_instance.OnAdminUpdateCloudScriptResultEvent != null) { _instance.OnAdminUpdateCloudScriptResultEvent((AdminModels.UpdateCloudScriptResult)e.Result); return; } }
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminUpdateOpenIdConnectionResultEvent != null) { _instance.OnAdminUpdateOpenIdConnectionResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdatePlayerSharedSecretResult)) { if (_instance.OnAdminUpdatePlayerSharedSecretResultEvent != null) { _instance.OnAdminUpdatePlayerSharedSecretResultEvent((AdminModels.UpdatePlayerSharedSecretResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdatePlayerStatisticDefinitionResult)) { if (_instance.OnAdminUpdatePlayerStatisticDefinitionResultEvent != null) { _instance.OnAdminUpdatePlayerStatisticDefinitionResultEvent((AdminModels.UpdatePlayerStatisticDefinitionResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdatePolicyResponse)) { if (_instance.OnAdminUpdatePolicyResultEvent != null) { _instance.OnAdminUpdatePolicyResultEvent((AdminModels.UpdatePolicyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateRandomResultTablesResult)) { if (_instance.OnAdminUpdateRandomResultTablesResultEvent != null) { _instance.OnAdminUpdateRandomResultTablesResultEvent((AdminModels.UpdateRandomResultTablesResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateSegmentResponse)) { if (_instance.OnAdminUpdateSegmentResultEvent != null) { _instance.OnAdminUpdateSegmentResultEvent((AdminModels.UpdateSegmentResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateStoreItemsResult)) { if (_instance.OnAdminUpdateStoreItemsResultEvent != null) { _instance.OnAdminUpdateStoreItemsResultEvent((AdminModels.UpdateStoreItemsResult)e.Result); return; } }
+                if (type == typeof(AdminModels.EmptyResponse)) { if (_instance.OnAdminUpdateTaskResultEvent != null) { _instance.OnAdminUpdateTaskResultEvent((AdminModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserDataResultEvent != null) { _instance.OnAdminUpdateUserDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserInternalDataResultEvent != null) { _instance.OnAdminUpdateUserInternalDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserPublisherDataResultEvent != null) { _instance.OnAdminUpdateUserPublisherDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserPublisherInternalDataResultEvent != null) { _instance.OnAdminUpdateUserPublisherInternalDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserPublisherReadOnlyDataResultEvent != null) { _instance.OnAdminUpdateUserPublisherReadOnlyDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserDataResult)) { if (_instance.OnAdminUpdateUserReadOnlyDataResultEvent != null) { _instance.OnAdminUpdateUserReadOnlyDataResultEvent((AdminModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(AdminModels.UpdateUserTitleDisplayNameResult)) { if (_instance.OnAdminUpdateUserTitleDisplayNameResultEvent != null) { _instance.OnAdminUpdateUserTitleDisplayNameResultEvent((AdminModels.UpdateUserTitleDisplayNameResult)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABCLIENT_API
+                if (type == typeof(ClientModels.LoginResult)) { if (_instance.OnLoginResultEvent != null) { _instance.OnLoginResultEvent((ClientModels.LoginResult)e.Result); return; } }
+
+                if (type == typeof(ClientModels.AcceptTradeResponse)) { if (_instance.OnAcceptTradeResultEvent != null) { _instance.OnAcceptTradeResultEvent((ClientModels.AcceptTradeResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.AddFriendResult)) { if (_instance.OnAddFriendResultEvent != null) { _instance.OnAddFriendResultEvent((ClientModels.AddFriendResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AddGenericIDResult)) { if (_instance.OnAddGenericIDResultEvent != null) { _instance.OnAddGenericIDResultEvent((ClientModels.AddGenericIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AddOrUpdateContactEmailResult)) { if (_instance.OnAddOrUpdateContactEmailResultEvent != null) { _instance.OnAddOrUpdateContactEmailResultEvent((ClientModels.AddOrUpdateContactEmailResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AddSharedGroupMembersResult)) { if (_instance.OnAddSharedGroupMembersResultEvent != null) { _instance.OnAddSharedGroupMembersResultEvent((ClientModels.AddSharedGroupMembersResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AddUsernamePasswordResult)) { if (_instance.OnAddUsernamePasswordResultEvent != null) { _instance.OnAddUsernamePasswordResultEvent((ClientModels.AddUsernamePasswordResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnAddUserVirtualCurrencyResultEvent != null) { _instance.OnAddUserVirtualCurrencyResultEvent((ClientModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AndroidDevicePushNotificationRegistrationResult)) { if (_instance.OnAndroidDevicePushNotificationRegistrationResultEvent != null) { _instance.OnAndroidDevicePushNotificationRegistrationResultEvent((ClientModels.AndroidDevicePushNotificationRegistrationResult)e.Result); return; } }
+                if (type == typeof(ClientModels.AttributeInstallResult)) { if (_instance.OnAttributeInstallResultEvent != null) { _instance.OnAttributeInstallResultEvent((ClientModels.AttributeInstallResult)e.Result); return; } }
+                if (type == typeof(ClientModels.CancelTradeResponse)) { if (_instance.OnCancelTradeResultEvent != null) { _instance.OnCancelTradeResultEvent((ClientModels.CancelTradeResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.ConfirmPurchaseResult)) { if (_instance.OnConfirmPurchaseResultEvent != null) { _instance.OnConfirmPurchaseResultEvent((ClientModels.ConfirmPurchaseResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ConsumeItemResult)) { if (_instance.OnConsumeItemResultEvent != null) { _instance.OnConsumeItemResultEvent((ClientModels.ConsumeItemResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ConsumeMicrosoftStoreEntitlementsResponse)) { if (_instance.OnConsumeMicrosoftStoreEntitlementsResultEvent != null) { _instance.OnConsumeMicrosoftStoreEntitlementsResultEvent((ClientModels.ConsumeMicrosoftStoreEntitlementsResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.ConsumePS5EntitlementsResult)) { if (_instance.OnConsumePS5EntitlementsResultEvent != null) { _instance.OnConsumePS5EntitlementsResultEvent((ClientModels.ConsumePS5EntitlementsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ConsumePSNEntitlementsResult)) { if (_instance.OnConsumePSNEntitlementsResultEvent != null) { _instance.OnConsumePSNEntitlementsResultEvent((ClientModels.ConsumePSNEntitlementsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ConsumeXboxEntitlementsResult)) { if (_instance.OnConsumeXboxEntitlementsResultEvent != null) { _instance.OnConsumeXboxEntitlementsResultEvent((ClientModels.ConsumeXboxEntitlementsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.CreateSharedGroupResult)) { if (_instance.OnCreateSharedGroupResultEvent != null) { _instance.OnCreateSharedGroupResultEvent((ClientModels.CreateSharedGroupResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ExecuteCloudScriptResult)) { if (_instance.OnExecuteCloudScriptResultEvent != null) { _instance.OnExecuteCloudScriptResultEvent((ClientModels.ExecuteCloudScriptResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetAccountInfoResult)) { if (_instance.OnGetAccountInfoResultEvent != null) { _instance.OnGetAccountInfoResultEvent((ClientModels.GetAccountInfoResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetAdPlacementsResult)) { if (_instance.OnGetAdPlacementsResultEvent != null) { _instance.OnGetAdPlacementsResultEvent((ClientModels.GetAdPlacementsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ListUsersCharactersResult)) { if (_instance.OnGetAllUsersCharactersResultEvent != null) { _instance.OnGetAllUsersCharactersResultEvent((ClientModels.ListUsersCharactersResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCatalogItemsResult)) { if (_instance.OnGetCatalogItemsResultEvent != null) { _instance.OnGetCatalogItemsResultEvent((ClientModels.GetCatalogItemsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCharacterDataResult)) { if (_instance.OnGetCharacterDataResultEvent != null) { _instance.OnGetCharacterDataResultEvent((ClientModels.GetCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCharacterInventoryResult)) { if (_instance.OnGetCharacterInventoryResultEvent != null) { _instance.OnGetCharacterInventoryResultEvent((ClientModels.GetCharacterInventoryResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCharacterLeaderboardResult)) { if (_instance.OnGetCharacterLeaderboardResultEvent != null) { _instance.OnGetCharacterLeaderboardResultEvent((ClientModels.GetCharacterLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCharacterDataResult)) { if (_instance.OnGetCharacterReadOnlyDataResultEvent != null) { _instance.OnGetCharacterReadOnlyDataResultEvent((ClientModels.GetCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetCharacterStatisticsResult)) { if (_instance.OnGetCharacterStatisticsResultEvent != null) { _instance.OnGetCharacterStatisticsResultEvent((ClientModels.GetCharacterStatisticsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetContentDownloadUrlResult)) { if (_instance.OnGetContentDownloadUrlResultEvent != null) { _instance.OnGetContentDownloadUrlResultEvent((ClientModels.GetContentDownloadUrlResult)e.Result); return; } }
+                if (type == typeof(ClientModels.CurrentGamesResult)) { if (_instance.OnGetCurrentGamesResultEvent != null) { _instance.OnGetCurrentGamesResultEvent((ClientModels.CurrentGamesResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardResult)) { if (_instance.OnGetFriendLeaderboardResultEvent != null) { _instance.OnGetFriendLeaderboardResultEvent((ClientModels.GetLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetFriendLeaderboardAroundPlayerResult)) { if (_instance.OnGetFriendLeaderboardAroundPlayerResultEvent != null) { _instance.OnGetFriendLeaderboardAroundPlayerResultEvent((ClientModels.GetFriendLeaderboardAroundPlayerResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetFriendsListResult)) { if (_instance.OnGetFriendsListResultEvent != null) { _instance.OnGetFriendsListResultEvent((ClientModels.GetFriendsListResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GameServerRegionsResult)) { if (_instance.OnGetGameServerRegionsResultEvent != null) { _instance.OnGetGameServerRegionsResultEvent((ClientModels.GameServerRegionsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardResult)) { if (_instance.OnGetLeaderboardResultEvent != null) { _instance.OnGetLeaderboardResultEvent((ClientModels.GetLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardAroundCharacterResult)) { if (_instance.OnGetLeaderboardAroundCharacterResultEvent != null) { _instance.OnGetLeaderboardAroundCharacterResultEvent((ClientModels.GetLeaderboardAroundCharacterResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardAroundPlayerResult)) { if (_instance.OnGetLeaderboardAroundPlayerResultEvent != null) { _instance.OnGetLeaderboardAroundPlayerResultEvent((ClientModels.GetLeaderboardAroundPlayerResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetLeaderboardForUsersCharactersResult)) { if (_instance.OnGetLeaderboardForUserCharactersResultEvent != null) { _instance.OnGetLeaderboardForUserCharactersResultEvent((ClientModels.GetLeaderboardForUsersCharactersResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPaymentTokenResult)) { if (_instance.OnGetPaymentTokenResultEvent != null) { _instance.OnGetPaymentTokenResultEvent((ClientModels.GetPaymentTokenResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPhotonAuthenticationTokenResult)) { if (_instance.OnGetPhotonAuthenticationTokenResultEvent != null) { _instance.OnGetPhotonAuthenticationTokenResultEvent((ClientModels.GetPhotonAuthenticationTokenResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerCombinedInfoResult)) { if (_instance.OnGetPlayerCombinedInfoResultEvent != null) { _instance.OnGetPlayerCombinedInfoResultEvent((ClientModels.GetPlayerCombinedInfoResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerProfileResult)) { if (_instance.OnGetPlayerProfileResultEvent != null) { _instance.OnGetPlayerProfileResultEvent((ClientModels.GetPlayerProfileResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerSegmentsResult)) { if (_instance.OnGetPlayerSegmentsResultEvent != null) { _instance.OnGetPlayerSegmentsResultEvent((ClientModels.GetPlayerSegmentsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerStatisticsResult)) { if (_instance.OnGetPlayerStatisticsResultEvent != null) { _instance.OnGetPlayerStatisticsResultEvent((ClientModels.GetPlayerStatisticsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerStatisticVersionsResult)) { if (_instance.OnGetPlayerStatisticVersionsResultEvent != null) { _instance.OnGetPlayerStatisticVersionsResultEvent((ClientModels.GetPlayerStatisticVersionsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerTagsResult)) { if (_instance.OnGetPlayerTagsResultEvent != null) { _instance.OnGetPlayerTagsResultEvent((ClientModels.GetPlayerTagsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayerTradesResponse)) { if (_instance.OnGetPlayerTradesResultEvent != null) { _instance.OnGetPlayerTradesResultEvent((ClientModels.GetPlayerTradesResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromFacebookIDsResult)) { if (_instance.OnGetPlayFabIDsFromFacebookIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromFacebookIDsResultEvent((ClientModels.GetPlayFabIDsFromFacebookIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult)) { if (_instance.OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent != null) { _instance.OnGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent((ClientModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGameCenterIDsResult)) { if (_instance.OnGetPlayFabIDsFromGameCenterIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromGameCenterIDsResultEvent((ClientModels.GetPlayFabIDsFromGameCenterIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGenericIDsResult)) { if (_instance.OnGetPlayFabIDsFromGenericIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromGenericIDsResultEvent((ClientModels.GetPlayFabIDsFromGenericIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromGoogleIDsResult)) { if (_instance.OnGetPlayFabIDsFromGoogleIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromGoogleIDsResultEvent((ClientModels.GetPlayFabIDsFromGoogleIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromKongregateIDsResult)) { if (_instance.OnGetPlayFabIDsFromKongregateIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromKongregateIDsResultEvent((ClientModels.GetPlayFabIDsFromKongregateIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult)) { if (_instance.OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent != null) { _instance.OnGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent((ClientModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromPSNAccountIDsResult)) { if (_instance.OnGetPlayFabIDsFromPSNAccountIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromPSNAccountIDsResultEvent((ClientModels.GetPlayFabIDsFromPSNAccountIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromSteamIDsResult)) { if (_instance.OnGetPlayFabIDsFromSteamIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromSteamIDsResultEvent((ClientModels.GetPlayFabIDsFromSteamIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromTwitchIDsResult)) { if (_instance.OnGetPlayFabIDsFromTwitchIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromTwitchIDsResultEvent((ClientModels.GetPlayFabIDsFromTwitchIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPlayFabIDsFromXboxLiveIDsResult)) { if (_instance.OnGetPlayFabIDsFromXboxLiveIDsResultEvent != null) { _instance.OnGetPlayFabIDsFromXboxLiveIDsResultEvent((ClientModels.GetPlayFabIDsFromXboxLiveIDsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPublisherDataResult)) { if (_instance.OnGetPublisherDataResultEvent != null) { _instance.OnGetPublisherDataResultEvent((ClientModels.GetPublisherDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetPurchaseResult)) { if (_instance.OnGetPurchaseResultEvent != null) { _instance.OnGetPurchaseResultEvent((ClientModels.GetPurchaseResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetSharedGroupDataResult)) { if (_instance.OnGetSharedGroupDataResultEvent != null) { _instance.OnGetSharedGroupDataResultEvent((ClientModels.GetSharedGroupDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetStoreItemsResult)) { if (_instance.OnGetStoreItemsResultEvent != null) { _instance.OnGetStoreItemsResultEvent((ClientModels.GetStoreItemsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetTimeResult)) { if (_instance.OnGetTimeResultEvent != null) { _instance.OnGetTimeResultEvent((ClientModels.GetTimeResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetTitleDataResult)) { if (_instance.OnGetTitleDataResultEvent != null) { _instance.OnGetTitleDataResultEvent((ClientModels.GetTitleDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetTitleNewsResult)) { if (_instance.OnGetTitleNewsResultEvent != null) { _instance.OnGetTitleNewsResultEvent((ClientModels.GetTitleNewsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetTitlePublicKeyResult)) { if (_instance.OnGetTitlePublicKeyResultEvent != null) { _instance.OnGetTitlePublicKeyResultEvent((ClientModels.GetTitlePublicKeyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetTradeStatusResponse)) { if (_instance.OnGetTradeStatusResultEvent != null) { _instance.OnGetTradeStatusResultEvent((ClientModels.GetTradeStatusResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.GetUserDataResult)) { if (_instance.OnGetUserDataResultEvent != null) { _instance.OnGetUserDataResultEvent((ClientModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetUserInventoryResult)) { if (_instance.OnGetUserInventoryResultEvent != null) { _instance.OnGetUserInventoryResultEvent((ClientModels.GetUserInventoryResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetUserDataResult)) { if (_instance.OnGetUserPublisherDataResultEvent != null) { _instance.OnGetUserPublisherDataResultEvent((ClientModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetUserDataResult)) { if (_instance.OnGetUserPublisherReadOnlyDataResultEvent != null) { _instance.OnGetUserPublisherReadOnlyDataResultEvent((ClientModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GetUserDataResult)) { if (_instance.OnGetUserReadOnlyDataResultEvent != null) { _instance.OnGetUserReadOnlyDataResultEvent((ClientModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.GrantCharacterToUserResult)) { if (_instance.OnGrantCharacterToUserResultEvent != null) { _instance.OnGrantCharacterToUserResultEvent((ClientModels.GrantCharacterToUserResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkAndroidDeviceIDResult)) { if (_instance.OnLinkAndroidDeviceIDResultEvent != null) { _instance.OnLinkAndroidDeviceIDResultEvent((ClientModels.LinkAndroidDeviceIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResult)) { if (_instance.OnLinkAppleResultEvent != null) { _instance.OnLinkAppleResultEvent((ClientModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkCustomIDResult)) { if (_instance.OnLinkCustomIDResultEvent != null) { _instance.OnLinkCustomIDResultEvent((ClientModels.LinkCustomIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkFacebookAccountResult)) { if (_instance.OnLinkFacebookAccountResultEvent != null) { _instance.OnLinkFacebookAccountResultEvent((ClientModels.LinkFacebookAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkFacebookInstantGamesIdResult)) { if (_instance.OnLinkFacebookInstantGamesIdResultEvent != null) { _instance.OnLinkFacebookInstantGamesIdResultEvent((ClientModels.LinkFacebookInstantGamesIdResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkGameCenterAccountResult)) { if (_instance.OnLinkGameCenterAccountResultEvent != null) { _instance.OnLinkGameCenterAccountResultEvent((ClientModels.LinkGameCenterAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkGoogleAccountResult)) { if (_instance.OnLinkGoogleAccountResultEvent != null) { _instance.OnLinkGoogleAccountResultEvent((ClientModels.LinkGoogleAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkIOSDeviceIDResult)) { if (_instance.OnLinkIOSDeviceIDResultEvent != null) { _instance.OnLinkIOSDeviceIDResultEvent((ClientModels.LinkIOSDeviceIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkKongregateAccountResult)) { if (_instance.OnLinkKongregateResultEvent != null) { _instance.OnLinkKongregateResultEvent((ClientModels.LinkKongregateAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResult)) { if (_instance.OnLinkNintendoServiceAccountResultEvent != null) { _instance.OnLinkNintendoServiceAccountResultEvent((ClientModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkNintendoSwitchDeviceIdResult)) { if (_instance.OnLinkNintendoSwitchDeviceIdResultEvent != null) { _instance.OnLinkNintendoSwitchDeviceIdResultEvent((ClientModels.LinkNintendoSwitchDeviceIdResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResult)) { if (_instance.OnLinkOpenIdConnectResultEvent != null) { _instance.OnLinkOpenIdConnectResultEvent((ClientModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkPSNAccountResult)) { if (_instance.OnLinkPSNAccountResultEvent != null) { _instance.OnLinkPSNAccountResultEvent((ClientModels.LinkPSNAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkSteamAccountResult)) { if (_instance.OnLinkSteamAccountResultEvent != null) { _instance.OnLinkSteamAccountResultEvent((ClientModels.LinkSteamAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkTwitchAccountResult)) { if (_instance.OnLinkTwitchResultEvent != null) { _instance.OnLinkTwitchResultEvent((ClientModels.LinkTwitchAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.LinkXboxAccountResult)) { if (_instance.OnLinkXboxAccountResultEvent != null) { _instance.OnLinkXboxAccountResultEvent((ClientModels.LinkXboxAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.MatchmakeResult)) { if (_instance.OnMatchmakeResultEvent != null) { _instance.OnMatchmakeResultEvent((ClientModels.MatchmakeResult)e.Result); return; } }
+                if (type == typeof(ClientModels.OpenTradeResponse)) { if (_instance.OnOpenTradeResultEvent != null) { _instance.OnOpenTradeResultEvent((ClientModels.OpenTradeResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.PayForPurchaseResult)) { if (_instance.OnPayForPurchaseResultEvent != null) { _instance.OnPayForPurchaseResultEvent((ClientModels.PayForPurchaseResult)e.Result); return; } }
+                if (type == typeof(ClientModels.PurchaseItemResult)) { if (_instance.OnPurchaseItemResultEvent != null) { _instance.OnPurchaseItemResultEvent((ClientModels.PurchaseItemResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RedeemCouponResult)) { if (_instance.OnRedeemCouponResultEvent != null) { _instance.OnRedeemCouponResultEvent((ClientModels.RedeemCouponResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnRefreshPSNAuthTokenResultEvent != null) { _instance.OnRefreshPSNAuthTokenResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.RegisterForIOSPushNotificationResult)) { if (_instance.OnRegisterForIOSPushNotificationResultEvent != null) { _instance.OnRegisterForIOSPushNotificationResultEvent((ClientModels.RegisterForIOSPushNotificationResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RegisterPlayFabUserResult)) { if (_instance.OnRegisterPlayFabUserResultEvent != null) { _instance.OnRegisterPlayFabUserResultEvent((ClientModels.RegisterPlayFabUserResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RemoveContactEmailResult)) { if (_instance.OnRemoveContactEmailResultEvent != null) { _instance.OnRemoveContactEmailResultEvent((ClientModels.RemoveContactEmailResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RemoveFriendResult)) { if (_instance.OnRemoveFriendResultEvent != null) { _instance.OnRemoveFriendResultEvent((ClientModels.RemoveFriendResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RemoveGenericIDResult)) { if (_instance.OnRemoveGenericIDResultEvent != null) { _instance.OnRemoveGenericIDResultEvent((ClientModels.RemoveGenericIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RemoveSharedGroupMembersResult)) { if (_instance.OnRemoveSharedGroupMembersResultEvent != null) { _instance.OnRemoveSharedGroupMembersResultEvent((ClientModels.RemoveSharedGroupMembersResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ReportAdActivityResult)) { if (_instance.OnReportAdActivityResultEvent != null) { _instance.OnReportAdActivityResultEvent((ClientModels.ReportAdActivityResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnReportDeviceInfoResultEvent != null) { _instance.OnReportDeviceInfoResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.ReportPlayerClientResult)) { if (_instance.OnReportPlayerResultEvent != null) { _instance.OnReportPlayerResultEvent((ClientModels.ReportPlayerClientResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RestoreIOSPurchasesResult)) { if (_instance.OnRestoreIOSPurchasesResultEvent != null) { _instance.OnRestoreIOSPurchasesResultEvent((ClientModels.RestoreIOSPurchasesResult)e.Result); return; } }
+                if (type == typeof(ClientModels.RewardAdActivityResult)) { if (_instance.OnRewardAdActivityResultEvent != null) { _instance.OnRewardAdActivityResultEvent((ClientModels.RewardAdActivityResult)e.Result); return; } }
+                if (type == typeof(ClientModels.SendAccountRecoveryEmailResult)) { if (_instance.OnSendAccountRecoveryEmailResultEvent != null) { _instance.OnSendAccountRecoveryEmailResultEvent((ClientModels.SendAccountRecoveryEmailResult)e.Result); return; } }
+                if (type == typeof(ClientModels.SetFriendTagsResult)) { if (_instance.OnSetFriendTagsResultEvent != null) { _instance.OnSetFriendTagsResultEvent((ClientModels.SetFriendTagsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.SetPlayerSecretResult)) { if (_instance.OnSetPlayerSecretResultEvent != null) { _instance.OnSetPlayerSecretResultEvent((ClientModels.SetPlayerSecretResult)e.Result); return; } }
+                if (type == typeof(ClientModels.StartGameResult)) { if (_instance.OnStartGameResultEvent != null) { _instance.OnStartGameResultEvent((ClientModels.StartGameResult)e.Result); return; } }
+                if (type == typeof(ClientModels.StartPurchaseResult)) { if (_instance.OnStartPurchaseResultEvent != null) { _instance.OnStartPurchaseResultEvent((ClientModels.StartPurchaseResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnSubtractUserVirtualCurrencyResultEvent != null) { _instance.OnSubtractUserVirtualCurrencyResultEvent((ClientModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkAndroidDeviceIDResult)) { if (_instance.OnUnlinkAndroidDeviceIDResultEvent != null) { _instance.OnUnlinkAndroidDeviceIDResultEvent((ClientModels.UnlinkAndroidDeviceIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnUnlinkAppleResultEvent != null) { _instance.OnUnlinkAppleResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkCustomIDResult)) { if (_instance.OnUnlinkCustomIDResultEvent != null) { _instance.OnUnlinkCustomIDResultEvent((ClientModels.UnlinkCustomIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkFacebookAccountResult)) { if (_instance.OnUnlinkFacebookAccountResultEvent != null) { _instance.OnUnlinkFacebookAccountResultEvent((ClientModels.UnlinkFacebookAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkFacebookInstantGamesIdResult)) { if (_instance.OnUnlinkFacebookInstantGamesIdResultEvent != null) { _instance.OnUnlinkFacebookInstantGamesIdResultEvent((ClientModels.UnlinkFacebookInstantGamesIdResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkGameCenterAccountResult)) { if (_instance.OnUnlinkGameCenterAccountResultEvent != null) { _instance.OnUnlinkGameCenterAccountResultEvent((ClientModels.UnlinkGameCenterAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkGoogleAccountResult)) { if (_instance.OnUnlinkGoogleAccountResultEvent != null) { _instance.OnUnlinkGoogleAccountResultEvent((ClientModels.UnlinkGoogleAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkIOSDeviceIDResult)) { if (_instance.OnUnlinkIOSDeviceIDResultEvent != null) { _instance.OnUnlinkIOSDeviceIDResultEvent((ClientModels.UnlinkIOSDeviceIDResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkKongregateAccountResult)) { if (_instance.OnUnlinkKongregateResultEvent != null) { _instance.OnUnlinkKongregateResultEvent((ClientModels.UnlinkKongregateAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnUnlinkNintendoServiceAccountResultEvent != null) { _instance.OnUnlinkNintendoServiceAccountResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkNintendoSwitchDeviceIdResult)) { if (_instance.OnUnlinkNintendoSwitchDeviceIdResultEvent != null) { _instance.OnUnlinkNintendoSwitchDeviceIdResultEvent((ClientModels.UnlinkNintendoSwitchDeviceIdResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnUnlinkOpenIdConnectResultEvent != null) { _instance.OnUnlinkOpenIdConnectResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkPSNAccountResult)) { if (_instance.OnUnlinkPSNAccountResultEvent != null) { _instance.OnUnlinkPSNAccountResultEvent((ClientModels.UnlinkPSNAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkSteamAccountResult)) { if (_instance.OnUnlinkSteamAccountResultEvent != null) { _instance.OnUnlinkSteamAccountResultEvent((ClientModels.UnlinkSteamAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkTwitchAccountResult)) { if (_instance.OnUnlinkTwitchResultEvent != null) { _instance.OnUnlinkTwitchResultEvent((ClientModels.UnlinkTwitchAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlinkXboxAccountResult)) { if (_instance.OnUnlinkXboxAccountResultEvent != null) { _instance.OnUnlinkXboxAccountResultEvent((ClientModels.UnlinkXboxAccountResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlockContainerItemResult)) { if (_instance.OnUnlockContainerInstanceResultEvent != null) { _instance.OnUnlockContainerInstanceResultEvent((ClientModels.UnlockContainerItemResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UnlockContainerItemResult)) { if (_instance.OnUnlockContainerItemResultEvent != null) { _instance.OnUnlockContainerItemResultEvent((ClientModels.UnlockContainerItemResult)e.Result); return; } }
+                if (type == typeof(ClientModels.EmptyResponse)) { if (_instance.OnUpdateAvatarUrlResultEvent != null) { _instance.OnUpdateAvatarUrlResultEvent((ClientModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateCharacterDataResult)) { if (_instance.OnUpdateCharacterDataResultEvent != null) { _instance.OnUpdateCharacterDataResultEvent((ClientModels.UpdateCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateCharacterStatisticsResult)) { if (_instance.OnUpdateCharacterStatisticsResultEvent != null) { _instance.OnUpdateCharacterStatisticsResultEvent((ClientModels.UpdateCharacterStatisticsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdatePlayerStatisticsResult)) { if (_instance.OnUpdatePlayerStatisticsResultEvent != null) { _instance.OnUpdatePlayerStatisticsResultEvent((ClientModels.UpdatePlayerStatisticsResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateSharedGroupDataResult)) { if (_instance.OnUpdateSharedGroupDataResultEvent != null) { _instance.OnUpdateSharedGroupDataResultEvent((ClientModels.UpdateSharedGroupDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateUserDataResult)) { if (_instance.OnUpdateUserDataResultEvent != null) { _instance.OnUpdateUserDataResultEvent((ClientModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateUserDataResult)) { if (_instance.OnUpdateUserPublisherDataResultEvent != null) { _instance.OnUpdateUserPublisherDataResultEvent((ClientModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ClientModels.UpdateUserTitleDisplayNameResult)) { if (_instance.OnUpdateUserTitleDisplayNameResultEvent != null) { _instance.OnUpdateUserTitleDisplayNameResultEvent((ClientModels.UpdateUserTitleDisplayNameResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ValidateAmazonReceiptResult)) { if (_instance.OnValidateAmazonIAPReceiptResultEvent != null) { _instance.OnValidateAmazonIAPReceiptResultEvent((ClientModels.ValidateAmazonReceiptResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ValidateGooglePlayPurchaseResult)) { if (_instance.OnValidateGooglePlayPurchaseResultEvent != null) { _instance.OnValidateGooglePlayPurchaseResultEvent((ClientModels.ValidateGooglePlayPurchaseResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ValidateIOSReceiptResult)) { if (_instance.OnValidateIOSReceiptResultEvent != null) { _instance.OnValidateIOSReceiptResultEvent((ClientModels.ValidateIOSReceiptResult)e.Result); return; } }
+                if (type == typeof(ClientModels.ValidateWindowsReceiptResult)) { if (_instance.OnValidateWindowsStoreReceiptResultEvent != null) { _instance.OnValidateWindowsStoreReceiptResultEvent((ClientModels.ValidateWindowsReceiptResult)e.Result); return; } }
+                if (type == typeof(ClientModels.WriteEventResponse)) { if (_instance.OnWriteCharacterEventResultEvent != null) { _instance.OnWriteCharacterEventResultEvent((ClientModels.WriteEventResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.WriteEventResponse)) { if (_instance.OnWritePlayerEventResultEvent != null) { _instance.OnWritePlayerEventResultEvent((ClientModels.WriteEventResponse)e.Result); return; } }
+                if (type == typeof(ClientModels.WriteEventResponse)) { if (_instance.OnWriteTitleEventResultEvent != null) { _instance.OnWriteTitleEventResultEvent((ClientModels.WriteEventResponse)e.Result); return; } }
+#endif
+#if ENABLE_PLAYFABSERVER_API
+
+                if (type == typeof(MatchmakerModels.AuthUserResponse)) { if (_instance.OnMatchmakerAuthUserResultEvent != null) { _instance.OnMatchmakerAuthUserResultEvent((MatchmakerModels.AuthUserResponse)e.Result); return; } }
+                if (type == typeof(MatchmakerModels.PlayerJoinedResponse)) { if (_instance.OnMatchmakerPlayerJoinedResultEvent != null) { _instance.OnMatchmakerPlayerJoinedResultEvent((MatchmakerModels.PlayerJoinedResponse)e.Result); return; } }
+                if (type == typeof(MatchmakerModels.PlayerLeftResponse)) { if (_instance.OnMatchmakerPlayerLeftResultEvent != null) { _instance.OnMatchmakerPlayerLeftResultEvent((MatchmakerModels.PlayerLeftResponse)e.Result); return; } }
+                if (type == typeof(MatchmakerModels.StartGameResponse)) { if (_instance.OnMatchmakerStartGameResultEvent != null) { _instance.OnMatchmakerStartGameResultEvent((MatchmakerModels.StartGameResponse)e.Result); return; } }
+                if (type == typeof(MatchmakerModels.UserInfoResponse)) { if (_instance.OnMatchmakerUserInfoResultEvent != null) { _instance.OnMatchmakerUserInfoResultEvent((MatchmakerModels.UserInfoResponse)e.Result); return; } }
+#endif
+#if ENABLE_PLAYFABSERVER_API
+
+                if (type == typeof(ServerModels.ModifyCharacterVirtualCurrencyResult)) { if (_instance.OnServerAddCharacterVirtualCurrencyResultEvent != null) { _instance.OnServerAddCharacterVirtualCurrencyResultEvent((ServerModels.ModifyCharacterVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerAddFriendResultEvent != null) { _instance.OnServerAddFriendResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResult)) { if (_instance.OnServerAddGenericIDResultEvent != null) { _instance.OnServerAddGenericIDResultEvent((ServerModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.AddPlayerTagResult)) { if (_instance.OnServerAddPlayerTagResultEvent != null) { _instance.OnServerAddPlayerTagResultEvent((ServerModels.AddPlayerTagResult)e.Result); return; } }
+                if (type == typeof(ServerModels.AddSharedGroupMembersResult)) { if (_instance.OnServerAddSharedGroupMembersResultEvent != null) { _instance.OnServerAddSharedGroupMembersResultEvent((ServerModels.AddSharedGroupMembersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnServerAddUserVirtualCurrencyResultEvent != null) { _instance.OnServerAddUserVirtualCurrencyResultEvent((ServerModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.AuthenticateSessionTicketResult)) { if (_instance.OnServerAuthenticateSessionTicketResultEvent != null) { _instance.OnServerAuthenticateSessionTicketResultEvent((ServerModels.AuthenticateSessionTicketResult)e.Result); return; } }
+                if (type == typeof(ServerModels.AwardSteamAchievementResult)) { if (_instance.OnServerAwardSteamAchievementResultEvent != null) { _instance.OnServerAwardSteamAchievementResultEvent((ServerModels.AwardSteamAchievementResult)e.Result); return; } }
+                if (type == typeof(ServerModels.BanUsersResult)) { if (_instance.OnServerBanUsersResultEvent != null) { _instance.OnServerBanUsersResultEvent((ServerModels.BanUsersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ConsumeItemResult)) { if (_instance.OnServerConsumeItemResultEvent != null) { _instance.OnServerConsumeItemResultEvent((ServerModels.ConsumeItemResult)e.Result); return; } }
+                if (type == typeof(ServerModels.CreateSharedGroupResult)) { if (_instance.OnServerCreateSharedGroupResultEvent != null) { _instance.OnServerCreateSharedGroupResultEvent((ServerModels.CreateSharedGroupResult)e.Result); return; } }
+                if (type == typeof(ServerModels.DeleteCharacterFromUserResult)) { if (_instance.OnServerDeleteCharacterFromUserResultEvent != null) { _instance.OnServerDeleteCharacterFromUserResultEvent((ServerModels.DeleteCharacterFromUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.DeletePlayerResult)) { if (_instance.OnServerDeletePlayerResultEvent != null) { _instance.OnServerDeletePlayerResultEvent((ServerModels.DeletePlayerResult)e.Result); return; } }
+                if (type == typeof(ServerModels.DeletePushNotificationTemplateResult)) { if (_instance.OnServerDeletePushNotificationTemplateResultEvent != null) { _instance.OnServerDeletePushNotificationTemplateResultEvent((ServerModels.DeletePushNotificationTemplateResult)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerDeleteSharedGroupResultEvent != null) { _instance.OnServerDeleteSharedGroupResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.DeregisterGameResponse)) { if (_instance.OnServerDeregisterGameResultEvent != null) { _instance.OnServerDeregisterGameResultEvent((ServerModels.DeregisterGameResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.EvaluateRandomResultTableResult)) { if (_instance.OnServerEvaluateRandomResultTableResultEvent != null) { _instance.OnServerEvaluateRandomResultTableResultEvent((ServerModels.EvaluateRandomResultTableResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ExecuteCloudScriptResult)) { if (_instance.OnServerExecuteCloudScriptResultEvent != null) { _instance.OnServerExecuteCloudScriptResultEvent((ServerModels.ExecuteCloudScriptResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetAllSegmentsResult)) { if (_instance.OnServerGetAllSegmentsResultEvent != null) { _instance.OnServerGetAllSegmentsResultEvent((ServerModels.GetAllSegmentsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ListUsersCharactersResult)) { if (_instance.OnServerGetAllUsersCharactersResultEvent != null) { _instance.OnServerGetAllUsersCharactersResultEvent((ServerModels.ListUsersCharactersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCatalogItemsResult)) { if (_instance.OnServerGetCatalogItemsResultEvent != null) { _instance.OnServerGetCatalogItemsResultEvent((ServerModels.GetCatalogItemsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataResult)) { if (_instance.OnServerGetCharacterDataResultEvent != null) { _instance.OnServerGetCharacterDataResultEvent((ServerModels.GetCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataResult)) { if (_instance.OnServerGetCharacterInternalDataResultEvent != null) { _instance.OnServerGetCharacterInternalDataResultEvent((ServerModels.GetCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterInventoryResult)) { if (_instance.OnServerGetCharacterInventoryResultEvent != null) { _instance.OnServerGetCharacterInventoryResultEvent((ServerModels.GetCharacterInventoryResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterLeaderboardResult)) { if (_instance.OnServerGetCharacterLeaderboardResultEvent != null) { _instance.OnServerGetCharacterLeaderboardResultEvent((ServerModels.GetCharacterLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterDataResult)) { if (_instance.OnServerGetCharacterReadOnlyDataResultEvent != null) { _instance.OnServerGetCharacterReadOnlyDataResultEvent((ServerModels.GetCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetCharacterStatisticsResult)) { if (_instance.OnServerGetCharacterStatisticsResultEvent != null) { _instance.OnServerGetCharacterStatisticsResultEvent((ServerModels.GetCharacterStatisticsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetContentDownloadUrlResult)) { if (_instance.OnServerGetContentDownloadUrlResultEvent != null) { _instance.OnServerGetContentDownloadUrlResultEvent((ServerModels.GetContentDownloadUrlResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardResult)) { if (_instance.OnServerGetFriendLeaderboardResultEvent != null) { _instance.OnServerGetFriendLeaderboardResultEvent((ServerModels.GetLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetFriendsListResult)) { if (_instance.OnServerGetFriendsListResultEvent != null) { _instance.OnServerGetFriendsListResultEvent((ServerModels.GetFriendsListResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardResult)) { if (_instance.OnServerGetLeaderboardResultEvent != null) { _instance.OnServerGetLeaderboardResultEvent((ServerModels.GetLeaderboardResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardAroundCharacterResult)) { if (_instance.OnServerGetLeaderboardAroundCharacterResultEvent != null) { _instance.OnServerGetLeaderboardAroundCharacterResultEvent((ServerModels.GetLeaderboardAroundCharacterResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardAroundUserResult)) { if (_instance.OnServerGetLeaderboardAroundUserResultEvent != null) { _instance.OnServerGetLeaderboardAroundUserResultEvent((ServerModels.GetLeaderboardAroundUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetLeaderboardForUsersCharactersResult)) { if (_instance.OnServerGetLeaderboardForUserCharactersResultEvent != null) { _instance.OnServerGetLeaderboardForUserCharactersResultEvent((ServerModels.GetLeaderboardForUsersCharactersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerCombinedInfoResult)) { if (_instance.OnServerGetPlayerCombinedInfoResultEvent != null) { _instance.OnServerGetPlayerCombinedInfoResultEvent((ServerModels.GetPlayerCombinedInfoResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerProfileResult)) { if (_instance.OnServerGetPlayerProfileResultEvent != null) { _instance.OnServerGetPlayerProfileResultEvent((ServerModels.GetPlayerProfileResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerSegmentsResult)) { if (_instance.OnServerGetPlayerSegmentsResultEvent != null) { _instance.OnServerGetPlayerSegmentsResultEvent((ServerModels.GetPlayerSegmentsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayersInSegmentResult)) { if (_instance.OnServerGetPlayersInSegmentResultEvent != null) { _instance.OnServerGetPlayersInSegmentResultEvent((ServerModels.GetPlayersInSegmentResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerStatisticsResult)) { if (_instance.OnServerGetPlayerStatisticsResultEvent != null) { _instance.OnServerGetPlayerStatisticsResultEvent((ServerModels.GetPlayerStatisticsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerStatisticVersionsResult)) { if (_instance.OnServerGetPlayerStatisticVersionsResultEvent != null) { _instance.OnServerGetPlayerStatisticVersionsResultEvent((ServerModels.GetPlayerStatisticVersionsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayerTagsResult)) { if (_instance.OnServerGetPlayerTagsResultEvent != null) { _instance.OnServerGetPlayerTagsResultEvent((ServerModels.GetPlayerTagsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromFacebookIDsResult)) { if (_instance.OnServerGetPlayFabIDsFromFacebookIDsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromFacebookIDsResultEvent((ServerModels.GetPlayFabIDsFromFacebookIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult)) { if (_instance.OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromFacebookInstantGamesIdsResultEvent((ServerModels.GetPlayFabIDsFromFacebookInstantGamesIdsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromGenericIDsResult)) { if (_instance.OnServerGetPlayFabIDsFromGenericIDsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromGenericIDsResultEvent((ServerModels.GetPlayFabIDsFromGenericIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult)) { if (_instance.OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromNintendoSwitchDeviceIdsResultEvent((ServerModels.GetPlayFabIDsFromNintendoSwitchDeviceIdsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromPSNAccountIDsResult)) { if (_instance.OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromPSNAccountIDsResultEvent((ServerModels.GetPlayFabIDsFromPSNAccountIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromSteamIDsResult)) { if (_instance.OnServerGetPlayFabIDsFromSteamIDsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromSteamIDsResultEvent((ServerModels.GetPlayFabIDsFromSteamIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPlayFabIDsFromXboxLiveIDsResult)) { if (_instance.OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent != null) { _instance.OnServerGetPlayFabIDsFromXboxLiveIDsResultEvent((ServerModels.GetPlayFabIDsFromXboxLiveIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetPublisherDataResult)) { if (_instance.OnServerGetPublisherDataResultEvent != null) { _instance.OnServerGetPublisherDataResultEvent((ServerModels.GetPublisherDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetRandomResultTablesResult)) { if (_instance.OnServerGetRandomResultTablesResultEvent != null) { _instance.OnServerGetRandomResultTablesResultEvent((ServerModels.GetRandomResultTablesResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetServerCustomIDsFromPlayFabIDsResult)) { if (_instance.OnServerGetServerCustomIDsFromPlayFabIDsResultEvent != null) { _instance.OnServerGetServerCustomIDsFromPlayFabIDsResultEvent((ServerModels.GetServerCustomIDsFromPlayFabIDsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetSharedGroupDataResult)) { if (_instance.OnServerGetSharedGroupDataResultEvent != null) { _instance.OnServerGetSharedGroupDataResultEvent((ServerModels.GetSharedGroupDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetStoreItemsResult)) { if (_instance.OnServerGetStoreItemsResultEvent != null) { _instance.OnServerGetStoreItemsResultEvent((ServerModels.GetStoreItemsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetTimeResult)) { if (_instance.OnServerGetTimeResultEvent != null) { _instance.OnServerGetTimeResultEvent((ServerModels.GetTimeResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetTitleDataResult)) { if (_instance.OnServerGetTitleDataResultEvent != null) { _instance.OnServerGetTitleDataResultEvent((ServerModels.GetTitleDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetTitleDataResult)) { if (_instance.OnServerGetTitleInternalDataResultEvent != null) { _instance.OnServerGetTitleInternalDataResultEvent((ServerModels.GetTitleDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetTitleNewsResult)) { if (_instance.OnServerGetTitleNewsResultEvent != null) { _instance.OnServerGetTitleNewsResultEvent((ServerModels.GetTitleNewsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserAccountInfoResult)) { if (_instance.OnServerGetUserAccountInfoResultEvent != null) { _instance.OnServerGetUserAccountInfoResultEvent((ServerModels.GetUserAccountInfoResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserBansResult)) { if (_instance.OnServerGetUserBansResultEvent != null) { _instance.OnServerGetUserBansResultEvent((ServerModels.GetUserBansResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserDataResultEvent != null) { _instance.OnServerGetUserDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserInternalDataResultEvent != null) { _instance.OnServerGetUserInternalDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserInventoryResult)) { if (_instance.OnServerGetUserInventoryResultEvent != null) { _instance.OnServerGetUserInventoryResultEvent((ServerModels.GetUserInventoryResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserPublisherDataResultEvent != null) { _instance.OnServerGetUserPublisherDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserPublisherInternalDataResultEvent != null) { _instance.OnServerGetUserPublisherInternalDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserPublisherReadOnlyDataResultEvent != null) { _instance.OnServerGetUserPublisherReadOnlyDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GetUserDataResult)) { if (_instance.OnServerGetUserReadOnlyDataResultEvent != null) { _instance.OnServerGetUserReadOnlyDataResultEvent((ServerModels.GetUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GrantCharacterToUserResult)) { if (_instance.OnServerGrantCharacterToUserResultEvent != null) { _instance.OnServerGrantCharacterToUserResultEvent((ServerModels.GrantCharacterToUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GrantItemsToCharacterResult)) { if (_instance.OnServerGrantItemsToCharacterResultEvent != null) { _instance.OnServerGrantItemsToCharacterResultEvent((ServerModels.GrantItemsToCharacterResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GrantItemsToUserResult)) { if (_instance.OnServerGrantItemsToUserResultEvent != null) { _instance.OnServerGrantItemsToUserResultEvent((ServerModels.GrantItemsToUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.GrantItemsToUsersResult)) { if (_instance.OnServerGrantItemsToUsersResultEvent != null) { _instance.OnServerGrantItemsToUsersResultEvent((ServerModels.GrantItemsToUsersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.LinkPSNAccountResult)) { if (_instance.OnServerLinkPSNAccountResultEvent != null) { _instance.OnServerLinkPSNAccountResultEvent((ServerModels.LinkPSNAccountResult)e.Result); return; } }
+                if (type == typeof(ServerModels.LinkServerCustomIdResult)) { if (_instance.OnServerLinkServerCustomIdResultEvent != null) { _instance.OnServerLinkServerCustomIdResultEvent((ServerModels.LinkServerCustomIdResult)e.Result); return; } }
+                if (type == typeof(ServerModels.LinkXboxAccountResult)) { if (_instance.OnServerLinkXboxAccountResultEvent != null) { _instance.OnServerLinkXboxAccountResultEvent((ServerModels.LinkXboxAccountResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ServerLoginResult)) { if (_instance.OnServerLoginWithServerCustomIdResultEvent != null) { _instance.OnServerLoginWithServerCustomIdResultEvent((ServerModels.ServerLoginResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ServerLoginResult)) { if (_instance.OnServerLoginWithSteamIdResultEvent != null) { _instance.OnServerLoginWithSteamIdResultEvent((ServerModels.ServerLoginResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ServerLoginResult)) { if (_instance.OnServerLoginWithXboxResultEvent != null) { _instance.OnServerLoginWithXboxResultEvent((ServerModels.ServerLoginResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ServerLoginResult)) { if (_instance.OnServerLoginWithXboxIdResultEvent != null) { _instance.OnServerLoginWithXboxIdResultEvent((ServerModels.ServerLoginResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ModifyItemUsesResult)) { if (_instance.OnServerModifyItemUsesResultEvent != null) { _instance.OnServerModifyItemUsesResultEvent((ServerModels.ModifyItemUsesResult)e.Result); return; } }
+                if (type == typeof(ServerModels.MoveItemToCharacterFromCharacterResult)) { if (_instance.OnServerMoveItemToCharacterFromCharacterResultEvent != null) { _instance.OnServerMoveItemToCharacterFromCharacterResultEvent((ServerModels.MoveItemToCharacterFromCharacterResult)e.Result); return; } }
+                if (type == typeof(ServerModels.MoveItemToCharacterFromUserResult)) { if (_instance.OnServerMoveItemToCharacterFromUserResultEvent != null) { _instance.OnServerMoveItemToCharacterFromUserResultEvent((ServerModels.MoveItemToCharacterFromUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.MoveItemToUserFromCharacterResult)) { if (_instance.OnServerMoveItemToUserFromCharacterResultEvent != null) { _instance.OnServerMoveItemToUserFromCharacterResultEvent((ServerModels.MoveItemToUserFromCharacterResult)e.Result); return; } }
+                if (type == typeof(ServerModels.NotifyMatchmakerPlayerLeftResult)) { if (_instance.OnServerNotifyMatchmakerPlayerLeftResultEvent != null) { _instance.OnServerNotifyMatchmakerPlayerLeftResultEvent((ServerModels.NotifyMatchmakerPlayerLeftResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RedeemCouponResult)) { if (_instance.OnServerRedeemCouponResultEvent != null) { _instance.OnServerRedeemCouponResultEvent((ServerModels.RedeemCouponResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RedeemMatchmakerTicketResult)) { if (_instance.OnServerRedeemMatchmakerTicketResultEvent != null) { _instance.OnServerRedeemMatchmakerTicketResultEvent((ServerModels.RedeemMatchmakerTicketResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RefreshGameServerInstanceHeartbeatResult)) { if (_instance.OnServerRefreshGameServerInstanceHeartbeatResultEvent != null) { _instance.OnServerRefreshGameServerInstanceHeartbeatResultEvent((ServerModels.RefreshGameServerInstanceHeartbeatResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RegisterGameResponse)) { if (_instance.OnServerRegisterGameResultEvent != null) { _instance.OnServerRegisterGameResultEvent((ServerModels.RegisterGameResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerRemoveFriendResultEvent != null) { _instance.OnServerRemoveFriendResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResult)) { if (_instance.OnServerRemoveGenericIDResultEvent != null) { _instance.OnServerRemoveGenericIDResultEvent((ServerModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RemovePlayerTagResult)) { if (_instance.OnServerRemovePlayerTagResultEvent != null) { _instance.OnServerRemovePlayerTagResultEvent((ServerModels.RemovePlayerTagResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RemoveSharedGroupMembersResult)) { if (_instance.OnServerRemoveSharedGroupMembersResultEvent != null) { _instance.OnServerRemoveSharedGroupMembersResultEvent((ServerModels.RemoveSharedGroupMembersResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ReportPlayerServerResult)) { if (_instance.OnServerReportPlayerResultEvent != null) { _instance.OnServerReportPlayerResultEvent((ServerModels.ReportPlayerServerResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RevokeAllBansForUserResult)) { if (_instance.OnServerRevokeAllBansForUserResultEvent != null) { _instance.OnServerRevokeAllBansForUserResultEvent((ServerModels.RevokeAllBansForUserResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RevokeBansResult)) { if (_instance.OnServerRevokeBansResultEvent != null) { _instance.OnServerRevokeBansResultEvent((ServerModels.RevokeBansResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RevokeInventoryResult)) { if (_instance.OnServerRevokeInventoryItemResultEvent != null) { _instance.OnServerRevokeInventoryItemResultEvent((ServerModels.RevokeInventoryResult)e.Result); return; } }
+                if (type == typeof(ServerModels.RevokeInventoryItemsResult)) { if (_instance.OnServerRevokeInventoryItemsResultEvent != null) { _instance.OnServerRevokeInventoryItemsResultEvent((ServerModels.RevokeInventoryItemsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SavePushNotificationTemplateResult)) { if (_instance.OnServerSavePushNotificationTemplateResultEvent != null) { _instance.OnServerSavePushNotificationTemplateResultEvent((ServerModels.SavePushNotificationTemplateResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SendCustomAccountRecoveryEmailResult)) { if (_instance.OnServerSendCustomAccountRecoveryEmailResultEvent != null) { _instance.OnServerSendCustomAccountRecoveryEmailResultEvent((ServerModels.SendCustomAccountRecoveryEmailResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SendEmailFromTemplateResult)) { if (_instance.OnServerSendEmailFromTemplateResultEvent != null) { _instance.OnServerSendEmailFromTemplateResultEvent((ServerModels.SendEmailFromTemplateResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SendPushNotificationResult)) { if (_instance.OnServerSendPushNotificationResultEvent != null) { _instance.OnServerSendPushNotificationResultEvent((ServerModels.SendPushNotificationResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SendPushNotificationResult)) { if (_instance.OnServerSendPushNotificationFromTemplateResultEvent != null) { _instance.OnServerSendPushNotificationFromTemplateResultEvent((ServerModels.SendPushNotificationResult)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerSetFriendTagsResultEvent != null) { _instance.OnServerSetFriendTagsResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceDataResult)) { if (_instance.OnServerSetGameServerInstanceDataResultEvent != null) { _instance.OnServerSetGameServerInstanceDataResultEvent((ServerModels.SetGameServerInstanceDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceStateResult)) { if (_instance.OnServerSetGameServerInstanceStateResultEvent != null) { _instance.OnServerSetGameServerInstanceStateResultEvent((ServerModels.SetGameServerInstanceStateResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetGameServerInstanceTagsResult)) { if (_instance.OnServerSetGameServerInstanceTagsResultEvent != null) { _instance.OnServerSetGameServerInstanceTagsResultEvent((ServerModels.SetGameServerInstanceTagsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetPlayerSecretResult)) { if (_instance.OnServerSetPlayerSecretResultEvent != null) { _instance.OnServerSetPlayerSecretResultEvent((ServerModels.SetPlayerSecretResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetPublisherDataResult)) { if (_instance.OnServerSetPublisherDataResultEvent != null) { _instance.OnServerSetPublisherDataResultEvent((ServerModels.SetPublisherDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetTitleDataResult)) { if (_instance.OnServerSetTitleDataResultEvent != null) { _instance.OnServerSetTitleDataResultEvent((ServerModels.SetTitleDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.SetTitleDataResult)) { if (_instance.OnServerSetTitleInternalDataResultEvent != null) { _instance.OnServerSetTitleInternalDataResultEvent((ServerModels.SetTitleDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ModifyCharacterVirtualCurrencyResult)) { if (_instance.OnServerSubtractCharacterVirtualCurrencyResultEvent != null) { _instance.OnServerSubtractCharacterVirtualCurrencyResultEvent((ServerModels.ModifyCharacterVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.ModifyUserVirtualCurrencyResult)) { if (_instance.OnServerSubtractUserVirtualCurrencyResultEvent != null) { _instance.OnServerSubtractUserVirtualCurrencyResultEvent((ServerModels.ModifyUserVirtualCurrencyResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UnlinkPSNAccountResult)) { if (_instance.OnServerUnlinkPSNAccountResultEvent != null) { _instance.OnServerUnlinkPSNAccountResultEvent((ServerModels.UnlinkPSNAccountResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UnlinkServerCustomIdResult)) { if (_instance.OnServerUnlinkServerCustomIdResultEvent != null) { _instance.OnServerUnlinkServerCustomIdResultEvent((ServerModels.UnlinkServerCustomIdResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UnlinkXboxAccountResult)) { if (_instance.OnServerUnlinkXboxAccountResultEvent != null) { _instance.OnServerUnlinkXboxAccountResultEvent((ServerModels.UnlinkXboxAccountResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UnlockContainerItemResult)) { if (_instance.OnServerUnlockContainerInstanceResultEvent != null) { _instance.OnServerUnlockContainerInstanceResultEvent((ServerModels.UnlockContainerItemResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UnlockContainerItemResult)) { if (_instance.OnServerUnlockContainerItemResultEvent != null) { _instance.OnServerUnlockContainerItemResultEvent((ServerModels.UnlockContainerItemResult)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerUpdateAvatarUrlResultEvent != null) { _instance.OnServerUpdateAvatarUrlResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateBansResult)) { if (_instance.OnServerUpdateBansResultEvent != null) { _instance.OnServerUpdateBansResultEvent((ServerModels.UpdateBansResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataResult)) { if (_instance.OnServerUpdateCharacterDataResultEvent != null) { _instance.OnServerUpdateCharacterDataResultEvent((ServerModels.UpdateCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataResult)) { if (_instance.OnServerUpdateCharacterInternalDataResultEvent != null) { _instance.OnServerUpdateCharacterInternalDataResultEvent((ServerModels.UpdateCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterDataResult)) { if (_instance.OnServerUpdateCharacterReadOnlyDataResultEvent != null) { _instance.OnServerUpdateCharacterReadOnlyDataResultEvent((ServerModels.UpdateCharacterDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateCharacterStatisticsResult)) { if (_instance.OnServerUpdateCharacterStatisticsResultEvent != null) { _instance.OnServerUpdateCharacterStatisticsResultEvent((ServerModels.UpdateCharacterStatisticsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdatePlayerStatisticsResult)) { if (_instance.OnServerUpdatePlayerStatisticsResultEvent != null) { _instance.OnServerUpdatePlayerStatisticsResultEvent((ServerModels.UpdatePlayerStatisticsResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateSharedGroupDataResult)) { if (_instance.OnServerUpdateSharedGroupDataResultEvent != null) { _instance.OnServerUpdateSharedGroupDataResultEvent((ServerModels.UpdateSharedGroupDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserDataResultEvent != null) { _instance.OnServerUpdateUserDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserInternalDataResultEvent != null) { _instance.OnServerUpdateUserInternalDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.EmptyResponse)) { if (_instance.OnServerUpdateUserInventoryItemCustomDataResultEvent != null) { _instance.OnServerUpdateUserInventoryItemCustomDataResultEvent((ServerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserPublisherDataResultEvent != null) { _instance.OnServerUpdateUserPublisherDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserPublisherInternalDataResultEvent != null) { _instance.OnServerUpdateUserPublisherInternalDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserPublisherReadOnlyDataResultEvent != null) { _instance.OnServerUpdateUserPublisherReadOnlyDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.UpdateUserDataResult)) { if (_instance.OnServerUpdateUserReadOnlyDataResultEvent != null) { _instance.OnServerUpdateUserReadOnlyDataResultEvent((ServerModels.UpdateUserDataResult)e.Result); return; } }
+                if (type == typeof(ServerModels.WriteEventResponse)) { if (_instance.OnServerWriteCharacterEventResultEvent != null) { _instance.OnServerWriteCharacterEventResultEvent((ServerModels.WriteEventResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.WriteEventResponse)) { if (_instance.OnServerWritePlayerEventResultEvent != null) { _instance.OnServerWritePlayerEventResultEvent((ServerModels.WriteEventResponse)e.Result); return; } }
+                if (type == typeof(ServerModels.WriteEventResponse)) { if (_instance.OnServerWriteTitleEventResultEvent != null) { _instance.OnServerWriteTitleEventResultEvent((ServerModels.WriteEventResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(AuthenticationModels.GetEntityTokenResponse)) { if (_instance.OnAuthenticationGetEntityTokenResultEvent != null) { _instance.OnAuthenticationGetEntityTokenResultEvent((AuthenticationModels.GetEntityTokenResponse)e.Result); return; } }
+                if (type == typeof(AuthenticationModels.ValidateEntityTokenResponse)) { if (_instance.OnAuthenticationValidateEntityTokenResultEvent != null) { _instance.OnAuthenticationValidateEntityTokenResultEvent((AuthenticationModels.ValidateEntityTokenResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(CloudScriptModels.ExecuteCloudScriptResult)) { if (_instance.OnCloudScriptExecuteEntityCloudScriptResultEvent != null) { _instance.OnCloudScriptExecuteEntityCloudScriptResultEvent((CloudScriptModels.ExecuteCloudScriptResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.ExecuteFunctionResult)) { if (_instance.OnCloudScriptExecuteFunctionResultEvent != null) { _instance.OnCloudScriptExecuteFunctionResultEvent((CloudScriptModels.ExecuteFunctionResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.ListFunctionsResult)) { if (_instance.OnCloudScriptListFunctionsResultEvent != null) { _instance.OnCloudScriptListFunctionsResultEvent((CloudScriptModels.ListFunctionsResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.ListHttpFunctionsResult)) { if (_instance.OnCloudScriptListHttpFunctionsResultEvent != null) { _instance.OnCloudScriptListHttpFunctionsResultEvent((CloudScriptModels.ListHttpFunctionsResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.ListQueuedFunctionsResult)) { if (_instance.OnCloudScriptListQueuedFunctionsResultEvent != null) { _instance.OnCloudScriptListQueuedFunctionsResultEvent((CloudScriptModels.ListQueuedFunctionsResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent != null) { _instance.OnCloudScriptPostFunctionResultForEntityTriggeredActionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent != null) { _instance.OnCloudScriptPostFunctionResultForFunctionExecutionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent != null) { _instance.OnCloudScriptPostFunctionResultForPlayerTriggeredActionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptPostFunctionResultForScheduledTaskResultEvent != null) { _instance.OnCloudScriptPostFunctionResultForScheduledTaskResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptRegisterHttpFunctionResultEvent != null) { _instance.OnCloudScriptRegisterHttpFunctionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptRegisterQueuedFunctionResultEvent != null) { _instance.OnCloudScriptRegisterQueuedFunctionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+                if (type == typeof(CloudScriptModels.EmptyResult)) { if (_instance.OnCloudScriptUnregisterFunctionResultEvent != null) { _instance.OnCloudScriptUnregisterFunctionResultEvent((CloudScriptModels.EmptyResult)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(DataModels.AbortFileUploadsResponse)) { if (_instance.OnDataAbortFileUploadsResultEvent != null) { _instance.OnDataAbortFileUploadsResultEvent((DataModels.AbortFileUploadsResponse)e.Result); return; } }
+                if (type == typeof(DataModels.DeleteFilesResponse)) { if (_instance.OnDataDeleteFilesResultEvent != null) { _instance.OnDataDeleteFilesResultEvent((DataModels.DeleteFilesResponse)e.Result); return; } }
+                if (type == typeof(DataModels.FinalizeFileUploadsResponse)) { if (_instance.OnDataFinalizeFileUploadsResultEvent != null) { _instance.OnDataFinalizeFileUploadsResultEvent((DataModels.FinalizeFileUploadsResponse)e.Result); return; } }
+                if (type == typeof(DataModels.GetFilesResponse)) { if (_instance.OnDataGetFilesResultEvent != null) { _instance.OnDataGetFilesResultEvent((DataModels.GetFilesResponse)e.Result); return; } }
+                if (type == typeof(DataModels.GetObjectsResponse)) { if (_instance.OnDataGetObjectsResultEvent != null) { _instance.OnDataGetObjectsResultEvent((DataModels.GetObjectsResponse)e.Result); return; } }
+                if (type == typeof(DataModels.InitiateFileUploadsResponse)) { if (_instance.OnDataInitiateFileUploadsResultEvent != null) { _instance.OnDataInitiateFileUploadsResultEvent((DataModels.InitiateFileUploadsResponse)e.Result); return; } }
+                if (type == typeof(DataModels.SetObjectsResponse)) { if (_instance.OnDataSetObjectsResultEvent != null) { _instance.OnDataSetObjectsResultEvent((DataModels.SetObjectsResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(EventsModels.WriteEventsResponse)) { if (_instance.OnEventsWriteEventsResultEvent != null) { _instance.OnEventsWriteEventsResultEvent((EventsModels.WriteEventsResponse)e.Result); return; } }
+                if (type == typeof(EventsModels.WriteEventsResponse)) { if (_instance.OnEventsWriteTelemetryEventsResultEvent != null) { _instance.OnEventsWriteTelemetryEventsResultEvent((EventsModels.WriteEventsResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(ExperimentationModels.CreateExclusionGroupResult)) { if (_instance.OnExperimentationCreateExclusionGroupResultEvent != null) { _instance.OnExperimentationCreateExclusionGroupResultEvent((ExperimentationModels.CreateExclusionGroupResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.CreateExperimentResult)) { if (_instance.OnExperimentationCreateExperimentResultEvent != null) { _instance.OnExperimentationCreateExperimentResultEvent((ExperimentationModels.CreateExperimentResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationDeleteExclusionGroupResultEvent != null) { _instance.OnExperimentationDeleteExclusionGroupResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationDeleteExperimentResultEvent != null) { _instance.OnExperimentationDeleteExperimentResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.GetExclusionGroupsResult)) { if (_instance.OnExperimentationGetExclusionGroupsResultEvent != null) { _instance.OnExperimentationGetExclusionGroupsResultEvent((ExperimentationModels.GetExclusionGroupsResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.GetExclusionGroupTrafficResult)) { if (_instance.OnExperimentationGetExclusionGroupTrafficResultEvent != null) { _instance.OnExperimentationGetExclusionGroupTrafficResultEvent((ExperimentationModels.GetExclusionGroupTrafficResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.GetExperimentsResult)) { if (_instance.OnExperimentationGetExperimentsResultEvent != null) { _instance.OnExperimentationGetExperimentsResultEvent((ExperimentationModels.GetExperimentsResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.GetLatestScorecardResult)) { if (_instance.OnExperimentationGetLatestScorecardResultEvent != null) { _instance.OnExperimentationGetLatestScorecardResultEvent((ExperimentationModels.GetLatestScorecardResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.GetTreatmentAssignmentResult)) { if (_instance.OnExperimentationGetTreatmentAssignmentResultEvent != null) { _instance.OnExperimentationGetTreatmentAssignmentResultEvent((ExperimentationModels.GetTreatmentAssignmentResult)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationStartExperimentResultEvent != null) { _instance.OnExperimentationStartExperimentResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationStopExperimentResultEvent != null) { _instance.OnExperimentationStopExperimentResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationUpdateExclusionGroupResultEvent != null) { _instance.OnExperimentationUpdateExclusionGroupResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(ExperimentationModels.EmptyResponse)) { if (_instance.OnExperimentationUpdateExperimentResultEvent != null) { _instance.OnExperimentationUpdateExperimentResultEvent((ExperimentationModels.EmptyResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(InsightsModels.InsightsGetDetailsResponse)) { if (_instance.OnInsightsGetDetailsResultEvent != null) { _instance.OnInsightsGetDetailsResultEvent((InsightsModels.InsightsGetDetailsResponse)e.Result); return; } }
+                if (type == typeof(InsightsModels.InsightsGetLimitsResponse)) { if (_instance.OnInsightsGetLimitsResultEvent != null) { _instance.OnInsightsGetLimitsResultEvent((InsightsModels.InsightsGetLimitsResponse)e.Result); return; } }
+                if (type == typeof(InsightsModels.InsightsGetOperationStatusResponse)) { if (_instance.OnInsightsGetOperationStatusResultEvent != null) { _instance.OnInsightsGetOperationStatusResultEvent((InsightsModels.InsightsGetOperationStatusResponse)e.Result); return; } }
+                if (type == typeof(InsightsModels.InsightsGetPendingOperationsResponse)) { if (_instance.OnInsightsGetPendingOperationsResultEvent != null) { _instance.OnInsightsGetPendingOperationsResultEvent((InsightsModels.InsightsGetPendingOperationsResponse)e.Result); return; } }
+                if (type == typeof(InsightsModels.InsightsOperationResponse)) { if (_instance.OnInsightsSetPerformanceResultEvent != null) { _instance.OnInsightsSetPerformanceResultEvent((InsightsModels.InsightsOperationResponse)e.Result); return; } }
+                if (type == typeof(InsightsModels.InsightsOperationResponse)) { if (_instance.OnInsightsSetStorageRetentionResultEvent != null) { _instance.OnInsightsSetStorageRetentionResultEvent((InsightsModels.InsightsOperationResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsAcceptGroupApplicationResultEvent != null) { _instance.OnGroupsAcceptGroupApplicationResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsAcceptGroupInvitationResultEvent != null) { _instance.OnGroupsAcceptGroupInvitationResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsAddMembersResultEvent != null) { _instance.OnGroupsAddMembersResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ApplyToGroupResponse)) { if (_instance.OnGroupsApplyToGroupResultEvent != null) { _instance.OnGroupsApplyToGroupResultEvent((GroupsModels.ApplyToGroupResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsBlockEntityResultEvent != null) { _instance.OnGroupsBlockEntityResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsChangeMemberRoleResultEvent != null) { _instance.OnGroupsChangeMemberRoleResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.CreateGroupResponse)) { if (_instance.OnGroupsCreateGroupResultEvent != null) { _instance.OnGroupsCreateGroupResultEvent((GroupsModels.CreateGroupResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.CreateGroupRoleResponse)) { if (_instance.OnGroupsCreateRoleResultEvent != null) { _instance.OnGroupsCreateRoleResultEvent((GroupsModels.CreateGroupRoleResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsDeleteGroupResultEvent != null) { _instance.OnGroupsDeleteGroupResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsDeleteRoleResultEvent != null) { _instance.OnGroupsDeleteRoleResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.GetGroupResponse)) { if (_instance.OnGroupsGetGroupResultEvent != null) { _instance.OnGroupsGetGroupResultEvent((GroupsModels.GetGroupResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.InviteToGroupResponse)) { if (_instance.OnGroupsInviteToGroupResultEvent != null) { _instance.OnGroupsInviteToGroupResultEvent((GroupsModels.InviteToGroupResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.IsMemberResponse)) { if (_instance.OnGroupsIsMemberResultEvent != null) { _instance.OnGroupsIsMemberResultEvent((GroupsModels.IsMemberResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListGroupApplicationsResponse)) { if (_instance.OnGroupsListGroupApplicationsResultEvent != null) { _instance.OnGroupsListGroupApplicationsResultEvent((GroupsModels.ListGroupApplicationsResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListGroupBlocksResponse)) { if (_instance.OnGroupsListGroupBlocksResultEvent != null) { _instance.OnGroupsListGroupBlocksResultEvent((GroupsModels.ListGroupBlocksResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListGroupInvitationsResponse)) { if (_instance.OnGroupsListGroupInvitationsResultEvent != null) { _instance.OnGroupsListGroupInvitationsResultEvent((GroupsModels.ListGroupInvitationsResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListGroupMembersResponse)) { if (_instance.OnGroupsListGroupMembersResultEvent != null) { _instance.OnGroupsListGroupMembersResultEvent((GroupsModels.ListGroupMembersResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListMembershipResponse)) { if (_instance.OnGroupsListMembershipResultEvent != null) { _instance.OnGroupsListMembershipResultEvent((GroupsModels.ListMembershipResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.ListMembershipOpportunitiesResponse)) { if (_instance.OnGroupsListMembershipOpportunitiesResultEvent != null) { _instance.OnGroupsListMembershipOpportunitiesResultEvent((GroupsModels.ListMembershipOpportunitiesResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsRemoveGroupApplicationResultEvent != null) { _instance.OnGroupsRemoveGroupApplicationResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsRemoveGroupInvitationResultEvent != null) { _instance.OnGroupsRemoveGroupInvitationResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsRemoveMembersResultEvent != null) { _instance.OnGroupsRemoveMembersResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.EmptyResponse)) { if (_instance.OnGroupsUnblockEntityResultEvent != null) { _instance.OnGroupsUnblockEntityResultEvent((GroupsModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.UpdateGroupResponse)) { if (_instance.OnGroupsUpdateGroupResultEvent != null) { _instance.OnGroupsUpdateGroupResultEvent((GroupsModels.UpdateGroupResponse)e.Result); return; } }
+                if (type == typeof(GroupsModels.UpdateGroupRoleResponse)) { if (_instance.OnGroupsUpdateRoleResultEvent != null) { _instance.OnGroupsUpdateRoleResultEvent((GroupsModels.UpdateGroupRoleResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(LocalizationModels.GetLanguageListResponse)) { if (_instance.OnLocalizationGetLanguageListResultEvent != null) { _instance.OnLocalizationGetLanguageListResultEvent((LocalizationModels.GetLanguageListResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(MultiplayerModels.CancelAllMatchmakingTicketsForPlayerResult)) { if (_instance.OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent != null) { _instance.OnMultiplayerCancelAllMatchmakingTicketsForPlayerResultEvent((MultiplayerModels.CancelAllMatchmakingTicketsForPlayerResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CancelAllServerBackfillTicketsForPlayerResult)) { if (_instance.OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent != null) { _instance.OnMultiplayerCancelAllServerBackfillTicketsForPlayerResultEvent((MultiplayerModels.CancelAllServerBackfillTicketsForPlayerResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CancelMatchmakingTicketResult)) { if (_instance.OnMultiplayerCancelMatchmakingTicketResultEvent != null) { _instance.OnMultiplayerCancelMatchmakingTicketResultEvent((MultiplayerModels.CancelMatchmakingTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CancelServerBackfillTicketResult)) { if (_instance.OnMultiplayerCancelServerBackfillTicketResultEvent != null) { _instance.OnMultiplayerCancelServerBackfillTicketResultEvent((MultiplayerModels.CancelServerBackfillTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.BuildAliasDetailsResponse)) { if (_instance.OnMultiplayerCreateBuildAliasResultEvent != null) { _instance.OnMultiplayerCreateBuildAliasResultEvent((MultiplayerModels.BuildAliasDetailsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithCustomContainerResponse)) { if (_instance.OnMultiplayerCreateBuildWithCustomContainerResultEvent != null) { _instance.OnMultiplayerCreateBuildWithCustomContainerResultEvent((MultiplayerModels.CreateBuildWithCustomContainerResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithManagedContainerResponse)) { if (_instance.OnMultiplayerCreateBuildWithManagedContainerResultEvent != null) { _instance.OnMultiplayerCreateBuildWithManagedContainerResultEvent((MultiplayerModels.CreateBuildWithManagedContainerResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateBuildWithProcessBasedServerResponse)) { if (_instance.OnMultiplayerCreateBuildWithProcessBasedServerResultEvent != null) { _instance.OnMultiplayerCreateBuildWithProcessBasedServerResultEvent((MultiplayerModels.CreateBuildWithProcessBasedServerResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateMatchmakingTicketResult)) { if (_instance.OnMultiplayerCreateMatchmakingTicketResultEvent != null) { _instance.OnMultiplayerCreateMatchmakingTicketResultEvent((MultiplayerModels.CreateMatchmakingTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateRemoteUserResponse)) { if (_instance.OnMultiplayerCreateRemoteUserResultEvent != null) { _instance.OnMultiplayerCreateRemoteUserResultEvent((MultiplayerModels.CreateRemoteUserResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateServerBackfillTicketResult)) { if (_instance.OnMultiplayerCreateServerBackfillTicketResultEvent != null) { _instance.OnMultiplayerCreateServerBackfillTicketResultEvent((MultiplayerModels.CreateServerBackfillTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateMatchmakingTicketResult)) { if (_instance.OnMultiplayerCreateServerMatchmakingTicketResultEvent != null) { _instance.OnMultiplayerCreateServerMatchmakingTicketResultEvent((MultiplayerModels.CreateMatchmakingTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeResponse)) { if (_instance.OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent != null) { _instance.OnMultiplayerCreateTitleMultiplayerServersQuotaChangeResultEvent((MultiplayerModels.CreateTitleMultiplayerServersQuotaChangeResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteAssetResultEvent != null) { _instance.OnMultiplayerDeleteAssetResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteBuildResultEvent != null) { _instance.OnMultiplayerDeleteBuildResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteBuildAliasResultEvent != null) { _instance.OnMultiplayerDeleteBuildAliasResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteBuildRegionResultEvent != null) { _instance.OnMultiplayerDeleteBuildRegionResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteCertificateResultEvent != null) { _instance.OnMultiplayerDeleteCertificateResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteContainerImageRepositoryResultEvent != null) { _instance.OnMultiplayerDeleteContainerImageRepositoryResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerDeleteRemoteUserResultEvent != null) { _instance.OnMultiplayerDeleteRemoteUserResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EnableMultiplayerServersForTitleResponse)) { if (_instance.OnMultiplayerEnableMultiplayerServersForTitleResultEvent != null) { _instance.OnMultiplayerEnableMultiplayerServersForTitleResultEvent((MultiplayerModels.EnableMultiplayerServersForTitleResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetAssetDownloadUrlResponse)) { if (_instance.OnMultiplayerGetAssetDownloadUrlResultEvent != null) { _instance.OnMultiplayerGetAssetDownloadUrlResultEvent((MultiplayerModels.GetAssetDownloadUrlResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetAssetUploadUrlResponse)) { if (_instance.OnMultiplayerGetAssetUploadUrlResultEvent != null) { _instance.OnMultiplayerGetAssetUploadUrlResultEvent((MultiplayerModels.GetAssetUploadUrlResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetBuildResponse)) { if (_instance.OnMultiplayerGetBuildResultEvent != null) { _instance.OnMultiplayerGetBuildResultEvent((MultiplayerModels.GetBuildResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.BuildAliasDetailsResponse)) { if (_instance.OnMultiplayerGetBuildAliasResultEvent != null) { _instance.OnMultiplayerGetBuildAliasResultEvent((MultiplayerModels.BuildAliasDetailsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetContainerRegistryCredentialsResponse)) { if (_instance.OnMultiplayerGetContainerRegistryCredentialsResultEvent != null) { _instance.OnMultiplayerGetContainerRegistryCredentialsResultEvent((MultiplayerModels.GetContainerRegistryCredentialsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchResult)) { if (_instance.OnMultiplayerGetMatchResultEvent != null) { _instance.OnMultiplayerGetMatchResultEvent((MultiplayerModels.GetMatchResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchmakingQueueResult)) { if (_instance.OnMultiplayerGetMatchmakingQueueResultEvent != null) { _instance.OnMultiplayerGetMatchmakingQueueResultEvent((MultiplayerModels.GetMatchmakingQueueResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMatchmakingTicketResult)) { if (_instance.OnMultiplayerGetMatchmakingTicketResultEvent != null) { _instance.OnMultiplayerGetMatchmakingTicketResultEvent((MultiplayerModels.GetMatchmakingTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerServerDetailsResponse)) { if (_instance.OnMultiplayerGetMultiplayerServerDetailsResultEvent != null) { _instance.OnMultiplayerGetMultiplayerServerDetailsResultEvent((MultiplayerModels.GetMultiplayerServerDetailsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerServerLogsResponse)) { if (_instance.OnMultiplayerGetMultiplayerServerLogsResultEvent != null) { _instance.OnMultiplayerGetMultiplayerServerLogsResultEvent((MultiplayerModels.GetMultiplayerServerLogsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetMultiplayerServerLogsResponse)) { if (_instance.OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent != null) { _instance.OnMultiplayerGetMultiplayerSessionLogsBySessionIdResultEvent((MultiplayerModels.GetMultiplayerServerLogsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetQueueStatisticsResult)) { if (_instance.OnMultiplayerGetQueueStatisticsResultEvent != null) { _instance.OnMultiplayerGetQueueStatisticsResultEvent((MultiplayerModels.GetQueueStatisticsResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetRemoteLoginEndpointResponse)) { if (_instance.OnMultiplayerGetRemoteLoginEndpointResultEvent != null) { _instance.OnMultiplayerGetRemoteLoginEndpointResultEvent((MultiplayerModels.GetRemoteLoginEndpointResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetServerBackfillTicketResult)) { if (_instance.OnMultiplayerGetServerBackfillTicketResultEvent != null) { _instance.OnMultiplayerGetServerBackfillTicketResultEvent((MultiplayerModels.GetServerBackfillTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusResponse)) { if (_instance.OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent != null) { _instance.OnMultiplayerGetTitleEnabledForMultiplayerServersStatusResultEvent((MultiplayerModels.GetTitleEnabledForMultiplayerServersStatusResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleMultiplayerServersQuotaChangeResponse)) { if (_instance.OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent != null) { _instance.OnMultiplayerGetTitleMultiplayerServersQuotaChangeResultEvent((MultiplayerModels.GetTitleMultiplayerServersQuotaChangeResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.GetTitleMultiplayerServersQuotasResponse)) { if (_instance.OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent != null) { _instance.OnMultiplayerGetTitleMultiplayerServersQuotasResultEvent((MultiplayerModels.GetTitleMultiplayerServersQuotasResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.JoinMatchmakingTicketResult)) { if (_instance.OnMultiplayerJoinMatchmakingTicketResultEvent != null) { _instance.OnMultiplayerJoinMatchmakingTicketResultEvent((MultiplayerModels.JoinMatchmakingTicketResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListMultiplayerServersResponse)) { if (_instance.OnMultiplayerListArchivedMultiplayerServersResultEvent != null) { _instance.OnMultiplayerListArchivedMultiplayerServersResultEvent((MultiplayerModels.ListMultiplayerServersResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListAssetSummariesResponse)) { if (_instance.OnMultiplayerListAssetSummariesResultEvent != null) { _instance.OnMultiplayerListAssetSummariesResultEvent((MultiplayerModels.ListAssetSummariesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListBuildAliasesResponse)) { if (_instance.OnMultiplayerListBuildAliasesResultEvent != null) { _instance.OnMultiplayerListBuildAliasesResultEvent((MultiplayerModels.ListBuildAliasesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListBuildSummariesResponse)) { if (_instance.OnMultiplayerListBuildSummariesV2ResultEvent != null) { _instance.OnMultiplayerListBuildSummariesV2ResultEvent((MultiplayerModels.ListBuildSummariesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListCertificateSummariesResponse)) { if (_instance.OnMultiplayerListCertificateSummariesResultEvent != null) { _instance.OnMultiplayerListCertificateSummariesResultEvent((MultiplayerModels.ListCertificateSummariesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListContainerImagesResponse)) { if (_instance.OnMultiplayerListContainerImagesResultEvent != null) { _instance.OnMultiplayerListContainerImagesResultEvent((MultiplayerModels.ListContainerImagesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListContainerImageTagsResponse)) { if (_instance.OnMultiplayerListContainerImageTagsResultEvent != null) { _instance.OnMultiplayerListContainerImageTagsResultEvent((MultiplayerModels.ListContainerImageTagsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListMatchmakingQueuesResult)) { if (_instance.OnMultiplayerListMatchmakingQueuesResultEvent != null) { _instance.OnMultiplayerListMatchmakingQueuesResultEvent((MultiplayerModels.ListMatchmakingQueuesResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListMatchmakingTicketsForPlayerResult)) { if (_instance.OnMultiplayerListMatchmakingTicketsForPlayerResultEvent != null) { _instance.OnMultiplayerListMatchmakingTicketsForPlayerResultEvent((MultiplayerModels.ListMatchmakingTicketsForPlayerResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListMultiplayerServersResponse)) { if (_instance.OnMultiplayerListMultiplayerServersResultEvent != null) { _instance.OnMultiplayerListMultiplayerServersResultEvent((MultiplayerModels.ListMultiplayerServersResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListPartyQosServersResponse)) { if (_instance.OnMultiplayerListPartyQosServersResultEvent != null) { _instance.OnMultiplayerListPartyQosServersResultEvent((MultiplayerModels.ListPartyQosServersResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListQosServersForTitleResponse)) { if (_instance.OnMultiplayerListQosServersForTitleResultEvent != null) { _instance.OnMultiplayerListQosServersForTitleResultEvent((MultiplayerModels.ListQosServersForTitleResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListServerBackfillTicketsForPlayerResult)) { if (_instance.OnMultiplayerListServerBackfillTicketsForPlayerResultEvent != null) { _instance.OnMultiplayerListServerBackfillTicketsForPlayerResultEvent((MultiplayerModels.ListServerBackfillTicketsForPlayerResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListTitleMultiplayerServersQuotaChangesResponse)) { if (_instance.OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent != null) { _instance.OnMultiplayerListTitleMultiplayerServersQuotaChangesResultEvent((MultiplayerModels.ListTitleMultiplayerServersQuotaChangesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.ListVirtualMachineSummariesResponse)) { if (_instance.OnMultiplayerListVirtualMachineSummariesResultEvent != null) { _instance.OnMultiplayerListVirtualMachineSummariesResultEvent((MultiplayerModels.ListVirtualMachineSummariesResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.RemoveMatchmakingQueueResult)) { if (_instance.OnMultiplayerRemoveMatchmakingQueueResultEvent != null) { _instance.OnMultiplayerRemoveMatchmakingQueueResultEvent((MultiplayerModels.RemoveMatchmakingQueueResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.RequestMultiplayerServerResponse)) { if (_instance.OnMultiplayerRequestMultiplayerServerResultEvent != null) { _instance.OnMultiplayerRequestMultiplayerServerResultEvent((MultiplayerModels.RequestMultiplayerServerResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.RolloverContainerRegistryCredentialsResponse)) { if (_instance.OnMultiplayerRolloverContainerRegistryCredentialsResultEvent != null) { _instance.OnMultiplayerRolloverContainerRegistryCredentialsResultEvent((MultiplayerModels.RolloverContainerRegistryCredentialsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.SetMatchmakingQueueResult)) { if (_instance.OnMultiplayerSetMatchmakingQueueResultEvent != null) { _instance.OnMultiplayerSetMatchmakingQueueResultEvent((MultiplayerModels.SetMatchmakingQueueResult)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerShutdownMultiplayerServerResultEvent != null) { _instance.OnMultiplayerShutdownMultiplayerServerResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerUntagContainerImageResultEvent != null) { _instance.OnMultiplayerUntagContainerImageResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.BuildAliasDetailsResponse)) { if (_instance.OnMultiplayerUpdateBuildAliasResultEvent != null) { _instance.OnMultiplayerUpdateBuildAliasResultEvent((MultiplayerModels.BuildAliasDetailsResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerUpdateBuildNameResultEvent != null) { _instance.OnMultiplayerUpdateBuildNameResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerUpdateBuildRegionResultEvent != null) { _instance.OnMultiplayerUpdateBuildRegionResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerUpdateBuildRegionsResultEvent != null) { _instance.OnMultiplayerUpdateBuildRegionsResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+                if (type == typeof(MultiplayerModels.EmptyResponse)) { if (_instance.OnMultiplayerUploadCertificateResultEvent != null) { _instance.OnMultiplayerUploadCertificateResultEvent((MultiplayerModels.EmptyResponse)e.Result); return; } }
+#endif
+#if !DISABLE_PLAYFABENTITY_API
+
+                if (type == typeof(ProfilesModels.GetGlobalPolicyResponse)) { if (_instance.OnProfilesGetGlobalPolicyResultEvent != null) { _instance.OnProfilesGetGlobalPolicyResultEvent((ProfilesModels.GetGlobalPolicyResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.GetEntityProfileResponse)) { if (_instance.OnProfilesGetProfileResultEvent != null) { _instance.OnProfilesGetProfileResultEvent((ProfilesModels.GetEntityProfileResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.GetEntityProfilesResponse)) { if (_instance.OnProfilesGetProfilesResultEvent != null) { _instance.OnProfilesGetProfilesResultEvent((ProfilesModels.GetEntityProfilesResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsResponse)) { if (_instance.OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent != null) { _instance.OnProfilesGetTitlePlayersFromMasterPlayerAccountIdsResultEvent((ProfilesModels.GetTitlePlayersFromMasterPlayerAccountIdsResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.SetGlobalPolicyResponse)) { if (_instance.OnProfilesSetGlobalPolicyResultEvent != null) { _instance.OnProfilesSetGlobalPolicyResultEvent((ProfilesModels.SetGlobalPolicyResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.SetProfileLanguageResponse)) { if (_instance.OnProfilesSetProfileLanguageResultEvent != null) { _instance.OnProfilesSetProfileLanguageResultEvent((ProfilesModels.SetProfileLanguageResponse)e.Result); return; } }
+                if (type == typeof(ProfilesModels.SetEntityProfilePolicyResponse)) { if (_instance.OnProfilesSetProfilePolicyResultEvent != null) { _instance.OnProfilesSetProfilePolicyResultEvent((ProfilesModels.SetEntityProfilePolicyResponse)e.Result); return; } }
+#endif
+
+            }
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..1eedf00a0beeb4851e2654cbe6482fb86f548579
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabEvents.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 059603d7e53649849b7f08d3b99af79c
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs
new file mode 100644
index 0000000000000000000000000000000000000000..d0d23f0e7c5f4ba16033eb915b3f3db7addd3c8e
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs
@@ -0,0 +1,270 @@
+using System;
+using System.Collections;
+using System.Collections.Generic;
+using System.Net;
+using System.Text;
+using System.Threading;
+using PlayFab.Internal;
+using UnityEngine;
+
+namespace PlayFab.Public
+{
+#if !UNITY_WSA && !UNITY_WP8 && !NETFX_CORE
+    public interface IPlayFabLogger
+    {
+        IPAddress ip { get; set; }
+        int port { get; set; }
+        string url { get; set; }
+
+        // Unity MonoBehaviour callbacks
+        void OnEnable();
+        void OnDisable();
+        void OnDestroy();
+    }
+
+    /// <summary>
+    /// This is some unity-log capturing logic, and threading tools that allow logging to be caught and processed on another thread
+    /// </summary>
+    public abstract class PlayFabLoggerBase : IPlayFabLogger
+    {
+        private static readonly StringBuilder Sb = new StringBuilder();
+        private readonly Queue<string> LogMessageQueue = new Queue<string>();
+        private const int LOG_CACHE_INTERVAL_MS = 10000;
+
+        private Thread _writeLogThread;
+        private readonly object _threadLock = new object();
+        private static readonly TimeSpan _threadKillTimeout = TimeSpan.FromSeconds(60);
+        private DateTime _threadKillTime = DateTime.UtcNow + _threadKillTimeout; // Kill the thread after 1 minute of inactivity
+        private bool _isApplicationPlaying = true;
+        private int _pendingLogsCount;
+
+        public IPAddress ip { get; set; }
+        public int port { get; set; }
+        public string url { get; set; }
+
+        protected PlayFabLoggerBase()
+        {
+            var gatherer = new PlayFabDataGatherer();
+            var message = gatherer.GenerateReport();
+            lock (LogMessageQueue)
+            {
+                LogMessageQueue.Enqueue(message);
+            }
+        }
+
+        public virtual void OnEnable()
+        {
+            PlayFabHttp.instance.StartCoroutine(RegisterLogger()); // Coroutine helper to set up log-callbacks
+        }
+
+        private IEnumerator RegisterLogger()
+        {
+            yield return new WaitForEndOfFrame(); // Effectively just a short wait before activating this registration
+            if (!string.IsNullOrEmpty(PlayFabSettings.LoggerHost))
+            {
+#if UNITY_5 || UNITY_5_3_OR_NEWER
+                Application.logMessageReceivedThreaded += HandleUnityLog;
+#else
+                Application.RegisterLogCallback(HandleUnityLog);
+#endif
+            }
+        }
+
+        public virtual void OnDisable()
+        {
+            if (!string.IsNullOrEmpty(PlayFabSettings.LoggerHost))
+            {
+#if UNITY_5 || UNITY_5_3_OR_NEWER
+                Application.logMessageReceivedThreaded -= HandleUnityLog;
+#else
+                Application.RegisterLogCallback(null);
+#endif
+            }
+        }
+
+        public virtual void OnDestroy()
+        {
+            _isApplicationPlaying = false;
+        }
+
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// BeginUploadLog is called at the begining of each burst
+        /// </summary>
+        protected abstract void BeginUploadLog();
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// UploadLog is called for each cached log, between BeginUploadLog and EndUploadLog
+        /// </summary>
+        protected abstract void UploadLog(string message);
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// EndUploadLog is called at the end of each burst
+        /// </summary>
+        protected abstract void EndUploadLog();
+
+        /// <summary>
+        /// Handler to process Unity logs into our logging system
+        /// </summary>
+        /// <param name="message"></param>
+        /// <param name="stacktrace"></param>
+        /// <param name="type"></param>
+        private void HandleUnityLog(string message, string stacktrace, LogType type)
+        {
+            if (!PlayFabSettings.EnableRealTimeLogging)
+                return;
+
+            Sb.Length = 0;
+            if (type == LogType.Log || type == LogType.Warning)
+            {
+                Sb.Append(type).Append(": ").Append(message);
+                message = Sb.ToString();
+                lock (LogMessageQueue)
+                {
+                    LogMessageQueue.Enqueue(message);
+                }
+            }
+            else if (type == LogType.Error || type == LogType.Exception)
+            {
+                Sb.Append(type).Append(": ").Append(message).Append("\n").Append(stacktrace).Append(StackTraceUtility.ExtractStackTrace());
+                message = Sb.ToString();
+                lock (LogMessageQueue)
+                {
+                    LogMessageQueue.Enqueue(message);
+                }
+            }
+            ActivateThreadWorker();
+        }
+
+        private void ActivateThreadWorker()
+        {
+            lock (_threadLock)
+            {
+                if (_writeLogThread != null)
+                {
+                    return;
+                }
+                _writeLogThread = new Thread(WriteLogThreadWorker);
+                _writeLogThread.Start();
+            }
+        }
+
+        private void WriteLogThreadWorker()
+        {
+            try
+            {
+                bool active;
+                lock (_threadLock)
+                {
+                    // Kill the thread after 1 minute of inactivity
+                    _threadKillTime = DateTime.UtcNow + _threadKillTimeout;
+                }
+
+                var localLogQueue = new Queue<string>();
+                do
+                {
+                    lock (LogMessageQueue)
+                    {
+                        _pendingLogsCount = LogMessageQueue.Count;
+                        while (LogMessageQueue.Count > 0) // Transfer the messages to the local queue
+                            localLogQueue.Enqueue(LogMessageQueue.Dequeue());
+                    }
+
+                    BeginUploadLog();
+                    while (localLogQueue.Count > 0) // Transfer the messages to the local queue
+                        UploadLog(localLogQueue.Dequeue());
+                    EndUploadLog();
+
+                    #region Expire Thread.
+                    // Check if we've been inactive
+                    lock (_threadLock)
+                    {
+                        var now = DateTime.UtcNow;
+                        if (_pendingLogsCount > 0 && _isApplicationPlaying)
+                        {
+                            // Still active, reset the _threadKillTime
+                            _threadKillTime = now + _threadKillTimeout;
+                        }
+                        // Kill the thread after 1 minute of inactivity
+                        active = now <= _threadKillTime;
+                        if (!active)
+                        {
+                            _writeLogThread = null;
+                        }
+                        // This thread will be stopped, so null this now, inside lock (_threadLock)
+                    }
+                    #endregion
+
+                    Thread.Sleep(LOG_CACHE_INTERVAL_MS);
+                } while (active);
+
+            }
+            catch (Exception e)
+            {
+                Debug.LogException(e);
+                _writeLogThread = null;
+            }
+        }
+    }
+#else
+    public interface IPlayFabLogger
+    {
+        string ip { get; set; }
+        int port { get; set; }
+        string url { get; set; }
+
+        // Unity MonoBehaviour callbacks
+        void OnEnable();
+        void OnDisable();
+        void OnDestroy();
+    }
+
+    /// <summary>
+    /// This is just a placeholder.  WP8 doesn't support direct threading, but instead makes you use the await command.
+    /// </summary>
+    public abstract class PlayFabLoggerBase : IPlayFabLogger
+    {
+        public string ip { get; set; }
+        public int port { get; set; }
+        public string url { get; set; }
+
+        // Unity MonoBehaviour callbacks
+        public void OnEnable() { }
+        public void OnDisable() { }
+        public void OnDestroy() { }
+
+        protected abstract void BeginUploadLog();
+        protected abstract void UploadLog(string message);
+        protected abstract void EndUploadLog();
+    }
+#endif
+
+    /// <summary>
+    /// This translates the logs up to the PlayFab service via a PlayFab restful API
+    /// TODO: PLAYFAB - attach these to the PlayFab API
+    /// </summary>
+    public class PlayFabLogger : PlayFabLoggerBase
+    {
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// BeginUploadLog is called at the begining of each burst
+        /// </summary>
+        protected override void BeginUploadLog()
+        {
+        }
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// UploadLog is called for each cached log, between BeginUploadLog and EndUploadLog
+        /// </summary>
+        protected override void UploadLog(string message)
+        {
+        }
+        /// <summary>
+        /// Logs are cached and written in bursts
+        /// EndUploadLog is called at the end of each burst
+        /// </summary>
+        protected override void EndUploadLog()
+        {
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..18ec9f006bcac556722a654c03a16ad4c0a32f99
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabLogger.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: 65702fe1cdebb8e4783afb157a614161
+timeCreated: 1465847308
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs b/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs
new file mode 100644
index 0000000000000000000000000000000000000000..bf80144b641b2397567ade4c2154295f075302fc
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs
@@ -0,0 +1,201 @@
+using PlayFab.Internal;
+using System;
+using System.Collections.Generic;
+using System.Text;
+using UnityEngine;
+
+namespace PlayFab
+{
+    public enum WebRequestType
+    {
+#if !UNITY_2018_2_OR_NEWER // Unity has deprecated Www
+        UnityWww, // High compatability Unity api calls
+#endif
+        UnityWebRequest, // Modern unity HTTP component
+        HttpWebRequest, // High performance multi-threaded api calls
+        CustomHttp //If this is used, you must set the Http to an IPlayFabHttp object.
+    }
+
+    [Flags]
+    public enum PlayFabLogLevel
+    {
+        None = 0,
+        Debug = 1 << 0,
+        Info = 1 << 1,
+        Warning = 1 << 2,
+        Error = 1 << 3,
+        All = Debug | Info | Warning | Error,
+    }
+
+    public static class PlayFabSettings
+    {
+        static PlayFabSettings() { }
+
+        private static PlayFabSharedSettings _playFabShared = null;
+        private static PlayFabSharedSettings PlayFabSharedPrivate { get { if (_playFabShared == null) _playFabShared = GetSharedSettingsObjectPrivate(); return _playFabShared; } }
+
+        /// <summary>
+        /// Global settings used by all static API classes, and as the default for all instance API classes
+        /// </summary>
+        public static readonly PlayFabApiSettings staticSettings = new PlayFabSettingsRedirect(() => { return PlayFabSharedPrivate; });
+        /// <summary>
+        /// Global user for all static API classes
+        /// </summary>
+        public static readonly PlayFabAuthenticationContext staticPlayer = new PlayFabAuthenticationContext();
+
+        public const string SdkVersion = "2.111.210802";
+        public const string BuildIdentifier = "jbuild_unitysdk_sdk-unity-4-slave_0";
+        public const string VersionString = "UnitySDK-2.111.210802";
+
+        public const string DefaultPlayFabApiUrl = "playfabapi.com";
+
+        private static PlayFabSharedSettings GetSharedSettingsObjectPrivate()
+        {
+            var settingsList = Resources.LoadAll<PlayFabSharedSettings>("PlayFabSharedSettings");
+            if (settingsList.Length != 1)
+            {
+                Debug.LogWarning("The number of PlayFabSharedSettings objects should be 1: " + settingsList.Length);
+                Debug.LogWarning("If you are upgrading your SDK, you can ignore this warning as PlayFabSharedSettings will be imported soon. If you are not upgrading your SDK and you see this message, you should re-download the latest PlayFab source code.");
+            }
+            return settingsList[0];
+        }
+
+        public static string DeviceUniqueIdentifier
+        {
+            get
+            {
+                var deviceId = "";
+#if UNITY_ANDROID && !UNITY_EDITOR
+                AndroidJavaClass up = new AndroidJavaClass ("com.unity3d.player.UnityPlayer");
+                AndroidJavaObject currentActivity = up.GetStatic<AndroidJavaObject> ("currentActivity");
+                AndroidJavaObject contentResolver = currentActivity.Call<AndroidJavaObject> ("getContentResolver");
+                AndroidJavaClass secure = new AndroidJavaClass ("android.provider.Settings$Secure");
+                deviceId = secure.CallStatic<string> ("getString", contentResolver, "android_id");
+#else
+                deviceId = SystemInfo.deviceUniqueIdentifier;
+#endif
+                return deviceId;
+            }
+        }
+
+        /// <summary>
+        /// These are variables which can differ from one PlayFab API Instance to another
+        /// </summary>
+        #region staticSettings Redirects
+        // You must set this value for PlayFabSdk to work properly (Found in the Game Manager for your title, at the PlayFab Website)
+        public static string TitleId { get { return staticSettings.TitleId; } set { staticSettings.TitleId = value; } }
+        /// <summary> The name of a customer vertical. This is only for customers running a private cluster.  Generally you shouldn't touch this </summary>
+        internal static string VerticalName { get { return staticSettings.VerticalName; } set { staticSettings.VerticalName = value; } }
+#if ENABLE_PLAYFABSERVER_API || ENABLE_PLAYFABADMIN_API || UNITY_EDITOR
+        public static string DeveloperSecretKey { get { return staticSettings.DeveloperSecretKey; } set { staticSettings.DeveloperSecretKey = value; } }
+#endif
+        /// <summary> Set this to true to prevent hardware information from leaving the device </summary>
+        public static bool DisableDeviceInfo { get { return staticSettings.DisableDeviceInfo; } set { staticSettings.DisableDeviceInfo = value; } }
+        /// <summary> Set this to true to prevent focus change information from leaving the device </summary>
+        public static bool DisableFocusTimeCollection { get { return staticSettings.DisableFocusTimeCollection; } set { staticSettings.DisableFocusTimeCollection = value; } }
+        #endregion staticSettings Redirects
+
+        /// <summary>
+        /// These are variables which are always singleton global
+        /// </summary>
+        #region PlayFabSharedSettings Redirects
+        [ObsoleteAttribute("LogLevel has been deprecated, please use UnityEngine.Debug.Log for your logging needs.")]
+        public static PlayFabLogLevel LogLevel { get { return PlayFabSharedPrivate.LogLevel; } set { PlayFabSharedPrivate.LogLevel = value; } }
+        public static WebRequestType RequestType { get { return PlayFabSharedPrivate.RequestType; } set { PlayFabSharedPrivate.RequestType = value; } }
+        public static int RequestTimeout { get { return PlayFabSharedPrivate.RequestTimeout; } set { PlayFabSharedPrivate.RequestTimeout = value; } }
+        public static bool RequestKeepAlive { get { return PlayFabSharedPrivate.RequestKeepAlive; } set { PlayFabSharedPrivate.RequestKeepAlive = value; } }
+        public static string LoggerHost { get { return PlayFabSharedPrivate.LoggerHost; } set { PlayFabSharedPrivate.LoggerHost = value; } }
+        public static int LoggerPort { get { return PlayFabSharedPrivate.LoggerPort; } set { PlayFabSharedPrivate.LoggerPort = value; } }
+        public static bool EnableRealTimeLogging { get { return PlayFabSharedPrivate.EnableRealTimeLogging; } set { PlayFabSharedPrivate.EnableRealTimeLogging = value; } }
+        public static int LogCapLimit { get { return PlayFabSharedPrivate.LogCapLimit; } set { PlayFabSharedPrivate.LogCapLimit = value; } }
+        #endregion PlayFabSharedSettings Redirects
+
+        private static string _localApiServer;
+        public static string LocalApiServer
+        {
+            get
+            {
+#if UNITY_2017_1_OR_NEWER
+                return _localApiServer ?? PlayFabUtil.GetLocalSettingsFileProperty("LocalApiServer");
+#else
+                return _localApiServer;
+#endif
+            }
+
+            set
+            {
+                _localApiServer = value;
+            }
+        }
+
+        public static string GetFullUrl(string apiCall, Dictionary<string, string> getParams, PlayFabApiSettings apiSettings = null)
+        {
+            StringBuilder sb = new StringBuilder(1000);
+
+            string productionEnvironmentUrl = null, verticalName = null, titleId = null;
+            if (apiSettings != null)
+            {
+                if (!string.IsNullOrEmpty(apiSettings.ProductionEnvironmentUrl))
+                {
+                    productionEnvironmentUrl = apiSettings.ProductionEnvironmentUrl;
+                }
+                if (!string.IsNullOrEmpty(apiSettings.VerticalName))
+                {
+                    verticalName = apiSettings.VerticalName;
+                }
+                if (!string.IsNullOrEmpty(apiSettings.TitleId))
+                {
+                    titleId = apiSettings.TitleId;
+                }
+            }
+            if (productionEnvironmentUrl == null)
+            {
+                productionEnvironmentUrl = !string.IsNullOrEmpty(PlayFabSharedPrivate.ProductionEnvironmentUrl) ? PlayFabSharedPrivate.ProductionEnvironmentUrl : DefaultPlayFabApiUrl;
+            }
+            if (verticalName == null && apiSettings != null && !string.IsNullOrEmpty(apiSettings.VerticalName))
+            {
+                verticalName = apiSettings.VerticalName;
+            }
+            if (titleId == null)
+            {
+                titleId = PlayFabSharedPrivate.TitleId;
+            }
+
+            var baseUrl = productionEnvironmentUrl;
+            if (!baseUrl.StartsWith("http"))
+            {
+                sb.Append("https://");
+                if (!string.IsNullOrEmpty(titleId))
+                {
+                    sb.Append(titleId).Append(".");
+                }
+                if (!string.IsNullOrEmpty(verticalName))
+                {
+                    sb.Append(verticalName).Append(".");
+                }
+            }
+
+            sb.Append(baseUrl).Append(apiCall);
+
+            if (getParams != null)
+            {
+                bool firstParam = true;
+                foreach (var paramPair in getParams)
+                {
+                    if (firstParam)
+                    {
+                        sb.Append("?");
+                        firstParam = false;
+                    }
+                    else
+                    {
+                        sb.Append("&");
+                    }
+                    sb.Append(paramPair.Key).Append("=").Append(paramPair.Value);
+                }
+            }
+
+            return sb.ToString();
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs.meta b/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..96dbc65fefed4e676d7f293e5ab85012b2985cb3
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PlayFabSettings.cs.meta
@@ -0,0 +1,12 @@
+fileFormatVersion: 2
+guid: aa223f24327e645d39b48f0ca9615e68
+timeCreated: 1462682372
+licenseType: Pro
+MonoImporter:
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginContract.cs b/Assets/PlayFabSDK/Shared/Public/PluginContract.cs
new file mode 100644
index 0000000000000000000000000000000000000000..f961c82b66e14e944a04843d144a5869e5d419a7
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginContract.cs
@@ -0,0 +1,8 @@
+namespace PlayFab
+{
+    public enum PluginContract
+    {
+        PlayFab_Serializer,
+        PlayFab_Transport
+    }
+}
\ No newline at end of file
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginContract.cs.meta b/Assets/PlayFabSDK/Shared/Public/PluginContract.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..db1d69db0bf1f5b95739a2f6c73c2482b1e27787
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginContract.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 2e25ec8533eb4fe4fa7d39cc8dcda24c
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs b/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs
new file mode 100644
index 0000000000000000000000000000000000000000..70e2892eb1fb9b43a029de77908ab2e1ff7113c8
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs
@@ -0,0 +1,23 @@
+using System.Collections.Generic;
+
+namespace PlayFab
+{
+    public struct PluginContractKey
+    {
+        public PluginContract _pluginContract;
+        public string _pluginName;
+    }
+
+    public class PluginContractKeyComparator : EqualityComparer<PluginContractKey>
+    {
+        public override bool Equals(PluginContractKey x, PluginContractKey y)
+        {
+            return x._pluginContract == y._pluginContract && x._pluginName.Equals(y._pluginName);
+        }
+
+        public override int GetHashCode(PluginContractKey obj)
+        {
+            return (int)obj._pluginContract + obj._pluginName.GetHashCode();
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs.meta b/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..7b4f3419e93b5c6cd7dc96a546bb635a3acd8945
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginContractKey.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: c74eb9de26e70e7489002fb92b96af0f
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginManager.cs b/Assets/PlayFabSDK/Shared/Public/PluginManager.cs
new file mode 100644
index 0000000000000000000000000000000000000000..94ba346bb717adc8d7463f2d5fa8c5082c1c7b25
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginManager.cs
@@ -0,0 +1,110 @@
+using System;
+using System.Collections.Concurrent;
+using PlayFab.Internal;
+
+namespace PlayFab
+{
+    public class PluginManager
+    {
+        private ConcurrentDictionary<PluginContractKey, IPlayFabPlugin> plugins = new ConcurrentDictionary<PluginContractKey, IPlayFabPlugin>(new PluginContractKeyComparator());
+
+        /// <summary>
+        /// The singleton instance of plugin manager.
+        /// </summary>
+        private static readonly PluginManager Instance = new PluginManager();
+
+        private PluginManager()
+        {
+        }
+
+        /// <summary>
+        /// Gets a plugin.
+        /// If a plugin with specified contract and optional instance name does not exist, it will create a new one.
+        /// </summary>
+        /// <param name="contract">The plugin contract.</param>
+        /// <param name="instanceName">The optional plugin instance name. Instance names allow to have mulptiple plugins with the same contract.</param>
+        /// <returns>The plugin instance.</returns>
+        public static T GetPlugin<T>(PluginContract contract, string instanceName = "") where T : IPlayFabPlugin
+        {
+            return (T)Instance.GetPluginInternal(contract, instanceName);
+        }
+
+        /// <summary>
+        /// Sets a custom plugin.
+        /// If a plugin with specified contract and optional instance name already exists, it will be replaced with specified instance.
+        /// </summary>
+        /// <param name="plugin">The plugin instance.</param>
+        /// <param name="contract">The app contract of plugin.</param>
+        /// <param name="instanceName">The optional plugin instance name. Instance names allow to have mulptiple plugins with the same contract.</param>
+        public static void SetPlugin(IPlayFabPlugin plugin, PluginContract contract, string instanceName = "")
+        {
+            Instance.SetPluginInternal(plugin, contract, instanceName);
+        }
+
+        private IPlayFabPlugin GetPluginInternal(PluginContract contract, string instanceName)
+        {
+            var key = new PluginContractKey { _pluginContract = contract, _pluginName = instanceName };
+            IPlayFabPlugin plugin;
+            if (!this.plugins.TryGetValue(key, out plugin))
+            {
+                // Requested plugin is not in the cache, create the default one
+                switch (contract)
+                {
+                    case PluginContract.PlayFab_Serializer:
+                        plugin = this.CreatePlugin<PlayFab.Json.SimpleJsonInstance>();
+                        break;
+                    case PluginContract.PlayFab_Transport:
+                        plugin = this.CreatePlayFabTransportPlugin();
+                        break;
+                    default:
+                        throw new ArgumentException("This contract is not supported", "contract");
+                }
+
+                this.plugins[key] = plugin;
+            }
+
+            return plugin;
+        }
+
+        private void SetPluginInternal(IPlayFabPlugin plugin, PluginContract contract, string instanceName)
+        {
+            if (plugin == null)
+            {
+                throw new ArgumentNullException("plugin", "Plugin instance cannot be null");
+            }
+
+            var key = new PluginContractKey { _pluginContract = contract, _pluginName = instanceName };
+            this.plugins[key] = plugin;
+        }
+
+        private IPlayFabPlugin CreatePlugin<T>() where T : IPlayFabPlugin, new()
+        {
+            return (IPlayFabPlugin)System.Activator.CreateInstance(typeof(T));
+        }
+
+        private ITransportPlugin CreatePlayFabTransportPlugin()
+        {
+            ITransportPlugin transport = null;
+#if !UNITY_WSA && !UNITY_WP8
+            if (PlayFabSettings.RequestType == WebRequestType.HttpWebRequest)
+                transport = new PlayFabWebRequest();
+#endif
+
+#if UNITY_2018_2_OR_NEWER // PlayFabWww will throw warnings as Unity has deprecated Www
+            if (transport == null)
+                transport = new PlayFabUnityHttp();
+#elif UNITY_2017_2_OR_NEWER
+            if (PlayFabSettings.RequestType == WebRequestType.UnityWww)
+                transport = new PlayFabWww();
+
+            if (transport == null)
+                transport = new PlayFabUnityHttp();
+#else
+            if (transport == null)
+                transport = new PlayFabWww();
+#endif
+
+            return transport;
+        }
+    }
+}
diff --git a/Assets/PlayFabSDK/Shared/Public/PluginManager.cs.meta b/Assets/PlayFabSDK/Shared/Public/PluginManager.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..3a175b54e7bb8c3fd56458ad5c80732ae2e5359e
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/PluginManager.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 408cd48212db9ae46b9100b1d3fef3b1
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/Resources.meta b/Assets/PlayFabSDK/Shared/Public/Resources.meta
new file mode 100644
index 0000000000000000000000000000000000000000..ae16aefde208a4fd664a8df1dd7ed126ada38d7d
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/Resources.meta
@@ -0,0 +1,9 @@
+fileFormatVersion: 2
+guid: c770a70afd8f88f40bb0f25e3b0dbb55
+folderAsset: yes
+timeCreated: 1468086149
+licenseType: Pro
+DefaultImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset b/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset
new file mode 100644
index 0000000000000000000000000000000000000000..072df4658e4959504a7d8081d35e93bfe67cf80d
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset
@@ -0,0 +1,27 @@
+%YAML 1.1
+%TAG !u! tag:unity3d.com,2011:
+--- !u!114 &11400000
+MonoBehaviour:
+  m_ObjectHideFlags: 0
+  m_CorrespondingSourceObject: {fileID: 0}
+  m_PrefabInstance: {fileID: 0}
+  m_PrefabAsset: {fileID: 0}
+  m_GameObject: {fileID: 0}
+  m_Enabled: 1
+  m_EditorHideFlags: 0
+  m_Script: {fileID: 11500000, guid: 093286084a3d1994a9c28281a1c38b1d, type: 3}
+  m_Name: PlayFabSharedSettings
+  m_EditorClassIdentifier: 
+  TitleId: C955A
+  DeveloperSecretKey: YJE3PBHU38YZ116NYT54SMT9A9YK3Y3IPHHPI141S9MGKFTSXX
+  ProductionEnvironmentUrl: 
+  RequestType: 2
+  DisableDeviceInfo: 0
+  DisableFocusTimeCollection: 0
+  RequestTimeout: 2000
+  RequestKeepAlive: 1
+  LogLevel: 12
+  LoggerHost: 
+  LoggerPort: 0
+  EnableRealTimeLogging: 0
+  LogCapLimit: 30
diff --git a/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset.meta b/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset.meta
new file mode 100644
index 0000000000000000000000000000000000000000..9c2c024ff1846573b2c4ef954d56e472449cb6e8
--- /dev/null
+++ b/Assets/PlayFabSDK/Shared/Public/Resources/PlayFabSharedSettings.asset.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: 698b2db098268c640929a7b8090a31eb
+timeCreated: 1532637394
+licenseType: Pro
+NativeFormatImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/PlayFabSDK/link.xml b/Assets/PlayFabSDK/link.xml
new file mode 100644
index 0000000000000000000000000000000000000000..3dadaa203a492350f90334b985c01715efc94adb
--- /dev/null
+++ b/Assets/PlayFabSDK/link.xml
@@ -0,0 +1,21 @@
+<linker>
+  <assembly fullname="System">
+    <namespace fullname="System.Net" preserve="all"/>
+    <namespace fullname="System.Net.Configuration" preserve="all"/>
+    <namespace fullname="System.ComponentModel" preserve="all"/>
+    <namespace fullname="System.Runtime.ConstrainedExecution" preserve="all"/>
+    <namespace fullname="System.Runtime.InteropServices" preserve="all"/>
+    <namespace fullname="System.Runtime.Serialization" preserve="all"/>
+    <namespace fullname="System.Configuration" preserve="all"/>
+  </assembly>
+  <assembly fullname="mscorlib">
+    <namespace fullname="System.Security.Cryptography" preserve="all"/>
+  </assembly>
+  <assembly fullname="Mono.Security">
+    <namespace fullname="Mono.Security.Protocol.Tls" preserve="all"/>
+    <namespace fullname="Mono.Security.X509" preserve="all"/>
+  </assembly>
+  <assembly fullname="Assembly-CSharp">
+    <namespace fullname="PlayFab.*" preserve="all"/>
+  </assembly>
+</linker>
diff --git a/Assets/PlayFabSDK/link.xml.meta b/Assets/PlayFabSDK/link.xml.meta
new file mode 100644
index 0000000000000000000000000000000000000000..cd55d60f78c905d5ea09c72876129a4e289ad32d
--- /dev/null
+++ b/Assets/PlayFabSDK/link.xml.meta
@@ -0,0 +1,8 @@
+fileFormatVersion: 2
+guid: dc2c3070dc174cc45a4aaf1a5e38263d
+timeCreated: 1468524880
+licenseType: Pro
+TextScriptImporter:
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/Prefabs/row.prefab b/Assets/Prefabs/row.prefab
index 9f5422fb42123c22038ba18614d59a3ee17277a4..c3a90e6b2a6ec49c8c3f9b6ad44aac00cc3986be 100644
--- a/Assets/Prefabs/row.prefab
+++ b/Assets/Prefabs/row.prefab
@@ -85,7 +85,7 @@ GameObject:
   m_Component:
   - component: {fileID: 4663329717279660450}
   - component: {fileID: 4663329717279660448}
-  - component: {fileID: 4663329717279660449}
+  - component: {fileID: 5843216372332269831}
   m_Layer: 5
   m_Name: playerScore
   m_TagString: Untagged
@@ -120,7 +120,7 @@ CanvasRenderer:
   m_PrefabAsset: {fileID: 0}
   m_GameObject: {fileID: 4663329717279660451}
   m_CullTransparentMesh: 1
---- !u!114 &4663329717279660449
+--- !u!114 &5843216372332269831
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
@@ -129,7 +129,7 @@ MonoBehaviour:
   m_GameObject: {fileID: 4663329717279660451}
   m_Enabled: 1
   m_EditorHideFlags: 0
-  m_Script: {fileID: 11500000, guid: f4688fdb7df04437aeb418b961361dc5, type: 3}
+  m_Script: {fileID: 11500000, guid: 5f7201a12d95ffc409449d95f23cf332, type: 3}
   m_Name: 
   m_EditorClassIdentifier: 
   m_Material: {fileID: 0}
@@ -140,77 +140,20 @@ MonoBehaviour:
   m_OnCullStateChanged:
     m_PersistentCalls:
       m_Calls: []
-  m_text: '64
-
-'
-  m_isRightToLeft: 0
-  m_fontAsset: {fileID: 11400000, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
-  m_sharedMaterial: {fileID: 2180264, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
-  m_fontSharedMaterials: []
-  m_fontMaterial: {fileID: 0}
-  m_fontMaterials: []
-  m_fontColor32:
-    serializedVersion: 2
-    rgba: 4294967295
-  m_fontColor: {r: 1, g: 1, b: 1, a: 1}
-  m_enableVertexGradient: 0
-  m_colorMode: 3
-  m_fontColorGradient:
-    topLeft: {r: 1, g: 1, b: 1, a: 1}
-    topRight: {r: 1, g: 1, b: 1, a: 1}
-    bottomLeft: {r: 1, g: 1, b: 1, a: 1}
-    bottomRight: {r: 1, g: 1, b: 1, a: 1}
-  m_fontColorGradientPreset: {fileID: 0}
-  m_spriteAsset: {fileID: 0}
-  m_tintAllSprites: 0
-  m_StyleSheet: {fileID: 0}
-  m_TextStyleHashCode: -1183493901
-  m_overrideHtmlColors: 0
-  m_faceColor:
-    serializedVersion: 2
-    rgba: 4294967295
-  m_fontSize: 64
-  m_fontSizeBase: 64
-  m_fontWeight: 400
-  m_enableAutoSizing: 0
-  m_fontSizeMin: 18
-  m_fontSizeMax: 72
-  m_fontStyle: 0
-  m_HorizontalAlignment: 2
-  m_VerticalAlignment: 512
-  m_textAlignment: 65535
-  m_characterSpacing: 0
-  m_wordSpacing: 0
-  m_lineSpacing: 0
-  m_lineSpacingMax: 0
-  m_paragraphSpacing: 0
-  m_charWidthMaxAdj: 0
-  m_enableWordWrapping: 1
-  m_wordWrappingRatios: 0.4
-  m_overflowMode: 0
-  m_linkedTextComponent: {fileID: 0}
-  parentLinkedComponent: {fileID: 0}
-  m_enableKerning: 1
-  m_enableExtraPadding: 0
-  checkPaddingRequired: 0
-  m_isRichText: 1
-  m_parseCtrlCharacters: 1
-  m_isOrthographic: 1
-  m_isCullingEnabled: 0
-  m_horizontalMapping: 0
-  m_verticalMapping: 0
-  m_uvLineOffset: 0
-  m_geometrySortingOrder: 0
-  m_IsTextObjectScaleStatic: 0
-  m_VertexBufferAutoSizeReduction: 0
-  m_useMaxVisibleDescender: 1
-  m_pageToDisplay: 1
-  m_margin: {x: 0, y: 0, z: 0, w: 0}
-  m_isUsingLegacyAnimationComponent: 0
-  m_isVolumetricText: 0
-  m_hasFontAssetChanged: 0
-  m_baseMaterial: {fileID: 0}
-  m_maskOffset: {x: 0, y: 0, z: 0, w: 0}
+  m_FontData:
+    m_Font: {fileID: 10102, guid: 0000000000000000e000000000000000, type: 0}
+    m_FontSize: 36
+    m_FontStyle: 0
+    m_BestFit: 0
+    m_MinSize: 3
+    m_MaxSize: 40
+    m_Alignment: 5
+    m_AlignByGeometry: 0
+    m_RichText: 1
+    m_HorizontalOverflow: 0
+    m_VerticalOverflow: 0
+    m_LineSpacing: 1
+  m_Text: 116
 --- !u!1 &4663329718211826121
 GameObject:
   m_ObjectHideFlags: 0
@@ -221,7 +164,7 @@ GameObject:
   m_Component:
   - component: {fileID: 4663329718211826120}
   - component: {fileID: 4663329718211826126}
-  - component: {fileID: 4663329718211826127}
+  - component: {fileID: 2022413310911041671}
   m_Layer: 5
   m_Name: playerName
   m_TagString: Untagged
@@ -256,7 +199,7 @@ CanvasRenderer:
   m_PrefabAsset: {fileID: 0}
   m_GameObject: {fileID: 4663329718211826121}
   m_CullTransparentMesh: 1
---- !u!114 &4663329718211826127
+--- !u!114 &2022413310911041671
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
@@ -265,7 +208,7 @@ MonoBehaviour:
   m_GameObject: {fileID: 4663329718211826121}
   m_Enabled: 1
   m_EditorHideFlags: 0
-  m_Script: {fileID: 11500000, guid: f4688fdb7df04437aeb418b961361dc5, type: 3}
+  m_Script: {fileID: 11500000, guid: 5f7201a12d95ffc409449d95f23cf332, type: 3}
   m_Name: 
   m_EditorClassIdentifier: 
   m_Material: {fileID: 0}
@@ -276,75 +219,22 @@ MonoBehaviour:
   m_OnCullStateChanged:
     m_PersistentCalls:
       m_Calls: []
-  m_text: kekw
-  m_isRightToLeft: 0
-  m_fontAsset: {fileID: 11400000, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
-  m_sharedMaterial: {fileID: 2180264, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
-  m_fontSharedMaterials: []
-  m_fontMaterial: {fileID: 0}
-  m_fontMaterials: []
-  m_fontColor32:
-    serializedVersion: 2
-    rgba: 4294967295
-  m_fontColor: {r: 1, g: 1, b: 1, a: 1}
-  m_enableVertexGradient: 0
-  m_colorMode: 3
-  m_fontColorGradient:
-    topLeft: {r: 1, g: 1, b: 1, a: 1}
-    topRight: {r: 1, g: 1, b: 1, a: 1}
-    bottomLeft: {r: 1, g: 1, b: 1, a: 1}
-    bottomRight: {r: 1, g: 1, b: 1, a: 1}
-  m_fontColorGradientPreset: {fileID: 0}
-  m_spriteAsset: {fileID: 0}
-  m_tintAllSprites: 0
-  m_StyleSheet: {fileID: 0}
-  m_TextStyleHashCode: -1183493901
-  m_overrideHtmlColors: 0
-  m_faceColor:
-    serializedVersion: 2
-    rgba: 4294967295
-  m_fontSize: 64
-  m_fontSizeBase: 20
-  m_fontWeight: 400
-  m_enableAutoSizing: 0
-  m_fontSizeMin: 18
-  m_fontSizeMax: 72
-  m_fontStyle: 0
-  m_HorizontalAlignment: 1
-  m_VerticalAlignment: 512
-  m_textAlignment: 65535
-  m_characterSpacing: 0
-  m_wordSpacing: 0
-  m_lineSpacing: 0
-  m_lineSpacingMax: 0
-  m_paragraphSpacing: 0
-  m_charWidthMaxAdj: 0
-  m_enableWordWrapping: 1
-  m_wordWrappingRatios: 0.4
-  m_overflowMode: 0
-  m_linkedTextComponent: {fileID: 0}
-  parentLinkedComponent: {fileID: 0}
-  m_enableKerning: 1
-  m_enableExtraPadding: 0
-  checkPaddingRequired: 0
-  m_isRichText: 1
-  m_parseCtrlCharacters: 1
-  m_isOrthographic: 1
-  m_isCullingEnabled: 0
-  m_horizontalMapping: 0
-  m_verticalMapping: 0
-  m_uvLineOffset: 0
-  m_geometrySortingOrder: 0
-  m_IsTextObjectScaleStatic: 0
-  m_VertexBufferAutoSizeReduction: 0
-  m_useMaxVisibleDescender: 1
-  m_pageToDisplay: 1
-  m_margin: {x: 0, y: 0, z: 0, w: 0}
-  m_isUsingLegacyAnimationComponent: 0
-  m_isVolumetricText: 0
-  m_hasFontAssetChanged: 0
-  m_baseMaterial: {fileID: 0}
-  m_maskOffset: {x: 0, y: 0, z: 0, w: 0}
+  m_FontData:
+    m_Font: {fileID: 10102, guid: 0000000000000000e000000000000000, type: 0}
+    m_FontSize: 36
+    m_FontStyle: 0
+    m_BestFit: 0
+    m_MinSize: 3
+    m_MaxSize: 64
+    m_Alignment: 3
+    m_AlignByGeometry: 0
+    m_RichText: 1
+    m_HorizontalOverflow: 0
+    m_VerticalOverflow: 0
+    m_LineSpacing: 1
+  m_Text: 'kekafa
+
+'
 --- !u!1 &4663329718610754681
 GameObject:
   m_ObjectHideFlags: 0
@@ -354,6 +244,7 @@ GameObject:
   serializedVersion: 6
   m_Component:
   - component: {fileID: 4663329718610754680}
+  - component: {fileID: 1233663338227234169}
   m_Layer: 5
   m_Name: row
   m_TagString: Untagged
@@ -383,3 +274,15 @@ RectTransform:
   m_AnchoredPosition: {x: 0, y: 0}
   m_SizeDelta: {x: 0, y: 49.96161}
   m_Pivot: {x: 0.5, y: 0.5}
+--- !u!114 &1233663338227234169
+MonoBehaviour:
+  m_ObjectHideFlags: 0
+  m_CorrespondingSourceObject: {fileID: 0}
+  m_PrefabInstance: {fileID: 0}
+  m_PrefabAsset: {fileID: 0}
+  m_GameObject: {fileID: 4663329718610754681}
+  m_Enabled: 1
+  m_EditorHideFlags: 0
+  m_Script: {fileID: 11500000, guid: 558bb9ab65b38a54f9d0d97bd6f21e2e, type: 3}
+  m_Name: 
+  m_EditorClassIdentifier: 
diff --git a/Assets/Scenes/Game_over.unity b/Assets/Scenes/Game_over.unity
index 70aee410fa0df4f7532eb0be6310a2c5c872d45f..b998d8c08ca0dd451e5978184e1f38c1c44c75bd 100644
--- a/Assets/Scenes/Game_over.unity
+++ b/Assets/Scenes/Game_over.unity
@@ -254,6 +254,7 @@ GameObject:
   - component: {fileID: 446289499}
   - component: {fileID: 446289498}
   - component: {fileID: 446289497}
+  - component: {fileID: 446289501}
   m_Layer: 0
   m_Name: Main Camera
   m_TagString: MainCamera
@@ -326,6 +327,19 @@ Transform:
   m_Father: {fileID: 0}
   m_RootOrder: 0
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
+--- !u!114 &446289501
+MonoBehaviour:
+  m_ObjectHideFlags: 0
+  m_CorrespondingSourceObject: {fileID: 0}
+  m_PrefabInstance: {fileID: 0}
+  m_PrefabAsset: {fileID: 0}
+  m_GameObject: {fileID: 446289496}
+  m_Enabled: 1
+  m_EditorHideFlags: 0
+  m_Script: {fileID: 11500000, guid: accb8167a52baf842b05d798d38671a8, type: 3}
+  m_Name: 
+  m_EditorClassIdentifier: 
+  scoreData: {fileID: 11400000, guid: c3384fdbcb43df94dbaba334a4851414, type: 2}
 --- !u!1 &581683351
 GameObject:
   m_ObjectHideFlags: 0
@@ -782,10 +796,10 @@ RectTransform:
   m_Father: {fileID: 151332391}
   m_RootOrder: 3
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
-  m_AnchorMin: {x: 0.5, y: 0.5}
-  m_AnchorMax: {x: 0.5, y: 0.5}
-  m_AnchoredPosition: {x: 0.0000014305115, y: 0}
-  m_SizeDelta: {x: 390.36, y: 122.48}
+  m_AnchorMin: {x: 0, y: 0.5}
+  m_AnchorMax: {x: 1, y: 0.5}
+  m_AnchoredPosition: {x: 0, y: 0}
+  m_SizeDelta: {x: 0, y: 122.48}
   m_Pivot: {x: 0.5, y: 0.5}
 --- !u!114 &1166801375
 MonoBehaviour:
@@ -1048,8 +1062,8 @@ RectTransform:
   m_Father: {fileID: 151332391}
   m_RootOrder: 4
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
-  m_AnchorMin: {x: 0.5, y: 0.5}
-  m_AnchorMax: {x: 0.5, y: 0.5}
-  m_AnchoredPosition: {x: 0.0000019073486, y: 172}
-  m_SizeDelta: {x: 431.2, y: 135.78}
+  m_AnchorMin: {x: 0, y: 0.5}
+  m_AnchorMax: {x: 1, y: 0.5}
+  m_AnchoredPosition: {x: 0, y: 195}
+  m_SizeDelta: {x: 0, y: 135.78}
   m_Pivot: {x: 0.5, y: 0.5}
diff --git a/Assets/Scenes/Menu.unity b/Assets/Scenes/Menu.unity
index f520faea5e6f8198c05a9cc875e0f474e25efaaa..55e131479ddabf9ac75eae936222ae537aa87f6f 100644
--- a/Assets/Scenes/Menu.unity
+++ b/Assets/Scenes/Menu.unity
@@ -159,7 +159,7 @@ RectTransform:
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0.5, y: 0.5}
   m_AnchorMax: {x: 0.5, y: 0.5}
-  m_AnchoredPosition: {x: 0, y: -357}
+  m_AnchoredPosition: {x: 0, y: -150}
   m_SizeDelta: {x: 400, y: 150}
   m_Pivot: {x: 0.5, y: 0.5}
 --- !u!114 &39762291
@@ -338,7 +338,6 @@ RectTransform:
   - {fileID: 833974371}
   - {fileID: 2071320553}
   - {fileID: 741943918}
-  - {fileID: 676789421}
   m_Father: {fileID: 0}
   m_RootOrder: 1
   m_LocalEulerAnglesHint: {x: 0, y: 18.092, z: 0}
@@ -717,8 +716,8 @@ RectTransform:
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0.5, y: 0}
   m_AnchorMax: {x: 0.5, y: 0}
-  m_AnchoredPosition: {x: 0, y: 200}
-  m_SizeDelta: {x: 489.914, y: 240.46399}
+  m_AnchoredPosition: {x: 0, y: 49}
+  m_SizeDelta: {x: 400, y: 200}
   m_Pivot: {x: 0.5, y: 0}
 --- !u!114 &417303074
 MonoBehaviour:
@@ -1023,16 +1022,6 @@ CanvasRenderer:
   m_PrefabAsset: {fileID: 0}
   m_GameObject: {fileID: 664057671}
   m_CullTransparentMesh: 1
---- !u!224 &676789421 stripped
-RectTransform:
-  m_CorrespondingSourceObject: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-  m_PrefabInstance: {fileID: 34227666590463801}
-  m_PrefabAsset: {fileID: 0}
---- !u!95 &676789425 stripped
-Animator:
-  m_CorrespondingSourceObject: {fileID: 34227666190830472, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-  m_PrefabInstance: {fileID: 34227666590463801}
-  m_PrefabAsset: {fileID: 0}
 --- !u!1 &725441797
 GameObject:
   m_ObjectHideFlags: 0
@@ -1201,12 +1190,13 @@ RectTransform:
   - {fileID: 466912395}
   - {fileID: 162004010}
   - {fileID: 1071570656}
+  - {fileID: 1830572036}
   m_Father: {fileID: 79125915}
   m_RootOrder: 2
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0, y: 0}
   m_AnchorMax: {x: 1, y: 1}
-  m_AnchoredPosition: {x: -1063, y: 0}
+  m_AnchoredPosition: {x: 0, y: 0}
   m_SizeDelta: {x: 0, y: 0}
   m_Pivot: {x: 0.5, y: 0.5}
 --- !u!95 &741943919
@@ -1715,6 +1705,7 @@ GameObject:
   - component: {fileID: 1136063535}
   - component: {fileID: 1136063534}
   - component: {fileID: 1136063533}
+  - component: {fileID: 1136063536}
   m_Layer: 0
   m_Name: Main Camera
   m_TagString: MainCamera
@@ -1787,6 +1778,22 @@ Transform:
   m_Father: {fileID: 0}
   m_RootOrder: 0
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
+--- !u!114 &1136063536
+MonoBehaviour:
+  m_ObjectHideFlags: 0
+  m_CorrespondingSourceObject: {fileID: 0}
+  m_PrefabInstance: {fileID: 0}
+  m_PrefabAsset: {fileID: 0}
+  m_GameObject: {fileID: 1136063532}
+  m_Enabled: 1
+  m_EditorHideFlags: 0
+  m_Script: {fileID: 11500000, guid: 8cade418e315c8b418bd86c9a904a11d, type: 3}
+  m_Name: 
+  m_EditorClassIdentifier: 
+  table: {fileID: 1169715779}
+  refreshTime: 5
+  scoreData: {fileID: 11400000, guid: c3384fdbcb43df94dbaba334a4851414, type: 2}
+  rowPrefab: {fileID: 4663329718610754681, guid: 99aa5892cf577c140afcb85f68306d01, type: 3}
 --- !u!1 &1145573626
 GameObject:
   m_ObjectHideFlags: 0
@@ -2152,7 +2159,7 @@ RectTransform:
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0.5, y: 0.5}
   m_AnchorMax: {x: 0.5, y: 0.5}
-  m_AnchoredPosition: {x: 0, y: -564}
+  m_AnchoredPosition: {x: 0, y: -400}
   m_SizeDelta: {x: 400, y: 150}
   m_Pivot: {x: 0.5, y: 0.5}
 --- !u!114 &1306441808
@@ -2249,7 +2256,7 @@ CanvasRenderer:
   m_PrefabAsset: {fileID: 0}
   m_GameObject: {fileID: 1306441806}
   m_CullTransparentMesh: 1
---- !u!1 &1334772316
+--- !u!1 &1379043066
 GameObject:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
@@ -2257,42 +2264,42 @@ GameObject:
   m_PrefabAsset: {fileID: 0}
   serializedVersion: 6
   m_Component:
-  - component: {fileID: 1334772317}
-  - component: {fileID: 1334772319}
-  - component: {fileID: 1334772318}
+  - component: {fileID: 1379043067}
+  - component: {fileID: 1379043069}
+  - component: {fileID: 1379043068}
   m_Layer: 5
-  m_Name: menuPlayText
+  m_Name: leaderboardBackText
   m_TagString: Untagged
   m_Icon: {fileID: 0}
   m_NavMeshLayer: 0
   m_StaticEditorFlags: 0
   m_IsActive: 1
---- !u!224 &1334772317
+--- !u!224 &1379043067
 RectTransform:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1334772316}
+  m_GameObject: {fileID: 1379043066}
   m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
   m_LocalPosition: {x: 0, y: 0, z: 0}
   m_LocalScale: {x: 1, y: 1, z: 1}
   m_Children: []
-  m_Father: {fileID: 1790831001}
+  m_Father: {fileID: 417303073}
   m_RootOrder: 0
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0, y: 0}
   m_AnchorMax: {x: 1, y: 1}
-  m_AnchoredPosition: {x: 0, y: 0.000015258789}
-  m_SizeDelta: {x: 0, y: -0.0000076294}
+  m_AnchoredPosition: {x: 0, y: 0}
+  m_SizeDelta: {x: 0, y: 0}
   m_Pivot: {x: 0.5, y: 0.5}
---- !u!114 &1334772318
+--- !u!114 &1379043068
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1334772316}
+  m_GameObject: {fileID: 1379043066}
   m_Enabled: 1
   m_EditorHideFlags: 0
   m_Script: {fileID: 11500000, guid: f4688fdb7df04437aeb418b961361dc5, type: 3}
@@ -2306,7 +2313,7 @@ MonoBehaviour:
   m_OnCullStateChanged:
     m_PersistentCalls:
       m_Calls: []
-  m_text: "Szem\xE9lyes adatok"
+  m_text: BACK
   m_isRightToLeft: 0
   m_fontAsset: {fileID: 11400000, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
   m_sharedMaterial: {fileID: 2180264, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
@@ -2333,8 +2340,8 @@ MonoBehaviour:
   m_faceColor:
     serializedVersion: 2
     rgba: 4294967295
-  m_fontSize: 81.87
-  m_fontSizeBase: 81.87
+  m_fontSize: 100
+  m_fontSizeBase: 100
   m_fontWeight: 400
   m_enableAutoSizing: 0
   m_fontSizeMin: 18
@@ -2369,21 +2376,21 @@ MonoBehaviour:
   m_VertexBufferAutoSizeReduction: 0
   m_useMaxVisibleDescender: 1
   m_pageToDisplay: 1
-  m_margin: {x: -0.1678009, y: 0.76138306, z: -0.44226074, w: -0.13963318}
+  m_margin: {x: 0, y: 1.0504456, z: 0.00012207031, w: 0}
   m_isUsingLegacyAnimationComponent: 0
   m_isVolumetricText: 0
   m_hasFontAssetChanged: 0
   m_baseMaterial: {fileID: 0}
   m_maskOffset: {x: 0, y: 0, z: 0, w: 0}
---- !u!222 &1334772319
+--- !u!222 &1379043069
 CanvasRenderer:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1334772316}
+  m_GameObject: {fileID: 1379043066}
   m_CullTransparentMesh: 1
---- !u!1 &1379043066
+--- !u!1 &1675148152
 GameObject:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
@@ -2391,9 +2398,9 @@ GameObject:
   m_PrefabAsset: {fileID: 0}
   serializedVersion: 6
   m_Component:
-  - component: {fileID: 1379043067}
-  - component: {fileID: 1379043069}
-  - component: {fileID: 1379043068}
+  - component: {fileID: 1675148153}
+  - component: {fileID: 1675148155}
+  - component: {fileID: 1675148154}
   m_Layer: 5
   m_Name: leaderboardBackText
   m_TagString: Untagged
@@ -2401,18 +2408,18 @@ GameObject:
   m_NavMeshLayer: 0
   m_StaticEditorFlags: 0
   m_IsActive: 1
---- !u!224 &1379043067
+--- !u!224 &1675148153
 RectTransform:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1379043066}
+  m_GameObject: {fileID: 1675148152}
   m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
   m_LocalPosition: {x: 0, y: 0, z: 0}
   m_LocalScale: {x: 1, y: 1, z: 1}
   m_Children: []
-  m_Father: {fileID: 417303073}
+  m_Father: {fileID: 1830572036}
   m_RootOrder: 0
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0, y: 0}
@@ -2420,13 +2427,13 @@ RectTransform:
   m_AnchoredPosition: {x: 0, y: 0}
   m_SizeDelta: {x: 0, y: 0}
   m_Pivot: {x: 0.5, y: 0.5}
---- !u!114 &1379043068
+--- !u!114 &1675148154
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1379043066}
+  m_GameObject: {fileID: 1675148152}
   m_Enabled: 1
   m_EditorHideFlags: 0
   m_Script: {fileID: 11500000, guid: f4688fdb7df04437aeb418b961361dc5, type: 3}
@@ -2440,7 +2447,7 @@ MonoBehaviour:
   m_OnCullStateChanged:
     m_PersistentCalls:
       m_Calls: []
-  m_text: BACK
+  m_text: Refresh
   m_isRightToLeft: 0
   m_fontAsset: {fileID: 11400000, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
   m_sharedMaterial: {fileID: 2180264, guid: 8f586378b4e144a9851e7b34d9b748ee, type: 2}
@@ -2467,8 +2474,8 @@ MonoBehaviour:
   m_faceColor:
     serializedVersion: 2
     rgba: 4294967295
-  m_fontSize: 100
-  m_fontSizeBase: 100
+  m_fontSize: 70
+  m_fontSizeBase: 70
   m_fontWeight: 400
   m_enableAutoSizing: 0
   m_fontSizeMin: 18
@@ -2509,15 +2516,15 @@ MonoBehaviour:
   m_hasFontAssetChanged: 0
   m_baseMaterial: {fileID: 0}
   m_maskOffset: {x: 0, y: 0, z: 0, w: 0}
---- !u!222 &1379043069
+--- !u!222 &1675148155
 CanvasRenderer:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1379043066}
+  m_GameObject: {fileID: 1675148152}
   m_CullTransparentMesh: 1
---- !u!1 &1790831000
+--- !u!1 &1830572035
 GameObject:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
@@ -2525,44 +2532,44 @@ GameObject:
   m_PrefabAsset: {fileID: 0}
   serializedVersion: 6
   m_Component:
-  - component: {fileID: 1790831001}
-  - component: {fileID: 1790831004}
-  - component: {fileID: 1790831003}
-  - component: {fileID: 1790831002}
+  - component: {fileID: 1830572036}
+  - component: {fileID: 1830572039}
+  - component: {fileID: 1830572038}
+  - component: {fileID: 1830572037}
   m_Layer: 5
-  m_Name: menuPersonalDataButton
+  m_Name: RefreshButton
   m_TagString: Untagged
   m_Icon: {fileID: 0}
   m_NavMeshLayer: 0
   m_StaticEditorFlags: 0
   m_IsActive: 1
---- !u!224 &1790831001
+--- !u!224 &1830572036
 RectTransform:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1790831000}
+  m_GameObject: {fileID: 1830572035}
   m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
   m_LocalPosition: {x: 0, y: 0, z: 0}
   m_LocalScale: {x: 1, y: 1, z: 1}
   m_Children:
-  - {fileID: 1334772317}
-  m_Father: {fileID: 2071320553}
-  m_RootOrder: 5
+  - {fileID: 1675148153}
+  m_Father: {fileID: 741943918}
+  m_RootOrder: 6
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0.5, y: 0.5}
   m_AnchorMax: {x: 0.5, y: 0.5}
-  m_AnchoredPosition: {x: 0, y: -112}
-  m_SizeDelta: {x: 400, y: 150}
-  m_Pivot: {x: 0.5, y: 0.5}
---- !u!114 &1790831002
+  m_AnchoredPosition: {x: 0, y: -600}
+  m_SizeDelta: {x: 300, y: 100}
+  m_Pivot: {x: 0.5, y: 0}
+--- !u!114 &1830572037
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1790831000}
+  m_GameObject: {fileID: 1830572035}
   m_Enabled: 1
   m_EditorHideFlags: 0
   m_Script: {fileID: 11500000, guid: 4e29b1a8efbd4b44bb3f3716e73f07ff, type: 3}
@@ -2580,10 +2587,10 @@ MonoBehaviour:
     m_NormalColor: {r: 0, g: 0, b: 0, a: 0}
     m_HighlightedColor: {r: 0, g: 0, b: 0, a: 0.25490198}
     m_PressedColor: {r: 0, g: 0, b: 0, a: 0.39607844}
-    m_SelectedColor: {r: 0, g: 0, b: 0, a: 0.25490198}
+    m_SelectedColor: {r: 0, g: 0, b: 0, a: 0.19607843}
     m_DisabledColor: {r: 0.78431374, g: 0.78431374, b: 0.78431374, a: 0.5019608}
     m_ColorMultiplier: 1
-    m_FadeDuration: 0.1
+    m_FadeDuration: 0.2
   m_SpriteState:
     m_HighlightedSprite: {fileID: 0}
     m_PressedSprite: {fileID: 0}
@@ -2596,13 +2603,13 @@ MonoBehaviour:
     m_SelectedTrigger: Selected
     m_DisabledTrigger: Disabled
   m_Interactable: 1
-  m_TargetGraphic: {fileID: 1790831003}
+  m_TargetGraphic: {fileID: 1830572038}
   m_OnClick:
     m_PersistentCalls:
       m_Calls:
-      - m_Target: {fileID: 1891644864}
-        m_TargetAssemblyTypeName: MenuController, Assembly-CSharp
-        m_MethodName: PersonalButton
+      - m_Target: {fileID: 1136063536}
+        m_TargetAssemblyTypeName: PlayFabGetLeaderboard, Assembly-CSharp
+        m_MethodName: RefreshButton
         m_Mode: 1
         m_Arguments:
           m_ObjectArgument: {fileID: 0}
@@ -2612,13 +2619,13 @@ MonoBehaviour:
           m_StringArgument: 
           m_BoolArgument: 0
         m_CallState: 2
---- !u!114 &1790831003
+--- !u!114 &1830572038
 MonoBehaviour:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1790831000}
+  m_GameObject: {fileID: 1830572035}
   m_Enabled: 1
   m_EditorHideFlags: 0
   m_Script: {fileID: 11500000, guid: fe87c0e1cc204ed48ad3b37840f39efc, type: 3}
@@ -2642,13 +2649,13 @@ MonoBehaviour:
   m_FillOrigin: 0
   m_UseSpriteMesh: 0
   m_PixelsPerUnitMultiplier: 1
---- !u!222 &1790831004
+--- !u!222 &1830572039
 CanvasRenderer:
   m_ObjectHideFlags: 0
   m_CorrespondingSourceObject: {fileID: 0}
   m_PrefabInstance: {fileID: 0}
   m_PrefabAsset: {fileID: 0}
-  m_GameObject: {fileID: 1790831000}
+  m_GameObject: {fileID: 1830572035}
   m_CullTransparentMesh: 1
 --- !u!1 &1887142128
 GameObject:
@@ -2815,7 +2822,7 @@ MonoBehaviour:
   m_Name: 
   m_EditorClassIdentifier: 
   mainMenuAnimator: {fileID: 2071320555}
-  personalAnimator: {fileID: 676789425}
+  optionAnimator: {fileID: 0}
   leaderboardAnimator: {fileID: 741943919}
 --- !u!4 &1891644865
 Transform:
@@ -2876,13 +2883,12 @@ RectTransform:
   - {fileID: 1306441807}
   - {fileID: 1145573627}
   - {fileID: 39762290}
-  - {fileID: 1790831001}
   m_Father: {fileID: 79125915}
   m_RootOrder: 1
   m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
   m_AnchorMin: {x: 0, y: 0}
   m_AnchorMax: {x: 1, y: 1}
-  m_AnchoredPosition: {x: 1, y: 0}
+  m_AnchoredPosition: {x: 0, y: 0}
   m_SizeDelta: {x: 0, y: 0}
   m_Pivot: {x: 0.5, y: 0.5}
 --- !u!95 &2071320555
@@ -2904,100 +2910,3 @@ Animator:
   m_HasTransformHierarchy: 1
   m_AllowConstantClipSamplingOptimization: 1
   m_KeepAnimatorControllerStateOnDisable: 0
---- !u!1001 &34227666590463801
-PrefabInstance:
-  m_ObjectHideFlags: 0
-  serializedVersion: 2
-  m_Modification:
-    m_TransformParent: {fileID: 79125915}
-    m_Modifications:
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_Pivot.x
-      value: 0.5
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_Pivot.y
-      value: 0.5
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_RootOrder
-      value: 3
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchorMax.x
-      value: 1
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchorMax.y
-      value: 1
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchorMin.x
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchorMin.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_SizeDelta.x
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_SizeDelta.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalPosition.x
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalPosition.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalPosition.z
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalRotation.w
-      value: 1
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalRotation.x
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalRotation.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalRotation.z
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchoredPosition.x
-      value: 800
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_AnchoredPosition.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalEulerAnglesHint.x
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalEulerAnglesHint.y
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830484, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_LocalEulerAnglesHint.z
-      value: 0
-      objectReference: {fileID: 0}
-    - target: {fileID: 34227666190830485, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
-      propertyPath: m_Name
-      value: menuPersonalData
-      objectReference: {fileID: 0}
-    m_RemovedComponents: []
-  m_SourcePrefab: {fileID: 100100000, guid: 96ec04a59bb390b4598832d7acdd090c, type: 3}
diff --git a/Assets/Scripts/Platforms/OnkoltsegController.cs b/Assets/Scripts/Platforms/OnkoltsegController.cs
index 3cf72bc920094270368747c36abba391eba04738..d1cbb01f997581e7ec1afffa8e7beec1ff77a7f6 100644
--- a/Assets/Scripts/Platforms/OnkoltsegController.cs
+++ b/Assets/Scripts/Platforms/OnkoltsegController.cs
@@ -41,7 +41,7 @@ public class OnkoltsegController : MonoBehaviour {
 
     private bool end = false;
     // Start is called before the first frame update
-    void Start(){
+    void Start() {
         Enable = false;
         tmpWaitingTime = waitingTime;
         moving = false;
diff --git a/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs b/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs
new file mode 100644
index 0000000000000000000000000000000000000000..e2ebdbf20282565858802dfca43bdf5bcec9845d
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs
@@ -0,0 +1,150 @@
+using System.Collections;
+using System.Collections.Generic;
+using PlayFab;
+using PlayFab.ClientModels;
+using UnityEngine;
+using UnityEngine.UI;
+
+public class PlayFabGetLeaderboard : MonoBehaviour {
+    [SerializeField] private Transform table;
+    [SerializeField] private float refreshTime = 5.0f;
+    [SerializeField] private ScoreData scoreData;
+    [SerializeField] private GameObject rowPrefab;
+    private bool loggedIn = false;
+    private bool leaderboardGotten = false;
+    private int datasRecived = 0;
+    private Dictionary<string, Dictionary<string, string>> playerList;
+    void Start() {
+        playerList = new Dictionary<string, Dictionary<string, string>>();
+        Login();
+        StartCoroutine(GetLeaderBoard());
+        StartCoroutine(GetData());
+        StartCoroutine(FillBoard());
+    }
+    public void RefreshButton() {
+        playerList = new Dictionary<string, Dictionary<string, string>>();
+        StartCoroutine(GetLeaderBoard());
+        StartCoroutine(GetData());
+        StartCoroutine(FillBoard());
+    }
+    public void Login() {
+        loggedIn = false;
+        var request = new LoginWithCustomIDRequest() {
+            CustomId = SystemInfo.deviceUniqueIdentifier,
+            CreateAccount = true
+        };
+        PlayFabClientAPI.LoginWithCustomID(request,
+            result => {
+                Debug.Log("Successful login/acccount create!");
+                loggedIn = true;
+            },
+            error => {
+                Debug.LogError("Cannot login/creating account");
+                Debug.LogError(error.GenerateErrorReport());
+            }
+        );
+    }
+    
+    IEnumerator GetLeaderBoard() {
+        while (!loggedIn) {
+            yield return null;
+        }
+        RefreshLeaderBoard();
+    }
+
+    IEnumerator GetData() {
+        while (!loggedIn || !leaderboardGotten) {
+            yield return null;
+        }
+        GetPlayerDatas();
+    }
+    IEnumerator FillBoard() {
+        while (!loggedIn || !leaderboardGotten || datasRecived < playerList.Keys.Count) {
+            Debug.Log($"{datasRecived} : {playerList.Count}");
+            yield return null;
+        }
+        FillLeaderBoard();
+    }
+    
+    public void RefreshLeaderBoard() {
+        leaderboardGotten = false;
+        var request = new GetLeaderboardRequest {
+            StatisticName = "Score",
+            StartPosition = 0,
+            MaxResultsCount = 5
+        };
+        PlayFabClientAPI.GetLeaderboard(request,
+            result => {
+                foreach (var item in result.Leaderboard) {
+                    playerList.Add(item.PlayFabId, new Dictionary<string, string>());
+                    playerList[item.PlayFabId].Add("Score", item.StatValue.ToString());
+                }
+
+                leaderboardGotten = true;
+            },
+            error => {
+                Debug.LogError("Cannot get the data!");
+                Debug.LogError(error.GenerateErrorReport());
+            });
+    }
+    void GetPlayerDatas() {
+        datasRecived = 0;
+        foreach (var player in playerList) {
+            string playerId = player.Key;
+            List<string> keys = new List<string> {"name", "color"};
+                    PlayFabClientAPI.GetUserData(new GetUserDataRequest {
+                    Keys = keys,
+                    PlayFabId = playerId
+                },
+                result => {
+                    if (result.Data != null && result.Data.ContainsKey("name") && result.Data.ContainsKey("color")) {
+                        player.Value.Add("Name", result.Data["name"].Value);
+                        player.Value.Add("Color", result.Data["color"].Value);
+                        datasRecived++;
+                        Debug.Log($"{player.Value["Name"]} : {player.Value["Color"]} : {datasRecived}");
+                    } else {
+                        Debug.LogError("Player data not full.");
+                    }
+                },
+                error => {
+                    Debug.LogError("Cannot get player data!");
+                    Debug.LogError(error.GenerateErrorReport());
+                });
+        }
+    }
+    void FillLeaderBoard() {
+        rowScript[] children = table.GetComponentsInChildren<rowScript>();
+        foreach (var child in children) {
+            Destroy(child.gameObject);
+        }
+
+        foreach (var player in playerList) {
+            var datas = player.Value;
+            AppendTableRow(datas["Name"], datas["Color"], datas["Score"]);
+        }
+    }
+    void AppendTableRow(string playerName, string color, string score) {
+        GameObject row = Instantiate(rowPrefab, table);
+        Text[] texts = row.GetComponentsInChildren<Text>();
+        Image image = row.GetComponentInChildren<Image>();
+        texts[0].text = playerName;
+        texts[1].text = score;
+        Color tmpColor = Color.magenta;
+        if ("red".Equals(color)) {
+            tmpColor = Color.red;
+        } else if ("black".Equals(color)) {
+            tmpColor = Color.black;    
+        } else if ("white".Equals(color)) {
+            tmpColor = Color.white;
+        } else if ("blue".Equals(color)) {
+            tmpColor = Color.blue;
+        } else if ("yellow".Equals(color)) {
+            tmpColor = Color.yellow;
+        }
+
+        image.color = tmpColor;
+    }
+    void Update() {
+
+    }
+}
\ No newline at end of file
diff --git a/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs.meta b/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..01d6f2a959e3a8122309d229f2dfea0c0baa393a
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/PlayFabGetLeaderboard.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 8cade418e315c8b418bd86c9a904a11d
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs b/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs
new file mode 100644
index 0000000000000000000000000000000000000000..819f07550626682c801e27723aabacb1e515c4fb
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs
@@ -0,0 +1,53 @@
+using System.Collections;
+using System.Collections.Generic;
+using PlayFab;
+using PlayFab.ClientModels;
+using UnityEngine;
+using Newtonsoft.Json;
+
+public class PlayFabUploadScore : MonoBehaviour {
+    [SerializeField] private ScoreData scoreData;
+    bool loggedIn = false;
+    void Start() {
+        Login();
+        StartCoroutine(SendData());
+    }
+    public void Login() {
+        var request = new LoginWithCustomIDRequest() {
+            CustomId = SystemInfo.deviceUniqueIdentifier,
+            CreateAccount = true
+        };
+        PlayFabClientAPI.LoginWithCustomID(request,
+            result => {
+                Debug.Log("Successful login/acccount create!");
+                loggedIn = true;
+            },
+            error => {
+                Debug.LogError("Cannot login/creating account");
+                Debug.LogError(error.GenerateErrorReport());
+            }
+        );
+    }
+    IEnumerator SendData() {
+        while (!loggedIn) {
+            yield return null;
+        }
+        SendScore();
+    }
+    void SendScore() {
+        var request = new UpdatePlayerStatisticsRequest {
+            Statistics = new List<StatisticUpdate> {
+                new StatisticUpdate {
+                    StatisticName = "Score",
+                    Value = scoreData.HighScore
+                }
+            }
+        };
+        PlayFabClientAPI.UpdatePlayerStatistics(request, 
+            result => Debug.Log($"{scoreData.HighScore} is sent!"),
+            error => {
+                Debug.LogError("Cannot send data!");
+                Debug.LogError(error.GenerateErrorReport());
+            });
+    }
+}
\ No newline at end of file
diff --git a/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs.meta b/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..29e115976ee42fedbfc532f4a84f5b51c1f56d09
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/PlayFabUploadScore.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: accb8167a52baf842b05d798d38671a8
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: 
diff --git a/Assets/Scripts/PlayFabConn/rowScript.cs b/Assets/Scripts/PlayFabConn/rowScript.cs
new file mode 100644
index 0000000000000000000000000000000000000000..e69e2cd24f538d3f7d0db1ffa025ff821577f79d
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/rowScript.cs
@@ -0,0 +1,18 @@
+using System.Collections;
+using System.Collections.Generic;
+using UnityEngine;
+
+public class rowScript : MonoBehaviour
+{
+    // Start is called before the first frame update
+    void Start()
+    {
+        
+    }
+
+    // Update is called once per frame
+    void Update()
+    {
+        
+    }
+}
diff --git a/Assets/Scripts/PlayFabConn/rowScript.cs.meta b/Assets/Scripts/PlayFabConn/rowScript.cs.meta
new file mode 100644
index 0000000000000000000000000000000000000000..5b0a0a9dd045e26f56a32f3bdb72e5c7e82147c3
--- /dev/null
+++ b/Assets/Scripts/PlayFabConn/rowScript.cs.meta
@@ -0,0 +1,11 @@
+fileFormatVersion: 2
+guid: 558bb9ab65b38a54f9d0d97bd6f21e2e
+MonoImporter:
+  externalObjects: {}
+  serializedVersion: 2
+  defaultReferences: []
+  executionOrder: 0
+  icon: {instanceID: 0}
+  userData: 
+  assetBundleName: 
+  assetBundleVariant: