Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[Port] Universal Upgrader #950

Open
wants to merge 4 commits into
base: master
Choose a base branch
from
Open

[Port] Universal Upgrader #950

wants to merge 4 commits into from

Conversation

sanek31
Copy link
Contributor

@sanek31 sanek31 commented Nov 26, 2024

  1. Нужно проверить что запускается без ошибок. Последний раз проверял на сборке атараксии.
  2. Если коротко то система позволяет создать предмет который сможет изменять другие компоненты. К примеру модуль улучшения РЦД, которая увеличит вместимость РЦД до N. Можно использовать как и в прототипах, так и ивентологами.

Инструкцию по использованию скину чуть позже

universalupgrader.mp4

Summary by CodeRabbit

  • Новые функции
    • Добавлен новый компонент UPComponent, который позволяет управлять и применять улучшения к сущностям.
    • Введена система UPSystem, обрабатывающая взаимодействия с сущностями, обладающими компонентом UPComponent.
  • Тесты
    • Создан новый файл для тестирования, который в настоящее время пуст.

@sanek31 sanek31 requested a review from Rxup as a code owner November 26, 2024 19:30
Copy link
Contributor

coderabbitai bot commented Nov 26, 2024

Walkthrough

В данном запросе на изменение добавлены два новых класса: UPComponent и UPSystem. UPComponent представляет собой компонент, который включает в себя несколько полей, отвечающих за управление обновлениями. UPSystem обрабатывает взаимодействия с сущностями, обладающими UPComponent, и управляет процессом обновления, включая проверку условий и обновление значений полей. Также был создан новый пустой файл в тестовой директории.

Changes

Файл Изменения
Content.Server/_Special/UniversalUpgrader/Components/UPComponent.cs Добавлен класс UPComponent с полями: upgradeName, componentName, upgradeValue, ProtoWhitelist, usable.
Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs Добавлен класс UPSystem, который обрабатывает взаимодействия с UPComponent и обновляет значения полей.
Content.Server/_Special/test Создан новый пустой файл.

Sequence Diagram(s)

sequenceDiagram
    participant Player
    participant UPSystem
    participant Entity
    participant Component

    Player->>UPSystem: Взаимодействие с сущностью
    UPSystem->>Entity: Проверка валидности
    UPSystem->>Component: Получение имени компонента
    UPSystem->>Component: Установка значения обновления
    UPSystem->>UPComponent: Уменьшение счетчика usable
    alt usable < 0
        UPSystem->>Entity: Удаление сущности
    end
Loading

Poem

🐰 В мире обновлений, где всё оживает,
Новый компонент радость приносит,
Система взаимодействий, как сказка, играет,
И каждый апгрейд весело кружит!
Пусть сущности радуются, в играх шагая,
С обновлениями счастье к нам приходит! 🎉


📜 Recent review details

Configuration used: CodeRabbit UI
Review profile: CHILL

📥 Commits

Reviewing files that changed from the base of the PR and between 9fad5b9 and 489a054.

📒 Files selected for processing (2)
  • Content.Server/_Special/UniversalUpgrader/Components/UPComponent.cs (1 hunks)
  • Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs (1 hunks)
🔇 Additional comments (7)
Content.Server/_Special/UniversalUpgrader/Components/UPComponent.cs (3)

17-17: ⚠️ Potential issue

Исправьте именование поля ProtoWhitelist

Поле ProtoWhitelist нарушает соглашение об именовании. Имена полей должны быть в стиле camelCase. Переименуйте поле в protoWhitelist.


20-20: ⚠️ Potential issue

Проверьте значение поля usable

Поле usable инициализируется нулём, что может привести к некорректному поведению компонента. Рекомендуется установить положительное значение по умолчанию, например 1.


8-14: ⚠️ Potential issue

Добавьте проверки на null для строковых полей

Поля upgradeName, componentName и upgradeValue объявлены без инициализации, что может привести к исключениям NullReferenceException. Рекомендуется инициализировать их значениями по умолчанию или добавить проверки на null.

Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs (4)

31-31: ⚠️ Potential issue

Добавьте валидацию имени компонента перед использованием

