文本框

在 Aspose.Slides 中,文本框AutoShape 表示。几乎任何形状都可以包含文本,但典型的文本框没有填充或边框,只显示文本。

本指南说明如何以编程方式添加、访问和删除文本框。

添加文本框

文本框就是一个没有填充和边框且包含一些格式化文本的 AutoShape。以下是创建方法:

public static void addTextBox() {
    Presentation presentation = new Presentation();
    try {
        ISlide slide = presentation.getSlides().get_Item(0);

        // 创建一个矩形形状(默认填充并带边框且无文本)。
        IAutoShape textBox = slide.getShapes().addAutoShape(ShapeType.Rectangle, 50, 75, 150, 100);

        // 移除填充和边框,使其看起来像典型的文本框。
        textBox.getFillFormat().setFillType(FillType.NoFill);
        textBox.getLineFormat().getFillFormat().setFillType(FillType.NoFill);

        // 设置文本格式。
        IParagraph paragraph = textBox.getTextFrame().getParagraphs().get_Item(0);
        IPortionFormat textFormat = paragraph.getParagraphFormat().getDefaultPortionFormat();
        textFormat.getFillFormat().setFillType(FillType.Solid);
        textFormat.getFillFormat().getSolidFillColor().setColor(Color.BLACK);

        // 分配实际的文本内容。
        textBox.getTextFrame().setText("Some text...");
    } finally {
        presentation.dispose();
    }
}

💡 **注意:**任何包含非空 TextFrameAutoShape 都可以充当文本框。

按内容访问文本框

要查找包含特定关键字(例如 “Slide”)的所有文本框,可遍历形状并检查其文本:

public static void accessTextBox() {
    Presentation presentation = new Presentation();
    try {
        ISlide slide = presentation.getSlides().get_Item(0);

        for (IShape shape : slide.getShapes()) {
            // 只有 AutoShape 可以包含可编辑的文本。
            if (shape instanceof IAutoShape) {
                IAutoShape autoShape = (IAutoShape) shape;
                if (autoShape.getTextFrame().getText().contains("Slide")) {
                    // 对匹配的文本框执行某些操作。
                }
            }
        }
    } finally {
        presentation.dispose();
    }
}

按内容删除文本框

此示例查找并删除第一张幻灯片上包含特定关键字的所有文本框:

public static void removeTextBox() {
    Presentation presentation = new Presentation();
    try {
        ISlide slide = presentation.getSlides().get_Item(0);

        List<IShape> shapesToRemove = new ArrayList<IShape>();
        for (IShape shape : slide.getShapes()) {
            if (shape instanceof IAutoShape) {
                IAutoShape autoShape = (IAutoShape) shape;
                if (autoShape.getTextFrame().getText().contains("Slide")) {
                    shapesToRemove.add(shape);
                }
            }
        }

        for (IShape shape : shapesToRemove) {
            slide.getShapes().remove(shape);
        }
    } finally {
        presentation.dispose();
    }
}

💡 **提示:**在迭代期间修改形状集合前,请始终先创建其副本,以避免集合修改错误。