This page has been translated automatically.
Видеоуроки
Интерфейс
Основы
Продвинутый уровень
Подсказки и советы
Основы
Программирование на C#
Рендеринг
Профессиональный уровень (SIM)
Принципы работы
Свойства (properties)
Компонентная Система
Рендер
Режимы вывода изображения
Физика
Браузер SDK 2
Лицензирование и типы лицензий
Дополнения (Add-Ons)
Демонстрационные проекты
API Samples
Редактор UnigineEditor
Обзор интерфейса
Работа с ассетами
Контроль версий
Настройки и предпочтения
Работа с проектами
Настройка параметров ноды
Setting Up Materials
Настройка свойств
Освещение
Sandworm
Использование инструментов редактора для конкретных задач
Расширение функционала редактора
Встроенные объекты
Ноды (Nodes)
Объекты (Objects)
Эффекты
Декали
Источники света
Geodetics
World-ноды
Звуковые объекты
Объекты поиска пути
Player-ноды
Программирование
Основы
Настройка среды разработки
C++
C#
UnigineScript
Унифицированный язык шейдеров UUSL (Unified UNIGINE Shader Language)
Плагины
Форматы файлов
Материалы и шейдеры
Rebuilding the Engine Tools
Интерфейс пользователя (GUI)
Двойная точность координат
API
Animations-Related Classes
Containers
Common Functionality
Controls-Related Classes
Engine-Related Classes
Filesystem Functionality
GUI-Related Classes
Math Functionality
Node-Related Classes
Objects-Related Classes
Networking Functionality
Pathfinding-Related Classes
Physics-Related Classes
Plugins-Related Classes
IG Plugin
CIGIConnector Plugin
Rendering-Related Classes
VR-Related Classes
Работа с контентом
Оптимизация контента
Материалы
Визуальный редактор материалов
Material Nodes Library
Miscellaneous
Input
Math
Matrix
Textures
Art Samples
Учебные материалы

Настройка курсора мыши и его поведения

Customizing Mouse

Customizing MouseПеренастройка мыши

This example shows how to customize the mouse cursor appearance and change default mouse behavior in your application. It will help you to solve the following tasks:В этом примере показано, как настроить внешний вид курсора мыши и изменить поведение мыши по умолчанию в вашем приложении. Это поможет вам решить следующие задачи:

  • Changing the default mouse cursor image.изменение изображения курсора мыши по умолчанию;
  • Toggling mouse cursor's handling modes.переключение режимов работы с курсором мыши;
  • Customizing your application's icon and title.настройка значка и заголовка вашего приложения.

Defining Mouse Behavior
Перенастройка поведения мыши#

The mouse behavior is defined by assigning any of the following modes:Поведение мыши определяется путем назначения любого из следующих режимов:

  • Grab - the mouse is grabbed when clicked (the cursor disappears and camera movement is controlled by the mouse). This mode is set by default.Grab - мышь захватывается при нажатии (курсор исчезает, и движение камеры контролируется мышью). Этот режим установлен по умолчанию.
  • Soft - the mouse cursor disappears after being idle for a short time period.Soft - курсор мыши исчезает после непродолжительного периода бездействия.
  • User - the mouse is not handled by the system (allows input handling by some custom module).User - мышь не обрабатывается системой (позволяет обрабатывать ввод с помощью какого-либо пользовательского модуля).

There are two ways to set the required mouse behavior mode:Существует два способа установить необходимый режим работы мыши:

  • In the Editor, by selecting the corresponding option in the Controls SettingsВ редакторе, выбрав соответствующую опцию в настройках элементов управления.
  • Via code by adding the corresponding line to the logic (world or system logic, components, expressions, etc.)С помощью кода, добавляя соответствующую строку в логику (логика мира или системы, компоненты, выражения и т.д.).
