I have a JPanel that contains JToolbar (including several buttons without text) and JTable, and I need to enable / disable (to make internal widgets not clickable). I tried this:
JPanel panel = ....; for (Component c : panel.getComponents()) c.setEnabled(enabled);
but this doesnβt work. Is there a better and more general solution to enable / disable all internal components in JPanel?
I partially solved my problem with JLayer, starting with the example here http://docs.oracle.com/javase/tutorial/uiswing/misc/jlayer.html :
layer = new JLayer<JComponent>(myPanel, new BlurLayerUI(false)); ..... ((BlurLayerUI)layer.getUI()).blur(...); // switch blur on/off class BlurLayerUI extends LayerUI<JComponent> { private BufferedImage mOffscreenImage; private BufferedImageOp mOperation; private boolean blur; public BlurLayerUI(boolean blur) { this.blur = blur; float ninth = 1.0f / 9.0f; float[] blurKernel = { ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth }; mOperation = new ConvolveOp( new Kernel(3, 3, blurKernel), ConvolveOp.EDGE_NO_OP, null); } public void blur(boolean blur) { this.blur=blur; firePropertyChange("blur", 0, 1); } @Override public void paint (Graphics g, JComponent c) { if (!blur) { super.paint (g, c); return; } int w = c.getWidth(); int h = c.getHeight(); if (w == 0 || h == 0) { return; } // Only create the offscreen image if the one we have // is the wrong size. if (mOffscreenImage == null || mOffscreenImage.getWidth() != w || mOffscreenImage.getHeight() != h) { mOffscreenImage = new BufferedImage(w, h, BufferedImage.TYPE_INT_RGB); } Graphics2D ig2 = mOffscreenImage.createGraphics(); ig2.setClip(g.getClip()); super.paint(ig2, c); ig2.dispose(); Graphics2D g2 = (Graphics2D)g; g2.drawImage(mOffscreenImage, mOperation, 0, 0); } @Override public void applyPropertyChange(PropertyChangeEvent pce, JLayer l) { if ("blur".equals(pce.getPropertyName())) { l.repaint(); } } }
I still have 2 problems:
In the link above, events apply only to the mouse. How can I manage keyboard events?
How to create a βshadingβ effect instead of blurring?
source share