Как разрешить пользователю изменять свой шрифт в JTextPane с помощью JComboBox?
Я считаю, что количество полезной документации / руководств в Интернете отсутствует, когда дело доходит до темы JTextPanes. Я пытаюсь создать простой текстовый процессор и хочу, чтобы он мог выбирать семейство шрифтов из JComboBox, который заполняется на основе шрифтов, которые пользователь установил в своей системе. Однако, независимо от того, что я пытаюсь экспериментировать, я не могу понять, как заставить это работать.
У меня есть класс панели инструментов, который построен на основе JTextPane. В настоящее время он имеет множество кнопок стилей, которые работают для установки выравнивания и полужирного, курсива и подчеркивания.
Вот мой код:
/**
* The StyleBar is used to customize styles in a Styled Document. It will take a
* JTextPane as an argument for its constructor and then all actions to be taken
* will affect the text in it.
*
* @author Andrew
*/
public class StyleBar extends JToolBar {
private JLabel fontLbl;
private JComboBox fontBox;
// ...Irrelevant stuff to the problem at hand.
/**
* The initEvents method is used to initialize the necessary events for the
* tool bar to actually do its job. It establishes the focus listener to the
* buttons on the bar, and gives each one its individual functionality. It
* also establishes the Font Selection interface.
*/
public void initEvents() {
//For each item in the tool bar, add the focus listener as well as the
//formatting listeners:
boldFormat.addActionListener(new StyledEditorKit.BoldAction()); //boldFormat is
boldFormat.addActionListener(resetFocus); //a JButton
//Ditto for my italicsFormat and underlineFormat button(s) in the toolbar
leftAlign.addActionListener(new StyledEditorKit.AlignmentAction(null,
StyleConstants.ALIGN_LEFT));
leftAlign.addActionListener(resetFocus); //This listener just resets focus
//back onto the TextPane.
//Ditto for my right and centerAlign buttons
//Set up the Font list, and add a listener to the combo box
buildFontMenu();
}
/**
* The buildFontMenu detects all of the SYstem's available fonts and adds
* them to the Font Selection box.
*/
public void buildFontMenu(){
GraphicsEnvironment ge =
GraphicsEnvironment.getLocalGraphicsEnvironment();
final String[] fontNames = ge.getAvailableFontFamilyNames();
for (int i = 0; i < fontNames.length; i++){
//What do I do here to take the entry at String[i] and make it so that when
//the user selects it it sets the font Family in a similar way to that of
//pressing the boldFormat button or the leftAlign button?
}
}
//Everything else is irrelevant
Итак, подведем итог моей проблемы: я понятия не имею, как правильно настроить слушателя на ComboBox так, чтобы: а) он чувствителен к выбранному индивидуальному шрифту и б) каким-то образом использовал StyledEditorKit.FontFamilyAction, чтобы облегчить жизнь?
Слэш, если я подойду к этому неправильно, я бы хотел услышать правильный путь. Как я уже сказал, мои источники в интернете не очень ясны по этому вопросу.
Спасибо!
2 ответа
StyledEditorTest
ставит Action
в JToolBar
, но идея та же самая. Смотрите также Чарльз Белл HTMLDocumentEditor
Упоминается здесь. Например,
bar.add(new StyledEditorKit.FontFamilyAction("Serif", Font.SERIF));
bar.add(new StyledEditorKit.FontFamilyAction("SansSerif", Font.SANS_SERIF));
Приложение: Как вы используете JComboBox
Вы можете переслать событие на соответствующий StyledEditorKit
Action
, который работает с текущим выбором по умолчанию.
JComboBox combo = new JComboBox();
combo.addItem("Serif");
combo.addItem("Sans");
combo.addActionListener(new ActionListener() {
Action serif = new StyledEditorKit.FontFamilyAction("Serif", Font.SERIF);
Action sans = new StyledEditorKit.FontFamilyAction("Sans", Font.SANS_SERIF);
@Override
public void actionPerformed(ActionEvent e) {
if ("Sans".equals(e.getActionCommand())) {
sans.actionPerformed(e);
} else {
serif.actionPerformed(e);
}
}
});
Это может быть немного поздно, но я застрял на подобной проблеме, и хотя предыдущий ответ действительно помогает, вот более полный ответ, когда вы хотите использовать все шрифты, доступные на вашем компьютере.
Где "fonts" - строковый массив, содержащий все нужные шрифты, которые будут использоваться в вашей программе
final JComboBox jcb = new JComboBox(fonts);
final Action [] actions = new Action[fonts.length];
for (int i = 0; i < actions.length; i++)
{
actions[i] = new StyledEditorKit.FontFamilyAction(fonts[i], fonts[i]);
}
jcb.addActionListener(new ActionListener()
{
public void actionPerformed(ActionEvent event)
{
for (int i = 0; i < actions.length; i++)
{
if (fonts[i].equals((String)jcb.getSelectedItem()))
{
actions[i].actionPerformed(event);
break;
}
}
}
});