问题
I'm making a text-editor in Java, and I have everything I need but auto-indent. How would I make the indentation stay the same if they go to a new line. I'm using a JTextPane for my editor window.
Basically, if a user enters a new line, I want the new line to be indented as was the previous.
Here is my code for the indentation so far:
Note: My JTextPane is txt, and the doc
part is the JTextPane'sDefaultStyledDocument();
SimpleAttributeSet attributes = new SimpleAttributeSet();
TabStop[] tabStops = new TabStop[3];
tabStops[0] = new TabStop(25, TabStop.ALIGN_LEFT, TabStop.LEAD_DOTS);
tabStops[1] = new TabStop(25, TabStop.ALIGN_LEFT, TabStop.LEAD_DOTS);
tabStops[2] = new TabStop(25, TabStop.ALIGN_LEFT, TabStop.LEAD_DOTS);
tabStops[2] = new TabStop(25, TabStop.ALIGN_LEFT, TabStop.LEAD_DOTS);
TabSet tabSet = new TabSet(tabStops);
StyleConstants.setTabSet(attributes, tabSet);
doc.setParagraphAttributes(0, 0, attributes, false);
回答1:
Use a Document Filter:
import java.awt.*;
import javax.swing.*;
import javax.swing.text.*;
public class NewLineFilter extends DocumentFilter
{
public void insertString(FilterBypass fb, int offs, String str, AttributeSet a)
throws BadLocationException
{
if ("\n".equals(str))
str = addWhiteSpace(fb.getDocument(), offs);
super.insertString(fb, offs, str, a);
}
public void replace(FilterBypass fb, int offs, int length, String str, AttributeSet a)
throws BadLocationException
{
if ("\n".equals(str))
str = addWhiteSpace(fb.getDocument(), offs);
super.replace(fb, offs, length, str, a);
}
private String addWhiteSpace(Document doc, int offset)
throws BadLocationException
{
StringBuilder whiteSpace = new StringBuilder("\n");
Element rootElement = doc.getDefaultRootElement();
int line = rootElement.getElementIndex( offset );
int i = rootElement.getElement(line).getStartOffset();
while (true)
{
String temp = doc.getText(i, 1);
if (temp.equals(" ") || temp.equals("\t"))
{
whiteSpace.append(temp);
i++;
}
else
break;
}
return whiteSpace.toString();
}
private static void createAndShowUI()
{
JTextArea textArea = new JTextArea(5, 50);
AbstractDocument doc = (AbstractDocument)textArea.getDocument();
doc.setDocumentFilter( new NewLineFilter() );
JFrame frame = new JFrame("NewLineFilter");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add( new JScrollPane(textArea) );
frame.pack();
frame.setLocationByPlatform( true );
frame.setVisible( true );
}
public static void main(String[] args)
{
EventQueue.invokeLater(new Runnable()
{
public void run()
{
createAndShowUI();
}
});
}
}
Read the section from the Swing tutorial on Implementing a Document Filter for more information.
来源:https://stackoverflow.com/questions/15867900/java-auto-indentation-in-jtextpane