在这里插入图片描述

目录

  1. 概述
  2. 功能设计
  3. Kotlin 实现代码(KMP)
  4. JavaScript 调用示例
  5. ArkTS 页面集成与调用
  6. 数据输入与交互体验
  7. 编译与自动复制流程
  8. 总结

概述

本案例在 Kotlin Multiplatform (KMP) 工程中实现了一个 环境工具 - 水质检测分析工具

  • 输入:用户的水质检测数据(pH值、溶解氧、浊度、硬度),使用空格分隔,例如:7.2 8.5 0.5 150
  • 输出:
    • 水质参数分析:pH值、溶解氧、浊度、硬度等检测数据
    • 水质等级评估:水质等级、健康状态、污染程度
    • 健康风险评估:根据水质数据评估的健康风险
    • 改善建议:针对水质问题的具体改善方案
    • 详细分析:水质参数的医学解释和健康指导
  • 技术路径:Kotlin → Kotlin/JS → JavaScript 模块 → ArkTS 页面调用。

这个案例展示了 KMP 跨端开发在环境监测领域的应用:

把水质检测逻辑写在 Kotlin 里,一次实现,多端复用;把检测界面写在 ArkTS 里,专注 UI 和体验。

Kotlin 侧负责解析水质数据、计算水质等级、评估健康风险和生成个性化建议;ArkTS 侧只需要把输入字符串传给 Kotlin 函数,并把返回结果原样展示出来即可。借助 KMP 的 Kotlin/JS 能力,这个水质检测分析工具可以在 Node.js、Web 前端以及 OpenHarmony 中复用相同的代码逻辑。


功能设计

输入数据格式

水质检测分析工具采用简单直观的输入格式:

  • 使用 空格分隔 各个参数。
  • 第一个参数是 pH 值(浮点数,范围 0-14)。
  • 第二个参数是溶解氧(浮点数,单位:mg/L)。
  • 第三个参数是浊度(浮点数,单位:NTU)。
  • 第四个参数是硬度(整数,单位:mg/L)。
  • 输入示例:
7.2 8.5 0.5 150

这可以理解为:

  • pH 值:7.2(中性)
  • 溶解氧:8.5 mg/L
  • 浊度:0.5 NTU
  • 硬度:150 mg/L

工具会基于这些数据计算出:

  • 水质等级:优秀/良好/中等/一般/差
  • 健康状态:是否适合饮用或使用
  • 污染程度:根据各参数评估的污染程度
  • 健康风险:潜在的健康风险评估
  • 改善建议:针对水质问题的具体改善方案

输出信息结构

为了便于在 ArkTS 页面以及终端中直接展示,Kotlin 函数返回的是一段结构化的多行文本,划分为几个分区:

  1. 标题区:例如"💧 水质检测分析与健康评估",一眼看出工具用途。
  2. 水质参数:pH值、溶解氧、浊度、硬度等检测数据。
  3. 水质评估:水质等级、健康状态、污染程度。
  4. 健康分析:健康风险评估、相关疾病风险。
  5. 改善建议:针对水质问题的具体改善方案。
  6. 参考标准:水质分类标准、健康指导。

这样的输出结构使得:

  • 在 ArkTS 中可以直接把整段文本绑定到 Text 组件,配合 monospace 字体,阅读体验类似终端报告。
  • 如果将来想把结果保存到日志或者后端,直接保存字符串即可。
  • 需要更精细的 UI 时,也可以在前端根据分隔符进行拆分,再按块展示。

Kotlin 实现代码(KMP)

核心代码在 src/jsMain/kotlin/App.kt 中,通过 @JsExport 导出。以下是完整的 Kotlin 实现:

@OptIn(ExperimentalJsExport::class)
@JsExport
fun waterQualityAnalyzer(inputData: String = "7.2 8.5 0.5 150"): String {
    // 输入格式: pH值 溶解氧(mg/L) 浊度(NTU) 硬度(mg/L)
    val parts = inputData.trim().split(" ").filter { it.isNotEmpty() }

    if (parts.size < 4) {
        return "❌ 错误: 请输入完整的信息,格式: pH值 溶解氧(mg/L) 浊度(NTU) 硬度(mg/L)\n例如: 7.2 8.5 0.5 150"
    }

    val ph = parts[0].toDoubleOrNull() ?: return "❌ 错误: pH值必须是数字"
    val dissolvedOxygen = parts[1].toDoubleOrNull() ?: return "❌ 错误: 溶解氧必须是数字"
    val turbidity = parts[2].toDoubleOrNull() ?: return "❌ 错误: 浊度必须是数字"
    val hardness = parts[3].toIntOrNull() ?: return "❌ 错误: 硬度必须是整数"

    if (ph < 0 || ph > 14) {
        return "❌ 错误: pH值必须在 0-14 之间"
    }

    if (dissolvedOxygen < 0 || dissolvedOxygen > 20) {
        return "❌ 错误: 溶解氧必须在 0-20 mg/L 之间"
    }

    if (turbidity < 0 || turbidity > 100) {
        return "❌ 错误: 浊度必须在 0-100 NTU 之间"
    }

    if (hardness < 0 || hardness > 1000) {
        return "❌ 错误: 硬度必须在 0-1000 mg/L 之间"
    }

    // 判断 pH 值等级
    val phLevel = when {
        ph < 6.5 -> "酸性"
        ph in 6.5..7.5 -> "中性"
        ph > 7.5 -> "碱性"
        else -> "未知"
    }

    // 判断溶解氧等级
    val doLevel = when {
        dissolvedOxygen < 2 -> "严重缺氧"
        dissolvedOxygen < 5 -> "缺氧"
        dissolvedOxygen < 7 -> "一般"
        else -> "充足"
    }

    // 判断浊度等级
    val turbidityLevel = when {
        turbidity < 1 -> "清澈"
        turbidity < 5 -> "轻微浑浊"
        turbidity < 10 -> "中等浑浊"
        else -> "严重浑浊"
    }

    // 判断硬度等级
    val hardnessLevel = when {
        hardness < 75 -> "软水"
        hardness < 150 -> "中等硬度"
        hardness < 300 -> "硬水"
        else -> "极硬水"
    }

    // 计算水质综合评分
    var qualityScore = 100
    
    // pH 值评分(最优 6.5-7.5)
    qualityScore -= when {
        ph < 6.5 || ph > 7.5 -> 15
        ph < 6.8 || ph > 7.2 -> 5
        else -> 0
    }

    // 溶解氧评分(最优 > 7)
    qualityScore -= when {
        dissolvedOxygen < 2 -> 30
        dissolvedOxygen < 5 -> 20
        dissolvedOxygen < 7 -> 10
        else -> 0
    }

    // 浊度评分(最优 < 1)
    qualityScore -= when {
        turbidity > 10 -> 20
        turbidity > 5 -> 15
        turbidity > 1 -> 5
        else -> 0
    }

    // 硬度评分(最优 75-150)
    qualityScore -= when {
        hardness < 75 || hardness > 300 -> 10
        hardness < 100 || hardness > 250 -> 5
        else -> 0
    }

    // 判断水质等级
    val waterQuality = when {
        qualityScore >= 85 -> "优秀"
        qualityScore >= 70 -> "良好"
        qualityScore >= 55 -> "中等"
        qualityScore >= 40 -> "一般"
        else -> "差"
    }

    // 判断健康状态
    val healthStatus = when {
        qualityScore >= 85 -> "可以安全饮用"
        qualityScore >= 70 -> "基本可以饮用,建议进一步处理"
        qualityScore >= 55 -> "不建议直接饮用,需要处理"
        qualityScore >= 40 -> "不适合饮用,需要专业处理"
        else -> "严重污染,禁止饮用"
    }

    // 污染程度评估
    val pollutionLevel = when {
        qualityScore >= 85 -> "无污染"
        qualityScore >= 70 -> "轻度污染"
        qualityScore >= 55 -> "中度污染"
        qualityScore >= 40 -> "重度污染"
        else -> "严重污染"
    }

    // 健康风险评估
    val healthRisk = when {
        ph < 6.5 || ph > 8.5 -> "pH 异常可能导致胃肠不适"
        dissolvedOxygen < 5 -> "溶解氧不足,可能含有有害物质"
        turbidity > 5 -> "浊度过高,可能含有悬浮物和微生物"
        hardness > 300 -> "硬度过高,可能导致结石风险"
        else -> "水质基本安全"
    }

    // 生成建议
    val suggestions = when {
        qualityScore >= 85 -> "✨ 水质优秀!可以安全饮用,继续保持现有的水质管理。"
        qualityScore >= 70 -> "👍 水质良好。建议进行定期检测,监测水质变化。"
        qualityScore >= 55 -> "⚠️ 水质中等。建议使用净水器或进行适当处理。"
        qualityScore >= 40 -> "🔴 水质一般。强烈建议进行专业处理,不建议直接饮用。"
        else -> "🚨 水质严重污染。禁止饮用,需要立即进行专业处理。"
    }

    // 改善建议
    val improvementAdvice = when {
        ph < 6.5 -> "pH 值过低,建议添加碱性物质调节,如石灰或苏打"
        ph > 7.5 -> "pH 值过高,建议添加酸性物质调节,如醋或柠檬酸"
        dissolvedOxygen < 5 -> "溶解氧不足,建议增加曝气或更换水源"
        turbidity > 5 -> "浊度过高,建议使用沉淀池或过滤器处理"
        hardness > 300 -> "硬度过高,建议使用软水机或离子交换树脂处理"
        else -> "水质基本正常,继续定期监测"
    }

    // 构建输出文本
    val result = StringBuilder()
    result.append("💧 水质检测分析与健康评估\n")
    result.append("═".repeat(60)).append("\n\n")
    
    result.append("📊 水质参数\n")
    result.append("─".repeat(60)).append("\n")
    result.append("pH 值: ${String.format("%.1f", ph)} (${phLevel})\n")
    result.append("溶解氧: ${String.format("%.1f", dissolvedOxygen)} mg/L (${doLevel})\n")
    result.append("浊度: ${String.format("%.1f", turbidity)} NTU (${turbidityLevel})\n")
    result.append("硬度: ${hardness} mg/L (${hardnessLevel})\n\n")

    result.append("🏆 水质评估\n")
    result.append("─".repeat(60)).append("\n")
    result.append("水质等级: ${waterQuality}\n")
    result.append("综合评分: ${qualityScore}/100\n")
    result.append("健康状态: ${healthStatus}\n")
    result.append("污染程度: ${pollutionLevel}\n\n")

    result.append("⚕️ 健康分析\n")
    result.append("─".repeat(60)).append("\n")
    result.append("健康风险: ${healthRisk}\n\n")

    result.append("💡 个性化建议\n")
    result.append("─".repeat(60)).append("\n")
    result.append("${suggestions}\n\n")

    result.append("🔧 改善建议\n")
    result.append("─".repeat(60)).append("\n")
    result.append("${improvementAdvice}\n\n")

    result.append("📈 水质参数标准\n")
    result.append("─".repeat(60)).append("\n")
    result.append("• pH 值: 6.5-7.5(最优),6.0-8.5(可接受)\n")
    result.append("• 溶解氧: > 7 mg/L(最优),> 5 mg/L(可接受)\n")
    result.append("• 浊度: < 1 NTU(最优),< 5 NTU(可接受)\n")
    result.append("• 硬度: 75-150 mg/L(最优),< 300 mg/L(可接受)\n\n")

    result.append("🎯 水质管理指南\n")
    result.append("─".repeat(60)).append("\n")
    result.append("1. 定期进行水质检测,建议每月至少一次\n")
    result.append("2. 保持水源清洁,避免污染\n")
    result.append("3. 定期清洗和维护水处理设备\n")
    result.append("4. 根据检测结果及时调整处理方案\n")
    result.append("5. 对于异常参数,立即采取措施\n")
    result.append("6. 保持水管道的清洁和完整\n")
    result.append("7. 使用合格的净水设备和材料\n")
    result.append("8. 定期更换滤芯和吸附剂\n")
    result.append("9. 避免二次污染\n")
    result.append("10. 如有严重污染,咨询专业水质处理公司\n")

    return result.toString()
}

