-
Notifications
You must be signed in to change notification settings - Fork 102
1,2,3 Lessons were done full #152
Conversation
…IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII
…IIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIIII
…lllllllllllllllllllllllllllllllllllll
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Просьба внимательнее относиться к форматированию кода
minutes >= 0 | ||
minutes <= 60 | ||
seconds >= 0 | ||
seconds <= 60 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Что, по вашему мнению, делает данная цепочка логических выражений?
@@ -60,31 +68,39 @@ fun seconds(hours: Int, minutes: Int, seconds: Int): Int = TODO() | |||
* Определить длину того же отрезка в метрах (в данном случае 18.98). | |||
* 1 сажень = 3 аршина = 48 вершков, 1 вершок = 4.445 см. | |||
*/ | |||
fun lengthInMeters(sagenes: Int, arshins: Int, vershoks: Int): Double = TODO() | |||
fun lengthInMeters(sagenes: Int, arshins: Int, vershoks: Int): Double { | |||
return vershoks * 0.04445 + arshins * 16 * 0.04445 + sagenes * 48 * 0.04445 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Функцию с телом в виде одного return expr
можно записать как fun foo(...) = expr
|
||
/** | ||
* Тривиальная | ||
* | ||
* Пользователь задает угол в градусах, минутах и секундах (например, 36 градусов 14 минут 35 секунд). | ||
* Вывести значение того же угла в радианах (например, 0.63256). | ||
*/ | ||
fun angleInRadian(grad: Int, min: Int, sec: Int): Double = TODO() | ||
fun angleInRadian(grad: Int, min: Int, sec: Int): Double { | ||
return (grad.toDouble() + min.toDouble()/60 + sec.toDouble()/3600) / (180 / Math.PI) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Функцию с телом в виде одного
return expr
можно записать какfun foo(...) = expr
- Для того, чтобы результат деления имел тип
Double
, обычно делаютa / 60.0
, а неa.toDouble() / 60
|
||
/** | ||
* Тривиальная | ||
* | ||
* Найти длину отрезка, соединяющего точки на плоскости с координатами (x1, y1) и (x2, y2). | ||
* Например, расстояние между (3, 0) и (0, 4) равно 5 | ||
*/ | ||
fun trackLength(x1: Double, y1: Double, x2: Double, y2: Double): Double = TODO() | ||
fun trackLength(x1: Double, y1: Double, x2: Double, y2: Double): Double { | ||
return sqrt(sqr(x2-x1)+sqr(y2-y1)) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Функцию с телом в виде одного return expr
можно записать как fun foo(...) = expr
|
||
/** | ||
* Простая | ||
* | ||
* Пользователь задает целое число, большее 100 (например, 3801). | ||
* Определить третью цифру справа в этом числе (в данном случае 8). | ||
*/ | ||
fun thirdDigit(number: Int): Int = TODO() | ||
fun thirdDigit(number: Int): Int { | ||
return (number/100)%10 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Функцию с телом в виде одного return expr
можно записать как fun foo(...) = expr
while (number < n) { | ||
k = k + 1 | ||
s = fib(k) | ||
while (s > 0 ){ |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
См. замечания выше
fun q2(g:Double) = g * g | ||
|
||
fun abs(v: List<Double>): Double{ | ||
var sum: Double = 0.0 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Система типов Котлина выведет тип переменной автоматически
|
||
fun abs(v: List<Double>): Double{ | ||
var sum: Double = 0.0 | ||
for (i in 0 .. v.size-1){ |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Если вам явно не нужен индекс значений в списке, лучше воспользоваться циклом в foreach
стиле
for (element in list) {
foo(element)
}
fun mean(list: List<Double>): Double = TODO() | ||
fun mean(list: List<Double>): Double { | ||
var sum : Double = 0.0 | ||
for (i in 0 .. list.size - 1){ |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Можно просто list.sum()
fun times(a: List<Double>, b: List<Double>): Double { | ||
var min: Int = 0 | ||
var sum: Double = 0.0 | ||
if (a.size < b.size){ |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Скалярное произведение векторов разных размерностей неопределено
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Определил, нашел наименьшую длину min из двух списков и в цикле пробежался от 0 до min -1 , потому что от i min и до длины большей строки произведения скалярных векторов равно 0.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Скалярное произведение векторов разных размерностей неопределено с математической точки зрения. То, что вы его доопределили, это интересно, но не соответствует тому, как это должно работать на практике.
В 1-м уроке в задании с поездом, где нужно рассчитать время пути, бот вывел ошибку: |
Ваш последний коммит не компилируется. Убедительная просьба проверять коммит на работоспособность локально перед отправкой PR. |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ваш код все еще не компилируется
|
||
/** | ||
* Тривиальная | ||
* | ||
* Пользователь задает угол в градусах, минутах и секундах (например, 36 градусов 14 минут 35 секунд). | ||
* Вывести значение того же угла в радианах (например, 0.63256). | ||
*/ | ||
fun angleInRadian(grad: Int, min: Int, sec: Int): Double = TODO() | ||
fun angleInRadian(grad: Int, min: Int, sec: Int): Double = (grad.toDouble() + min /60.0 + sec /3600.0) / (180.0 / Math.PI) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Форматирование кода --- старайтесь придерживаться единого стиля форматирования везде.
- Можно просто
grad
вместоgrad.toDouble()
@@ -93,7 +96,13 @@ fun thirdDigit(number: Int): Int = TODO() | |||
* прибыл на станцию назначения в h2 часов m2 минут того же дня (например в 13:01). | |||
* Определите время поезда в пути в минутах (в данном случае 216). | |||
*/ | |||
fun travelMinutes(hoursDepart: Int, minutesDepart: Int, hoursArrive: Int, minutesArrive: Int): Int = TODO() | |||
fun travelMinutes(hoursDepart: Int, minutesDepart: Int, hoursArrive: Int, minutesArrive: Int): Int { | |||
var min: Int = (hoursArrive - hoursDepart) * 60 + (minutesArrive - minutesDepart) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Система типов Котлина выведет тип переменной автоматически
- Данная переменная может быть объявлена как
val
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
min я объявил var, потому что условие изменяет переменную: =)
if (min < 0){
min += 24 * 60
}
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Не подскажите, почему возникает фатальная ошибка IDE internal error occured?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
А можно поподробнее об ошибке? Скриншот или копию описания?
@@ -102,12 +111,13 @@ fun travelMinutes(hoursDepart: Int, minutesDepart: Int, hoursArrive: Int, minute | |||
* Сколько денег будет на счету через 3 года (с учётом сложных процентов)? | |||
* Например, 100 рублей под 10% годовых превратятся в 133.1 рубля | |||
*/ | |||
fun accountInThreeYears(initial: Int, percent: Int): Double = TODO() | |||
fun accountInThreeYears(initial: Int, percent: Int): Double = ((1+percent.toDouble()/100)*(1+percent.toDouble()/100)*(1+percent.toDouble()/100) * initial.toDouble()) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Повторно вычисляемые выражения лучше вынести в отдельную переменную
- Вместо
a.toDouble() / 42
обычно делаютa / 42.0
при необходимости вычислений с плавающей запятой
fun ageDescription(age: Int): String = TODO() | ||
fun ageDescription(age: Int): String { | ||
|
||
if ((age % 10 == 1) && (age / 10 != 1) && (age / 10 != 11)) { |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Данное выражение лучше оформить как when
t2: Double,v2: Double, | ||
t3: Double,v3: Double): Double { | ||
|
||
var ss1: Double = v1 * t1 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Система типов Котлина выведет тип переменной автоматически
- Данная переменная может быть объявлена как
val
} else { | ||
min = n | ||
} | ||
for (i in 1..min) { |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Зачем при поиске наибольшего общего делителя перебирать делители от минимального к максимальному?
} | ||
for (i in 1..min) { | ||
if (n % i == 0 && m % i == 0) { | ||
k = i |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Почитайте про алгоритмы поиска НОД, которые работают быстрее полного перебора
fun squareBetweenExists(m: Int, n: Int): Boolean = TODO() | ||
fun sqr(g: Double) = g * g | ||
|
||
fun squareBetweenExists(m: Int, n: Int): Boolean = m <= sqr(sqrt(n.toDouble()).toInt().toDouble()) && sqr(sqrt(n.toDouble()).toInt().toDouble()) <= n |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Повторно используемые выражения лучше вынести в отдельные переменные
- Для округления лучше использовать специальные функции из пакета
Math
:round / floor / ceil
number = number + count(numberi * numberi) | ||
} | ||
result = numberi * numberi | ||
(n..number - 1).forEach { numberi -> result = result / 10 } |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Изменять внешнюю переменную в лямбде --- очень плохой стиль. В данном случае лучше воспользоваться обычным циклом for
.
number = number + count(fib(numberi)) | ||
} | ||
result = fib(numberi) | ||
(n..number - 1).forEach { i -> result = result / 10 } |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Изменять внешнюю переменную в лямбде --- очень плохой стиль. В данном случае лучше воспользоваться обычным циклом for.
Подскажите, пожалуйста, работал на другом компьютере, склонировал репозиторий с GitHub, при push ошибка: Failed with error: fatal: unable to access 'https://github.com/StarKRE/KotlinAsFirst2016.git/': The requested URL returned error: 403 |
Возможно, логин / пароль неверные или что-то не так в этот момент было с Интернет |
|
||
/** | ||
* Простая | ||
* | ||
* Пользователь задает целое трехзначное число (например, 478). | ||
*Необходимо вывести число, полученное из заданного перестановкой цифр в обратном порядке (например, 874). | ||
*/ | ||
fun numberRevert(number: Int): Int = TODO() | ||
fun numberRevert(number: Int): Int = ((number % 10) * 100) + ((number / 100)) + (number - ((number / 100) * 100) - (number % 10)) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Длинные строки не есть очень хорошо
} | ||
|
||
fun minOfThree(a: Double, b: Double, c: Double): Double{ | ||
var min= 0.0 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Форматирование, ну е-мое!
d < b && a > d -> -1 | ||
d < b && d >= a && c <= a -> d - a | ||
else -> d - c |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Все еще актуально
fun sin(x: Double, eps: Double): Double { | ||
var k = 0 | ||
var sin = x % (2 * Math.PI) | ||
var number = x % (2 * Math.PI) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Может быть, можно не считать два раза одно и то же?
* Центрировать заданный список list, уменьшив каждый элемент на среднее арифметическое всех элементов. | ||
* Если список пуст, не делать ничего. Вернуть изменённый список. | ||
*/ | ||
fun center(list: MutableList<Double>): MutableList<Double> { |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Неужели так сложно исправить форматирование было, е-мое???
downWall-- | ||
if (downWall - topWall <= 0) return matrix | ||
for (k in downWall - 1 downTo topWall){ | ||
j = k |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
А почему бы просто не поиспользовать переменную k
здесь и выше???
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
не понял...
while (count <= width * height) { | ||
if (rightWall - leftWall <= 0) return matrix | ||
for (k in leftWall..rightWall - 1) { | ||
i = k |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
См. выше...
@@ -118,7 +125,34 @@ fun <E> rotate(matrix: Matrix<E>): Matrix<E> = TODO() | |||
* 1 2 3 | |||
* 3 1 2 | |||
*/ | |||
fun isLatinSquare(matrix: Matrix<Int>): Boolean = TODO() | |||
fun isLatinSquare(matrix: Matrix<Int>): Boolean { |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Решили не думать внимательно. Тоже вариант!
fun sumNeighbours(matrix: Matrix<Int>): Matrix<Int> = TODO() | ||
fun sumNeighbours(matrix: Matrix<Int>): Matrix<Int> { | ||
val extendedMatrix = createMatrix<Int>(matrix.height + 2, matrix.width + 2, 0) | ||
val NeighboursMatrix = matrix // создание расширенной и преобразованной матриц |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
camelCase
@@ -137,7 +248,30 @@ fun isLatinSquare(matrix: Matrix<Int>): Boolean = TODO() | |||
* | |||
* 42 ===> 0 | |||
*/ | |||
fun sumNeighbours(matrix: Matrix<Int>): Matrix<Int> = TODO() | |||
fun sumNeighbours(matrix: Matrix<Int>): Matrix<Int> { | |||
val extendedMatrix = createMatrix<Int>(matrix.height + 2, matrix.width + 2, 0) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
А вот это неплохой трюк
recheck all |
author1081_1 [[email protected]] lesson1.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: -8757855603990380394 lesson2.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 7 Example: 1 / 1 Succeeded:
Seed: -8757855603990380394 lesson2.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 5 / 5 Example: 1 / 1 Succeeded:
Seed: -8757855603990380394 lesson3.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 16 / 18 Example: 4 / 4 Succeeded:
Failed:
Seed: -8757855603990380394 lesson4.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 19 / 21 Example: 7 / 7 Succeeded:
Seed: -8757855603990380394 lesson5.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Failed:
Seed: -8757855603990380394 lesson6.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 16 / 16 Example: 4 / 4 Succeeded:
Seed: -8757855603990380394 lesson6.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 11 Example: 1 / 1 Succeeded:
Failed:
Seed: -8757855603990380394 lesson7.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 3 / 3 Easy: 1 / 1 Succeeded:
Seed: -8757855603990380394 lesson7.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 15 Example: 2 / 2 Succeeded:
Seed: -8757855603990380394 ownerStarKRE [[email protected]] totalAuthor: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 105 / 136 Example: 30 / 30 |
Несмотря на то, что вы выполнили формальные требования на оценку "Отлично", учитывая множественные замечания, ваш стиль написания кода и все еще не работающие тесты к некоторым задачам, мы не можем вам поставить выше "Хорошо". Но и это тоже очень здорово! |
authorStarKRE [[email protected]] lesson1.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: -2758327737286919965 lesson2.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 7 Example: 1 / 1 Succeeded:
Seed: -2758327737286919965 lesson3.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 16 / 18 Example: 4 / 4 Succeeded:
Failed:
Seed: -2758327737286919965 lesson4.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 19 / 21 Example: 7 / 7 Succeeded:
Seed: -2758327737286919965 lesson5.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Seed: -2758327737286919965 lesson6.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 15 / 16 Example: 4 / 4 Succeeded:
Failed:
Seed: -2758327737286919965 lesson6.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 8 / 11 Example: 1 / 1 Succeeded:
Failed:
Seed: -2758327737286919965 lesson7.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 15 Example: 2 / 2 Succeeded:
Seed: -2758327737286919965 ownerStarKRE [[email protected]] totalAuthor: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 93 / 112 Example: 25 / 25 |
recheck all |
authorStarKRE [[email protected]] lesson1.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: -8780664391259941385 lesson2.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 7 Example: 1 / 1 Succeeded:
Seed: -8780664391259941385 lesson2.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 5 / 5 Example: 1 / 1 Succeeded:
Seed: -8780664391259941385 lesson3.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 16 / 18 Example: 4 / 4 Succeeded:
Failed:
Seed: -8780664391259941385 lesson4.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 19 / 21 Example: 7 / 7 Succeeded:
Seed: -8780664391259941385 lesson5.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Seed: -8780664391259941385 lesson6.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 15 / 16 Example: 4 / 4 Succeeded:
Failed:
Seed: -8780664391259941385 lesson6.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 8 / 11 Example: 1 / 1 Succeeded:
Failed:
Seed: -8780664391259941385 lesson7.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 3 / 3 Easy: 1 / 1 Succeeded:
Seed: -8780664391259941385 lesson7.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 15 Example: 2 / 2 Succeeded:
Seed: -8780664391259941385 lesson8.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 1 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: -8780664391259941385 ownerStarKRE [[email protected]] totalAuthor: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 105 / 136 Example: 30 / 30 |
authorStarKRE [[email protected]] lesson1.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: 4600180248487270621 lesson3.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 18 / 18 Example: 4 / 4 Succeeded:
Seed: 4600180248487270621 lesson5.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Seed: 4600180248487270621 lesson6.task2Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 11 Example: 1 / 1 Succeeded:
Failed:
Seed: 4600180248487270621 lesson7.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 3 / 3 Easy: 1 / 1 Succeeded:
Seed: 4600180248487270621 lesson8.task1Author: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: 4600180248487270621 ownerStarKRE [[email protected]] totalAuthor: StarKRE [[email protected]] Owner: StarKRE [[email protected]] Total: 67 / 94 Example: 17 / 17 |
author1081_1 [[email protected]] lesson6.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 10 / 11 Example: 1 / 1 Succeeded:
Seed: 5846807390992126875 lesson8.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: 5846807390992126875 ownerStarKRE [[email protected]] totalAuthor: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 22 / 35 Example: 3 / 3 |
author1081_1 [[email protected]] lesson8.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: -4638109035201864822 ownerStarKRE [[email protected]] totalAuthor: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 |
author1081_1 [[email protected]] lesson1.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: 5738021551891725621 lesson4.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 19 / 21 Example: 7 / 7 Succeeded:
Seed: 5738021551891725621 lesson5.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Seed: 5738021551891725621 lesson7.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 3 / 3 Easy: 1 / 1 Succeeded:
Seed: 5738021551891725621 lesson7.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 15 Example: 2 / 2 Succeeded:
Seed: 5738021551891725621 lesson8.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: 5738021551891725621 ownerStarKRE [[email protected]] totalAuthor: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 52 / 76 Example: 16 / 16 |
recheck all |
1 similar comment
recheck all |
author1081_1 [[email protected]] lesson1.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 12 / 12 Example: 4 / 4 Succeeded:
Seed: 1340733591417801617 lesson2.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 7 Example: 1 / 1 Succeeded:
Seed: 1340733591417801617 lesson2.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 5 / 5 Example: 1 / 1 Succeeded:
Seed: 1340733591417801617 lesson3.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 18 / 18 Example: 4 / 4 Succeeded:
Seed: 1340733591417801617 lesson4.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 19 / 21 Example: 7 / 7 Succeeded:
Seed: 1340733591417801617 lesson5.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 9 / 12 Example: 2 / 2 Succeeded:
Seed: 1340733591417801617 lesson6.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 16 / 16 Example: 4 / 4 Succeeded:
Seed: 1340733591417801617 lesson6.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 10 / 11 Example: 1 / 1 Succeeded:
Seed: 1340733591417801617 lesson7.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 3 / 3 Easy: 1 / 1 Succeeded:
Seed: 1340733591417801617 lesson7.task2Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 7 / 15 Example: 2 / 2 Succeeded:
Seed: 1340733591417801617 lesson8.task1Author: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 2 / 13 Example: 1 / 1 Succeeded:
Failed:
Seed: 1340733591417801617 ownerStarKRE [[email protected]] totalAuthor: 1081_1 [[email protected]] Owner: StarKRE [[email protected]] Total: 111 / 136 Example: 30 / 30 |
Михаил Игоревич, извините за предыдущий Commit, буду относиться с пониманием...