Android图灵机器人的实现(一)_安卓案例剖析图灵机器人-程序员宅基地

技术标签: android  图灵机器人  android开发笔记  

    前二天,看了Android 智能问答机器人的实现的博文,我们可以进入图灵机器人主页,根据平台接入的介绍,我们知道,主是要在客户端按一定的格式(key 必须 + userid get 非必须,上下文功能必须 +info get 必须,请求内容 + loc get 非必须,位置信息 + lon get 非必须,经度 + lat get 非必须,纬度,),发送一个消息请求(请求方式: http get),数据返回(JSON格式),所以, 我只要解析返回的json格式的数据,并根据返回的数据返回码(code),来分类解析对应种类的数据,并把他们显示出来就OK了。

  上一篇博文是api接入,是自己写的一个http get方法,在这个例子中,本来我打算采用官方的java平台接入,发现官方给的api有问题,我就参照网上的资料,自己写了一个api接入方法,有兴趣的,可以看看。

1.效果图:




2.MainActivity.java----主界面类

这个界面,主要是一个listview--显示用户和机器人的对话信息,还有一个就是edittext和发送button.

package com.example.smartrobot;

import java.util.ArrayList;
import java.util.Date;
import java.util.List;
import com.example.smartrobot.ChatMessage.Type;
import android.app.Activity;
import android.content.Context;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.text.TextUtils;
import android.view.View;
import android.view.Window;
import android.view.inputmethod.InputMethodManager;
import android.widget.EditText;
import android.widget.ListView;
import android.widget.Toast;

//http://blog.csdn.net/lmj623565791/article/details/38498353
//http://www.tuling123.com/openapi/cloud/access_api.jsp
//http://tech.ddvip.com/2013-08/1375807684200390.html

public class MainActivity extends Activity
{

	private ListView mChatView;
	private EditText mMsg;
	private List<ChatMessage> mDatas = new ArrayList<ChatMessage>();
	private ChatMessageAdapter mAdapter;

	private Handler mHandler = new Handler()
	{
		public void handleMessage(android.os.Message msg)
		{
			ChatMessage from = (ChatMessage) msg.obj;
			mDatas.add(from);
			mAdapter.notifyDataSetChanged();
			mChatView.setSelection(mDatas.size() - 1);
		};
	};

	@Override
	protected void onCreate(Bundle savedInstanceState)
	{
		super.onCreate(savedInstanceState);
		requestWindowFeature(Window.FEATURE_NO_TITLE);
		setContentView(R.layout.main_chatting);		
		initView();		
		mAdapter = new ChatMessageAdapter(this, mDatas);
		mChatView.setAdapter(mAdapter);
	}

	private void initView()
	{
		mChatView = (ListView) findViewById(R.id.id_chat_listView);
		mMsg = (EditText) findViewById(R.id.id_chat_msg);
		mDatas.add(new ChatMessage(Type.INPUT, "hello,I'm very glad to serve you"));
	}

	public void sendMessage(View view)
	{
		final String msg = mMsg.getText().toString();
		if (TextUtils.isEmpty(msg))
		{
			Toast.makeText(this, "You do not have to fill in the information", 
					Toast.LENGTH_SHORT).show();
			return;
		}

		ChatMessage to = new ChatMessage(Type.OUTPUT, msg);
		to.setDate(new Date());
		mDatas.add(to);

		mAdapter.notifyDataSetChanged();
		mChatView.setSelection(mDatas.size() - 1);

		mMsg.setText("");

		new Thread()
		{
			public void run()
			{
				ChatMessage from = null;
				try
				{
					//from = HttpUtils.sendMsg(msg);
					from = HttpUtils.sendMessageByExample(msg);
				} catch (Exception e)
				{
					from = new ChatMessage(Type.INPUT, "Server hang...");
				}
				Message message = Message.obtain();
				message.obj = from;
				mHandler.sendMessage(message);
			};
		}.start();
	}
}


3.HttpUtils.java-----消息接受和解析类

其中方法sendMsg和sendMessageByExample是验证可用的方法,但是参考官方文档的java接入api:  sendMessageByExample02测试通不过。


package com.example.smartrobot;

import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.UnsupportedEncodingException;
import java.net.HttpURLConnection;
import java.net.URL;
import java.net.URLEncoder;
import java.util.Date;

