Search code examples
groovykotlingradle-kotlin-dsl

Convert an existing groovy build.gradle file into a kotlin based build.gradle.kts


my project has two different build.gradle files written with groovy Syntax. I´d like to change this groovy written gradle file into a gradle file written with Kotlin Syntax (build.gradle.kts).

I´ll show you the root project build.gradle file.

    // Top-level build file where you can add configuration options common to all sub-projects/modules.

buildscript {
    //ext.kotlin_version = '1.2-M2'
    ext.kotlin_version = '1.1.51'
    repositories {
        google()
        jcenter()

    }
    dependencies {
        classpath 'com.android.tools.build:gradle:3.1.0-alpha01'
        classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"

    }
}

allprojects {
    repositories {
        google()
        jcenter()
        mavenCentral()
    }
}

task clean(type: Delete) {
    delete rootProject.buildDir
}

I tried several "ways" i found in the internet, but nothing worked. Renaming the file, which is obviously not the Solution, didn´t help. I´ve created a new build.gradle.kts file in my root project but the file isn´t shown in my project. Also gradle didn´t recognize the new file.

So my question is: How can i transform my groovy build.gradle file into a kotlin build.gradle.kts and add this new file into my existing project?

Thanks for your help.


Solution

  • Of course renaming won't help. You'll need to re-write it using Kotlin DSL. It is similar to Groovy, but with some differences. Read their docs, look at the examples.

    In your case, the issues are:

    1. ext.kotlin_version is not valid Kotlin syntax, use square brackets
    2. All Kotlin strings use double quotes
    3. Braces are required around parameters for most function calls (there are exceptions, like infix functions)
    4. Slighlty different task management API. There are different styles available. You can declare all the tasks in tasks block as strings, or use a single typed function, as in the example below.

    Take a look at the converted top-level build.gradle.kts:

    // Top-level build file where you can add configuration options common to all sub-projects/modules.
    
    buildscript {
        ext["kotlin_version"] = "1.1.51"
        repositories {
            google()
            jcenter()
        }
        dependencies {
            classpath ("com.android.tools.build:gradle:3.1.0-alpha01")
            classpath ("org.jetbrains.kotlin:kotlin-gradle-plugin:${ext["kotlin_version"]}")
        }
    }
    
    allprojects {
        repositories {
            google()
            jcenter()
            mavenCentral()
        }
    }
    
    task<Delete>("clean") {
        delete(rootProject.buildDir)
    }