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

Feedback #1

Open
wants to merge 182 commits into
base: feedback
Choose a base branch
from
Open

Feedback #1

wants to merge 182 commits into from

Conversation

github-classroom[bot]
Copy link
Contributor

@github-classroom github-classroom bot commented Mar 13, 2024

👋! GitHub Classroom created this pull request as a place for your teacher to leave feedback on your work. It will update automatically. Don’t close or merge this pull request, unless you’re instructed to do so by your teacher.
In this pull request, your teacher can leave comments and feedback on your code. Click the Subscribe button to be notified if that happens.
Click the Files changed or Commits tab to see all of the changes pushed to main since the assignment started. Your teacher can see this too.

Notes for teachers

Use this PR to leave feedback. Here are some tips:

  • Click the Files changed tab to see all of the changes pushed to main since the assignment started. To leave comments on specific lines of code, put your cursor over a line of code and click the blue + (plus sign). To learn more about comments, read “Commenting on a pull request”.
  • Click the Commits tab to see the commits pushed to main. Click a commit to see specific changes.
  • If you turned on autograding, then click the Checks tab to see the results.
  • This page is an overview. It shows commits, line comments, and general comments. You can leave a general comment below.
    For more information about this pull request, read “Leaving assignment feedback in GitHub”.

Subscribed: @kinokotakenoko9 @Mukovenkov-Roman-Sergeyevich @mshipilov5

Fixes due to changes related to coverage being 100%
Efficiency and Security Update
Copy link

@ItIsMrLaG ItIsMrLaG left a comment

Choose a reason for hiding this comment

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

Мне понравилось, не очень много кода, весьма структурированно + архитектура понравилась (хотя я кое-что не понял и к кое-чему вопросики, еще обсудим).

Короче, видно, что с душой к решению задачи подошли :-)


private fun RedBlackTreeNode<K, V>.findSiblingIfNotRoot(): RedBlackTreeNode<K, V>? {
return when (this) {
this.parent!!.left -> this.parent!!.right

Choose a reason for hiding this comment

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

Ну выглядит !! не очень. Я понимаю, что функция типо приватная, вы расчитываете на инварианты и т.д. Но такой код (имхо) трудно поддерживать. Пришел какой-то горе-программист и написал хрень (сломав инварианты), а вам потом сидеть и разбираться почему тут NPE, что довольно тяжело (вы же никаких пояснений не добавили).
Мой вариант решение проблемы такой:

  1. Записать через let
this.parent?.let {
                return@let this.parent.right
} ?: throw Exception("Parent is null, is it normal???")
  1. Запись через val
val parent = this.parent ?: throw Exception("Parent is null, is it normal???")
 return this.parent.left -> this.parent!!.righ

На мой взгляд, довольно элегантно и понятно.

Choose a reason for hiding this comment

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

Распространите коммент на весь ваш код, а то эти !! немного глаз режут. Хотя вашу мотивацию так делать я понял из ревью на вторую команду. (Цель благая, реализация мне не нравится)

Choose a reason for hiding this comment

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

А еше мб стоит такие функции через замыкания писать (функция в функции)... Так как используется она только в одном месте...

Choose a reason for hiding this comment

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

Ну выглядит !! не очень. Я понимаю, что функция типо приватная, вы расчитываете на инварианты и т.д. Но такой код (имхо) трудно поддерживать. Пришел какой-то горе-программист и написал хрень (сломав инварианты), а вам потом сидеть и разбираться почему тут NPE, что довольно тяжело (вы же никаких пояснений не добавили). Мой вариант решение проблемы такой:

  1. Записать через let
this.parent?.let {
                return@let this.parent.right
} ?: throw Exception("Parent is null, is it normal???")
  1. Запись через val
val parent = this.parent ?: throw Exception("Parent is null, is it normal???")
 return this.parent.left -> this.parent!!.righ

На мой взгляд, довольно элегантно и понятно.

Знал, что меня будут ругать за это
Ну уж очень хотел coverage 100% :D (По-моему ни у кого больше нет такого + рандомных тестов тоже)
Не проверял, позволяет ли let поднимать coverage
В идеальной программе, наверное, я бы написал как раз через exception и эти exception все, которые неприватные методы, проверял. Но было лень.

Choose a reason for hiding this comment

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

А еше мб стоит такие функции через замыкания писать (функция в функции)... Так как используется она только в одном месте...

Крутая штука, знал, но как-то не осозновал, что можно использовать. Тупо можно структурировать код таким образом, лайк

}

private fun RedBlackTreeNode<K, V>.findSiblingIfNotRoot(): RedBlackTreeNode<K, V>? {
return when (this) {

Choose a reason for hiding this comment

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

Микро комментарий: почему when, а не if? Ветки же две...

Copy link
Contributor

Choose a reason for hiding this comment

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

Аааа сори!.. Просто по-моему там раньше как раз и было три случая, просто убрал третий. Интересно, это имеет какое-то различие в производительности... (спойлер: да)

}

@Test
fun searchThreeNodes() {

Choose a reason for hiding this comment

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

А че у вас тесты в одном месте одним образом называются, а другом -- другим... (через 'search three nodes')

Copy link
Contributor

Choose a reason for hiding this comment

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

Эх, руки не доходили стандартизировать, а надо было. Наш грех. Слишком заняты новоработками

}
}

@Test

Choose a reason for hiding this comment

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

Возможно стоит использовать @ParameterizedTest. Такой подход немного упращает логику тестирования. Обычно такой подход прекрасно ложиться на Unit тесты, в противном случае непонятно, почему у вас сразу три assert (или вам не рассказывали про unit тесты (-_-) )

@ParameterizedTest
    @CsvSource(,,,)

Choose a reason for hiding this comment

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

ОООО классная фича. Как-то не знали о ней. Прям жалею что не знал.

assertEquals("SecondNubmerTwo", regularTree.search(2))
}

