本文介紹了如何在Android中使用PdfDocument從具有適當多行和多頁的長字符串生成PDF?的處理方法,對大家解決問題具有一定的參考價值,需要的朋友們下面隨著小編來一起學習吧!
問題描述
我有一個很長的字符串,它可以是連續的,沒有空格也可以不連續,如果需要,它應該自動生成具有多頁和適當多行的pdf。
我首先嘗試使用油漆,但只打印了一行溢出文本的內容。使用StaticLayout解決了此問題,并獲得了適當的多行,但現在文本從下方溢出。
我搜索了很多次,但沒有找到確切的iText,我不想將iText作為其唯一的開源項目。
推薦答案
這個解決方案,我使用簡單的PdfDocument和StaticLayout解決了這個問題,而不使用任何外部付費庫。正如我在我的問題中所說的,問題是在生成的pdf文件中保持文本的適當結構。我已經找了很久,但沒有得到這個問題的正確答案,所以我想你什么也找不到。
我使用了A4大小的頁面的長度和寬度,并將每頁中的字符數固定為一個限制,之后當它遇到該行的末尾時,它會自動創建下一頁,并且StaticLayout會自動處理下一行,沒有看到文本溢出。
如果你覺得你可以嘗試每個頁面不同的字符限制,并根據需要嘗試不同的大小。此外,您還可以嘗試使用Android Q/29及更高版本支持的StaticLayout.Builder,而不是低于它的版本。
我將與你分享的代碼樣本,如果你使用它,無論你的文本有多長,它會自動處理多頁文本,如果文本很長,它會生成pdf,還會維護段落等,代碼中的其他細節是不言而喻的,希望你看到代碼時能理解。
請支持我的答案和問題(如果它對您有幫助),如果有人需要答案,請分享此鏈接
String text = "Lorem ipsum...very long text";
ArrayList<String> texts = new ArrayList<>();
int tot_char_count = 0;
//Counts total characters in the long text
for (int i = 0; i < text.length(); i++) {
tot_char_count++;
}
int per_page_words = 4900;
int pages = tot_char_count / per_page_words;
int remainder_pages_extra = tot_char_count % per_page_words;
if (remainder_pages_extra > 0) {
pages++;
}
int k = pages, count = 0;
while (k != 0) {
StringBuilder each_page_text = new StringBuilder();
for (int y = 0; y < per_page_words; y++) {
if (count < tot_char_count) {
each_page_text.append(text.charAt(count));
if (y == (per_page_words - 1) && text.charAt(count) != ' ') {
while (text.charAt(count) != '
') {
count++;
each_page_text.append(text.charAt(count));
}
} else {
count++;
}
}
}
texts.add(each_page_text.toString());
k--;
}
PdfDocument pdfDocument = new PdfDocument();
try {
for (String each_page_text : texts) {
PdfDocument.PageInfo mypageInfo = new PdfDocument.PageInfo.Builder(595, 842, 1).create();
PdfDocument.Page myPage = pdfDocument.startPage(mypageInfo);
Canvas canvas = myPage.getCanvas();
TextPaint mTextPaint = new TextPaint();
mTextPaint.setTextSize(11);
mTextPaint.setTypeface(ResourcesCompat.getFont(context, R.font.roboto));
StaticLayout mTextLayout = new StaticLayout(each_page_text, mTextPaint, canvas.getWidth() - 60, Layout.Alignment.ALIGN_NORMAL, 1.0f, 0.0f, false);
canvas.save();
int textX = 30;
int textY = 30;
canvas.translate(textX, textY);
mTextLayout.draw(canvas);
canvas.restore();
pdfDocument.finishPage(myPage);
}
File file = new File(context.getFilesDir(), "GeneratedFile.pdf");
FileOutputStream fOut = new FileOutputStream(file);
pdfDocument.writeTo(fOut);
// Toast.makeText(context, "PDF file generated successfully.", Toast.LENGTH_SHORT).show();
} catch (IOException e) {
e.printStackTrace();
}
pdfDocument.close();
這篇關于如何在Android中使用PdfDocument從具有適當多行和多頁的長字符串生成PDF?的文章就介紹到這了,希望我們推薦的答案對大家有所幫助,