Использование entity.Comp.componentName без проверки может привести к ошибкам, если имя компонента некорректно или компонент не зарегистрирован. Рекомендуется добавить проверку наличия компонента или обработку исключений при вызове _compFact.GetRegistration.


35-39: 🛠️ Refactor suggestion

Оптимизируйте разбиение строк и проверьте соответствие длины массивов

Методы Split(' ') вызываются на каждой итерации цикла, что неэффективно. Также длины массивов upgradeName и upgradeValue могут не совпадать, что приведёт к исключениям. Рекомендуется выполнить разбиение строк перед циклом и проверить, что их длины совпадают.

Примените следующий дифф для исправления:

- var t = entity.Comp.upgradeName.Split(' ').Length;
+ var upgradeNames = entity.Comp.upgradeName.Split(' ');
+ var upgradeValues = entity.Comp.upgradeValue.Split(' ');
+ if (upgradeNames.Length != upgradeValues.Length)
+ {
+     // Обработка ошибки или выход из метода
+     Logger.Error("Количество элементов в upgradeName и upgradeValue не совпадает.");
+     return;
+ }
- for (int i = 0; i < t; i++)
+ for (int i = 0; i < upgradeNames.Length; i++)
  {
-     var un = entity.Comp.upgradeName.Split(' ')[i];
-     var uv = entity.Comp.upgradeValue.Split(' ')[i];
+     var un = upgradeNames[i];
+     var uv = upgradeValues[i];

44-44: ⚠️ Potential issue

Исправьте использование метода SetValue и добавьте преобразование типов

Метод SetValue используется неправильно. Первый параметр должен быть объектом, значение поля которого необходимо установить (в данном случае comp), а не типом поля. Также следует преобразовать uv к типу поля h.FieldType.

Примените следующий дифф для исправления:

- h.SetValue(h.FieldType, uv );
+ var convertedValue = Convert.ChangeType(uv, h.FieldType);
+ h.SetValue(comp, convertedValue);

31-44: ⚠️ Potential issue

Добавьте обработку ошибок и улучшите безопасность при использовании рефлексии

Прямое использование рефлексии без валидации может привести к уязвимостям и исключениям. Рекомендуется:

  • Проверять корректность и безопасность значений componentName, upgradeName.
  • Добавить обработку возможных исключений при использовании методов рефлексии.
  • Логировать ошибки для упрощения отладки.

Thank you for using CodeRabbit. We offer it for free to the OSS community and would appreciate your support in helping us grow. If you find it useful, would you consider giving us a shout-out on your favorite social media?

❤️ Share
🪧 Tips

Chat

There are 3 ways to chat with CodeRabbit:

  • Review comments: Directly reply to a review comment made by CodeRabbit. Example:
    • I pushed a fix in commit <commit_id>, please review it.
    • Generate unit testing code for this file.
    • Open a follow-up GitHub issue for this discussion.
  • Files and specific lines of code (under the "Files changed" tab): Tag @coderabbitai in a new review comment at the desired location with your query. Examples:
    • @coderabbitai generate unit testing code for this file.
    • @coderabbitai modularize this function.
  • PR comments: Tag @coderabbitai in a new PR comment to ask questions about the PR branch. For the best results, please provide a very specific query, as very limited context is provided in this mode. Examples:
    • @coderabbitai gather interesting stats about this repository and render them as a table. Additionally, render a pie chart showing the language distribution in the codebase.
    • @coderabbitai read src/utils.ts and generate unit testing code.
    • @coderabbitai read the files in the src/scheduler package and generate a class diagram using mermaid and a README in the markdown format.
    • @coderabbitai help me debug CodeRabbit configuration file.

Note: Be mindful of the bot's finite context window. It's strongly recommended to break down tasks such as reading entire modules into smaller chunks. For a focused discussion, use review comments to chat about specific files and their changes, instead of using the PR comments.

CodeRabbit Commands (Invoked using PR comments)

  • @coderabbitai pause to pause the reviews on a PR.
  • @coderabbitai resume to resume the paused reviews.
  • @coderabbitai review to trigger an incremental review. This is useful when automatic reviews are disabled for the repository.
  • @coderabbitai full review to do a full review from scratch and review all the files again.
  • @coderabbitai summary to regenerate the summary of the PR.
  • @coderabbitai resolve resolve all the CodeRabbit review comments.
  • @coderabbitai configuration to show the current CodeRabbit configuration for the repository.
  • @coderabbitai help to get help.

Other keywords and placeholders

  • Add @coderabbitai ignore anywhere in the PR description to prevent this PR from being reviewed.
  • Add @coderabbitai summary to generate the high-level summary at a specific location in the PR description.
  • Add @coderabbitai anywhere in the PR title to generate the title automatically.

CodeRabbit Configuration File (.coderabbit.yaml)

  • You can programmatically configure CodeRabbit by adding a .coderabbit.yaml file to the root of your repository.
  • Please see the configuration documentation for more information.
  • If your editor has YAML language server enabled, you can add the path at the top of this file to enable auto-completion and validation: # yaml-language-server: $schema=https://coderabbit.ai/integrations/schema.v2.json

Documentation and Community

  • Visit our Documentation for detailed information on how to use CodeRabbit.
  • Join our Discord Community to get help, request features, and share feedback.
  • Follow us on X/Twitter for updates and announcements.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 6

🧹 Outside diff range and nitpick comments (4)
Content.Server/_Special/UniversalUpgrader/Components/UPComponent.cs (2)

4-6: Добавьте документацию к компоненту

Необходимо добавить XML-документацию, описывающую назначение компонента и его использование.

Предлагаемые изменения:

 [RegisterComponent]
+/// <summary>
+/// Компонент, отвечающий за функциональность универсального улучшения предметов.
+/// Позволяет модифицировать другие компоненты в соответствии с заданными параметрами.
+/// </summary>
 public sealed partial class UPComponent : Component

1-21: Рекомендации по архитектуре компонента

Текущая реализация может быть улучшена для обеспечения большей надежности и расширяемости.

Рекомендации:

  1. Рассмотрите использование enum для определения типов улучшений вместо строковых полей
  2. Добавьте события для отслеживания изменений состояния компонента
  3. Реализуйте интерфейс ISerializationHooks для валидации данных при десериализации
Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs (2)

42-43: Некорректная логика удаления сущности

Удаление сущности происходит сразу после достижения отрицательного значения usable, что может привести к проблемам синхронизации.

Рекомендуется:

  1. Добавить проверку на неотрицательное значение при инициализации
  2. Использовать DeleteEntity вместо QueueDeleteEntity для немедленного удаления

1-48: Архитектурные рекомендации

Текущая реализация универсального апгрейдера имеет несколько архитектурных проблем:

  1. Отсутствует синхронизация с клиентом
  2. Нет валидации значений обновления
  3. Нет системы отката изменений
  4. Отсутствует интерфейс IUpgradeable для компонентов

Рекомендуется:

  1. Добавить SharedUPSystem для синхронизации
  2. Внедрить интерфейс IUpgradeable для компонентов
  3. Реализовать систему валидации значений
  4. Добавить события до/после обновления
📜 Review details

Configuration used: CodeRabbit UI
Review profile: CHILL

📥 Commits

Reviewing files that changed from the base of the PR and between 3abae75 and 9fad5b9.

📒 Files selected for processing (3)
  • Content.Server/_Special/UniversalUpgrader/Components/UPComponent.cs (1 hunks)
  • Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs (1 hunks)
  • Content.Server/_Special/test (1 hunks)
✅ Files skipped from review due to trivial changes (1)
  • Content.Server/_Special/test
🔇 Additional comments (1)
Content.Server/_Special/UniversalUpgrader/Systems/UPSystem.cs (1)

7-15: Структура класса соответствует шаблонам SS14

Базовая структура реализована правильно, включая:

  • Наследование от EntitySystem
  • Внедрение зависимости EntityManager
  • Подписку на событие AfterInteractEvent

Comment on lines +16 to +18
[DataField, ViewVariables(VVAccess.ReadWrite)]
public string ProtoWhitelist;

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Исправьте именование и добавьте документацию для ProtoWhitelist

Поле ProtoWhitelist нарушает конвенцию именования (Pascal Case для публичных полей).

Предлагаемые изменения:

-    public string ProtoWhitelist;
+    /// <summary>
+    /// Список разрешенных прототипов для улучшения.
+    /// </summary>
+    [DataField]
+    [ViewVariables(VVAccess.ReadWrite)]
+    public string? protoWhitelist;

Committable suggestion skipped: line range outside the PR's diff.

Comment on lines +19 to +21
[DataField, ViewVariables(VVAccess.ReadWrite)]
public int usable = 0;
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

Добавьте проверку значения usable

Поле usable инициализируется нулем, что может привести к неправильному поведению компонента.

Рекомендуемые изменения:

-    public int usable = 0;
+    /// <summary>
+    /// Количество оставшихся использований улучшения.
+    /// </summary>
+    [DataField]
+    [ViewVariables(VVAccess.ReadWrite)]
+    public int usable = 1;
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
[DataField, ViewVariables(VVAccess.ReadWrite)]
public int usable = 0;
}
/// <summary>
/// Количество оставшихся использований улучшения.
/// </summary>
[DataField]
[ViewVariables(VVAccess.ReadWrite)]
public int usable = 1;
}

