我有一个POJO
类实现Serializable
我想通过帮助activity
和Intent
将此课程的对象转移到另一个Bundle
。
我在传输之前检查了对象,它不是null。 (正确获取属性之一)
把
private void onFriendClick(FriendHolder holder, int position) {
Intent intent = new Intent(context, ProfileActivity.class);
Bundle extra = new Bundle();
extra.putSerializable(Consts.KEY_USER_JSON, friendList.get(position));
intent.putExtra(Consts.KEY_USER_JSON, extra);
Log.e("onFriendClick", String.valueOf(friendList.get(position).getName()));
context.startActivity(intent);
}
从其他活动中获取:
private void setupProfile() {
Bundle extras = getIntent().getExtras();
if (extras != null) {
profile = (ProfileDTO) getIntent().getSerializableExtra(Consts.KEY_USER_JSON);
Log.e("onFriendClick", String.valueOf(profile.getName()));//NPE this
} else profile = user.getProfile();
}
引起:java.lang.NullPointerException:尝试调用虚拟 方法'java.lang.String 空对象上的ru.techmas.getmeet.api.models.ProfileDTO.getName()' 参考 在ru.techmas.getmeet.activities.ProfileActivity.setupJsonProfile(ProfileActivity.java:103)
答案 0 :(得分:1)
您无需创建Bundle
。
尝试做:
private void onFriendClick(FriendHolder holder, int position) {
Intent intent = new Intent(context, ProfileActivity.class);
intent.putExtra(Consts.KEY_USER_JSON, friendList.get(position));
Log.e("onFriendClick", String.valueOf(friendList.get(position).getName()));
context.startActivity(intent);
}
private void setupProfile() {
if (getIntent().getSerializableExtra(Consts.KEY_USER_JSON) != null) {
profile = (ProfileDTO) getIntent().getSerializableExtra(Consts.KEY_USER_JSON);
Log.e("onFriendClick", String.valueOf(profile.getName()));//NPE this
} else {
profile = user.getProfile();
}
}
但如果仍想使用Bundle
,则应替换您发布的代码:
profile = (ProfileDTO) getIntent().getSerializableExtra(Consts.KEY_USER_JSON);
人:
profile = (ProfileDTO) extras.getSerializableExtra(Consts.KEY_USER_JSON);