代码说明

这段 Kotlin 代码实现了完整的水质检测分析和健康评估功能。让我详细解释关键部分:

数据验证:首先验证输入的 pH 值、溶解氧、浊度和硬度是否有效,确保数据在合理范围内。这些参数都有明确的物理范围限制。

参数等级判断:根据各个水质参数的标准范围,将其分为不同的等级。例如 pH 值分为酸性、中性、碱性,溶解氧分为严重缺氧、缺氧、一般、充足等。

综合评分计算:从 100 分开始,根据各参数的偏离程度扣分。pH 值、溶解氧、浊度和硬度都有各自的扣分标准,最终得出综合评分。

水质等级判断:根据综合评分将水质分为五个等级:优秀、良好、中等、一般、差。

健康状态评估:根据水质等级判断是否适合饮用,以及需要什么程度的处理。

健康风险评估:根据各参数的异常情况评估潜在的健康风险,如 pH 异常可能导致胃肠不适,硬度过高可能导致结石风险。

改善建议:根据具体的参数异常情况提供针对性的改善方案。


JavaScript 调用示例

编译后的 JavaScript 代码可以在 Node.js 或浏览器中直接调用。以下是 JavaScript 的使用示例:

// 导入编译后的 Kotlin/JS 模块
const { waterQualityAnalyzer } = require('./hellokjs.js');