Comment on lines 7 to 14
[DataField, ViewVariables(VVAccess.ReadWrite)]
public string upgradeName;

[DataField, ViewVariables(VVAccess.ReadWrite)]
public string componentName;

[DataField, ViewVariables(VVAccess.ReadWrite)]
public float upgradeValue;
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

Требуется валидация полей и улучшение типобезопасности

Поля upgradeName, componentName и upgradeValue не имеют проверок на null и отрицательные значения.

Рекомендуемые изменения:

-    public string upgradeName;
+    [DataField(required: true)]
+    public string upgradeName = default!;

-    public string componentName;
+    [DataField(required: true)]
+    public string componentName = default!;

-    public float upgradeValue;
+    [DataField(required: true)]
+    [ViewVariables(VVAccess.ReadWrite)]
+    public float upgradeValue = 1.0f;
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
[DataField, ViewVariables(VVAccess.ReadWrite)]
public string upgradeName;
[DataField, ViewVariables(VVAccess.ReadWrite)]
public string componentName;
[DataField, ViewVariables(VVAccess.ReadWrite)]
public float upgradeValue;
[DataField(required: true), ViewVariables(VVAccess.ReadWrite)]
public string upgradeName = default!;
[DataField(required: true), ViewVariables(VVAccess.ReadWrite)]
public string componentName = default!;
[DataField(required: true), ViewVariables(VVAccess.ReadWrite)]
public float upgradeValue = 1.0f;