/* Fuzzing is disabled! Remove comments to debug regular tree

Choose a reason for hiding this comment

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

Мое мнение, что такое лучше выносить одним файлом и просто исключать из пайплайна. А то код немного замусоривается. Но это мое мнение, в некоторых опенсурс проектах, насколько я помню, такое приемлимо.

Choose a reason for hiding this comment

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

Это крутая мысль, а то реально какое-то замусоривание 👍

removeNode.left = null
removeNode.right = null
removeNode.parent = null
super.balance(balancer::remover, replaceNode.parent)

Choose a reason for hiding this comment

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

Воу, рефлексия... Не есть хорошо, на мой взгляд, обычно такое не стоит использовать (только в экстренных случаях). Обычно проблемы использование рефлексии говорит о косяках архитектуры-реализации ;))

Choose a reason for hiding this comment

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

Я честно не до конца вник (оправдана она здесь или нет), поэтому тут просто пояснения мне нужны)

Choose a reason for hiding this comment

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

На созвоне было выяснено, что использование рефлексии правильное

return removedValue
}
} else {
setNodeRight(removeNode.parent!!, replaceNode)

Choose a reason for hiding this comment

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

Ну этож даже не эстетично(removeNode.parent!!) :((( Можно же написать:

val parent = removeNode.parent ?: throw Exception("I'm really beautiful....")

И дальше без !! жить спокойно...

Choose a reason for hiding this comment

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

Я поменял свою точку зрения на мир. Я подвёл своих тиммейтов с !!. Я никогда не буду стремиться за 100% coverage путём !!.

```
### Insert
```kotlin
tree.put(23, "Apple")

Choose a reason for hiding this comment

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

А почему put, если insert -_-

Choose a reason for hiding this comment

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

Insert кажется более интуитивно понятным header'ом, чем put. А put - потому что interface реализовали

nodeParent: AVLTreeNode<K, V>,
nodeChild: AVLTreeNode<K, V>?,
) {
when (nodeChild) {

Choose a reason for hiding this comment

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

Из-за того, что when, а не if вложенность растет. (Я наконец-то придумал, почему это плохо)

removeNode = nextNode
}

val replaceNode = if (removeNode.left != null) removeNode.left else removeNode.right

Choose a reason for hiding this comment

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

ТО ЕСТЬ ВЫ ЗНАЛИ ПРО if 😱😱😱😱😱😱😱

Choose a reason for hiding this comment

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

Ладно, а че тут тогда не when -_-

Choose a reason for hiding this comment

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

*Ладно, докапываюсь, но искренне непонятно почему так...

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

5 participants