// 示例 1:优秀水质
const result1 = waterQualityAnalyzer("7.2 8.5 0.5 150");
console.log("示例 1 - 优秀水质:");
console.log(result1);
console.log("\n");

// 示例 2:良好水质
const result2 = waterQualityAnalyzer("7.0 7.5 1.5 120");
console.log("示例 2 - 良好水质:");
console.log(result2);
console.log("\n");

// 示例 3:中等水质
const result3 = waterQualityAnalyzer("6.8 6.0 3.5 200");
console.log("示例 3 - 中等水质:");
console.log(result3);
console.log("\n");

// 示例 4:一般水质
const result4 = waterQualityAnalyzer("6.2 4.5 6.0 350");
console.log("示例 4 - 一般水质:");
console.log(result4);
console.log("\n");

// 示例 5:差水质
const result5 = waterQualityAnalyzer("5.5 2.0 15.0 500");
console.log("示例 5 - 差水质:");
console.log(result5);
console.log("\n");

// 示例 6:使用默认参数
const result6 = waterQualityAnalyzer();
console.log("示例 6 - 使用默认参数:");
console.log(result6);

// 实际应用场景:从用户输入获取数据
function analyzeUserWaterQuality(userInput) {
    try {
        const result = waterQualityAnalyzer(userInput);
        return {
            success: true,
            data: result
        };
    } catch (error) {
        return {
            success: false,
            error: error.message
        };
    }
}

// 测试实际应用
const userInput = "7.1 8.0 0.8 140";
const analysis = analyzeUserWaterQuality(userInput);
if (analysis.success) {
    console.log("用户水质分析结果:");
    console.log(analysis.data);
} else {
    console.log("分析失败:", analysis.error);
}

// 水质监测追踪应用示例
function trackWaterQuality(readings) {
    console.log("\n水质监测记录:");
    console.log("═".repeat(60));
    
    const results = readings.map((reading, index) => {
        const analysis = waterQualityAnalyzer(reading);
        return {
            day: index + 1,
            reading,
            analysis
        };
    });

    results.forEach(result => {
        console.log(`\n第 ${result.day} 天 (${result.reading}):`);
        console.log(result.analysis);
    });

    return results;
}

// 测试水质监测追踪
const readings = [
    "7.2 8.5 0.5 150",
    "7.1 8.0 0.8 140",
    "7.0 7.5 1.5 120",
    "6.8 6.0 3.5 200",
    "6.5 5.5 5.0 250"
];

trackWaterQuality(readings);