Comment on lines 38 to 39
if (h.FieldType == typeof(int)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
if (h.FieldType == typeof(float)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

Небезопасное приведение типов

Текущая реализация может привести к потере данных при конвертации:

  1. Для float всегда используется приведение к int
  2. Отсутствует проверка диапазона значений

Предлагаемое исправление:

- if (h.FieldType == typeof(int)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
- if (h.FieldType == typeof(float)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
+ if (h.FieldType == typeof(int))
+     h.SetValue(comp, Convert.ToInt32(entity.Comp.upgradeValue));
+ else if (h.FieldType == typeof(float))
+     h.SetValue(comp, Convert.ToSingle(entity.Comp.upgradeValue));
+ else
+     Logger.Warning($"Unsupported field type {h.FieldType}");
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
if (h.FieldType == typeof(int)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
if (h.FieldType == typeof(float)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
if (h.FieldType == typeof(int))
h.SetValue(comp, Convert.ToInt32(entity.Comp.upgradeValue));
else if (h.FieldType == typeof(float))
h.SetValue(comp, Convert.ToSingle(entity.Comp.upgradeValue));
else
Logger.Warning($"Unsupported field type {h.FieldType}");

Comment on lines 17 to 46
private void OnInteract(Entity<UPComponent> entity, ref AfterInteractEvent args)
{
if (!args.CanReach || args.Target is not { Valid: true } target)
return;
if (entity.Comp.ProtoWhitelist != null && HasComp<MetaDataComponent>(target))
{
var z = _ent.GetComponent<MetaDataComponent>(target);
if (z.EntityPrototype!.ID != entity.Comp.ProtoWhitelist)
return;
}

Type? g = Type.GetType(entity.Comp.componentName);

if (g != null && _ent.TryGetComponent(target, g, out var comp))
{

var h = comp.GetType().GetField(entity.Comp.upgradeName);

if (h != null)
{

if (h.FieldType == typeof(int)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
if (h.FieldType == typeof(float)) h.SetValue(comp,(int) entity.Comp.upgradeValue);

}
entity.Comp.usable -= 1;
if (entity.Comp.usable < 0) _ent.QueueDeleteEntity(entity);

}
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Оптимизация производительности и обработка ошибок

Текущая реализация использует рефлексию при каждом взаимодействии, что может негативно влиять на производительность. Также отсутствует обработка исключений.

Рекомендации:

  1. Кэшировать информацию о типах и полях
  2. Добавить обработку исключений
  3. Логировать ошибки

Пример реализации:

+ private readonly Dictionary<string, (Type type, FieldInfo field)> _componentCache = new();

+ private bool TryGetComponentInfo(string componentName, string fieldName, 
+     out (Type type, FieldInfo field) info)
+ {
+     var key = $"{componentName}.{fieldName}";
+     if (_componentCache.TryGetValue(key, out info))
+         return true;
+         
+     try 
+     {
+         // ... кэширование информации о компоненте
+         return true;
+     }
+     catch (Exception e)
+     {
+         Logger.Error($"Failed to get component info: {e}");
+         info = default;
+         return false;
+     }
+ }

Committable suggestion skipped: line range outside the PR's diff.

Comment on lines 28 to 34
Type? g = Type.GetType(entity.Comp.componentName);

if (g != null && _ent.TryGetComponent(target, g, out var comp))
{

var h = comp.GetType().GetField(entity.Comp.upgradeName);

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

Небезопасное использование рефлексии

Прямое использование Type.GetType и GetField без валидации может привести к уязвимостям безопасности. Необходимо:

  1. Добавить белый список разрешенных компонентов
  2. Проверять namespace компонентов
  3. Валидировать имена полей

Пример безопасной реализации:

- Type? g = Type.GetType(entity.Comp.componentName);
+ if (!ValidateComponentName(entity.Comp.componentName))
+     return;
+ Type? g = Type.GetType($"Content.Server.{entity.Comp.componentName}");

Committable suggestion skipped: line range outside the PR's diff.

Copy link
Owner

@Rxup Rxup left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

что это за дичь код?

if (g != null && _ent.TryGetComponent(target, g, out var comp))
{

var h = comp.GetType().GetField(entity.Comp.upgradeName);
Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

WTF?

if (h != null)
{

if (h.FieldType == typeof(int)) h.SetValue(comp,(int) entity.Comp.upgradeValue);
Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

WTF?

return;
}

Type? g = Type.GetType(entity.Comp.componentName);
Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

WTF?

Copy link
Contributor Author

@sanek31 sanek31 Nov 26, 2024

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

WTF?

GetType переводит строку в объект с которым можно работать, пример из видео:

_ent.GetComponent<Type.GetType("Conter.Shared.Weapons.Melee.MeleeWeaponComponent, Content.Shared")>(target);

равносилен


_ent.GetComponent<MeleeWeaponComponent>(target);

а

comp.GetType().GetField("AttackRate");

равносилен


comp.AttackRate;

Возможно есть простой способ, который я не нашёл

Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

ты мне говоришь что такое IComponentFactory? -_-

@Rxup Rxup added DONT MERGE Ноу, ноу, ноу, мистер, не совершайте ошибок. Holy Shit Для очень больших и спорных ПРов. labels Nov 26, 2024
@sanek31
Copy link
Contributor Author

sanek31 commented Nov 26, 2024

Спасибо, не знал про это. Перепишу

@sanek31 sanek31 requested a review from Rxup December 7, 2024 15:25
@KayzelW KayzelW changed the title Universal Upgrader [Портирование] [Port] Universal Upgrader Dec 17, 2024
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
DONT MERGE Ноу, ноу, ноу, мистер, не совершайте ошибок. Holy Shit Для очень больших и спорных ПРов. S: Untriaged size/M
Projects
None yet
Development

Successfully merging this pull request may close these issues.

2 participants