Исходный код (C#)
ControlsApp.MouseHandle = Input.MOUSE_HANDLE.SOFT;
//or
ControlsApp.MouseHandle = Input.MOUSE_HANDLE.USER;

Customizing Mouse Cursor
Изменение формы курсора#

You can change the look of the mouse cursor in your application using any square RGBA8 image you want. This can be done by simply adding the following lines to your code (e.g. the world's init() method):Вы можете изменить внешний вид курсора мыши в приложении, используя любое квадратное изображение RGBA8. Это можно сделать, просто добавив следующие строки в свой код (например, используя глобальный метод init()):

Исходный код (C#)
// loading an image for the mouse cursor
Image mouse_cursor = new Image("textures/cursor.png");

// resize the image to make it square
mouse_cursor.Resize(mouse_cursor.Width, mouse_cursor.Width);

// checking if our image is loaded successfully and has the appropriate format
if ((mouse_cursor.IsLoaded) && (mouse_cursor.Format == Image.FORMAT_RGBA8))
{
	// set the image for the OS mouse pointer
	Input.SetMouseCursorCustom(mouse_cursor);

	// show the OS mouse pointer
	Input.MouseCursorSystem = true;
}

Here is a sample RGBA8 image (32x32) you can use for your mouse cursor (download it and put it to the data/textures folder of your project):Вот пример изображения RGBA8 (32x32), которое вы можете использовать в качестве курсора мыши (скачайте его и поместите в папку data/textures вашего проекта):

Sample cursor image

Example Code
Пример кода#

Below you'll find the code that performs the following:Ниже вы найдете код, который выполняет следующие действия:

  • Sets a custom icon and title for the application window.устанавливает пользовательский значок и заголовок для окна приложения;
  • Sets a custom mouse cursor.устанавливает пользовательский курсор мыши;
  • Switches between the three handling modes on pressing the ENTER key.переключается между тремя режимами работы при нажатии клавиши ENTER.

You can use the following C# component:Вы можете использовать следующий компонент C#:

AppMouseCustomizer.cs

Исходный код (C#)
using System;
using System.Collections;
using System.Collections.Generic;
using Unigine;

[Component(PropertyGuid = "AUTOGENERATED_GUID")] // <-- this line is generated automatically for a new component
public class AppMouseCustomizer : Component
{
	// widgets
	WidgetLabel label1;
	WidgetLabel label2;
	WidgetButton button;

	private void Init()
	{
			// preparing UI: creating a label and a button and adding them to the GUI
			label1 = new WidgetLabel(Gui.GetCurrent());
			label2 = new WidgetLabel(Gui.GetCurrent());
			button = new WidgetButton(Gui.GetCurrent(), "BUTTON");
			label1.SetPosition(10, 20);
			label2.SetPosition(10, 40);
			button.SetPosition(10, 80);
			Gui.GetCurrent().AddChild(label1, Gui.ALIGN_OVERLAP | Gui.ALIGN_TOP | Gui.ALIGN_LEFT);
			Gui.GetCurrent().AddChild(label2, Gui.ALIGN_OVERLAP | Gui.ALIGN_TOP | Gui.ALIGN_LEFT);
			Gui.GetCurrent().AddChild(button, Gui.ALIGN_OVERLAP | Gui.ALIGN_TOP | Gui.ALIGN_LEFT);

			
			EngineWindow MWindow = WindowManager.MainWindow;
			// setting a custom icon for the application window
			Image icon = new Image("textures/cursor.png");
			if ((icon.IsLoaded) && (icon.Format == Image.FORMAT_RGBA8))
				MWindow.SetIcon(icon);

			// set a custom title for the application window
			MWindow.Title = "Custom Window Title";
			// loading an image for the mouse cursor
			Image mouse_cursor = new Image("textures/cursor.png");

			// resize the image to make it square
			mouse_cursor.Resize(mouse_cursor.Width, mouse_cursor.Width);

			// checking if our image is loaded successfully and has the appropriate format
			if ((mouse_cursor.IsLoaded) && (mouse_cursor.Format == Image.FORMAT_RGBA8))
			{
				// set the image for the OS mouse pointer
				Input.SetMouseCursorCustom(mouse_cursor);

				// show the OS mouse pointer
				Input.MouseCursorSystem = true;
			}
	}

	private void Update()
	{
		// checking for STATE_USE (ENTER key by default) and toggling mouse handling mode
		if (Game.Player.Controls.ClearState(Controls.STATE_USE) == 1)
			switch (ControlsApp.MouseHandle)
			{
				case Input.MOUSE_HANDLE.GRAB:
					// if the mouse is currently grabbed, we disable grabbing and restore GUI interaction
					if (Input.MouseGrab)
					{
						Input.MouseGrab = false;
						Gui.GetCurrent().MouseEnabled = true;
					}
					Input.MouseHandle = Input.MOUSE_HANDLE.SOFT;
					Log.Message($"MOUSE_HANDLE switch from GRAB to SOFT\n");
					break;
				case Input.MOUSE_HANDLE.SOFT:
					Input.MouseHandle = Input.MOUSE_HANDLE.USER;
					Log.Message($"MOUSE_HANDLE switch from SOFT to USER\n");
					break;
				case Input.MOUSE_HANDLE.USER:
					Input.MouseHandle = Input.MOUSE_HANDLE.GRAB;
					Log.Message($"MOUSE_HANDLE switch from USER to GRAB\n");
					break;
				default:
					break;
			}

			// updating info on the current cursor position and mouse handling mode 
			label1.Text = $"MOUSE COORDS: ({Input.MousePosition})";
			label2.Text = $"MOUSE MODE: {Input.MouseHandle}";
	}
}
Последнее обновление: 13.12.2024
Build: ()