// 水质趋势分析
function analyzeWaterTrend(readings) {
    const analyses = readings.map(reading => {
        const parts = reading.split(' ').map(Number);
        return {
            ph: parts[0],
            do: parts[1],
            turbidity: parts[2],
            hardness: parts[3]
        };
    });

    const avgPh = analyses.reduce((sum, a) => sum + a.ph, 0) / analyses.length;
    const avgDo = analyses.reduce((sum, a) => sum + a.do, 0) / analyses.length;
    const avgTurbidity = analyses.reduce((sum, a) => sum + a.turbidity, 0) / analyses.length;
    const avgHardness = analyses.reduce((sum, a) => sum + a.hardness, 0) / analyses.length;

    console.log("\n水质趋势分析:");
    console.log(`平均 pH 值: ${avgPh.toFixed(2)}`);
    console.log(`平均溶解氧: ${avgDo.toFixed(2)} mg/L`);
    console.log(`平均浊度: ${avgTurbidity.toFixed(2)} NTU`);
    console.log(`平均硬度: ${avgHardness.toFixed(0)} mg/L`);
}

analyzeWaterTrend(readings);

JavaScript 代码说明

这段 JavaScript 代码展示了如何在 Node.js 环境中调用编译后的 Kotlin 函数。关键点包括:

模块导入:使用 require 导入编译后的 JavaScript 模块,获取导出的 waterQualityAnalyzer 函数。

多个示例:展示了不同水质等级(优秀、良好、中等、一般、差)的调用方式。

错误处理:在实际应用中,使用 try-catch 块来处理可能的错误,确保程序的稳定性。

水质监测追踪trackWaterQuality 函数展示了如何处理多天的水质监测记录,这在实际的水质监测应用中很常见。

趋势分析analyzeWaterTrend 函数演示了如何进行水质的长期趋势分析,计算各参数的平均值。


ArkTS 页面集成与调用

在 OpenHarmony 的 ArkTS 页面中集成这个水质检测分析工具。以下是完整的 ArkTS 实现代码:

import { waterQualityAnalyzer } from './hellokjs';

@Entry
@Component
struct WaterQualityAnalyzerPage {
  @State ph: string = "7.2";
  @State dissolvedOxygen: string = "8.5";
  @State turbidity: string = "0.5";
  @State hardness: string = "150";
  @State analysisResult: string = "";
  @State isLoading: boolean = false;

