Getting Same response to any query in Watson Assistant V2 : Watson-Unity-SDK












2















I just got to a point where I could set-up the Watson Assistant V2 with Unity and trying to converse with an Assistant I created with a single Skill. I need further help to get the assistant set up to work with my Unity app.



In V1 of the assistant, it was possible to target a workspace and also the response was returning the intent, nodes visited so on. My queries were correctly processed and the responses were identical to the one on the "try it" application in the IBM cloud dashboard.



In the new version though, I am getting the same response for any query I send to the assistant. How can I target the right skill or rather pass correct settings to the assistant to get the correct responses?



IMAGE - Unity log showing assistant responses



[IMAGE - Assistant trial on dashboard][2]



The code I'm using to send queries and get responses is:



IEnumerator TokenExample()
{
// Create IAM token options and supply the apikey. IamUrl is the URL used to get the
// authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
TokenOptions iamTokenOptions = new TokenOptions()
{
IamApiKey = "API KEY",
IamUrl = "https://iam.bluemix.net/identity/token"

};
// Create credentials using the IAM token options

_credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
while (!_credentials.HasIamTokenData())
yield return null;

_assistant = new Assistant(_credentials);
_assistant.VersionDate = "2018-11-01";

Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

}

public void PingAssistantV2() // triggered from a button press in UI
{
_assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector

}

public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

string _si = response.SessionId;
Debug.Log("SessionID: " +_si);

MessageInput mi = new MessageInput();
mi.Text = Query.textComponent.text; // get user query from an input field in unity UI


MessageRequest messageRequest = new MessageRequest()
{
Input = mi

};
Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
}

private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
Debug.LogFormat("<b> SUCCESS </b>");
Debug.Log(customData["json"].ToString());

// Convert resp to fsdata
fsData fsdata = null;
fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

// Convert fsdata to MessageResponse
IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
object obj = messageResponse;
r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("OnFail()", "Failed: {0}", error.ToString());
Debug.LogFormat("<b> Failed </b>");
Debug.Log(error.ToString());
}


EDIT to address @Taj's comment



The Issue persists even with the sample for assitant V2 in the SDK:



Wrong Unity Responses v/s appropriate responses in dashboardtrail



The code adopted from the example included in the SDK:



/**
* Copyright 2018 IBM Corp. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (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.apache.org/licenses/LICENSE-2.0
*
* 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.
*
*/

using System.Collections;
using System.Collections.Generic;
using System.Linq;
using IBM.Watson.DeveloperCloud.Connection;
using IBM.Watson.DeveloperCloud.Logging;
using IBM.Watson.DeveloperCloud.Utilities;
using IBM.WatsonDeveloperCloud.Assistant.v2;
using UnityEngine;
using TMPro;

namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
{
public class ExampleAssistantV2 : MonoBehaviour
{
#region PLEASE SET THESE VARIABLES IN THE INSPECTOR
[Space(10)]
[Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
[SerializeField]
private string _serviceUrl;
[Tooltip("The assistantId to run the example.")]
[SerializeField]
private string _assistantId;
[Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
[SerializeField]
private string _versionDate;
[Header("CF Authentication")]
[Tooltip("The authentication username.")]
[SerializeField]
private string _username;
[Tooltip("The authentication password.")]
[SerializeField]
private string _password;
[Header("IAM Authentication")]
[Tooltip("The IAM apikey.")]
[SerializeField]
private string _iamApikey;
[Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
[SerializeField]
private string _iamUrl;
#endregion

private Assistant _service;

private bool _createSessionTested = false;
private bool _messageTested = false;
private bool _deleteSessionTested = false;
private string _sessionId;

public TMP_InputField query;
public TextMeshProUGUI response;

private void Start()
{
LogSystem.InstallDefaultReactors();
Runnable.Run(CreateService());
}



private IEnumerator CreateService()
{
// Create credential and instantiate service
Credentials credentials = null;
if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
{
// Authenticate using username and password
credentials = new Credentials(_username, _password, _serviceUrl);
}
else if (!string.IsNullOrEmpty(_iamApikey))
{
// Authenticate using iamApikey
TokenOptions tokenOptions = new TokenOptions()
{
IamApiKey = _iamApikey,
IamUrl = _iamUrl
};

credentials = new Credentials(tokenOptions, _serviceUrl);

// Wait for tokendata
while (!credentials.HasIamTokenData())
yield return null;
}
else
{
throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
}

_service = new Assistant(credentials);
_service.VersionDate = _versionDate;

Runnable.Run(SessionCreate());
}

private IEnumerator SessionCreate()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
_service.CreateSession(OnCreateSession, OnFail, _assistantId);

while (!_createSessionTested)
{
yield return null;
}

}

private IEnumerator Examples()
{


Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");

MessageInput mi = new MessageInput(); // construct a messgae input
mi.Text = query.textComponent.text;


MessageRequest messageRequest = new MessageRequest() // construct a message request
{
Input = mi

};

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);

_service.Message(OnMessage, OnFail, _assistantId, _sessionId,messageRequest); // send a message request

while (!_messageTested)
{
yield return null;
}

//Log.Debug("ExampleAssistantV2.Examples()", "Attempting to DeleteSession");
//_service.DeleteSession(OnDeleteSession, OnFail, _assistantId, _sessionId);

//while (!_deleteSessionTested)
//{
// yield return null;
//}

//Log.Debug("ExampleAssistantV2.Examples()", "Assistant examples complete.");
}

private void OnDeleteSession(object response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "Session deleted.");
_createSessionTested = true;
}

private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
{
_messageTested = true;
response.text = _response.Output.Generic.First().Text; // trying to get response

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", response.text);
}

private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
_sessionId = response.SessionId;
_createSessionTested = true;

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
}

public void PingAssitant ()
{
Runnable.Run(Examples());
}
}
}









share|improve this question

























  • The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

    – Michal Bida
    Nov 16 '18 at 9:37











  • Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

    – Ani Nandavar
    Nov 16 '18 at 23:11













  • You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

    – Michal Bida
    Nov 18 '18 at 7:58
















2















I just got to a point where I could set-up the Watson Assistant V2 with Unity and trying to converse with an Assistant I created with a single Skill. I need further help to get the assistant set up to work with my Unity app.



In V1 of the assistant, it was possible to target a workspace and also the response was returning the intent, nodes visited so on. My queries were correctly processed and the responses were identical to the one on the "try it" application in the IBM cloud dashboard.



In the new version though, I am getting the same response for any query I send to the assistant. How can I target the right skill or rather pass correct settings to the assistant to get the correct responses?



IMAGE - Unity log showing assistant responses



[IMAGE - Assistant trial on dashboard][2]



The code I'm using to send queries and get responses is:



IEnumerator TokenExample()
{
// Create IAM token options and supply the apikey. IamUrl is the URL used to get the
// authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
TokenOptions iamTokenOptions = new TokenOptions()
{
IamApiKey = "API KEY",
IamUrl = "https://iam.bluemix.net/identity/token"

};
// Create credentials using the IAM token options

_credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
while (!_credentials.HasIamTokenData())
yield return null;

_assistant = new Assistant(_credentials);
_assistant.VersionDate = "2018-11-01";

Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

}

public void PingAssistantV2() // triggered from a button press in UI
{
_assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector

}

public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

string _si = response.SessionId;
Debug.Log("SessionID: " +_si);

MessageInput mi = new MessageInput();
mi.Text = Query.textComponent.text; // get user query from an input field in unity UI


MessageRequest messageRequest = new MessageRequest()
{
Input = mi

};
Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
}