import org.apache.http.HttpResponse;
import org.apache.http.ParseException;
import org.apache.http.client.ClientProtocolException;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.util.EntityUtils;

import android.util.Log;

import com.example.smartrobot.ChatMessage.Type;
import com.google.gson.Gson;

public class HttpUtils
{
	public static final String TAG = "HttpUtils";
	
	public static String API_KEY = "534dc342ad15885dffc10d7b5f813451";	
	public static final String api_key_my = "5c21eaa5c118d25065c3e1f058942581";	
	public static String URL = "http://www.tuling123.com/openapi/api";

	public static ChatMessage sendMsg(String msg)
	{
		ChatMessage message = new ChatMessage();
		String url = setParams(msg);
		String res = doGet(url);
		Gson gson = new Gson();
		Result result = gson.fromJson(res, Result.class);
		String text = null;
		if (result.getCode() > 400000 || result.getText() == null|| result.getText().trim().equals(""))
		{
			text = "The function waiting for the development ...";
		}else
		{
			text = result.getText();
		}
		message.setMsg(text);
		message.setType(Type.INPUT);
		message.setDate(new Date());		
		return message;
	}

	private static String setParams(String msg)
	{
		try
		{
			msg = URLEncoder.encode(msg, "UTF-8");
		} catch (UnsupportedEncodingException e)
		{
			e.printStackTrace();
		}
		return URL + "?key=" + API_KEY + "&info=" + msg;
	}

	private static String doGet(String urlStr)
	{
		URL url = null;
		HttpURLConnection conn = null;
		InputStream is = null;
		ByteArrayOutputStream baos = null;
		try
		{
			url = new URL(urlStr);
			conn = (HttpURLConnection) url.openConnection();
			conn.setReadTimeout(5 * 1000);
			conn.setConnectTimeout(5 * 1000);
			conn.setRequestMethod("GET");
			if (conn.getResponseCode() == 200)
			{
				is = conn.getInputStream();
				baos = new ByteArrayOutputStream();
				int len = -1;
				byte[] buf = new byte[128];
				while ((len = is.read(buf)) != -1)
				{
					baos.write(buf, 0, len);
				}
				baos.flush();
				return baos.toString();
			} else
			{
				throw new CommonException("The server connection error");
			}
		} catch (Exception e)
		{
			e.printStackTrace();
			throw new CommonException("The server connection error");
		} finally
		{
			try
			{
				if (is != null)
					is.close();
			} catch (IOException e)
			{
				e.printStackTrace();
			}

			try
			{
				if (baos != null)
					baos.close();
			} catch (IOException e)
			{
				e.printStackTrace();
			}
			conn.disconnect();
		}
	}
		
	public static ChatMessage sendMessageByExample(String msg){
		
		ChatMessage message = new ChatMessage();		
	    String requesturl = setParams(msg);	  	    
	    String res = doGetByExample(requesturl);
	    message.setMsg(res);
		message.setType(Type.INPUT);
		message.setDate(new Date());		
		return message;
	}

	
	private static String doGetByExample(String requesturl) {
		// TODO Auto-generated method stub	
		HttpGet request = new HttpGet(requesturl); 
	    HttpResponse response = null;
		try {		
		    HttpClient httpClient = new DefaultHttpClient();    
		    response = httpClient.execute(request);   
		    Log.i(TAG, "response.toString():"+response.toString());
		} catch (ClientProtocolException e) {
			// TODO Auto-generated catch block
			Log.i(TAG, "e--2:"+e.toString());
			e.printStackTrace();
			return null;
		} catch (IOException e) {
			// TODO Auto-generated catch block
			Log.i(TAG, "e--3:"+e.toString());
			e.printStackTrace();
			return null;
		} 		
		
	    //200 is right return codes
	    if(response.getStatusLine().getStatusCode() == 200){ 
	    	try {
				String res = EntityUtils.toString(response.getEntity());
				Log.i(TAG, "res:"+res);
				Gson gson = new Gson();
				Result result = gson.fromJson(res, Result.class);
				Log.i(TAG, "result.toString():"+result.toString());
				if (result.getCode() > 400000 || result.getText() == null|| result.getText().trim().equals(""))
				{
					return "The function waiting for the development ...";
				}else
				{
					Log.i(TAG, "result.getText():"+result.getText());
					return result.getText();					
				}			
			} catch (ParseException e) {
				// TODO Auto-generated catch block
				e.printStackTrace();
				return null;
			} catch (IOException e) {
				// TODO Auto-generated catch block
				e.printStackTrace();
				return null;
			}
	    }else{
	    	return null;
	    }
		
	}


