我创建了一个应用程序来拍摄当前屏幕的屏幕截图,然后在新活动中打开图像。出于某种原因,当我想打开新活动以查看图片时,我的应用程序崩溃了。这是我的代码:
public static Bitmap getScreenShot(View view) {
View screenView = view.getRootView();
screenView.setDrawingCacheEnabled(true);
Bitmap bitmap = Bitmap.createBitmap(screenView.getDrawingCache());
screenView.setDrawingCacheEnabled(false);
return bitmap;
}
这是获取图像的onSave方法,用于在另一个活动中设置和显示图像:
public void onSave(View view){
Bitmap bm = getScreenShot(view);
ImageView view= (ImageView) findViewById(R.id.newView);
view.setImageBitmap(bm);
Intent saveIntent = new Intent(this, SavePicture.class);
startActivity(saveIntent);
}
这是saveIntent活动XML代码:
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:orientation="vertical" android:layout_width="match_parent"
android:layout_height="match_parent">
<ImageView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_centerVertical="true"
android:layout_centerHorizontal="true"
android:id="@+id/saveView"
android:contentDescription=""
tools:ignore="ContentDescription" />
</RelativeLayout>
和MANIFEST
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.krypttech.gallery">
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE"/>
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<activity android:name=".SavePicture">
</activity>
</application>
</manifest>
答案 0 :(得分:0)
看来,这段代码崩溃了
ImageView view= (ImageView) findViewById(R.id.newView);
view.setImageBitmap(bm);
原因:
view
为null
。
评论
之前我曾说过,由于bm
为null
,应用程序可能会崩溃。但@greenapps在评论中说错了。这就是为什么我改变了帖子并删除了这个“可能”的选择。
答案 1 :(得分:0)
所以我通过将Bitmap传递给Intent来解决这个问题。不得不将Bitmap压缩为字节。
public void onSave(View view){
Bitmap bm = getScreenShot(view);
ByteArrayOutputStream stream = new ByteArrayOutputStream();
bm.compress(Bitmap.CompressFormat.PNG, 100, stream);
byte[] byteArray = stream.toByteArray();
Intent previewIntent = new Intent(this, SavePicture.class);
previewIntent.putExtra("Bitmap", byteArray);
startActivity(previewIntent);
}
然后这是接收活动
public class SavePicture extends AppCompatActivity{
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.save_activity);
byte[] byteArray = getIntent().getByteArrayExtra("Bitmap");
Bitmap bm = BitmapFactory.decodeByteArray(byteArray, 0, byteArray.length);
ImageView saveView = (ImageView) findViewById(R.id.saveView);
saveView.setImageBitmap(bm);
}
}