删除 XWPFParagraph 会为其保留段落符号 (¶)

Removing an XWPFParagraph keeps the paragraph symbol (¶) for it

我正在尝试使用 Apache POI.

从 Microsoft Word 文档中删除一组连续的段落

据我了解,可以通过删除段落的所有行来删除段落,方法如下:

/*
 * Deletes the given paragraph.
 */
public static void deleteParagraph(XWPFParagraph p) {
    if (p != null) {
        List<XWPFRun> runs = p.getRuns();
        //Delete all the runs
        for (int i = runs.size() - 1; i >= 0; i--) {
            p.removeRun(i);
        }
        p.setPageBreak(false); //Remove the eventual page break
    }
}

事实上,它是有效的,但有一些奇怪的地方。删除的段落块不会从文档中消失,但会转换为一组空行。就好像每一段都会换行一样。

通过打印代码中的段落内容,我可以看到,事实上,space(对于每个删除的段落)。直接从文档中查看内容,启用格式标记的可视化,我可以看到:

¶的竖列对应删除元素的块。

你有什么想法吗?我希望完全 删除我的段落。

我还尝试通过替换文本(使用 setText())并删除最终可以自动添加的 space,这样:

p.setSpacingAfter(0);
p.setSpacingAfterLines(0);
p.setSpacingBefore(0);
p.setSpacingBeforeLines(0);
p.setIndentFromLeft(0);
p.setIndentFromRight(0);
p.setIndentationFirstLine(0);
p.setIndentationLeft(0);
p.setIndentationRight(0);

但运气不好。

我会通过删除段落来删除段落,而不是仅删除该段落中的运行。删除段落不是 apache poi 高级 API 的一部分。但是使用 XWPFDocument.getDocument().getBody() 我们可以得到低电平 CTBody 并且有一个 removeP(int i).

示例:

import java.io.*;
import org.apache.poi.xwpf.usermodel.*;

import java.awt.Desktop;

import org.apache.poi.openxml4j.exceptions.InvalidFormatException;

public class WordRemoveParagraph {

 /*
  * Deletes the given paragraph.
  */

 public static void deleteParagraph(XWPFParagraph p) {
  XWPFDocument doc = p.getDocument();
  int pPos = doc.getPosOfParagraph(p);
  //doc.getDocument().getBody().removeP(pPos);
  doc.removeBodyElement(pPos);
 }

 public static void main(String[] args) throws IOException, InvalidFormatException {

  XWPFDocument doc = new XWPFDocument(new FileInputStream("source.docx"));

  int pNumber = doc.getParagraphs().size() -1;
  while (pNumber >= 0) {
   XWPFParagraph p = doc.getParagraphs().get(pNumber);
   if (p.getParagraphText().contains("delete")) {
    deleteParagraph(p);
   }
   pNumber--;
  }

  FileOutputStream out = new FileOutputStream("result.docx");
  doc.write(out);
  out.close();
  doc.close();

  System.out.println("Done");
  Desktop.getDesktop().open(new File("result.docx"));

 }

}

这会删除文档 source.docx 中文本包含“删除”的所有段落,并将结果保存在 result.docx 中。


已编辑:

虽然 doc.getDocument().getBody().removeP(pPos); 有效,但它不会更新 XWPFDocument 的段落列表。因此它将破坏段落迭代器和对该列表的其他访问,因为列表仅在再次阅读文档时更新。

所以更好的方法是使用 doc.removeBodyElement(pPos);。如果 pos 指向文档正文中的分页,removeBodyElement(int pos)doc.getDocument().getBody().removeP(pos); 完全相同,因为该段落也是 BodyElement。但除此之外,它还会更新 XWPFDocument 的段落列表。

当您在 table 中时,您需要使用 XWPFTableCell 的函数而不是 XWPFDocument:

cell.removeParagraph(cell.getParagraphs().indexOf(para));