Paint方法java - 带轮廓的Rectangle

时间:2012-11-29 15:34:34

标签: java graphics paint fill rectangles

我想创建一个蓝色线条轮廓和黑色填充的墙。我现在只有一个蓝色的墙,我尝试了几种图形方法,但没有工作。

public void paint(Graphics g) {
    g.setColor(Color.blue);
    g.fillRect(x, y, size, size);
}

4 个答案:

答案 0 :(得分:6)

使用Graphics#drawRect绘制轮廓: -

g.setColor(Color.black);
g.fillRect(x, y, size, size);
g.setColor(Color.blue);
g.drawRect(x, y, size, size);

答案 1 :(得分:5)

首先,覆盖paintComponent,而不是paint。其次,没有必要像这样重新发明轮子。相反,请使用现有的Swing组件(例如JPanel),

import java.awt.Color;
import java.awt.Dimension;
import java.awt.FlowLayout;
import javax.swing.BorderFactory;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;

public class Main 
{
    public static void main(String[] args) 
    {        
        SwingUtilities.invokeLater(new Runnable(){
            @Override
            public void run() {
                createAndShowGUI();             
            }
        });
    }

    private static void createAndShowGUI()
    {
        JFrame frame = new JFrame();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setLayout(new FlowLayout());
        frame.add(getWallComponent());
        frame.pack();
        frame.setLocationByPlatform(true);
        frame.setVisible(true);
    }

    private static JPanel getWallComponent()
    {
        JPanel panel = new JPanel();

        panel.setBackground(Color.black);
        panel.setBorder(BorderFactory.createLineBorder(Color.blue, 5));
        panel.setPreferredSize(new Dimension(200, 200)); // for demo purposes only

        return panel;
    }
}

enter image description here

答案 2 :(得分:3)

只需在蓝色的上方绘制另一个矩形,小于蓝色的矩形,如下所示

public void paint(Graphics g) {
    g.setColor(Color.blue);
    g.fillRect(x, y, size, size);
    g.setColor(Color.black);
    g.fillRect(x-width/2,y-width/x,size-width,size-with);
}

答案 3 :(得分:0)

package painting;

import java.awt.*;
import javax.swing.*;

public class RectangleOutline extends JPanel {

    int x = 100;
    int y = 200;

    public void paintComponent(Graphics g) {
        super.paintComponent(g);
        outline(g);
    }

    public void outline(Graphics g) {
        super.paintComponent(g);
        Graphics2D g2 = (Graphics2D) g;
        g2.setColor(new Color(255, 0, 0));
        g2.fillRect(x, y, 30, 30);

        g2.setStroke(new BasicStroke(5));
        g2.setColor(new Color(0, 0, 0));
        g2.drawRect(x, y, 30, 30);
    }

    public static void main(String[] args){
        JFrame f = new JFrame();
        RectangleOutline graphics = new RectangleOutline();
        f.add(graphics);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setVisible(true);
        f.setSize(400, 400);

    }
}