#java #swing #jbutton
#java #swing #jbutton
Вопрос:
У меня есть функция, которая устанавливает цвет фона всех моих кнопок на красный, и в настоящее время она работает следующим образом, однако то, что я хотел бы сделать, это установить для этого случайный цвет с установленными ограничениями, причем это максимальное количество случайных цветов, из которых можно выбрать, а также максимальное количество одного и того же цвета, назначенного каждой кнопке.
Например, если максимальное количество случайных цветов равно 8, а максимальное количество одинаковых цветов равно 2, будет выбрано только 8 случайных цветов, и один и тот же цвет будет выделен ровно только для 2 кнопок.
Это для игры в пары, которую я создаю. Я уже создал функцию, которая задает случайный цвет всем кнопкам при нажатии на них, однако в ней отсутствуют ограничения, о которых я говорил ранее.
Ответ №1:
Это неправильно:
for (int i = 0; i < arrayButtons.length; i ) {
arrayButtons[i].setDrawColor(new Color(rand.nextInt()));
}
Вам нужно создать половину случайных цветов и раскрасить ими 2 кнопки, а затем перетасовать массив. Я бы использовал ArrayList — его проще перетасовывать и добавлять что-либо. Итак, предполагая, что List<ColorButton>
вызванный ButtonList:
for (int i = 0; i < buttonList.size() / 2; i ) {
Color color = new Color(rand.nextInt();
buttonList.get(2 * i).setDrawColor(color));
buttonList.get(2 * i 1).setDrawColor(color));
}
Collections.shuffle(buttonList);
или, если вы должны использовать массивы, и будете перетасовывать массив:
for (int i = 0; i < arrayButtons.length / 2; i ) {
Color color = new Color(rand.nextInt();
arrayButtons[2 * i].setDrawColor(color));
arrayButtons[2 * i 1].setDrawColor(color));
}
// shuffle your array here
Редактировать: Я передумал. Проще всего создать List<Color>
, заполнить его 8 парами разных цветов, перемешать его, а затем добавить цвета к кнопкам. Вместо случайных цветов, если вы хотите, чтобы все они были яркими, используйте 8 различных оттенков цветов, используя .getHSBColor(...)
метод Color:
List<Color> colorList = new ArrayList<>();
for (int i = 0; i < 8; i ) {
float hue = i * 1f / 8;
Color c = Color.getHSBColor(hue, 1f, 1f);
colorList.add(c);
colorList.add(c);
}
Collections.shuffle(colorList);
// add colors to buttons in for loop
или…
colorList = new ArrayList<>();
for (int i = 0; i < ROWS * COLS / 2; i ) {
float r = (float) Math.random();
float g = (float) Math.random();
float b = (float) Math.random();
Color color = new Color(r, g, b);
colorList.add(color);
colorList.add(color);
}
Collections.shuffle(colorList);
// add colors to buttons using for loop
Лично я бы сделал все немного по-другому:
- Я бы не стал расширять JButton
- Я бы отделил свою модель от своего представления, используя вариант структуры программы model-view-controller
- Вся логика будет сохранена в модели, включая случайные 8 пар чисел, случайным образом перетасованных в
ArrayList<Integer>
Например:
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyEvent;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import javax.swing.*;
@SuppressWarnings("serial")
public class ColorTest extends JPanel {
private static final int ROWS = 4;
private static final int COLS = 4;
private static final int BTN_W = 100;
private static final int BTN_H = 100;
private static final Dimension BTN_SIZE = new Dimension(100, 100);
// how long to show mismatched color pairs
private static final int COLOR_DISPLAY_DELAY = 2000; // msecs
private static final int NO_PICK = -1;
private List<ColorButton2> buttonList = new ArrayList<>();
private List<Color> colorList = new ArrayList<>();
private int firstPick = NO_PICK;
private int secondPick = NO_PICK;
private ButtonListener buttonListener = new ButtonListener();
private boolean listenerEnabled = true;
public ColorTest() {
JPanel gridPanel = new JPanel(new GridLayout(ROWS, COLS));
for (int index = 0; index < ROWS * COLS; index ) {
ColorButton2 button = new ColorButton2(index, BTN_W, BTN_H);
button.addActionListener(buttonListener);
button.setPreferredSize(BTN_SIZE);
buttonList.add(button);
gridPanel.add(button);
}
reset();
JButton resetButton = new JButton("Reset");
resetButton.addActionListener(e -> reset());
resetButton.setMnemonic(KeyEvent.VK_R);
JButton exitButton = new JButton("Exit");
exitButton.setMnemonic(KeyEvent.VK_X);
exitButton.addActionListener(e -> System.exit(0));
JPanel btnPanel = new JPanel(new GridLayout(1, 0));
btnPanel.add(resetButton);
btnPanel.add(exitButton);
setLayout(new BorderLayout());
add(gridPanel);
add(btnPanel, BorderLayout.PAGE_END);
}
public void reset() {
colorList = new ArrayList<>();
for (int i = 0; i < ROWS * COLS / 2; i ) {
// Color color = randomRgbColor();
float hue = (2f * i) / (ROWS * COLS); // non-random hue
Color color = randomHsbColor(hue); // randomize the saturation and
// brilliance
colorList.add(color);
colorList.add(color);
}
Collections.shuffle(colorList);
for (int i = 0; i < buttonList.size(); i ) {
ColorButton2 btn = buttonList.get(i);
btn.reset();
btn.setColor(colorList.get(i));
}
}
@SuppressWarnings("unused")
private Color randomRgbColor() {
float r = (float) Math.random();
float g = (float) Math.random();
float b = (float) Math.random();
Color color = new Color(r, g, b);
return color;
}
private Color randomHsbColor(float hue) {
// float hue = (float) Math.random();
float sat = ((int) (2 * Math.random()) 1) / 2f;
float bril = ((int) (2 * Math.random()) 1) / 2f;
return Color.getHSBColor(hue, sat, bril);
}
private class ButtonListener implements ActionListener {
@Override
public void actionPerformed(ActionEvent e) {
if (!listenerEnabled) {
// if button listener disabled -- get out of here
return;
}
ColorButton2 source = (ColorButton2) e.getSource();
if (source.getNumber() == firstPick) {
// if user chooses same button twice, a mistake, so exit
return;
}
if (source.isPairMatched()) {
// button already matched
return;
}
source.flip(true); // show button's real color
// if user has selected first button
if (firstPick == NO_PICK) {
firstPick = source.getNumber(); // set first button pick field
} else {
// else user has selected 2nd button
secondPick = source.getNumber();
// check if the two buttons hold the same color
Color c1 = buttonList.get(firstPick).getColor();
Color c2 = buttonList.get(secondPick).getColor();
if (c1.equals(c2)) {
// matching picks, then disable both buttons
buttonList.get(firstPick).setPairMatched(true);
buttonList.get(secondPick).setPairMatched(true);
// reset these variables
firstPick = NO_PICK;
secondPick = NO_PICK;
// check that the game isn't over
checkForWin();
} else {
// start timer to display buttons for period of time, then
// flip back
listenerEnabled = false; // disable all button's action
// listeners
new Timer(COLOR_DISPLAY_DELAY, e2 -> {
// show background color for both buttons
buttonList.get(firstPick).flip(false);
buttonList.get(secondPick).flip(false);
// re-enable the action listener
listenerEnabled = true;
firstPick = NO_PICK;
secondPick = NO_PICK;
((Timer) e2.getSource()).stop(); // non-repeating timer
}).start();
}
}
}
}
public void checkForWin() {
boolean win = true;
for (ColorButton2 button : buttonList) {
win amp;= button.isPairMatched();
}
if (win) {
String message = "You've matched all the colors";
String title = "Congratulations!";
int messageType = JOptionPane.INFORMATION_MESSAGE;
JOptionPane.showMessageDialog(ColorTest.this, message, title, messageType);
}
}
private static void createAndShowGui() {
ColorTest mainPanel = new ColorTest();
JFrame frame = new JFrame("ColorTest");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.getContentPane().add(mainPanel);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(() -> createAndShowGui());
}
}
@SuppressWarnings("serial")
class ColorButton2 extends JButton {
// background color
private static final Color BG_COLOR = Color.LIGHT_GRAY;
private int number;
// non-background color
private Color color = null;
// true if a pair has been found for this button
private boolean pairMatched = false;
public ColorButton2(int number, int width, int height) {
this.number = number;
setPreferredSize(new Dimension(width, height));
setBackground(BG_COLOR);
}
// reset back to initial conditions
public void reset() {
setPairMatched(false);
setBackground(BG_COLOR);
}
// if true -- show real color, else show background color
public void flip(boolean flip) {
if (flip) {
setBackground(color);
} else {
setBackground(BG_COLOR);
}
}
public Color getColor() {
return color;
}
public void setColor(Color color) {
this.color = color;
}
public void setNumber(int number) {
this.number = number;
}
public int getNumber() {
return number;
}
public boolean isPairMatched() {
return pairMatched;
}
// if match is found, disable the button and set the field
public void setPairMatched(boolean pairMatched) {
setEnabled(!pairMatched);
this.pairMatched = pairMatched;
}
}
Комментарии:
1. Проблема в том, что мне нужно расширить JButton :/
2. @Kappa123: почему? Это требование назначения?
3. И независимо от этого, вы можете это сделать, но концепции в ответе те же
4. Да, это требование. colorButton — это просто класс colorButton, который обладает всеми свойствами и т.д. Для игры, которую я создаю, А затем я просто создам определенное количество этих объектов и использую их в игре
5. Я попробовал второй, и, похоже, он работает, то есть тот, который включает в себя перетасовку массива. Единственное, что я мог бы сделать, чтобы он выбирал только из 8 разных цветов для случайного цвета? Я также пытался сделать это, используя другой метод (создание массива цветных объектов, выбор двух случайных кнопок, присвоение каждой паре цвета), так что кое-что из этого может быть полезно.