我在几个活动中使用下一个摄像头代码,我想创建一个类,用于封装在Android中使用摄像头的方法。
我想要得到的是Activity类是这样的:
Public class Myfragment extends Fragment{
@Nullable
@Override
public View onCreateView(@NonNull LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.profile_fragment, container, false);
mButtonProfilePhoto = v.findViewById(R.id.buttonProfilePhoto);
mButtonProfilePhoto.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
//Here I call the camera intent.
Camera.dispatchTakePictureIntent(getActivity(), mPhotoFile);
}
});
return v;
}
@Override
public void onActivityResult(int requestCode, int resultCode, Intent data) {
//handle the camera result
}
Camera类看起来像这样:
public class Camera{
public static void dispatchTakePictureIntent(Activity activity, File file) {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
// Ensure that there's a camera activity to handle the intent
if (takePictureIntent.resolveActivity(activity.getPackageManager()) != null) {
// Create the File where the photo should go
file = null;
try {
file = Camera.createImageFile(activity);
} catch (IOException ex) {
// Error occurred while creating the File
}
// Continue only if the File was successfully created
if (file != null) {
Uri photoURI = FileProvider.getUriForFile(activity,
"com.itcom202.weroom.fileprovider",
file );
takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, photoURI);
startActivityForResult( takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
}
}
我现在面临的问题是,我从来没有从onActivityResult
那里收到来自片段的回电。
OS不支持将onActivityResult()
发送到Fragment
。但是,支持库有一种机制可以将调用注册到AppCompatActivity
中的特殊表。这里的诀窍是你必须使用Fragment
自己的startActivityForResult()
,而不是Activity
的那个。
所以,你的Camera
类代码应如下所示:
public class Camera{
public static void dispatchTakePictureIntent(Activity activity, Fragment fragment, File file) {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
// Ensure that there's a camera activity to handle the intent
if (takePictureIntent.resolveActivity(activity.getPackageManager()) != null) {
// Create the File where the photo should go
file = null;
try {
file = Camera.createImageFile(activity);
} catch (IOException ex) {
// Error occurred while creating the File
}
// Continue only if the File was successfully created
if (file != null) {
Uri photoURI = FileProvider.getUriForFile(activity,
"com.itcom202.weroom.fileprovider",
file );
takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, photoURI);
fragment.startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
}
}
注意最后一行是使用Fragment
的startActivityForResult()