	public static ChatMessage sendMessageByExample02(String msg){

		ChatMessage message = new ChatMessage();	    
	    String requesturl = setParams(msg);	 	    
	    HttpGet request = new HttpGet(requesturl); 
	    HttpResponse response = null;
		try {
			response = HttpClients.createDefault().execute(request);
		} catch (ClientProtocolException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		} catch (IOException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		} 
		String result = null;
	    //200 is right return codes
	    if(response.getStatusLine().getStatusCode() == 200){ 	        
			try {
				result = EntityUtils.toString(response.getEntity());
			} catch (ParseException e) {
				// TODO Auto-generated catch block
				Log.i(TAG, "e--4:"+e.toString());
				e.printStackTrace();
			} catch (IOException e) {
				// TODO Auto-generated catch block
				Log.i(TAG, "e--5:"+e.toString());
				e.printStackTrace();
			} 
	    }else
		{
	    	result = "The function waiting for the development ...";
		} 	    
	    message.setMsg(result);
		message.setType(Type.INPUT);
		message.setDate(new Date());		
		return message;
	}	
}

4.ChatMessage----消息类的对象

package com.example.smartrobot;

import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.Date;

public class ChatMessage
{
	private Type type ;
	private String msg;
	private Date date;
	private String dateStr;
	private String name;

	public enum Type
	{
		INPUT, OUTPUT
	}

	public ChatMessage()
	{
	}

	public ChatMessage(Type type, String msg)
	{
		super();
		this.type = type;
		this.msg = msg;
		setDate(new Date());
	}

	public String getDateStr()
	{
		return dateStr;
	}

	public Date getDate()
	{
		return date;
	}

	public void setDate(Date date)
	{
		this.date = date;
		DateFormat df = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss E");
		this.dateStr = df.format(date);

	}

	public String getName()
	{
		return name;
	}

	public void setName(String name)
	{
		this.name = name;
	}

	public Type getType()
	{
		return type;
	}

	public void setType(Type type)
	{
		this.type = type;
	}

	public String getMsg()
	{
		return msg;
	}

	public void setMsg(String msg)
	{
		this.msg = msg;
	}

}

5.ChatMessageAdapter.java----listview的适配器

package com.example.smartrobot;

import java.util.List;
import com.example.smartrobot.ChatMessage.Type;
import android.content.Context;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.BaseAdapter;
import android.widget.TextView;

public class ChatMessageAdapter extends BaseAdapter
{
	private LayoutInflater mInflater;
	private List<ChatMessage> mDatas;

	public ChatMessageAdapter(Context context, List<ChatMessage> datas)
	{
		mInflater = LayoutInflater.from(context);
		mDatas = datas;
	}

	@Override
	public int getCount()
	{
		return mDatas.size();
	}

	@Override
	public Object getItem(int position)
	{
		return mDatas.get(position);
	}

	@Override
	public long getItemId(int position)
	{
		return position;
	}

	@Override
	public int getItemViewType(int position)
	{
		ChatMessage msg = mDatas.get(position);
		return msg.getType() == Type.INPUT ? 1 : 0;
	}

	@Override
	public int getViewTypeCount()
	{
		return 2;
	}

	@Override
	public View getView(int position, View convertView, ViewGroup parent)
	{
		ChatMessage chatMessage = mDatas.get(position);
		ViewHolder viewHolder = null;
		if (convertView == null)
		{
			viewHolder = new ViewHolder();
			if (chatMessage.getType() == Type.INPUT)
			{
				convertView = mInflater.inflate(R.layout.main_chat_from_msg,parent, false);
				viewHolder.createDate = (TextView) convertView.findViewById(R.id.chat_from_createDate);
				viewHolder.content = (TextView) convertView.findViewById(R.id.chat_from_content);
				convertView.setTag(viewHolder);
			} else
			{
				convertView = mInflater.inflate(R.layout.main_chat_send_msg,null);
				viewHolder.createDate = (TextView) convertView.findViewById(R.id.chat_send_createDate);
				viewHolder.content = (TextView) convertView.findViewById(R.id.chat_send_content);
				convertView.setTag(viewHolder);
			}
		} else
		{
			viewHolder = (ViewHolder) convertView.getTag();
		}
		viewHolder.content.setText(chatMessage.getMsg());
		viewHolder.createDate.setText(chatMessage.getDateStr());
		return convertView;
	}

