Goofy
Goofy

Reputation: 6128

Load the pdf file in app from assets

I have a PDF file stored in my assets. I want to load the PDF from my assets and read it in the app itself without using any 3rd party app to view.

I got the solution in this link. It works fine when selecting files from sdcard.

Upvotes: 0

Views: 8427

Answers (2)

Amalan Dhananjayan
Amalan Dhananjayan

Reputation: 2287

Its better if you can open it using a webview

WebView web = (WebView) findViewById(R.id.webView1);

web.loadUrl("file:///android_asset/yourpdf.pdf");

Hope it works.

Ooops just now I checked, the pdf cannot be loaded in the web view Sorry

Upvotes: 1

Usama Sarwar
Usama Sarwar

Reputation: 9020

Following snippet might help you accessing files from asset folder and then open it:

private void ReadFromAssets()
{
    AssetManager assetManager = getAssets();

    InputStream in = null;
    OutputStream out = null;
    File file = new File(getFilesDir(), "file.pdf");
    try
    {
        in = assetManager.open("file.pdf");
        out = openFileOutput(file.getName(), Context.MODE_WORLD_READABLE);

        copyFile(in, out);
        in.close();
        in = null;
        out.flush();
        out.close();
        out = null;
    } catch (Exception e)
    {
        Log.e("tag", e.getMessage());
    }

    Intent intent = new Intent(Intent.ACTION_VIEW);
    intent.setDataAndType(
            Uri.parse("file://" + getFilesDir() + "/file.pdf"),
            "application/pdf");

    startActivity(intent);
}

and copyFile method is as follows:

private void copyFile(InputStream in, OutputStream out) throws IOException
{
    byte[] buffer = new byte[1024];
    int read;
    while ((read = in.read(buffer)) != -1)
    {
        out.write(buffer, 0, read);
    }
}

EDIT

For that purpose you'll have to use an ecternal library. It's explained quite well in the link below: Render a PDF file using Java on Android

Hope this will help you.

Upvotes: 2

Related Questions