private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
Debug.LogFormat("<b> SUCCESS </b>");
Debug.Log(customData["json"].ToString());

// Convert resp to fsdata
fsData fsdata = null;
fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

// Convert fsdata to MessageResponse
IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
object obj = messageResponse;
r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("OnFail()", "Failed: {0}", error.ToString());
Debug.LogFormat("<b> Failed </b>");
Debug.Log(error.ToString());
}


EDIT to address @Taj's comment



The Issue persists even with the sample for assitant V2 in the SDK:



Wrong Unity Responses v/s appropriate responses in dashboardtrail



The code adopted from the example included in the SDK:



/**
* Copyright 2018 IBM Corp. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (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.apache.org/licenses/LICENSE-2.0
*
* 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.
*
*/

using System.Collections;
using System.Collections.Generic;
using System.Linq;
using IBM.Watson.DeveloperCloud.Connection;
using IBM.Watson.DeveloperCloud.Logging;
using IBM.Watson.DeveloperCloud.Utilities;
using IBM.WatsonDeveloperCloud.Assistant.v2;
using UnityEngine;
using TMPro;

namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
{
public class ExampleAssistantV2 : MonoBehaviour
{
#region PLEASE SET THESE VARIABLES IN THE INSPECTOR
[Space(10)]
[Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
[SerializeField]
private string _serviceUrl;
[Tooltip("The assistantId to run the example.")]
[SerializeField]
private string _assistantId;
[Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
[SerializeField]
private string _versionDate;
[Header("CF Authentication")]
[Tooltip("The authentication username.")]
[SerializeField]
private string _username;
[Tooltip("The authentication password.")]
[SerializeField]
private string _password;
[Header("IAM Authentication")]
[Tooltip("The IAM apikey.")]
[SerializeField]
private string _iamApikey;
[Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
[SerializeField]
private string _iamUrl;
#endregion

private Assistant _service;

private bool _createSessionTested = false;
private bool _messageTested = false;
private bool _deleteSessionTested = false;
private string _sessionId;

public TMP_InputField query;
public TextMeshProUGUI response;

private void Start()
{
LogSystem.InstallDefaultReactors();
Runnable.Run(CreateService());
}



private IEnumerator CreateService()
{
// Create credential and instantiate service
Credentials credentials = null;
if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
{
// Authenticate using username and password
credentials = new Credentials(_username, _password, _serviceUrl);
}
else if (!string.IsNullOrEmpty(_iamApikey))
{
// Authenticate using iamApikey
TokenOptions tokenOptions = new TokenOptions()
{
IamApiKey = _iamApikey,
IamUrl = _iamUrl
};

credentials = new Credentials(tokenOptions, _serviceUrl);

// Wait for tokendata
while (!credentials.HasIamTokenData())
yield return null;
}
else
{
throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
}

_service = new Assistant(credentials);
_service.VersionDate = _versionDate;

Runnable.Run(SessionCreate());
}

private IEnumerator SessionCreate()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
_service.CreateSession(OnCreateSession, OnFail, _assistantId);

while (!_createSessionTested)
{
yield return null;
}

}

private IEnumerator Examples()
{


Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");

MessageInput mi = new MessageInput(); // construct a messgae input
mi.Text = query.textComponent.text;


MessageRequest messageRequest = new MessageRequest() // construct a message request
{
Input = mi

};

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);

_service.Message(OnMessage, OnFail, _assistantId, _sessionId,messageRequest); // send a message request

while (!_messageTested)
{
yield return null;
}

//Log.Debug("ExampleAssistantV2.Examples()", "Attempting to DeleteSession");
//_service.DeleteSession(OnDeleteSession, OnFail, _assistantId, _sessionId);

//while (!_deleteSessionTested)
//{
// yield return null;
//}

//Log.Debug("ExampleAssistantV2.Examples()", "Assistant examples complete.");
}

private void OnDeleteSession(object response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "Session deleted.");
_createSessionTested = true;
}

private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
{
_messageTested = true;
response.text = _response.Output.Generic.First().Text; // trying to get response

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", response.text);
}

private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
_sessionId = response.SessionId;
_createSessionTested = true;

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
}

public void PingAssitant ()
{
Runnable.Run(Examples());
}
}
}









share|improve this question

























  • The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

    – Michal Bida
    Nov 16 '18 at 9:37











  • Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

    – Ani Nandavar
    Nov 16 '18 at 23:11













  • You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

    – Michal Bida
    Nov 18 '18 at 7:58














2












2








2








I just got to a point where I could set-up the Watson Assistant V2 with Unity and trying to converse with an Assistant I created with a single Skill. I need further help to get the assistant set up to work with my Unity app.



In V1 of the assistant, it was possible to target a workspace and also the response was returning the intent, nodes visited so on. My queries were correctly processed and the responses were identical to the one on the "try it" application in the IBM cloud dashboard.



In the new version though, I am getting the same response for any query I send to the assistant. How can I target the right skill or rather pass correct settings to the assistant to get the correct responses?



IMAGE - Unity log showing assistant responses



[IMAGE - Assistant trial on dashboard][2]



The code I'm using to send queries and get responses is:



IEnumerator TokenExample()
{
// Create IAM token options and supply the apikey. IamUrl is the URL used to get the
// authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
TokenOptions iamTokenOptions = new TokenOptions()
{
IamApiKey = "API KEY",
IamUrl = "https://iam.bluemix.net/identity/token"

};
// Create credentials using the IAM token options

_credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
while (!_credentials.HasIamTokenData())
yield return null;

_assistant = new Assistant(_credentials);
_assistant.VersionDate = "2018-11-01";

Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

}

public void PingAssistantV2() // triggered from a button press in UI
{
_assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector

}

public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

string _si = response.SessionId;
Debug.Log("SessionID: " +_si);

MessageInput mi = new MessageInput();
mi.Text = Query.textComponent.text; // get user query from an input field in unity UI


MessageRequest messageRequest = new MessageRequest()
{
Input = mi

};
Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
}

private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
Debug.LogFormat("<b> SUCCESS </b>");
Debug.Log(customData["json"].ToString());

// Convert resp to fsdata
fsData fsdata = null;
fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

// Convert fsdata to MessageResponse
IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
object obj = messageResponse;
r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("OnFail()", "Failed: {0}", error.ToString());
Debug.LogFormat("<b> Failed </b>");
Debug.Log(error.ToString());
}


EDIT to address @Taj's comment



The Issue persists even with the sample for assitant V2 in the SDK:



Wrong Unity Responses v/s appropriate responses in dashboardtrail



The code adopted from the example included in the SDK:



/**
* Copyright 2018 IBM Corp. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (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.apache.org/licenses/LICENSE-2.0
*
* 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.
*
*/

using System.Collections;
using System.Collections.Generic;
using System.Linq;
using IBM.Watson.DeveloperCloud.Connection;
using IBM.Watson.DeveloperCloud.Logging;
using IBM.Watson.DeveloperCloud.Utilities;
using IBM.WatsonDeveloperCloud.Assistant.v2;
using UnityEngine;
using TMPro;

namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
{
public class ExampleAssistantV2 : MonoBehaviour
{
#region PLEASE SET THESE VARIABLES IN THE INSPECTOR
[Space(10)]
[Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
[SerializeField]
private string _serviceUrl;
[Tooltip("The assistantId to run the example.")]
[SerializeField]
private string _assistantId;
[Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
[SerializeField]
private string _versionDate;
[Header("CF Authentication")]
[Tooltip("The authentication username.")]
[SerializeField]
private string _username;
[Tooltip("The authentication password.")]
[SerializeField]
private string _password;
[Header("IAM Authentication")]
[Tooltip("The IAM apikey.")]
[SerializeField]
private string _iamApikey;
[Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
[SerializeField]
private string _iamUrl;
#endregion

private Assistant _service;

private bool _createSessionTested = false;
private bool _messageTested = false;
private bool _deleteSessionTested = false;
private string _sessionId;

public TMP_InputField query;
public TextMeshProUGUI response;

private void Start()
{
LogSystem.InstallDefaultReactors();
Runnable.Run(CreateService());
}



private IEnumerator CreateService()
{
// Create credential and instantiate service
Credentials credentials = null;
if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
{
// Authenticate using username and password
credentials = new Credentials(_username, _password, _serviceUrl);
}
else if (!string.IsNullOrEmpty(_iamApikey))
{
// Authenticate using iamApikey
TokenOptions tokenOptions = new TokenOptions()
{
IamApiKey = _iamApikey,
IamUrl = _iamUrl
};

credentials = new Credentials(tokenOptions, _serviceUrl);

// Wait for tokendata
while (!credentials.HasIamTokenData())
yield return null;
}
else
{
throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
}

_service = new Assistant(credentials);
_service.VersionDate = _versionDate;

Runnable.Run(SessionCreate());
}

private IEnumerator SessionCreate()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
_service.CreateSession(OnCreateSession, OnFail, _assistantId);

while (!_createSessionTested)
{
yield return null;
}

}

private IEnumerator Examples()
{


Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");

MessageInput mi = new MessageInput(); // construct a messgae input
mi.Text = query.textComponent.text;


MessageRequest messageRequest = new MessageRequest() // construct a message request
{
Input = mi

};

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);

_service.Message(OnMessage, OnFail, _assistantId, _sessionId,messageRequest); // send a message request

while (!_messageTested)
{
yield return null;
}

//Log.Debug("ExampleAssistantV2.Examples()", "Attempting to DeleteSession");
//_service.DeleteSession(OnDeleteSession, OnFail, _assistantId, _sessionId);

//while (!_deleteSessionTested)
//{
// yield return null;
//}

//Log.Debug("ExampleAssistantV2.Examples()", "Assistant examples complete.");
}

private void OnDeleteSession(object response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "Session deleted.");
_createSessionTested = true;
}

private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
{
_messageTested = true;
response.text = _response.Output.Generic.First().Text; // trying to get response

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", response.text);
}

private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
_sessionId = response.SessionId;
_createSessionTested = true;

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
}

public void PingAssitant ()
{
Runnable.Run(Examples());
}
}
}









share|improve this question
















I just got to a point where I could set-up the Watson Assistant V2 with Unity and trying to converse with an Assistant I created with a single Skill. I need further help to get the assistant set up to work with my Unity app.



In V1 of the assistant, it was possible to target a workspace and also the response was returning the intent, nodes visited so on. My queries were correctly processed and the responses were identical to the one on the "try it" application in the IBM cloud dashboard.



In the new version though, I am getting the same response for any query I send to the assistant. How can I target the right skill or rather pass correct settings to the assistant to get the correct responses?



IMAGE - Unity log showing assistant responses



[IMAGE - Assistant trial on dashboard][2]



The code I'm using to send queries and get responses is:



IEnumerator TokenExample()
{
// Create IAM token options and supply the apikey. IamUrl is the URL used to get the
// authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
TokenOptions iamTokenOptions = new TokenOptions()
{
IamApiKey = "API KEY",
IamUrl = "https://iam.bluemix.net/identity/token"

};
// Create credentials using the IAM token options

_credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
while (!_credentials.HasIamTokenData())
yield return null;

_assistant = new Assistant(_credentials);
_assistant.VersionDate = "2018-11-01";

Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

}

public void PingAssistantV2() // triggered from a button press in UI
{
_assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector

}

public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

string _si = response.SessionId;
Debug.Log("SessionID: " +_si);

MessageInput mi = new MessageInput();
mi.Text = Query.textComponent.text; // get user query from an input field in unity UI


MessageRequest messageRequest = new MessageRequest()
{
Input = mi

};
Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
}

private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
Debug.LogFormat("<b> SUCCESS </b>");
Debug.Log(customData["json"].ToString());

// Convert resp to fsdata
fsData fsdata = null;
fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

// Convert fsdata to MessageResponse
IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
object obj = messageResponse;
r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("OnFail()", "Failed: {0}", error.ToString());
Debug.LogFormat("<b> Failed </b>");
Debug.Log(error.ToString());
}


EDIT to address @Taj's comment



The Issue persists even with the sample for assitant V2 in the SDK:



Wrong Unity Responses v/s appropriate responses in dashboardtrail



The code adopted from the example included in the SDK:



/**
* Copyright 2018 IBM Corp. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (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.apache.org/licenses/LICENSE-2.0
*
* 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.
*
*/

using System.Collections;
using System.Collections.Generic;
using System.Linq;
using IBM.Watson.DeveloperCloud.Connection;
using IBM.Watson.DeveloperCloud.Logging;
using IBM.Watson.DeveloperCloud.Utilities;
using IBM.WatsonDeveloperCloud.Assistant.v2;
using UnityEngine;
using TMPro;

namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
{
public class ExampleAssistantV2 : MonoBehaviour
{
#region PLEASE SET THESE VARIABLES IN THE INSPECTOR
[Space(10)]
[Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
[SerializeField]
private string _serviceUrl;
[Tooltip("The assistantId to run the example.")]
[SerializeField]
private string _assistantId;
[Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
[SerializeField]
private string _versionDate;
[Header("CF Authentication")]
[Tooltip("The authentication username.")]
[SerializeField]
private string _username;
[Tooltip("The authentication password.")]
[SerializeField]
private string _password;
[Header("IAM Authentication")]
[Tooltip("The IAM apikey.")]
[SerializeField]
private string _iamApikey;
[Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
[SerializeField]
private string _iamUrl;
#endregion

private Assistant _service;

private bool _createSessionTested = false;
private bool _messageTested = false;
private bool _deleteSessionTested = false;
private string _sessionId;

public TMP_InputField query;
public TextMeshProUGUI response;

private void Start()
{
LogSystem.InstallDefaultReactors();
Runnable.Run(CreateService());
}



private IEnumerator CreateService()
{
// Create credential and instantiate service
Credentials credentials = null;
if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
{
// Authenticate using username and password
credentials = new Credentials(_username, _password, _serviceUrl);
}
else if (!string.IsNullOrEmpty(_iamApikey))
{
// Authenticate using iamApikey
TokenOptions tokenOptions = new TokenOptions()
{
IamApiKey = _iamApikey,
IamUrl = _iamUrl
};

credentials = new Credentials(tokenOptions, _serviceUrl);

// Wait for tokendata
while (!credentials.HasIamTokenData())
yield return null;
}
else
{
throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
}

_service = new Assistant(credentials);
_service.VersionDate = _versionDate;

Runnable.Run(SessionCreate());
}

private IEnumerator SessionCreate()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
_service.CreateSession(OnCreateSession, OnFail, _assistantId);

while (!_createSessionTested)
{
yield return null;
}

}

private IEnumerator Examples()
{


Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");

MessageInput mi = new MessageInput(); // construct a messgae input
mi.Text = query.textComponent.text;


MessageRequest messageRequest = new MessageRequest() // construct a message request
{
Input = mi

};

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);

_service.Message(OnMessage, OnFail, _assistantId, _sessionId,messageRequest); // send a message request

while (!_messageTested)
{
yield return null;
}

//Log.Debug("ExampleAssistantV2.Examples()", "Attempting to DeleteSession");
//_service.DeleteSession(OnDeleteSession, OnFail, _assistantId, _sessionId);

//while (!_deleteSessionTested)
//{
// yield return null;
//}

//Log.Debug("ExampleAssistantV2.Examples()", "Assistant examples complete.");
}

private void OnDeleteSession(object response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "Session deleted.");
_createSessionTested = true;
}

private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
{
_messageTested = true;
response.text = _response.Output.Generic.First().Text; // trying to get response

Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", response.text);
}

private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
_sessionId = response.SessionId;
_createSessionTested = true;

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
}

public void PingAssitant ()
{
Runnable.Run(Examples());
}
}
}