	private class ViewHolder
	{
		public TextView createDate;
		public TextView name;
		public TextView content;
	}
}


6.Result----解析返回的json数据

package com.example.smartrobot;

public class Result
{
	private int code;
	private String text;

	public Result()
	{
	}
	
	public Result(int resultCode, String msg)
	{
		this.code = resultCode;
		this.text = msg;
	}

	public Result(int resultCode)
	{
		this.code = resultCode;
	}

	public int getCode()
	{
		return code;
	}

	public void setCode(int code)
	{
		this.code = code;
	}

	public String getText()
	{
		return text;
	}

	public void setText(String text)
	{
		this.text = text;
	}

}

7.不足和待完善的地方:

   (1)返回的数据解析:

    从官方api来看,返回的数据json格式分为许多种类,我们应该针对各个种类来分别解析,并且很友好的在界面显示出来。而我们只是把json的code和text解析出来了,后面的其它数据,是没有解析的。当然了, 这个数据解析不是怎么特别难,参考样例,我们分类解析就OK了。

  (2)解析完数据,我们应该采用什么方式来管理返回的数据,解析返回的数据,并把这些数据显示在界面中呢?当然,有一个笨的方法,就是采用一个一个针对功能的方法来实现,但是,编程经验告诉我们,我们应该采用针对接口的方法来实现这一部分。我可能采用的方案是观察者模式来管理,过滤和实时显示数据,这部分,有时间再来做吧。

  

8.源码下载地址:

http://download.csdn.net/download/hfreeman2008/8211255

9.参考资料:

(1)Android 智能问答机器人的实现

http://blog.csdn.net/lmj623565791/article/details/38498353

(2)图灵机器人平台接入

http://www.tuling123.com/openapi/cloud/access_api.jsp

(3)Android 网络操作常用的两个类

http://tech.ddvip.com/2013-08/1375807684200390.html

版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/hfreeman2008/article/details/41629137

智能推荐

预训练技术在美团到店搜索广告中的应用-程序员宅基地

文章浏览阅读463次。猜你喜欢0、2021年轻人性生活调研报告1、如何搭建一套个性化推荐系统?2、从零开始搭建创业公司后台技术栈3、2021年10月份热门报告免费下载4、微博推荐算法实践与机器学习平台演进5、..._prop: pre-training with representative words prediction for ad-hoc retrieval

STM32+BM8563时钟芯片不走时问题解决(含配置代码)_bm8563esa stm32 代码-程序员宅基地

文章浏览阅读7.8k次,点赞2次,收藏34次。STM32+BM8563时钟芯片不走时问题解决(含配置代码)一、寄存器BM8563是一款低功耗CMOS实时时钟/日历芯片,它提供一个可编程的时钟输出,一个中断输出和一个掉电检测器,所有的地址和数据都通过I2C总线接口串行传递。最大总线速度为400Kbits/s,每次读写数据后,内嵌的字地址寄存器会自动递增。BM8563有16个寄存器,其中11个是BCD格式。配置是要注意值范围,不能超出。更多具体应用请看官方手册。二、晶振晶振选择非常重要。32.768不用说了,主要是ESR值,不能小了,也不能太大_bm8563esa stm32 代码

利用VGG16网络模块进行迁移学习,实操(附源码)_vgg16迁移学习-程序员宅基地

文章浏览阅读1.6w次,点赞27次,收藏170次。原文代码+Food_5K数据集,提取码:zws7什么是迁移学习当数据集没有大到足以训练整个CNN网络时,通常可以对预训练好的imageNet网络(如VGG16,Inception-v3等)进行调整以适应新任务。通常来说,迁移学习有两种类型:特征提取 微调(fine-tuning)第一种迁移学习是将预训练的网络视为一个任意特征提取器。图片经过输入层,然后前向传播,最后在指定层停......_vgg16迁移学习

