Работая над игрой, добавлена возможность изменять размеры окна с 800 х 600 до любого размера. При этом я потерял функциональность кнопок GUI. Я подозреваю, что потенциальными переменными, вызывающими проблему, являются center_x, center_y, ширина, высота кнопки.
Маловероятно, что ширина и высота вызовут проблему, поскольку я проверяю ввод, используя размер кнопки, который масштабируется так, как это делает экран. Однако позиции, которые я проверяю, не масштабируются.
Так что может быть несколько решений этой проблемы, но самое простое, что я могу придумать; при создании экземпляра кнопки используйте переменные, которые могут масштабироваться, а не переменные, которые не могут.
Итак, вместо (center_x, center_y, width, height):
play_button = StartTextButton(60, 570, 100, 40)
что-то вроде:
play_button = StartTextButton((SCREEN_WIDTH * ? %), (SCREEN_HEIGHT * ? %), 100, 40)
Внутренние проблемы с этим:
1) Как рассчитать значение center_x / y кнопки в% от ширины / высоты экрана?
2) Как преобразовать пиксели в координаты экрана относительно размера?
3) Есть ли гораздо более простое решение, которое я пропускаю?
4) Какой способ проще решить, куда поместить кнопки?
Ценю любые отзывы / помощь. Ура!
код для проверки нажатий кнопок:
def check_mouse_press_for_buttons(x, y, button_list):
""" Given an x, y, see if we need to register any button clicks. """
for button in button_list:
if x > button.center_x + button.width / 2:
continue
if x < button.center_x - button.width / 2:
continue
if y > button.center_y + button.height / 2:
continue
if y < button.center_y - button.height / 2:
continue
button.on_press()
def check_mouse_release_for_buttons(x, y, button_list):
""" If a mouse button has been released, see if we need to process
any release events. """
for button in button_list:
if button.pressed:
button.on_release()
Пример запускаемого кода для изменения размера окна из библиотеки Arcade:
"""
Example showing how handle screen resizing.
If Python and Arcade are installed, this example can be run from the command line with:
python -m arcade.examples.resizable_window
"""
import arcade
SCREEN_WIDTH = 500
SCREEN_HEIGHT = 500
START = 0
END = 2000
STEP = 50
class MyGame(arcade.Window):
"""
Main application class.
"""
def __init__(self, width, height):
super().__init__(width, height, title="Resizing Window Example", resizable=True)
arcade.set_background_color(arcade.color.WHITE)
def on_resize(self, width, height):
""" This method is automatically called when the window is resized. """
# Call the parent. Failing to do this will mess up the coordinates, and default to 0,0 at the center and the
# edges being -1 to 1.
super().on_resize(width, height)
print(f"Window resized to: {width}, {height}")
def on_draw(self):
""" Render the screen. """
arcade.start_render()
# Draw the y labels
i = 0
for y in range(START, END, STEP):
arcade.draw_point(0, y, arcade.color.BLUE, 5)
arcade.draw_text(f"{y}", 5, y, arcade.color.BLACK, 12, anchor_x="left", anchor_y="bottom")
i += 1
# Draw the x labels.
i = 1
for x in range(START + STEP, END, STEP):
arcade.draw_point(x, 0, arcade.color.BLUE, 5)
arcade.draw_text(f"{x}", x, 5, arcade.color.BLACK, 12, anchor_x="left", anchor_y="bottom")
i += 1
def main():
MyGame(SCREEN_WIDTH, SCREEN_HEIGHT)
arcade.run()
if __name__ == "__main__":
main()