我编写此程序以从ArrayList
读取字符串值,并使用pdfbox将它们写入pdf文件。
除了字符串字符串列表之外,没有添加其他字符串。这是代码:
import java.io.IOException;
import java.util.ArrayList;
import org.apache.pdfbox.contentstream.PDContentStream;
import org.apache.pdfbox.pdmodel.*;
public class pdfBoxTest {
public static void main(String[] args) {
ArrayList<String> r = new ArrayList<String>();
r.add("Jack and ");r.add("Jill ");r.add("Went up");r.add(" the hill");
try{
PDDocument file = new PDDocument();
PDPage page = new PDPage();
file.addPage(page);
PDPageContentStream data = new PDPageContentStream(file, page);
data.beginText();
data.setFont(PDType1Font.HELVETICA, 20);
float x=220,y=750;
data.newLineAtOffset(x, y);
data.showText("List of Strings");
for(int i=0;i<r.size();i++){
String line=r.get(i);
System.out.println(line);
data.newLineAtOffset(x, y);
data.showText(line);
y+=100;
}
data.close();
file.save("res.pdf");
file.close();
}
catch (IOException e) { e.printStackTrace(); }
}
}
答案 0 :(得分:1)
当你介绍这一行时:
data.beginText();
您开始以PDF格式创建文本对象。
但是,您还需要这一行:
data.endText();
这样就完成了文本对象。您没有可能导致奇怪结果的完整文本对象。
此外,您似乎并不了解PDF中的坐标系。请参阅以下FAQ条目:
更改此行:
y+=100;
对此:
y-=100;
您从float x=220,y=750;
开始我不知道PdfBox中的默认页面大小,但我们假设它是A4页面。在这种情况下,页面用892(高度)用户单位测量595(宽度),float x=220,y=750;
或多或少在中间(水平)和靠近顶部(垂直)。
当您向y
添加100时,您最终会得到y = 850
,这意味着您已离开页面的可见区域(因为850高于842)。您正在添加文本,文本位于您正在创建的内容流中,但文本不可见,因为它位于页面的/MediaBox
之外。
最后:newLineAtOffset()
方法不会将内容移动到您定义的坐标,而是开始一个新行,并使用参数作为偏离当前位置。所以即使您按我解释的方式更改y
,您将内容移动到与(x, y)
坐标位置完全不同的位置。
底线: PdfBox要求您了解PDF语法。如果您不了解PDF语法(从您的问题中可以清楚地了解),您应该考虑使用iText。 (免责声明:我是iText集团的首席技术官。)
与OP所期望的相反,方法调用data.newLineAtOffset(x, y)
不接受绝对坐标,但代替期望相对于前一行开始的坐标:
/**
* The Td operator.
* Move to the start of the next line, offset from the start of the current line by (tx, ty).
*
* @param tx The x translation.
* @param ty The y translation.
* @throws IOException If there is an error writing to the stream.
* @throws IllegalStateException If the method was not allowed to be called at this time.
*/
public void newLineAtOffset(float tx, float ty) throws IOException
因此,考虑到OP尝试向下使用 y 坐标变化100,该循环中该方法的调用应为
data.newLineAtOffset(0, -100);