JTextArea如何改变单行字体颜色
时间: 2024-03-21 20:43:17 浏览: 116
要改变JTextArea中单行的字体颜色,可以使用JTextPane代替JTextArea,因为JTextPane支持更高级的文本编辑功能。
下面是一个示例代码,可以在JTextPane中设置单行的字体颜色:
```java
import java.awt.Color;
import javax.swing.JFrame;
import javax.swing.JScrollPane;
import javax.swing.JTextPane;
import javax.swing.text.BadLocationException;
import javax.swing.text.SimpleAttributeSet;
import javax.swing.text.StyleConstants;
public class ColorfulLineJTextPane extends JFrame {
private static final long serialVersionUID = 1L;
private JTextPane textPane;
public ColorfulLineJTextPane() {
setTitle("Colorful Line JTextPane Demo");
setDefaultCloseOperation(EXIT_ON_CLOSE);
textPane = new JTextPane();
JScrollPane scrollPane = new JScrollPane(textPane);
getContentPane().add(scrollPane);
setSize(400, 300);
setLocationRelativeTo(null);
// 设置第二行的字体颜色为红色
setColorfulLine(1, Color.RED);
}
/**
* 设置指定行的字体颜色
*
* @param lineIndex 行号(从0开始)
* @param color 颜色
*/
private void setColorfulLine(int lineIndex, Color color) {
SimpleAttributeSet set = new SimpleAttributeSet();
StyleConstants.setForeground(set, color);
int start = 0, end = 0;
try {
start = textPane.getLineStartOffset(lineIndex);
end = textPane.getLineEndOffset(lineIndex);
} catch (BadLocationException e) {
e.printStackTrace();
}
textPane.getStyledDocument().setCharacterAttributes(start, end - start, set, false);
}
public static void main(String[] args) {
new ColorfulLineJTextPane().setVisible(true);
}
}
```
在这个例子中,我们使用了JTextPane来展示文本,并通过getLineStartOffset和getLineEndOffset方法获取指定行的起始和结束位置,然后使用setCharacterAttributes方法设置指定范围内的字体颜色。最后,我们调用setColorfulLine方法将第二行的字体颜色设置为红色。
阅读全文