所以我要设置按钮颜色。它是这样的:
if (D) {Log.d(TAG, "color =" + bytes);};
int c = Color.argb(bytes[4], bytes[3], bytes[2], bytes[1]);
btnStart.setBackgroundColor(c);
if (D) {Log.d(TAG, "color " + bytes[4]+ bytes[3]+bytes[2]+ bytes[1]);};
break;
我得到以下输出到LogCat: color = [B @ 40534710 颜色-1-1-1-1 怎么回事?我期待在数组中看到一些其他值,而不是-1 ...
这里是完整的代码
mainHandler=new Handler(){
public void handleMessage(Message msg) {
switch (msg.what){
case TOAST:
Bundle bundle = msg.getData();
String string = bundle.getString("myKey");
Toast.makeText(getApplicationContext(), string, Toast.LENGTH_SHORT).show();
break;
case NEW_SMS:
if (D) {Log.d(TAG, "newSms recieved");}
byte[] bytes =(byte[]) msg.obj;
switch (bytes[0]){
case SMS_TEXT:
bytes = shiftArrayToLeft(bytes);
String readMessage = new String(bytes, 0, msg.arg1);
txtView.setText(readMessage);
break;
case SMS_COLOR:
if (D) {Log.d(TAG, "color =" + bytes);};
//LinearLayout lLayout = (LinearLayout) findViewById(R.id.lLayout);
int c = Color.argb(bytes[4], bytes[3], bytes[2], bytes[1]);
btnStart.setBackgroundColor(c);
if (D) {Log.d(TAG, "color " + bytes[4]+ bytes[3]+bytes[2]+ bytes[1]);};
break;
}
}
}};
这是处理蓝牙消息的处理程序
答案 0 :(得分:1)
bytes
数组的类型是什么?如果它是byte[]
的数组,则表示您遇到问题,因为byte
是有符号整数,范围从-128到127,而Color.argb()
构造函数需要4 int
} s在0到255的范围内。这意味着如果字节数组的任何元素包含负值,Color.argb()
调用将失败。文档说:
这些组件值应为[0..255],但没有执行范围检查,因此如果它们超出范围,则返回的颜色未定义。
无论如何,Java中没有无符号字节类型,因此您必须手动确保将值从-128转换为127范围到0到255范围内的整数。这样的事情应该有效:
int c = Color.argb(((int)bytes[4]) % 256, ((int)bytes[3]) % 256, ((int)bytes[2]) % 256, ((int)bytes[1]) % 256);
可能有更优雅的解决方案,但这至少可以确认这是否是您的问题。