문제

어딘가에 목록이 있습니까? UIManager.getColor() 스윙 키? 온라인으로 찾을 수없는 것 같아요. "Panel.background" 그리고 "Table.selectionBackground".

도움이 되었습니까?

해결책

나는 같은 것을 찾고 있었고이 페이지 와이 모든 속성에 대한 훌륭한 개요를 찾았습니다. http://nadeausoftware.com/node/85.

다른 팁

정의 된 표준 키 세트가 있다고 생각하지 않습니다. 그러나이 코드를 사용하여 현재 알파벳 순서로 제공되는 코드를 나열 할 수 있습니다.

List<String> colors = new ArrayList<String>();
for (Map.Entry<Object, Object> entry : UIManager.getDefaults().entrySet()) {
    if (entry.getValue() instanceof Color) {
        colors.add((String) entry.getKey()); // all the keys are strings
    }
}
Collections.sort(colors);
for (String name : colors)
    System.out.println(name);

이것은 여기서 재현하기에는 너무 긴 목록을 생성합니다.

@mmyers는 영감을 얻었습니다. 다음은 Uimanager 기본값을 정렬 가능한 테이블에 나열하는 짧은 프로그램입니다.

package com.example.test.gui;

import java.awt.Color;
import java.awt.Component;
import java.util.Map;

import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JScrollPane;
import javax.swing.JTable;
import javax.swing.UIManager;
import javax.swing.table.DefaultTableCellRenderer;

import ca.odell.glazedlists.BasicEventList;
import ca.odell.glazedlists.EventList;
import ca.odell.glazedlists.GlazedLists;
import ca.odell.glazedlists.SortedList;
import ca.odell.glazedlists.gui.AbstractTableComparatorChooser;
import ca.odell.glazedlists.gui.TableFormat;
import ca.odell.glazedlists.swing.EventTableModel;
import ca.odell.glazedlists.swing.TableComparatorChooser;

public class UIManagerDefaultsViewer {

    public static class UIEntry
    {
        final private String key;
        final private Object value;

        UIEntry(Map.Entry<Object,Object> e)
        {
            this.key = e.getKey().toString();
            this.value = e.getValue(); 
        }

        public String getKey() {
            return key;
        }
        public Object getValue() {
            return value;
        }
        public Class getValueClass() {
            if (value == null)
                return null; // ?!?!?!
            return value.getClass();
        }
        public String getClassName() {
            // doesn't handle arrays properly
            if (value == null)
                return "";

            return value.getClass().getName();
        }
    }   

    public static class UIEntryRenderer extends DefaultTableCellRenderer
    {
        Color[] defaults = new Color[4];
        public UIEntryRenderer()
        {
            super();
            defaults[0] = UIManager.getColor("Table.background");
            defaults[1] = UIManager.getColor("Table.selectionBackground");
            defaults[2] = UIManager.getColor("Table.foreground");
            defaults[3] = UIManager.getColor("Table.selectionForeground");
        }

        public void setDefaultColors(Component cell, boolean isSelected)
        {
            cell.setBackground(defaults[isSelected ? 1 : 0]);
            cell.setForeground(defaults[isSelected ? 3 : 2]);
        }

        @Override
        public Component getTableCellRendererComponent(JTable table, Object value,
                boolean isSelected, boolean hasFocus, int row, int column)
        {
            Component cell = super.getTableCellRendererComponent(table, value,
                    isSelected, hasFocus, row, column);
            if (table.convertColumnIndexToModel(column) == 1) // the value column
            {
                final EventTableModel<UIEntry> tableModel = 
                    (EventTableModel<UIEntry>) table.getModel();
                UIEntry e = tableModel.getElementAt(row);
                JLabel l = (JLabel)cell;


                if (value instanceof Color)
                {
                    Color c = (Color)value;
                    cell.setBackground(c);
                    cell.setForeground(
                            c.getRed()+c.getGreen()+c.getBlue() >= 128*3
                            ? Color.black : Color.white);
                    // choose either black or white depending on brightness

                    l.setText(String.format("Color 0x%08x (%d,%d,%d alpha=%d)",
                        c.getRGB(), c.getRed(), c.getGreen(), c.getBlue(), c.getAlpha()));
                    return cell;
                }
                else if (e.getKey().endsWith("ont"))
                    // possible font, not always ".font"
                {
                    // fonts are weird, for some reason the value returned
                    // in the entry set of UIManager.getDefaults()
                    // is not the same type as the value "v" below                  
                    Object v = UIManager.get(e.getKey());
                    if (v instanceof javax.swing.plaf.FontUIResource)
                    {
                        javax.swing.plaf.FontUIResource font = 
                            (javax.swing.plaf.FontUIResource)v;
                        l.setText("Font "+font.getFontName()+" "+font.getSize());
                    }
                }
            }

            setDefaultColors(cell, isSelected);

            return cell;
        }
    }   

    public static void main(String[] args) {
        final EventList<UIEntry> uiEntryList = 
            GlazedLists.threadSafeList(new BasicEventList<UIEntry>());

        for (Map.Entry<Object,Object> key : UIManager.getDefaults().entrySet())
        {
            uiEntryList.add(new UIEntry(key));
        }

        final SortedList<UIEntry> sortedUIEntryList = new SortedList<UIEntry>(uiEntryList, null);

        // build a JTable
        String[] propertyNames = new String[] {"key","value","className"};
        String[] columnLabels = new String[] {"Key", "Value", "Class"};
        TableFormat<UIEntry> tf = GlazedLists.tableFormat(UIEntry.class, propertyNames, columnLabels);
        EventTableModel<UIEntry> etm = new EventTableModel<UIEntry>(sortedUIEntryList, tf);

        JTable t = new JTable(etm);
        TableComparatorChooser<UIEntry> tcc = TableComparatorChooser.install(t, 
                sortedUIEntryList, AbstractTableComparatorChooser.SINGLE_COLUMN,
                tf);
        sortedUIEntryList.setComparator(tcc.getComparatorsForColumn(0).get(0));
        // default to sort by the key

        t.setDefaultRenderer(Object.class, new UIEntryRenderer());        

        JFrame f = new JFrame("UI Manager Defaults Viewer");
        // show the frame
        f.add(new JScrollPane(t));
        f.pack();
        f.setLocationRelativeTo(null);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setVisible(true);     
    }

}

이 프로그램은 Uimanager 값 (예 : 글꼴, 색상, 국경)을 시각화하기 위해 내가 가장 잘 보았습니다. http://tips4java.wordpress.com/2008/10/09/uimanager-defaults/

검색이 부족하지만 구성 요소 또는 값 유형별로 필터링 할 수 있습니다.

그들은 일종의 모양과 느낌의 구현에 따라 다릅니다. 봐 BasicLookAndFeel.java 기본 키를 위해. 모든 PL & F가 동일하게 행동하거나 버전간에 동일하게 유지할 것으로 기대하지 마십시오.

라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top