  build() {
    Column() {
      // 顶部栏
      Row() {
        Text("💧 水质检测工具")
          .fontSize(24)
          .fontWeight(FontWeight.Bold)
          .fontColor(Color.White)
      }
      .width("100%")
      .height(60)
      .backgroundColor("#0277BD")
      .justifyContent(FlexAlign.Center)
      .padding({ top: 10, bottom: 10 })

      // 主容器
      Scroll() {
        Column() {
          // pH 值输入
          Text("pH 值")
            .fontSize(14)
            .fontColor("#333333")
            .margin({ top: 20, left: 15 })

          TextInput({
            placeholder: "例如: 7.2",
            text: this.ph
          })
            .width("90%")
            .height(45)
            .margin({ top: 8, bottom: 15, left: 15, right: 15 })
            .padding({ left: 10, right: 10 })
            .backgroundColor("#B3E5FC")
            .border({ width: 1, color: "#0277BD" })
            .onChange((value: string) => {
              this.ph = value;
            })

          // 溶解氧输入
          Text("溶解氧 (mg/L)")
            .fontSize(14)
            .fontColor("#333333")
            .margin({ left: 15 })

          TextInput({
            placeholder: "例如: 8.5",
            text: this.dissolvedOxygen
          })
            .width("90%")
            .height(45)
            .margin({ top: 8, bottom: 15, left: 15, right: 15 })
            .padding({ left: 10, right: 10 })
            .backgroundColor("#B3E5FC")
            .border({ width: 1, color: "#0277BD" })
            .onChange((value: string) => {
              this.dissolvedOxygen = value;
            })

          // 浊度输入
          Text("浊度 (NTU)")
            .fontSize(14)
            .fontColor("#333333")
            .margin({ left: 15 })

          TextInput({
            placeholder: "例如: 0.5",
            text: this.turbidity
          })
            .width("90%")
            .height(45)
            .margin({ top: 8, bottom: 15, left: 15, right: 15 })
            .padding({ left: 10, right: 10 })
            .backgroundColor("#B3E5FC")
            .border({ width: 1, color: "#0277BD" })
            .onChange((value: string) => {
              this.turbidity = value;
            })

          // 硬度输入
          Text("硬度 (mg/L)")
            .fontSize(14)
            .fontColor("#333333")
            .margin({ left: 15 })

          TextInput({
            placeholder: "例如: 150",
            text: this.hardness
          })
            .width("90%")
            .height(45)
            .margin({ top: 8, bottom: 15, left: 15, right: 15 })
            .padding({ left: 10, right: 10 })
            .backgroundColor("#B3E5FC")
            .border({ width: 1, color: "#0277BD" })
            .onChange((value: string) => {
              this.hardness = value;
            })

          // 按钮区域
          Row() {
            Button("📊 检测分析")
              .width("45%")
              .height(45)
              .backgroundColor("#0277BD")
              .fontColor(Color.White)
              .fontSize(16)
              .fontWeight(FontWeight.Bold)
              .onClick(() => {
                this.isLoading = true;
                setTimeout(() => {
                  const input = `${this.ph} ${this.dissolvedOxygen} ${this.turbidity} ${this.hardness}`;
                  this.analysisResult = waterQualityAnalyzer(input);
                  this.isLoading = false;
                }, 300);
              })

            Blank()

            Button("🔄 重置")
              .width("45%")
              .height(45)
              .backgroundColor("#2196F3")
              .fontColor(Color.White)
              .fontSize(16)
              .fontWeight(FontWeight.Bold)
              .onClick(() => {
                this.ph = "7.2";
                this.dissolvedOxygen = "8.5";
                this.turbidity = "0.5";
                this.hardness = "150";
                this.analysisResult = "";
                this.isLoading = false;
              })
          }
          .width("90%")
          .margin({ top: 10, bottom: 20, left: 15, right: 15 })
          .justifyContent(FlexAlign.SpaceBetween)

          // 加载指示器
          if (this.isLoading) {
            Row() {
              LoadingProgress()
                .width(40)
                .height(40)
                .color("#0277BD")
              Text("  正在检测中...")
                .fontSize(14)
                .fontColor("#666666")
            }
            .width("90%")
            .height(50)
            .margin({ bottom: 15, left: 15, right: 15 })
            .justifyContent(FlexAlign.Center)
            .backgroundColor("#B3E5FC")
            .borderRadius(8)
          }

          // 结果显示区域
          if (this.analysisResult.length > 0) {
            Column() {
              Text("📈 检测结果")
                .fontSize(16)
                .fontWeight(FontWeight.Bold)
                .fontColor("#0277BD")
                .margin({ bottom: 10 })

              Text(this.analysisResult)
                .width("100%")
                .fontSize(12)
                .fontFamily("monospace")
                .fontColor("#333333")
                .lineHeight(1.6)
                .padding(10)
                .backgroundColor("#FAFAFA")
                .border({ width: 1, color: "#E0E0E0" })
                .borderRadius(8)
            }
            .width("90%")
            .margin({ top: 20, bottom: 30, left: 15, right: 15 })
            .padding(15)
            .backgroundColor("#B3E5FC")
            .borderRadius(8)
            .border({ width: 1, color: "#0277BD" })
          }
        }
        .width("100%")
      }
      .layoutWeight(1)
      .backgroundColor("#FFFFFF")
    }
    .width("100%")
    .height("100%")
    .backgroundColor("#F5F5F5")
  }
}

ArkTS 代码说明

这段 ArkTS 代码实现了完整的用户界面和交互逻辑。关键点包括:

导入函数:从编译后的 JavaScript 模块中导入 waterQualityAnalyzer 函数。

状态管理:使用 @State 装饰器管理六个状态:pH值、溶解氧、浊度、硬度、分析结果和加载状态。

UI 布局:包含顶部栏、pH值输入框、溶解氧输入框、浊度输入框、硬度输入框、检测和重置按钮、加载指示器和结果显示区域。

交互逻辑:用户输入四个水质参数后,点击检测按钮。应用会调用 Kotlin 函数进行分析,显示加载动画,最后展示详细的检测结果。

样式设计:使用蓝色主题,与水质和环保相关的主题相符。所有输入框、按钮和结果显示区域都有相应的样式设置,提供清晰的视觉层次。