unity3d ibm-watson watson-assistant-solutions






share|improve this question















share|improve this question













share|improve this question




share|improve this question








edited Nov 14 '18 at 17:42







Ani Nandavar

















asked Nov 13 '18 at 16:34









Ani NandavarAni Nandavar

234




234













  • The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

    – Michal Bida
    Nov 16 '18 at 9:37











  • Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

    – Ani Nandavar
    Nov 16 '18 at 23:11













  • You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

    – Michal Bida
    Nov 18 '18 at 7:58



















  • The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

    – Michal Bida
    Nov 16 '18 at 9:37











  • Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

    – Ani Nandavar
    Nov 16 '18 at 23:11













  • You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

    – Michal Bida
    Nov 18 '18 at 7:58

















The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

– Michal Bida
Nov 16 '18 at 9:37





The v1 API is still supported - if it worked ok for your usecase I would just continue using v1 instead of refactoring to v2.

– Michal Bida
Nov 16 '18 at 9:37













Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

– Ani Nandavar
Nov 16 '18 at 23:11







Hi Michal, How to do that? From Unity I can choose the API version to use but how do I set it in my Watson dashboard? The structure has completely changed from being Assistant -> Workplace structure to Assistant -> Skill structure now.

– Ani Nandavar
Nov 16 '18 at 23:11















You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

– Michal Bida
Nov 18 '18 at 7:58





You do not need to set anything in Watson dashboard. You can access your assistant either through v1 api or v2 api. Both of them work at the same time.

– Michal Bida
Nov 18 '18 at 7:58












2 Answers
2






active

oldest

votes


















2














I can see from your log that you have a new sessionId each time you message. You do not need to create a session each time you send a message. The session should persist during the conversation. I moved the call to CreateSession to your TokenExample() and call PingAssistantV2() once you have a sessionId.



string _si = "";

IEnumerator TokenExample()
{
// Create IAM token options and supply the apikey. IamUrl is the URL used to get the
// authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
TokenOptions iamTokenOptions = new TokenOptions()
{
IamApiKey = "API KEY",
IamUrl = "https://iam.bluemix.net/identity/token"

};
// Create credentials using the IAM token options

_credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
while (!_credentials.HasIamTokenData())
yield return null;

_assistant = new Assistant(_credentials);
_assistant.VersionDate = "2018-11-01";

Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

_assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector
}

public void PingAssistantV2() // triggered from a button press in UI
{
MessageInput mi = new MessageInput();
mi.Text = Query.textComponent.text; // get user query from an input field in unity UI

MessageRequest messageRequest = new MessageRequest()
{
Input = mi

};
Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
}

public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

_si = response.SessionId;
Debug.Log("SessionID: " +_si);

PingAssistantV2();
}

private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
Debug.LogFormat("<b> SUCCESS </b>");
Debug.Log(customData["json"].ToString());

// Convert resp to fsdata
fsData fsdata = null;
fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

// Convert fsdata to MessageResponse
IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
object obj = messageResponse;
r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
if (!r.Succeeded)
throw new WatsonException(r.FormattedMessages);

Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

}

private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("OnFail()", "Failed: {0}", error.ToString());
Debug.LogFormat("<b> Failed </b>");
Debug.Log(error.ToString());
}





share|improve this answer


























  • Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

    – Ani Nandavar
    Nov 14 '18 at 16:06











  • Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

    – taj
    Nov 14 '18 at 16:40











  • Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

    – Ani Nandavar
    Nov 14 '18 at 17:37











  • The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

    – taj
    Nov 14 '18 at 22:59











  • Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

    – Ani Nandavar
    Nov 15 '18 at 8:01





















1














@taj your develop branch at https://github.com/watson-developer-cloud/unity-sdk/archive/develop.zip is now working! Thank you for your commitment towards sorting this out. I do not have sufficient rep to upvote your answer but ya, Kudos!



Working Code as provided by @taj on the WDC Slack channel:



using System.Collections;
using System.Collections.Generic;
using System.Linq;
using IBM.Watson.DeveloperCloud.Connection;
using IBM.Watson.DeveloperCloud.Logging;
using IBM.Watson.DeveloperCloud.Utilities;
using IBM.WatsonDeveloperCloud.Assistant.v2;
using UnityEngine;
using TMPro;
namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
{
public class ExampleAssistantV2b : MonoBehaviour
{
#region PLEASE SET THESE VARIABLES IN THE INSPECTOR
[Space(10)]
[Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
[SerializeField]
private string _serviceUrl;
[Tooltip("The assistantId to run the example.")]
[SerializeField]
private string _assistantId;
[Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
[SerializeField]
private string _versionDate;
[Header("CF Authentication")]
[Tooltip("The authentication username.")]
[SerializeField]
private string _username;
[Tooltip("The authentication password.")]
[SerializeField]
private string _password;
[Header("IAM Authentication")]
[Tooltip("The IAM apikey.")]
[SerializeField]
private string _iamApikey;
[Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
[SerializeField]
private string _iamUrl;
#endregion
private Assistant _service;
private string _sessionId;
public TMP_InputField query;
public TextMeshProUGUI response;
public List<string> testQueryList;
public int queryNum = 0;
private void Start()
{
LogSystem.InstallDefaultReactors();
testQueryList = new List<string>()
{
"",
"What are your hours?",
"Are you open on Christmas?",
"I would like to make an appointment",
"Friday at 12pm",
"yes"
};
Runnable.Run(CreateService());
}
private IEnumerator CreateService()
{
// Create credential and instantiate service
Credentials credentials = null;
if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
{
// Authenticate using username and password
credentials = new Credentials(_username, _password, _serviceUrl);
}
else if (!string.IsNullOrEmpty(_iamApikey))
{
// Authenticate using iamApikey
TokenOptions tokenOptions = new TokenOptions()
{
IamApiKey = _iamApikey,
IamUrl = _iamUrl
};
credentials = new Credentials(tokenOptions, _serviceUrl);
// Wait for tokendata
while (!credentials.HasIamTokenData())
yield return null;
}
else
{
throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
}
_service = new Assistant(credentials);
_service.VersionDate = _versionDate;
SessionCreate();
}
private void SessionCreate()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
_service.CreateSession(OnCreateSession, OnFail, _assistantId);
}
private void Examples()
{
Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");
MessageInput mi = new MessageInput(); // construct a messgae input
//mi.Text = query.textComponent.text;
mi.Text = testQueryList[queryNum];
MessageRequest messageRequest = new MessageRequest() // construct a message request
{
Input = mi
};
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);
_service.Message(OnMessage, OnFail, _assistantId, _sessionId, messageRequest); // send a message request
}
private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
{
//response.text = _response.Output.Generic[0].Text; // trying to get response
string assistantResponse = _response.Output.Generic[0].Text; // trying to get response
Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", assistantResponse);
queryNum++;
}
private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
_sessionId = response.SessionId;
}
private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
{
Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
}
public void PingAssitant()
{
Examples();
}
}
}