SpringBoot第十九篇:邮件服务_springboot mail-程序员宅基地

文章浏览阅读643次。作者:追梦1819原文:https://blog.csdn.net/weixin_39759846/article/details/94428903版权声明:本文为博主原创文章,转载请附上博文链接!引言  邮件的重要性也无需多说了,例如注册验证,消息通知,系统异常提醒等,都离不开邮件的发送。版本信息JDK:1.8 SpringBoot :2.1.4.RELEASE m..._springboot mail

PID 控制器代码实现_pid源码-程序员宅基地

文章浏览阅读1.6k次,点赞2次,收藏7次。PID 控制器代码实现PID 控制器代码实现效果展示实现代码PID 控制器代码实现PID:比列(Proportion),积分(Integral),微分(Differential)偏差 e:某时刻的系统的输出值(output)和目标值(target)之差Kp: 比列系数Ki: 积分系数Kd: 微分系数Ti: 积分时间Td: 微分时间比例系数Kp:增大比例系数使系统反应灵敏,调节速度加快,并且可以减小稳态误差。但是比例系数过大会使超调量增大,振荡次数增加,调节时间加长,动态性能变坏,比例系数_pid源码

mysql order by根据某一个字符串字段排序的问题_convert( a.province using gbk ) collate gbk_chines-程序员宅基地

文章浏览阅读1.6k次。mysql 在根据某一个字符串字段进行排序的时候,往往没法按照字母进行排序,这时候需要在oder by后面更换成以下形式就可以按照字母就行排序了ORDER BY CONVERT(c.NAME USING gbk) COLLATE gbk_chinese_ci ASC;CONVERT(c.NAME USING gbk) 表示把该字段按照gbk进行重新编码;COLLATE gbk_chines..._convert( a.province using gbk ) collate gbk_chinese_ci asc

随便推点

再见 Dockerfile,是时候拥抱下一代新型镜像构建技术 Buildpacks 了-程序员宅基地

文章浏览阅读323次。公众号关注「奇妙的 Linux 世界」设为「星标」,每天带你玩转 Linux !云原生正在吞并软件世界,容器改变了传统的应用开发模式,如今研发人员不仅要构建应用,还要使用 Dockerf..._dockerfile online editor

mmseg 增加词库_mmseg 新增词库-程序员宅基地

文章浏览阅读998次。/usr/local/mmseg/etc这个目录下1、了解几个文件mmseg.ini unigram.txt uni.libuni.lib --------- 编译后的词库unigram.txt ---- 原词库给人看的, 在这里面添加词库2、添加词条海斯队 1x:1丝路 1x:1令人心悸 1x:13、重新编_mmseg 新增词库

FAST特征点检测_fast 特征检测-程序员宅基地

文章浏览阅读1.3k次。一、原始检测方法具体内容如下: 判别特征点pp是否是一个特征点,可以通过判断以该点为中心画圆,该圆过16个像素点。设在圆周上的16个像素点中是否最少有nn个连续的像素点满足都比Ip+tIp+t大,或者都比Ip−tIp−t小。(这里IpIp指的点pp的灰度值,tt是一个阈值)如果满足这样的要求,则判断pp是一个特征点,否则pp不是。在原论文中nn的值一般设为12。 如下图所示: 由于在检测特征点时..._fast 特征检测

Oracle查询客户端编码集_oracle 获取机器码-程序员宅基地

文章浏览阅读3.7k次。Oracle查询客户端编码集SQL> select userenv('language') from dual; USERENV('LANGUAGE')----------------------------------------------------AMERICAN_AMERICA.ZHS16GBK_oracle 获取机器码

前后端常见的几种鉴权方式_强鉴权-程序员宅基地

文章浏览阅读458次。最近在重构公司以前产品的前端代码,摈弃了以前的session-cookie鉴权方式,采用token鉴权,忙里偷闲觉得有必要对几种常见的鉴权方式整理一下。 目前我们常用的鉴权有四种: HTTP Basic Authenticationsession-cookieT..._强鉴权

try3-2-程序员宅基地

文章浏览阅读1.4k次。あIOC:国際オリンピック委い員会 IOC: International Olympic Committee 国际奥林匹克委员会愛情 love, affection 爱情アイディア ...

推荐文章

热门文章

相关标签