数据输入与交互体验

输入数据格式规范

为了确保工具能够正确处理用户输入,用户应该遵循以下规范:

  1. pH 值:浮点数,范围 0-14,最优值 6.5-7.5。
  2. 溶解氧:浮点数,单位 mg/L,范围 0-20,最优值 > 7。
  3. 浊度:浮点数,单位 NTU,范围 0-100,最优值 < 1。
  4. 硬度:整数,单位 mg/L,范围 0-1000,最优值 75-150。
  5. 分隔符:使用空格分隔各个参数。

示例输入

  • 优秀水质7.2 8.5 0.5 150
  • 良好水质7.0 7.5 1.5 120
  • 中等水质6.8 6.0 3.5 200
  • 一般水质6.2 4.5 6.0 350
  • 差水质5.5 2.0 15.0 500

交互流程

  1. 用户打开应用,看到输入框和默认数据
  2. 用户输入四个水质参数
  3. 点击"检测分析"按钮,应用调用 Kotlin 函数进行分析
  4. 应用显示加载动画,表示正在处理
  5. 分析完成后,显示详细的检测结果,包括水质等级、综合评分、健康状态、污染程度、健康风险、改善建议等
  6. 用户可以点击"重置"按钮清空数据,重新开始

编译与自动复制流程

编译步骤

  1. 编译 Kotlin 代码

    ./gradlew build
    
  2. 生成 JavaScript 文件
    编译过程会自动生成 hellokjs.d.tshellokjs.js 文件。

  3. 复制到 ArkTS 项目
    使用提供的脚本自动复制生成的文件到 ArkTS 项目的 pages 目录:

    ./build-and-copy.bat
    

文件结构

编译完成后,项目结构如下:

kmp_openharmony/
├── src/
│   └── jsMain/
│       └── kotlin/
│           └── App.kt (包含 waterQualityAnalyzer 函数)
├── build/
│   └── js/
│       └── packages/
│           └── hellokjs/
│               ├── hellokjs.d.ts
│               └── hellokjs.js
└── kmp_ceshiapp/
    └── entry/
        └── src/
            └── main/
                └── ets/
                    └── pages/
                        ├── hellokjs.d.ts (复制后)
                        ├── hellokjs.js (复制后)
                        └── Index.ets (ArkTS 页面)

总结

这个案例展示了如何使用 Kotlin Multiplatform 技术实现一个跨端的环境工具 - 水质检测分析工具。通过将核心逻辑写在 Kotlin 中,然后编译为 JavaScript,最后在 ArkTS 中调用,我们实现了代码的一次编写、多端复用。

核心优势

  1. 代码复用:Kotlin 代码可以在 JVM、JavaScript 和其他平台上运行,避免重复开发。
  2. 类型安全:Kotlin 的类型系统确保了代码的安全性和可维护性。
  3. 性能优化:Kotlin 编译为 JavaScript 后,性能与手写 JavaScript 相当。
  4. 易于维护:集中管理业务逻辑,使得维护和更新变得更加容易。
  5. 用户体验:通过 ArkTS 提供的丰富 UI 组件,可以创建美观、易用的用户界面。

扩展方向

  1. 数据持久化:将用户的水质检测记录保存到本地存储或云端。
  2. 数据可视化:使用图表库展示水质参数的变化趋势。
  3. 多点监测:支持多个水源点的水质监测和对比。
  4. 智能预警:根据水质数据提供自动预警和建议。
  5. 社交功能:允许用户分享水质监测结果和相互提醒。
  6. 集成第三方 API:连接专业水质检测设备和数据库。
  7. AI 分析:使用机器学习进行水质异常检测和预测。
  8. 环保协作:与环保部门协作,上报水质数据进行监管。

通过这个案例,开发者可以学到如何在 KMP 项目中实现复杂的环境监测计算逻辑,以及如何在 OpenHarmony 平台上构建高效的跨端应用。这个水质检测分析工具可以作为环保监测应用、家庭水质管理系统或工业水质监测平台的核心模块。

Logo

作为“人工智能6S店”的官方数字引擎,为AI开发者与企业提供一个覆盖软硬件全栈、一站式门户。

更多推荐