Text editor with syntax highlighting and line numbers?

前端 未结 2 1030
栀梦
栀梦 2021-02-06 11:01

This is a bit challenging even probably for a team project, let alone for a one-man implementation, but I was trying to put together a simple yet elegant text editor with syntax

2条回答
  •  一生所求
    2021-02-06 11:39

    Well I worked on a similar project and here's what I came up with. As far the line numbers go I used a scrollpane attached to the actual textpane. The scrollpane was then changing numbers with the following code:

    public class LineNumberingTextArea extends JTextArea
    {
    private JTextPane textArea;
    
    
    /**
     * This is the contructor that creates the LinNumbering TextArea.
     *
     * @param textArea The textArea that we will be modifying to add the 
     * line numbers to it.
     */
    public LineNumberingTextArea(JTextPane textArea)
    {
        this.textArea = textArea;
        setBackground(Color.BLACK);
        textArea.setFont(new Font("Consolas", Font.BOLD, 14));
        setEditable(false);
    }
    
    /**
     * This method will update the line numbers.
     */
    public void updateLineNumbers()
    {
        String lineNumbersText = getLineNumbersText();
        setText(lineNumbersText);
    }
    
    
    /**
     * This method will set the line numbers to show up on the JTextPane.
     *
     * @return This method will return a String which will be added to the 
     * the lineNumbering area in the JTextPane.
     */
    private String getLineNumbersText()
    {
        int counter = 0;
        int caretPosition = textArea.getDocument().getLength();
        Element root = textArea.getDocument().getDefaultRootElement();
        StringBuilder lineNumbersTextBuilder = new StringBuilder();
        lineNumbersTextBuilder.append("1").append(System.lineSeparator());
    
        for (int elementIndex = 2; elementIndex < root.getElementIndex(caretPosition) +2; 
            elementIndex++)
        {
            lineNumbersTextBuilder.append(elementIndex).append(System.lineSeparator());
        }
        return lineNumbersTextBuilder.toString();
    }
    }
    

    The syntax highlighting is not an easy task, but what I started with was being able to search for strings based off some text files that contained all keywords for a certain language. Basically based off the extension of a file the function would find the correct file and look for words in that file that were contained within the text area.

提交回复
热议问题