0

我正在使用随 Gradle 一起引入的 Micrometer Cloudwatch 1.1.3compile 'io.micrometer:micrometer-registry-cloudwatch:1.1.3'

在 Java 中,我可以CloudWatchConfig通过执行以下操作来创建一个:

    CloudWatchConfig cloudWatchConfig = new CloudWatchConfig() {
        @Override
        public String get(String s) {
            return "my-service-metrics";
        }

        @Override
        public boolean enabled() {
            return true;
        }

        @Override
        public Duration step() {
            return Duration.ofSeconds(30);
        }

        @Override
        public int batchSize() {
            return CloudWatchConfig.MAX_BATCH_SIZE;
        }
    };

我认为 Kotlin 中的等价物应该是:

   val cloudWatchConfig = CloudWatchConfig {
        fun get(s:String) = "my-service-metrics"
        fun enabled() = true
        fun step() = Duration.ofSeconds(30)
        fun batchSize() = CloudWatchConfig.MAX_BATCH_SIZE
   }

Koltin 编译器失败了,指出块中的最后一行:fun batchSize() = CloudWatchConfig.MAX_BATCH_SIZE说它需要一个 String 类型的值?

经过多次调试,我能够通过返回 step 函数的 toString 来解决这个问题。您不能只传递任何字符串,因为它将被解析为好像它是由 Duration 生成的。我的 Kotlin 代码现在可以运行,如下所示:

    val cloudWatchConfig = CloudWatchConfig {
        fun get(s:String) = "my-service-metrics"
        fun enabled() = true
        fun step() = Duration.ofSeconds(30)
        fun batchSize() = CloudWatchConfig.MAX_BATCH_SIZE
        step().toString()
    }

在查看了 CloudWatchConfig、StepRegisteryConfig 和 MeterRegistryConfig 接口后,我无法弄清楚为什么会出现这种情况。为什么 Koltin 会这样做,为什么它期待一个 Duration 的 toString?

4

1 回答 1

2

要在 Java 中创建等效的匿名类,语法有点不同。您需要使用object关键字,并且还包括override接口方法的关键字。例如

val cloudWatchConfig = object : CloudWatchConfig {
    override fun get(key: String) = "my-service-metrics"
    override fun enabled() = true
    override fun step() = Duration.ofSeconds(30)
    override fun batchSize() = CloudWatchConfig.MAX_BATCH_SIZE
}
于 2019-03-19T16:23:38.003 回答