Поиск по сайту:

Kotlin Вопросы для интервью


Kotlin — новейший язык программирования JVM от JetBrains. Google сделал его официальным языком разработки Android наряду с Java. Разработчики говорят, что он решает проблемы, возникающие при программировании на Java. Я написал много руководств по Kotlin, и здесь я задаю важные вопросы для интервью по Kotlin.

Kotlin Вопросы для интервью

Здесь я привожу вопросы и ответы на интервью по Kotlin, которые помогут вам в ваших интервью по Kotlin. Эти вопросы интервью Kotlin хороши как для начинающих, так и для опытных программистов. Также есть вопросы по кодированию, чтобы освежить свои навыки кодирования.

\== is used to compare the values are equal or not. === is used to check if the references are equal or not.

Перечислите модификаторы видимости, доступные в Kotlin. Что такое модификатор видимости по умолчанию?

-   public
-   internal
-   protected
-   private

`public` is the default visibility modifier.

Компилируется ли следующая структура наследования?

```
class A{
}

class B : A(){

}
```

**NO**. By default classes are final in Kotlin. To make them non-final, you need to add the `open` modifier.

```
open class A{
}

class B : A(){

}
```

Какие типы конструкторов есть в Котлине? Насколько они разные? Как вы определяете их в своем классе?

Constructors in Kotlin are of two types: **Primary** - These are defined in the class headers. They cannot hold any logic. There's only one primary constructor per class. **Secondary** - They're defined in the class body. They must delegate to the primary constructor if it exists. They can hold logic. There can be more than one secondary constructors.

```
class User(name: String, isAdmin: Boolean){

constructor(name: String, isAdmin: Boolean, age: Int) :this(name, isAdmin)
{
    this.age = age
}

}
```

Что такое блок инициализации в Котлине

`init` is the initialiser block in Kotlin. It's executed once the primary constructor is instantiated. If you invoke a secondary constructor, then it works after the primary one as it is composed in the chain.

Как работает интерполяция строк в Kotlin? Объясните фрагментом кода?

String interpolation is used to evaluate string templates. We use the symbol $ to add variables inside a string.

```
val name = "Journaldev.com"
val desc = "$name now has Kotlin Interview Questions too. ${name.length}"
```

Using `{}` we can compute an expression too.

Какой тип аргументов внутри конструктора?

By default, the constructor arguments are `val` unless explicitly set to `var`.

Новое ключевое слово в Котлине? Как бы вы создали экземпляр объекта класса в Котлине?

**NO**. Unlike Java, in Kotlin, new isn't a keyword. We can instantiate a class in the following way:

```
class A
var a = A()
val new = A()
```

Что эквивалентно выражению switch в Котлине? Чем он отличается от коммутатора?

when is the equivalent of `switch` in `Kotlin`. The default statement in a when is represented using the else statement.

```
var num = 10
    when (num) {
        0..4 -> print("value is 0")
        5 -> print("value is 5")
        else -> {
            print("value is in neither of the above.")
        }
    }
```

`when` statments have a default break statement in them.

Что такое классы данных в Kotlin? Что делает их такими полезными? Как они определяются?

In Java, to create a class that stores data, you need to set the variables, the getters and the setters, override the `toString()`, `hash()` and `copy()` functions. In Kotlin you just need to add the `data` keyword on the class and all of the above would automatically be created under the hood.

```
data class Book(var name: String, var authorName: String)

fun main(args: Array<String>) {
val book = Book("Kotlin Tutorials","Anupam")
}
```

Thus, data classes saves us with lot of code. It creates component functions such as `component1()`.. `componentN()` for each of the variables. [![kotlin interview questions data classes](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-data-classes.png)](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-data-classes.png)

Что такое объявления деструктурирования в Котлине? Объясните это на примере.

Destructuring Declarations is a smart way to assign multiple values to variables from data stored in objects/arrays. [![kotlin interview questions destructuring declarations](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-destructuring-declarations.png)](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-destructuring-declarations.png) Within paratheses, we've set the variable declarations. Under the hood, destructuring declarations create component functions for each of the class variables.

В чем разница между встроенными и инфиксными функциями? Приведите пример каждого.

[Inline functions](/community/tutorials/kotlin-inline-function-reified) are used to save us memory overhead by preventing object allocations for the anonymous functions/lambda expressions called. Instead, it provides that functions body to the function that calls it at runtime. This increases the bytecode size slightly but saves us a lot of memory. [![kotlin interview questions inline functions](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-inline-functions.png)](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-inline-functions.png) [infix functions](/community/tutorials/kotlin-functions) on the other are used to call functions without parentheses or brackets. Doing so, the code looks much more like a natural language. [![kotlin interview questions infix notations](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-infix-notations.png)](https://journaldev.nyc3.digitaloceanspaces.com/2018/04/kotlin-interview-questions-infix-notations.png)

В чем разница между ленивым и поздним?

Both are used to delay the property initializations in Kotlin `lateinit` is a modifier used with var and is used to set the value to the var at a later point. `lazy` is a method or rather say lambda expression. It's set on a val only. The val would be created at runtime when it's required.

```
val x: Int by lazy { 10 }
lateinit var y: String
```

Как создать классы Singleton?

To use the singleton pattern for our class we must use the keyword `object`

```
object MySingletonClass
```

An `object` cannot have a constructor set. We can use the init block inside it though.

Есть ли в Kotlin ключевое слово static? Как создать статические методы в Котлине?

**NO**. Kotlin doesn't have the static keyword. To create static method in our class we use the `companion object`. Following is the Java code:

```
class A {
  public static int returnMe() { return 5; }
}

```

The equivalent Kotlin code would look like this:

```
class A {
  companion object {
     fun a() : Int = 5
  }
}
```

To invoke this we simply do: `A.a()`.

Каков тип следующего массива?

```
val arr = arrayOf(1, 2, 3);
```

The type is Array<Int>.

Это все, что касается вопросов и ответов на интервью с Kotlin.