Google डॉक्स का उपयोग करके एक पीडीएफ खोलना उपयोगकर्ता अनुभव के मामले में एक बुरा विचार है। यह वास्तव में धीमी और अनुत्तरदायी है।
एपीआई 21 के बाद समाधान
Api 21 के बाद से, हमारे पास PdfRenderer है जो एक पीडीएफ को Bitmap में बदलने में मदद करता है। मैंने इसका कभी उपयोग नहीं किया है लेकिन यह काफी आसान है।
किसी भी एपीआई स्तर के लिए समाधान
अन्य समाधान पीडीएफ डाउनलोड करना है और इसे एक समर्पित पीडीएफ ऐप के इरादे से पारित करना है जो इसे प्रदर्शित करने वाला एक धमाकेदार काम करेगा। तेज और अच्छा उपयोगकर्ता अनुभव, खासकर अगर यह सुविधा आपके ऐप में केंद्रीय नहीं है।
पीडीएफ को डाउनलोड करने और खोलने के लिए इस कोड का उपयोग करें
public class PdfOpenHelper {
public static void openPdfFromUrl(final String pdfUrl, final Activity activity){
Observable.fromCallable(new Callable<File>() {
@Override
public File call() throws Exception {
try{
URL url = new URL(pdfUrl);
URLConnection connection = url.openConnection();
connection.connect();
// download the file
InputStream input = new BufferedInputStream(connection.getInputStream());
File dir = new File(activity.getFilesDir(), "/shared_pdf");
dir.mkdir();
File file = new File(dir, "temp.pdf");
OutputStream output = new FileOutputStream(file);
byte data[] = new byte[1024];
long total = 0;
int count;
while ((count = input.read(data)) != -1) {
total += count;
output.write(data, 0, count);
}
output.flush();
output.close();
input.close();
return file;
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
})
.subscribeOn(Schedulers.io())
.observeOn(AndroidSchedulers.mainThread())
.subscribe(new Subscriber<File>() {
@Override
public void onCompleted() {
}
@Override
public void onError(Throwable e) {
}
@Override
public void onNext(File file) {
String authority = activity.getApplicationContext().getPackageName() + ".fileprovider";
Uri uriToFile = FileProvider.getUriForFile(activity, authority, file);
Intent shareIntent = new Intent(Intent.ACTION_VIEW);
shareIntent.setDataAndType(uriToFile, "application/pdf");
shareIntent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
if (shareIntent.resolveActivity(activity.getPackageManager()) != null) {
activity.startActivity(shareIntent);
}
}
});
}
}
काम करने के इरादे के लिए, आपको फ़ाइल खोलने के लिए प्राप्त एप्लिकेशन को अनुमति देने के लिए एक FileProvider बनाने की आवश्यकता है ।
यहाँ आप इसे कैसे लागू करते हैं: अपने घोषणापत्र में:
<provider
android:name="android.support.v4.content.FileProvider"
android:authorities="${applicationId}.fileprovider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths" />
</provider>
अंत में संसाधनों की फाइलर में एक file_paths.xml फ़ाइल बनाएँ
<?xml version="1.0" encoding="utf-8"?>
<paths>
<files-path name="shared_pdf" path="shared_pdf"/>
</paths>
आशा है कि यह मदद करता है =)