share|improve this answer























    Your Answer






    StackExchange.ifUsing("editor", function () {
    StackExchange.using("externalEditor", function () {
    StackExchange.using("snippets", function () {
    StackExchange.snippets.init();
    });
    });
    }, "code-snippets");

    StackExchange.ready(function() {
    var channelOptions = {
    tags: "".split(" "),
    id: "1"
    };
    initTagRenderer("".split(" "), "".split(" "), channelOptions);

    StackExchange.using("externalEditor", function() {
    // Have to fire editor after snippets, if snippets enabled
    if (StackExchange.settings.snippets.snippetsEnabled) {
    StackExchange.using("snippets", function() {
    createEditor();
    });
    }
    else {
    createEditor();
    }
    });

    function createEditor() {
    StackExchange.prepareEditor({
    heartbeatType: 'answer',
    autoActivateHeartbeat: false,
    convertImagesToLinks: true,
    noModals: true,
    showLowRepImageUploadWarning: true,
    reputationToPostImages: 10,
    bindNavPrevention: true,
    postfix: "",
    imageUploader: {
    brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
    contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
    allowUrls: true
    },
    onDemand: true,
    discardSelector: ".discard-answer"
    ,immediatelyShowMarkdownHelp:true
    });


    }
    });














    draft saved

    draft discarded


















    StackExchange.ready(
    function () {
    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53285545%2fgetting-same-response-to-any-query-in-watson-assistant-v2-watson-unity-sdk%23new-answer', 'question_page');
    }
    );

    Post as a guest















    Required, but never shown

























    2 Answers
    2






    active

    oldest

    votes








    2 Answers
    2






    active

    oldest

    votes









    active

    oldest

    votes






    active

    oldest

    votes









    2














    I can see from your log that you have a new sessionId each time you message. You do not need to create a session each time you send a message. The session should persist during the conversation. I moved the call to CreateSession to your TokenExample() and call PingAssistantV2() once you have a sessionId.



    string _si = "";

    IEnumerator TokenExample()
    {
    // Create IAM token options and supply the apikey. IamUrl is the URL used to get the
    // authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
    TokenOptions iamTokenOptions = new TokenOptions()
    {
    IamApiKey = "API KEY",
    IamUrl = "https://iam.bluemix.net/identity/token"

    };
    // Create credentials using the IAM token options

    _credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
    while (!_credentials.HasIamTokenData())
    yield return null;

    _assistant = new Assistant(_credentials);
    _assistant.VersionDate = "2018-11-01";

    Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

    _assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector
    }

    public void PingAssistantV2() // triggered from a button press in UI
    {
    MessageInput mi = new MessageInput();
    mi.Text = Query.textComponent.text; // get user query from an input field in unity UI

    MessageRequest messageRequest = new MessageRequest()
    {
    Input = mi

    };
    Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
    if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
    }

    public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

    _si = response.SessionId;
    Debug.Log("SessionID: " +_si);

    PingAssistantV2();
    }

    private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
    Debug.LogFormat("<b> SUCCESS </b>");
    Debug.Log(customData["json"].ToString());

    // Convert resp to fsdata
    fsData fsdata = null;
    fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    // Convert fsdata to MessageResponse
    IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
    object obj = messageResponse;
    r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

    }

    private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
    {
    Log.Debug("OnFail()", "Failed: {0}", error.ToString());
    Debug.LogFormat("<b> Failed </b>");
    Debug.Log(error.ToString());
    }





    share|improve this answer


























    • Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

      – Ani Nandavar
      Nov 14 '18 at 16:06











    • Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

      – taj
      Nov 14 '18 at 16:40











    • Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

      – Ani Nandavar
      Nov 14 '18 at 17:37











    • The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

      – taj
      Nov 14 '18 at 22:59











    • Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

      – Ani Nandavar
      Nov 15 '18 at 8:01


















    2














    I can see from your log that you have a new sessionId each time you message. You do not need to create a session each time you send a message. The session should persist during the conversation. I moved the call to CreateSession to your TokenExample() and call PingAssistantV2() once you have a sessionId.



    string _si = "";

    IEnumerator TokenExample()
    {
    // Create IAM token options and supply the apikey. IamUrl is the URL used to get the
    // authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
    TokenOptions iamTokenOptions = new TokenOptions()
    {
    IamApiKey = "API KEY",
    IamUrl = "https://iam.bluemix.net/identity/token"

    };
    // Create credentials using the IAM token options

    _credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
    while (!_credentials.HasIamTokenData())
    yield return null;

    _assistant = new Assistant(_credentials);
    _assistant.VersionDate = "2018-11-01";

    Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

    _assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector
    }

    public void PingAssistantV2() // triggered from a button press in UI
    {
    MessageInput mi = new MessageInput();
    mi.Text = Query.textComponent.text; // get user query from an input field in unity UI

    MessageRequest messageRequest = new MessageRequest()
    {
    Input = mi

    };
    Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
    if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
    }

    public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

    _si = response.SessionId;
    Debug.Log("SessionID: " +_si);

    PingAssistantV2();
    }

    private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
    Debug.LogFormat("<b> SUCCESS </b>");
    Debug.Log(customData["json"].ToString());

    // Convert resp to fsdata
    fsData fsdata = null;
    fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    // Convert fsdata to MessageResponse
    IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
    object obj = messageResponse;
    r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

    }

    private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
    {
    Log.Debug("OnFail()", "Failed: {0}", error.ToString());
    Debug.LogFormat("<b> Failed </b>");
    Debug.Log(error.ToString());
    }





    share|improve this answer


























    • Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

      – Ani Nandavar
      Nov 14 '18 at 16:06











    • Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

      – taj
      Nov 14 '18 at 16:40











    • Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

      – Ani Nandavar
      Nov 14 '18 at 17:37











    • The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

      – taj
      Nov 14 '18 at 22:59











    • Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

      – Ani Nandavar
      Nov 15 '18 at 8:01
















    2












    2








    2







    I can see from your log that you have a new sessionId each time you message. You do not need to create a session each time you send a message. The session should persist during the conversation. I moved the call to CreateSession to your TokenExample() and call PingAssistantV2() once you have a sessionId.



    string _si = "";

    IEnumerator TokenExample()
    {
    // Create IAM token options and supply the apikey. IamUrl is the URL used to get the
    // authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
    TokenOptions iamTokenOptions = new TokenOptions()
    {
    IamApiKey = "API KEY",
    IamUrl = "https://iam.bluemix.net/identity/token"

    };
    // Create credentials using the IAM token options

    _credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
    while (!_credentials.HasIamTokenData())
    yield return null;

    _assistant = new Assistant(_credentials);
    _assistant.VersionDate = "2018-11-01";

    Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

    _assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector
    }

    public void PingAssistantV2() // triggered from a button press in UI
    {
    MessageInput mi = new MessageInput();
    mi.Text = Query.textComponent.text; // get user query from an input field in unity UI

    MessageRequest messageRequest = new MessageRequest()
    {
    Input = mi

    };
    Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
    if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
    }

    public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

    _si = response.SessionId;
    Debug.Log("SessionID: " +_si);

    PingAssistantV2();
    }

    private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
    Debug.LogFormat("<b> SUCCESS </b>");
    Debug.Log(customData["json"].ToString());

    // Convert resp to fsdata
    fsData fsdata = null;
    fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    // Convert fsdata to MessageResponse
    IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
    object obj = messageResponse;
    r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

    }

    private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
    {
    Log.Debug("OnFail()", "Failed: {0}", error.ToString());
    Debug.LogFormat("<b> Failed </b>");
    Debug.Log(error.ToString());
    }





    share|improve this answer















    I can see from your log that you have a new sessionId each time you message. You do not need to create a session each time you send a message. The session should persist during the conversation. I moved the call to CreateSession to your TokenExample() and call PingAssistantV2() once you have a sessionId.



    string _si = "";

    IEnumerator TokenExample()
    {
    // Create IAM token options and supply the apikey. IamUrl is the URL used to get the
    // authorization token using the IamApiKey. It defaults to https://iam.bluemix.net/identity/token
    TokenOptions iamTokenOptions = new TokenOptions()
    {
    IamApiKey = "API KEY",
    IamUrl = "https://iam.bluemix.net/identity/token"

    };
    // Create credentials using the IAM token options

    _credentials = new Credentials(iamTokenOptions, "https://gateway-fra.watsonplatform.net/assistant/api");
    while (!_credentials.HasIamTokenData())
    yield return null;

    _assistant = new Assistant(_credentials);
    _assistant.VersionDate = "2018-11-01";

    Debug.Log(_assistant.GetServiceID()); // returns "AssitantV2"

    _assistant.CreateSession(OnCreateSession, OnFail, AssistantID); // Assistant ID is entered through the Inspector
    }

    public void PingAssistantV2() // triggered from a button press in UI
    {
    MessageInput mi = new MessageInput();
    mi.Text = Query.textComponent.text; // get user query from an input field in unity UI

    MessageRequest messageRequest = new MessageRequest()
    {
    Input = mi

    };
    Debug.LogFormat("<b> Query Sent: {0} </b>", Query.textComponent.text);
    if (response.SessionId != null ) _assistant.Message(OnMessage, OnFail, AssistantID, _si, messageRequest);
    }

    public void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnMessage()", "Assistant: Create Session Response: {0}", customData["json"].ToString());

    _si = response.SessionId;
    Debug.Log("SessionID: " +_si);

    PingAssistantV2();
    }

    private void OnMessage(MessageResponse AssistantResponse, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistant.OnMessage()", "Response: {0}", customData["json"].ToString());
    Debug.LogFormat("<b> SUCCESS </b>");
    Debug.Log(customData["json"].ToString());

    // Convert resp to fsdata
    fsData fsdata = null;
    fsResult r = _serializer.TrySerialize(AssistantResponse.GetType(), AssistantResponse, out fsdata);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    // Convert fsdata to MessageResponse
    IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse messageResponse = new IBM.WatsonDeveloperCloud.Assistant.v2.MessageResponse();
    object obj = messageResponse;
    r = _serializer.TryDeserialize(fsdata, obj.GetType(), ref obj);
    if (!r.Succeeded)
    throw new WatsonException(r.FormattedMessages);

    Response.text = AssistantResponse.Output.Generic.First().Text; // send response to unity UI text box

    }

    private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
    {
    Log.Debug("OnFail()", "Failed: {0}", error.ToString());
    Debug.LogFormat("<b> Failed </b>");
    Debug.Log(error.ToString());
    }






    share|improve this answer














    share|improve this answer



    share|improve this answer








    edited Nov 13 '18 at 21:24

























    answered Nov 13 '18 at 21:16









    tajtaj

    8341315




    8341315













    • Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

      – Ani Nandavar
      Nov 14 '18 at 16:06











    • Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

      – taj
      Nov 14 '18 at 16:40











    • Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

      – Ani Nandavar
      Nov 14 '18 at 17:37











    • The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

      – taj
      Nov 14 '18 at 22:59











    • Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

      – Ani Nandavar
      Nov 15 '18 at 8:01





















    • Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

      – Ani Nandavar
      Nov 14 '18 at 16:06











    • Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

      – taj
      Nov 14 '18 at 16:40











    • Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

      – Ani Nandavar
      Nov 14 '18 at 17:37











    • The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

      – taj
      Nov 14 '18 at 22:59











    • Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

      – Ani Nandavar
      Nov 15 '18 at 8:01



















    Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

    – Ani Nandavar
    Nov 14 '18 at 16:06





    Alright, I rectified the way I create a session before sending messages to the assitant. But, what about the incorrect responses and absence of Information on Intents detected and Nodes visited in the response Class? If I ask the same queries in the web app or on dashboard preview conversation, I get appropriate responses, but not from Unity app. Can you post an example of how you create an assitantv2, create a session and query it to get appropriate answers in Unity, responses comparable to those obtained on the dashboard app?

    – Ani Nandavar
    Nov 14 '18 at 16:06













    Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

    – taj
    Nov 14 '18 at 16:40





    Have you seen the example here? Creating a session will automatically track conversation context in the service instead of needing to persist context as the conversation continues.

    – taj
    Nov 14 '18 at 16:40













    Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

    – Ani Nandavar
    Nov 14 '18 at 17:37





    Yes, The same Issue. Please refer to the edited question now. I am adding the screenshot and the new code.

    – Ani Nandavar
    Nov 14 '18 at 17:37













    The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

    – taj
    Nov 14 '18 at 22:59





    The image of the log you posted does not match the code you posted above. How are you invoking your TokenExample() method? You need to do this before anything since you need to authenticate the service. Your code shows you are creating a session each button click. You need to create the session only once per conversation, not with each request.

    – taj
    Nov 14 '18 at 22:59













    Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

    – Ani Nandavar
    Nov 15 '18 at 8:01







    Hi Taj, i'm afraid you didn't see the part of the question after the EDIT. I have posted the full code, which is the example you sent a link to, edited a little to match user input from UI. I'm calling the Create Session from the start function, hence creating a session only once. This is what I'm doing Start -> Authnticate -> Crete session. Then, on each button click, I'm calling the assitant.message() with a message request included.

    – Ani Nandavar
    Nov 15 '18 at 8:01















    1














    @taj your develop branch at https://github.com/watson-developer-cloud/unity-sdk/archive/develop.zip is now working! Thank you for your commitment towards sorting this out. I do not have sufficient rep to upvote your answer but ya, Kudos!



    Working Code as provided by @taj on the WDC Slack channel:



    using System.Collections;
    using System.Collections.Generic;
    using System.Linq;
    using IBM.Watson.DeveloperCloud.Connection;
    using IBM.Watson.DeveloperCloud.Logging;
    using IBM.Watson.DeveloperCloud.Utilities;
    using IBM.WatsonDeveloperCloud.Assistant.v2;
    using UnityEngine;
    using TMPro;
    namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
    {
    public class ExampleAssistantV2b : MonoBehaviour
    {
    #region PLEASE SET THESE VARIABLES IN THE INSPECTOR
    [Space(10)]
    [Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
    [SerializeField]
    private string _serviceUrl;
    [Tooltip("The assistantId to run the example.")]
    [SerializeField]
    private string _assistantId;
    [Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
    [SerializeField]
    private string _versionDate;
    [Header("CF Authentication")]
    [Tooltip("The authentication username.")]
    [SerializeField]
    private string _username;
    [Tooltip("The authentication password.")]
    [SerializeField]
    private string _password;
    [Header("IAM Authentication")]
    [Tooltip("The IAM apikey.")]
    [SerializeField]
    private string _iamApikey;
    [Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
    [SerializeField]
    private string _iamUrl;
    #endregion
    private Assistant _service;
    private string _sessionId;
    public TMP_InputField query;
    public TextMeshProUGUI response;
    public List<string> testQueryList;
    public int queryNum = 0;
    private void Start()
    {
    LogSystem.InstallDefaultReactors();
    testQueryList = new List<string>()
    {
    "",
    "What are your hours?",
    "Are you open on Christmas?",
    "I would like to make an appointment",
    "Friday at 12pm",
    "yes"
    };
    Runnable.Run(CreateService());
    }
    private IEnumerator CreateService()
    {
    // Create credential and instantiate service
    Credentials credentials = null;
    if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
    {
    // Authenticate using username and password
    credentials = new Credentials(_username, _password, _serviceUrl);
    }
    else if (!string.IsNullOrEmpty(_iamApikey))
    {
    // Authenticate using iamApikey
    TokenOptions tokenOptions = new TokenOptions()
    {
    IamApiKey = _iamApikey,
    IamUrl = _iamUrl
    };
    credentials = new Credentials(tokenOptions, _serviceUrl);
    // Wait for tokendata
    while (!credentials.HasIamTokenData())
    yield return null;
    }
    else
    {
    throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
    }
    _service = new Assistant(credentials);
    _service.VersionDate = _versionDate;
    SessionCreate();
    }
    private void SessionCreate()
    {
    Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
    _service.CreateSession(OnCreateSession, OnFail, _assistantId);
    }
    private void Examples()
    {
    Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");
    MessageInput mi = new MessageInput(); // construct a messgae input
    //mi.Text = query.textComponent.text;
    mi.Text = testQueryList[queryNum];
    MessageRequest messageRequest = new MessageRequest() // construct a message request
    {
    Input = mi
    };
    Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);
    _service.Message(OnMessage, OnFail, _assistantId, _sessionId, messageRequest); // send a message request
    }
    private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
    {
    //response.text = _response.Output.Generic[0].Text; // trying to get response
    string assistantResponse = _response.Output.Generic[0].Text; // trying to get response
    Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", assistantResponse);
    queryNum++;
    }
    private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
    _sessionId = response.SessionId;
    }
    private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
    {
    Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
    }
    public void PingAssitant()
    {
    Examples();
    }
    }
    }





    share|improve this answer




























      1














      @taj your develop branch at https://github.com/watson-developer-cloud/unity-sdk/archive/develop.zip is now working! Thank you for your commitment towards sorting this out. I do not have sufficient rep to upvote your answer but ya, Kudos!



      Working Code as provided by @taj on the WDC Slack channel:



      using System.Collections;
      using System.Collections.Generic;
      using System.Linq;
      using IBM.Watson.DeveloperCloud.Connection;
      using IBM.Watson.DeveloperCloud.Logging;
      using IBM.Watson.DeveloperCloud.Utilities;
      using IBM.WatsonDeveloperCloud.Assistant.v2;
      using UnityEngine;
      using TMPro;
      namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
      {
      public class ExampleAssistantV2b : MonoBehaviour
      {
      #region PLEASE SET THESE VARIABLES IN THE INSPECTOR
      [Space(10)]
      [Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
      [SerializeField]
      private string _serviceUrl;
      [Tooltip("The assistantId to run the example.")]
      [SerializeField]
      private string _assistantId;
      [Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
      [SerializeField]
      private string _versionDate;
      [Header("CF Authentication")]
      [Tooltip("The authentication username.")]
      [SerializeField]
      private string _username;
      [Tooltip("The authentication password.")]
      [SerializeField]
      private string _password;
      [Header("IAM Authentication")]
      [Tooltip("The IAM apikey.")]
      [SerializeField]
      private string _iamApikey;
      [Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
      [SerializeField]
      private string _iamUrl;
      #endregion
      private Assistant _service;
      private string _sessionId;
      public TMP_InputField query;
      public TextMeshProUGUI response;
      public List<string> testQueryList;
      public int queryNum = 0;
      private void Start()
      {
      LogSystem.InstallDefaultReactors();
      testQueryList = new List<string>()
      {
      "",
      "What are your hours?",
      "Are you open on Christmas?",
      "I would like to make an appointment",
      "Friday at 12pm",
      "yes"
      };
      Runnable.Run(CreateService());
      }
      private IEnumerator CreateService()
      {
      // Create credential and instantiate service
      Credentials credentials = null;
      if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
      {
      // Authenticate using username and password
      credentials = new Credentials(_username, _password, _serviceUrl);
      }
      else if (!string.IsNullOrEmpty(_iamApikey))
      {
      // Authenticate using iamApikey
      TokenOptions tokenOptions = new TokenOptions()
      {
      IamApiKey = _iamApikey,
      IamUrl = _iamUrl
      };
      credentials = new Credentials(tokenOptions, _serviceUrl);
      // Wait for tokendata
      while (!credentials.HasIamTokenData())
      yield return null;
      }
      else
      {
      throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
      }
      _service = new Assistant(credentials);
      _service.VersionDate = _versionDate;
      SessionCreate();
      }
      private void SessionCreate()
      {
      Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
      _service.CreateSession(OnCreateSession, OnFail, _assistantId);
      }
      private void Examples()
      {
      Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");
      MessageInput mi = new MessageInput(); // construct a messgae input
      //mi.Text = query.textComponent.text;
      mi.Text = testQueryList[queryNum];
      MessageRequest messageRequest = new MessageRequest() // construct a message request
      {
      Input = mi
      };
      Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);
      _service.Message(OnMessage, OnFail, _assistantId, _sessionId, messageRequest); // send a message request
      }
      private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
      {
      //response.text = _response.Output.Generic[0].Text; // trying to get response
      string assistantResponse = _response.Output.Generic[0].Text; // trying to get response
      Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", assistantResponse);
      queryNum++;
      }
      private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
      {
      Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
      _sessionId = response.SessionId;
      }
      private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
      {
      Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
      }
      public void PingAssitant()
      {
      Examples();
      }
      }
      }





      share|improve this answer


























        1












        1








        1







        @taj your develop branch at https://github.com/watson-developer-cloud/unity-sdk/archive/develop.zip is now working! Thank you for your commitment towards sorting this out. I do not have sufficient rep to upvote your answer but ya, Kudos!



        Working Code as provided by @taj on the WDC Slack channel:



        using System.Collections;
        using System.Collections.Generic;
        using System.Linq;
        using IBM.Watson.DeveloperCloud.Connection;
        using IBM.Watson.DeveloperCloud.Logging;
        using IBM.Watson.DeveloperCloud.Utilities;
        using IBM.WatsonDeveloperCloud.Assistant.v2;
        using UnityEngine;
        using TMPro;
        namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
        {
        public class ExampleAssistantV2b : MonoBehaviour
        {
        #region PLEASE SET THESE VARIABLES IN THE INSPECTOR
        [Space(10)]
        [Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
        [SerializeField]
        private string _serviceUrl;
        [Tooltip("The assistantId to run the example.")]
        [SerializeField]
        private string _assistantId;
        [Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
        [SerializeField]
        private string _versionDate;
        [Header("CF Authentication")]
        [Tooltip("The authentication username.")]
        [SerializeField]
        private string _username;
        [Tooltip("The authentication password.")]
        [SerializeField]
        private string _password;
        [Header("IAM Authentication")]
        [Tooltip("The IAM apikey.")]
        [SerializeField]
        private string _iamApikey;
        [Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
        [SerializeField]
        private string _iamUrl;
        #endregion
        private Assistant _service;
        private string _sessionId;
        public TMP_InputField query;
        public TextMeshProUGUI response;
        public List<string> testQueryList;
        public int queryNum = 0;
        private void Start()
        {
        LogSystem.InstallDefaultReactors();
        testQueryList = new List<string>()
        {
        "",
        "What are your hours?",
        "Are you open on Christmas?",
        "I would like to make an appointment",
        "Friday at 12pm",
        "yes"
        };
        Runnable.Run(CreateService());
        }
        private IEnumerator CreateService()
        {
        // Create credential and instantiate service
        Credentials credentials = null;
        if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
        {
        // Authenticate using username and password
        credentials = new Credentials(_username, _password, _serviceUrl);
        }
        else if (!string.IsNullOrEmpty(_iamApikey))
        {
        // Authenticate using iamApikey
        TokenOptions tokenOptions = new TokenOptions()
        {
        IamApiKey = _iamApikey,
        IamUrl = _iamUrl
        };
        credentials = new Credentials(tokenOptions, _serviceUrl);
        // Wait for tokendata
        while (!credentials.HasIamTokenData())
        yield return null;
        }
        else
        {
        throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
        }
        _service = new Assistant(credentials);
        _service.VersionDate = _versionDate;
        SessionCreate();
        }
        private void SessionCreate()
        {
        Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
        _service.CreateSession(OnCreateSession, OnFail, _assistantId);
        }
        private void Examples()
        {
        Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");
        MessageInput mi = new MessageInput(); // construct a messgae input
        //mi.Text = query.textComponent.text;
        mi.Text = testQueryList[queryNum];
        MessageRequest messageRequest = new MessageRequest() // construct a message request
        {
        Input = mi
        };
        Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);
        _service.Message(OnMessage, OnFail, _assistantId, _sessionId, messageRequest); // send a message request
        }
        private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
        {
        //response.text = _response.Output.Generic[0].Text; // trying to get response
        string assistantResponse = _response.Output.Generic[0].Text; // trying to get response
        Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", assistantResponse);
        queryNum++;
        }
        private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
        {
        Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
        _sessionId = response.SessionId;
        }
        private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
        {
        Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
        }
        public void PingAssitant()
        {
        Examples();
        }
        }
        }





        share|improve this answer













        @taj your develop branch at https://github.com/watson-developer-cloud/unity-sdk/archive/develop.zip is now working! Thank you for your commitment towards sorting this out. I do not have sufficient rep to upvote your answer but ya, Kudos!



        Working Code as provided by @taj on the WDC Slack channel:



        using System.Collections;
        using System.Collections.Generic;
        using System.Linq;
        using IBM.Watson.DeveloperCloud.Connection;
        using IBM.Watson.DeveloperCloud.Logging;
        using IBM.Watson.DeveloperCloud.Utilities;
        using IBM.WatsonDeveloperCloud.Assistant.v2;
        using UnityEngine;
        using TMPro;
        namespace IBM.Watson.DeveloperCloud.Services.Assistant.v2
        {
        public class ExampleAssistantV2b : MonoBehaviour
        {
        #region PLEASE SET THESE VARIABLES IN THE INSPECTOR
        [Space(10)]
        [Tooltip("The service URL (optional). This defaults to "https://gateway.watsonplatform.net/assistant/api"")]
        [SerializeField]
        private string _serviceUrl;
        [Tooltip("The assistantId to run the example.")]
        [SerializeField]
        private string _assistantId;
        [Tooltip("The version date with which you would like to use the service in the form YYYY-MM-DD.")]
        [SerializeField]
        private string _versionDate;
        [Header("CF Authentication")]
        [Tooltip("The authentication username.")]
        [SerializeField]
        private string _username;
        [Tooltip("The authentication password.")]
        [SerializeField]
        private string _password;
        [Header("IAM Authentication")]
        [Tooltip("The IAM apikey.")]
        [SerializeField]
        private string _iamApikey;
        [Tooltip("The IAM url used to authenticate the apikey (optional). This defaults to "https://iam.bluemix.net/identity/token".")]
        [SerializeField]
        private string _iamUrl;
        #endregion
        private Assistant _service;
        private string _sessionId;
        public TMP_InputField query;
        public TextMeshProUGUI response;
        public List<string> testQueryList;
        public int queryNum = 0;
        private void Start()
        {
        LogSystem.InstallDefaultReactors();
        testQueryList = new List<string>()
        {
        "",
        "What are your hours?",
        "Are you open on Christmas?",
        "I would like to make an appointment",
        "Friday at 12pm",
        "yes"
        };
        Runnable.Run(CreateService());
        }
        private IEnumerator CreateService()
        {
        // Create credential and instantiate service
        Credentials credentials = null;
        if (!string.IsNullOrEmpty(_username) && !string.IsNullOrEmpty(_password))
        {
        // Authenticate using username and password
        credentials = new Credentials(_username, _password, _serviceUrl);
        }
        else if (!string.IsNullOrEmpty(_iamApikey))
        {
        // Authenticate using iamApikey
        TokenOptions tokenOptions = new TokenOptions()
        {
        IamApiKey = _iamApikey,
        IamUrl = _iamUrl
        };
        credentials = new Credentials(tokenOptions, _serviceUrl);
        // Wait for tokendata
        while (!credentials.HasIamTokenData())
        yield return null;
        }
        else
        {
        throw new WatsonException("Please provide either username and password or IAM apikey to authenticate the service.");
        }
        _service = new Assistant(credentials);
        _service.VersionDate = _versionDate;
        SessionCreate();
        }
        private void SessionCreate()
        {
        Log.Debug("ExampleAssistantV2.Examples()", "Attempting to CreateSession");
        _service.CreateSession(OnCreateSession, OnFail, _assistantId);
        }
        private void Examples()
        {
        Log.Debug("ExampleAssistantV2.Examples()", "Attempting to Message");
        MessageInput mi = new MessageInput(); // construct a messgae input
        //mi.Text = query.textComponent.text;
        mi.Text = testQueryList[queryNum];
        MessageRequest messageRequest = new MessageRequest() // construct a message request
        {
        Input = mi
        };
        Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>Query: </b> <b>{0}</b>", messageRequest.Input.Text);
        _service.Message(OnMessage, OnFail, _assistantId, _sessionId, messageRequest); // send a message request
        }
        private void OnMessage(MessageResponse _response, Dictionary<string, object> customData)
        {
        //response.text = _response.Output.Generic[0].Text; // trying to get response
        string assistantResponse = _response.Output.Generic[0].Text; // trying to get response
        Log.Debug("ExampleAssistantV2.OnDeleteSession()", "<b>RESPONSE: </b> <b>{0}</b>", assistantResponse);
        queryNum++;
        }
        private void OnCreateSession(SessionResponse response, Dictionary<string, object> customData)
        {
        Log.Debug("ExampleAssistantV2.OnCreateSession()", "Session: <b>{0}</b>", response.SessionId);
        _sessionId = response.SessionId;
        }
        private void OnFail(RESTConnector.Error error, Dictionary<string, object> customData)
        {
        Log.Debug("ExampleAssistantV2.OnFail()", "Call failed: {0}: {1}", error.ErrorCode, error.ErrorMessage);
        }
        public void PingAssitant()
        {
        Examples();
        }
        }
        }






        share|improve this answer












        share|improve this answer



        share|improve this answer










        answered Nov 22 '18 at 22:09









        Ani NandavarAni Nandavar

        234




        234






























            draft saved

            draft discarded




















































            Thanks for contributing an answer to Stack Overflow!


            • Please be sure to answer the question. Provide details and share your research!

            But avoid



            • Asking for help, clarification, or responding to other answers.

            • Making statements based on opinion; back them up with references or personal experience.


            To learn more, see our tips on writing great answers.




            draft saved


            draft discarded














            StackExchange.ready(
            function () {
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53285545%2fgetting-same-response-to-any-query-in-watson-assistant-v2-watson-unity-sdk%23new-answer', 'question_page');
            }
            );

            Post as a guest















            Required, but never shown





















































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown

































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown







            這個網誌中的熱門文章

            Hercules Kyvelos

            Tangent Lines Diagram Along Smooth Curve

            Yusuf al-Mu'taman ibn Hud