code
stringlengths 1
1.05M
| repo_name
stringlengths 6
83
| path
stringlengths 3
242
| language
stringclasses 222
values | license
stringclasses 20
values | size
int64 1
1.05M
|
|---|---|---|---|---|---|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.border
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.fillMaxHeight
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.layout.wrapContentHeight
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.asString
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
import kotlinx.cinterop.*
import platform.test725.*
@OptIn(ExperimentalForeignApi::class)
@Composable
internal fun InteropButton() {
Column(Modifier.fillMaxWidth().fillMaxHeight().padding(30.dp)) {
Button(onClick = {
println("KN: testNum call start:")
var res = testNum(10)
println("KN: testNum result: $res")
}) {
Text("Append Text")
}
Button(onClick = { testMemScoped() }) {
Text("testMemScoped")
}
}
}
@OptIn(ExperimentalForeignApi::class)
fun testMemScoped() {
memScoped {
// 分配内存(包括 null 终止符)
val buffer = allocArray<ByteVar>(5) // "abcd" + '\0'
// 写入数据
buffer[0] = 'a'.code.toByte()
buffer[1] = 'b'.code.toByte()
buffer[2] = 'c'.code.toByte()
buffer[3] = 'd'.code.toByte()
buffer[4] = 0 // Null 终止符
// 传递指针给 C
print_string(buffer)
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropButton.kt
|
Kotlin
|
apache-2.0
| 2,698
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.background
import androidx.compose.foundation.layout.Box
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.lazy.LazyColumn
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
@Composable
internal fun InteropListNested() {
Box {
Column(Modifier.background(Color.LightGray)) {
LazyColumn(Modifier.background(Color.Red)) {
items(80) { index ->
when (index) {
1 -> {
ArkUIView(
name = "verticalList",
modifier = Modifier.width(250.dp).height(300.dp),
parameter = js {
"text"("ArkUI Button $index")
"backgroundColor"("#FF0000FF")
}
)
}
3 -> {
ArkUIView(
name = "horizontalList",
modifier = Modifier.width(250.dp).height(300.dp),
parameter = js {
"text"("ArkUI Button $index")
"backgroundColor"("#FFFF00FF")
}
)
}
else -> {
Button({
println("Compose Button $index clicked")
}, modifier = Modifier.height(50.dp).fillMaxWidth()) {
Text("Compose Button $index")
}
}
}
}
}
}
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropListNested.kt
|
Kotlin
|
apache-2.0
| 3,005
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.background
import androidx.compose.foundation.layout.Box
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.fillMaxSize
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.lazy.LazyColumn
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
@Composable
internal fun InteropListSimple() {
Box {
Column(Modifier.background(Color.LightGray).fillMaxSize()) {
LazyColumn(Modifier.background(Color.Red).fillMaxSize()) {
items(80) { index ->
Column {
ArkUIView(
name = "label",
modifier = Modifier.width(250.dp).height(100.dp),
parameter = js {
"text"("ArkUI Button $index")
"backgroundColor"("#FF0000FF")
},
)
Button({
println("Compose Button $index clicked")
}, modifier = Modifier.height(30.dp).fillMaxWidth()) {
Text("Compose Button $index")
}
}
}
}
}
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropListSimple.kt
|
Kotlin
|
apache-2.0
| 2,425
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.layout.Box
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.width
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
@Composable
internal fun InteropRenderOrder() {
var interLayer by remember { mutableStateOf(false) }
Column {
Box {
ArkUIView(
"layer", Modifier.width(400.dp).height(300.dp),
js {
"text"("1")
"backgroundColor"("#FF0000FF")
},
)
ArkUIView(
"layer", Modifier.width(350.dp).height(250.dp),
js {
"text"("2")
"backgroundColor"("#FF00FF00")
},
)
if (interLayer) {
ArkUIView(
"layer", Modifier.width(300.dp).height(200.dp),
js {
"text"("3")
"backgroundColor"("#FFFF0000")
},
)
}
ArkUIView(
"layer", Modifier.width(250.dp).height(150.dp),
js {
"text"("4")
"backgroundColor"("#FF00FFFF")
},
)
ArkUIView(
"layer", Modifier.width(200.dp).height(100.dp),
js {
"text"("5")
"backgroundColor"("#FFFFFF00")
},
)
}
Button({ interLayer = !interLayer }) {
Text("Show / Hide")
}
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropRenderOrder.kt
|
Kotlin
|
apache-2.0
| 2,798
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.border
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.fillMaxHeight
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.layout.wrapContentHeight
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.asString
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
import kotlinx.cinterop.ExperimentalForeignApi
@OptIn(ExperimentalForeignApi::class)
@Composable
internal fun InteropTextInput() {
Column(Modifier.fillMaxWidth().fillMaxHeight().padding(30.dp)) {
var inputText by remember { mutableStateOf("混排状态变量双向通信 输入文本...") }
val state = remember(inputText) {
js { "text"(inputText) }
}
ArkUIView(
name = "textInput",
modifier = Modifier.width(450.dp).wrapContentHeight(),
parameter = state,
update = {
inputText = it["text"].asString().toString()
}
)
Spacer(modifier = Modifier.height(50.dp))
Text(text = "Compose组件更新:", color = Color.Gray)
Text(
text = inputText,
modifier = Modifier.fillMaxWidth()
.border(width = 1.dp, color = Color.Gray)
.padding(10.dp)
)
Button(onClick = { inputText += "[文本]" }) {
Text("Append Text")
}
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropTextInput.kt
|
Kotlin
|
apache-2.0
| 2,777
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.border
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.fillMaxHeight
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.layout.wrapContentHeight
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.asString
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
import kotlinx.cinterop.ExperimentalForeignApi
@OptIn(ExperimentalForeignApi::class)
@Composable
internal fun InteropVideo() {
Column() {
ArkUIView(
name = "video",
modifier = Modifier
.fillMaxWidth()
.fillMaxHeight()
)
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropVideo.kt
|
Kotlin
|
apache-2.0
| 2,014
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample
import androidx.compose.foundation.border
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.fillMaxHeight
import androidx.compose.foundation.layout.fillMaxWidth
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.width
import androidx.compose.foundation.layout.wrapContentHeight
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Modifier
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.napi.asString
import androidx.compose.ui.napi.js
import androidx.compose.ui.unit.dp
import kotlinx.cinterop.ExperimentalForeignApi
@OptIn(ExperimentalForeignApi::class)
@Composable
internal fun InteropWebView() {
Column() {
ArkUIView(
name = "webView",
modifier = Modifier
.fillMaxWidth()
.fillMaxHeight()
)
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/InteropWebView.kt
|
Kotlin
|
apache-2.0
| 2,018
|
//package com.tencent.compose.sample
//
//import androidx.compose.foundation.layout.Column
//import androidx.compose.foundation.layout.fillMaxHeight
//import androidx.compose.foundation.layout.fillMaxWidth
//import androidx.compose.foundation.layout.padding
//import androidx.compose.material.Button
//import androidx.compose.material.Text
//import androidx.compose.runtime.Composable
//import androidx.compose.ui.Modifier
//import androidx.compose.ui.graphics.kLog
//import androidx.compose.ui.interop.OhosTrace
//import androidx.compose.ui.unit.dp
//import kotlinx.cinterop.*
//import platform.test725.*
//import kotlin.time.Duration
//import kotlin.time.measureTime
//import platform.test725.kn_string_result
//import platform.test725.kn_string_params
//
//private const val LOOP_COUNT = 10
//
//private const val STR_PARAM: String =
// "ArkTS: a1aa,Ga,baa,Ja,bb,rb,sb,vb,Bb,eaa,Pb,Vb,bc,cc,dc,ec,fc,hc,lc,faa," +
// "gaa,nc,qc,Bc,Ec,Kc,Lc,Fc,kd,ud,Ed,Hd,oaa,Wd,raa,taa,ce,oe,uaa,Ee,Ce,Fe,B," +
// "Xe,af,gf,mf,xf,Cf,Lf,zaa,Aaa,Baa,Caa,Qf,Tf,ag,cg,gg,kg,ng,Gaa,Haa,Iaa,Jaa," +
// "Kaa,Laa,Gg,Maa,Naa,Og,Sg,Oaa,Taa,Raa,gh,Uaa,Yaa,qh,th,$" +
// "aa,aba,vh,Jh,eba,fba,Oh,gba,ai,iba,di,pi,jba,kba,qi,ri,si,lba,mba,nba,yi," +
// "oba,pba,uba,rba,sba,tba,vba,Ai,hi,Mi,Ni,Aba,Cba,Dba,Ri,Fba,Gba,Iba,Jba,Kba," +
// "Mba,Nba,aa,hj,ij,Oba,kj,Rba,tj,Sba,Tba,Ej,Fj,Uba; _.ba=function(a){return function(){return aa[a].apply(this,arguments)}}; ... qc=function(){return cc("
//
//@OptIn(ExperimentalForeignApi::class)
//@Composable
//internal fun KotlinCallC() {
// Column(Modifier.fillMaxWidth().fillMaxHeight().padding(30.dp)) {
// Button(onClick = {
// val d: Duration = measureTime {
// OhosTrace.traceSync("testSendDataToC") {
// testSendDataToC()
// }
// }
// kLog("dzy 耗时: $d (${d.inWholeMilliseconds} ms)")
// }) {
// Text("testSendDataToC")
// }
//
// Button(onClick = {
// val d: Duration = measureTime {
// OhosTrace.traceSync("testGetDataFromC") {
// testGetDataFromC()
// }
// }
// kLog("dzy 耗时: $d (${d.inWholeMilliseconds} ms)")
// }) {
// Text("testGetDataFromC")
// }
// }
//}
//
//@OptIn(ExperimentalForeignApi::class)
//fun testSendDataToC() {
// memScoped {
//// val cStr: CPointer<ByteVar> = STR_PARAM.cstr.getPointer(this)
// repeat(LOOP_COUNT) { kn_string_params(STR_PARAM) }
// }
//}
//
//
//@OptIn(ExperimentalForeignApi::class)
//fun testGetDataFromC() {
// memScoped {
// val p = kn_string_result()?.toKString().orEmpty()
// }
//}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/KotlinCallC.kt
|
Kotlin
|
apache-2.0
| 2,790
|
package com.tencent.compose.sample
import androidx.compose.foundation.layout.Box
import androidx.compose.foundation.layout.Column
import androidx.compose.foundation.layout.Row
import androidx.compose.foundation.layout.Spacer
import androidx.compose.foundation.layout.height
import androidx.compose.foundation.layout.padding
import androidx.compose.foundation.layout.wrapContentWidth
import androidx.compose.foundation.text.KeyboardOptions
import androidx.compose.material.Button
import androidx.compose.material.OutlinedTextField
import androidx.compose.material.Scaffold
import androidx.compose.material.Text
import androidx.compose.material.TextButton
import androidx.compose.material.TopAppBar
import androidx.compose.runtime.Composable
import androidx.compose.runtime.getValue
import androidx.compose.runtime.mutableStateOf
import androidx.compose.runtime.remember
import androidx.compose.runtime.setValue
import androidx.compose.ui.Alignment
import androidx.compose.ui.Modifier
import androidx.compose.ui.text.input.KeyboardType
import androidx.compose.ui.unit.dp
@Composable
internal fun NestedLayerEntry() {
var depth by remember { mutableStateOf<Int?>(null) }
if (depth == null) {
NestedLayerInputScreen { enteredDepth ->
depth = enteredDepth
}
} else {
NestedLayerScreen(
depth = depth!!,
onBack = { depth = null }
)
}
}
@Composable
internal fun NestedLayerInputScreen(onGenerate: (Int) -> Unit) {
var text by remember { mutableStateOf("") }
var error by remember { mutableStateOf<String?>(null) }
Scaffold(
topBar = { TopAppBar(title = { Text("嵌套层数") }) }
) { padding ->
Column(
modifier = Modifier
.padding(padding)
.padding(16.dp)
) {
OutlinedTextField(
value = text,
onValueChange = { text = it; error = null },
label = { Text("嵌套层数") },
isError = error != null,
keyboardOptions = KeyboardOptions(keyboardType = KeyboardType.Number),
singleLine = true
)
Spacer(Modifier.height(20.dp))
Button(onClick = {
val depth = text.toIntOrNull()
if (depth == null || depth < 0 || depth > 5000) {
error = "input layer number"
} else {
onGenerate(depth)
}
}) {
Text("生成 layers")
}
}
}
}
@Composable
internal fun NestedLayerScreen(depth: Int, onBack: () -> Unit) {
var currentLayer: @Composable () -> Unit = { Text("Inner Text") }
repeat(depth) {
val prev = currentLayer
currentLayer = { Row (modifier = Modifier.wrapContentWidth()) { prev() } }
}
Scaffold(
topBar = {
TopAppBar(
title = { Text("嵌套层数:$depth") },
navigationIcon = {
TextButton(onClick = onBack) { Text("Back") }
}
)
}
) { padding ->
Box(
modifier = Modifier
.padding(padding)
.padding(12.dp),
contentAlignment = Alignment.TopStart
) {
currentLayer()
}
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/NestedLayer.kt
|
Kotlin
|
apache-2.0
| 3,369
|
package com.tencent.compose.sample
import androidx.compose.foundation.Canvas
import androidx.compose.foundation.background
import androidx.compose.foundation.border
import androidx.compose.foundation.layout.*
import androidx.compose.foundation.rememberScrollState
import androidx.compose.foundation.verticalScroll
import androidx.compose.material.Button
import androidx.compose.material.Text
import androidx.compose.runtime.*
import androidx.compose.ui.Alignment
import androidx.compose.ui.Modifier
import androidx.compose.ui.geometry.Offset
import androidx.compose.ui.graphics.Color
import androidx.compose.ui.graphics.Path
import androidx.compose.ui.graphics.drawscope.Stroke
import androidx.compose.ui.text.AnnotatedString
import androidx.compose.ui.text.TextStyle
import androidx.compose.ui.text.drawText
import androidx.compose.ui.text.font.FontWeight
import androidx.compose.ui.text.rememberTextMeasurer
import androidx.compose.ui.unit.dp
import androidx.compose.ui.unit.sp
import kotlinx.coroutines.*
import kotlin.math.abs
import kotlin.math.floor
import kotlin.math.ln
import kotlin.math.pow
import kotlin.math.round
import kotlin.random.Random
import kotlin.time.TimeSource
import kotlinx.cinterop.ExperimentalForeignApi
import concurrency.runNCoroutinesMixedVerbose
import kotlinx.coroutines.CompletableDeferred
data class Sample(val tMs: Long, val all: Int, val normal: Int, val video: Int)
private const val REQUEST_URL = "http://example.com/"
private const val REQUEST_JITTER_MS = 1_000L
private const val REQUEST_RUN_MS = 60_000L
private const val PERIOD_A_MS = 5_000L
private const val PERIOD_B_MS = 10_000L
private const val PERIOD_C_MS = 20_000L
@OptIn(ExperimentalForeignApi::class)
@Composable
internal fun InteropVideo1(
onEnded: () -> Unit = {}
) {
Column(Modifier.fillMaxSize()) {
ArkUIView(
name = "video",
modifier = Modifier
.fillMaxWidth()
.weight(1f)
)
Row(
Modifier
.fillMaxWidth()
.padding(8.dp),
horizontalArrangement = Arrangement.End
) {
Button(onClick = onEnded) { Text("关闭") }
}
}
}
@Composable
internal fun The300Threads() {
val scope = rememberCoroutineScope()
var running by remember { mutableStateOf(false) }
var progress by remember { mutableStateOf(0) }
val total = 300
var okA by remember { mutableStateOf(0) }
var okB by remember { mutableStateOf(0) }
var okC by remember { mutableStateOf(0) }
var failA by remember { mutableStateOf(0) }
var failB by remember { mutableStateOf(0) }
var failC by remember { mutableStateOf(0) }
val logs = remember { mutableStateListOf<String>() }
val logClock = remember { TimeSource.Monotonic }
val samples = remember { mutableStateListOf<Sample>() }
var runStart by remember { mutableStateOf(TimeSource.Monotonic.markNow()) }
fun pushLog(line: String) {
val ts = logClock.markNow().elapsedNow().inWholeMilliseconds
val msg = "[$ts] $line"
println(msg)
logs += msg
if (logs.size > 2000) logs.removeFirst()
}
fun pushSample(all: Int, normal: Int, video: Int) {
val t = runStart.elapsedNow().inWholeMilliseconds
samples += Sample(t, all, normal, video)
if (samples.size > 4000) samples.removeFirst()
}
var showInterop by remember { mutableStateOf(false) }
var interopSignal by remember { mutableStateOf<CompletableDeferred<Unit>?>(null) }
val awaitInterop: suspend () -> Unit = {
withContext(Dispatchers.Main) {
interopSignal = CompletableDeferred()
showInterop = true
}
interopSignal!!.await()
}
Box(Modifier.fillMaxSize(), contentAlignment = Alignment.Center) {
Column(
horizontalAlignment = Alignment.CenterHorizontally,
modifier = Modifier.fillMaxSize().padding(16.dp)
) {
Row(verticalAlignment = Alignment.CenterVertically) {
Button(
enabled = !running,
onClick = {
running = true
progress = 0
logs.clear()
samples.clear()
runStart = TimeSource.Monotonic.markNow()
scope.launch {
val totalTimer = TimeSource.Monotonic.markNow()
pushLog("LAUNCH mixed tasks: 299 normal + 1 video")
val specialIndex = total - 1
val normalIds = (0 until total).asSequence().filter { it != specialIndex }.toList()
val rng = Random.Default
val pickCount = minOf(100, normalIds.size)
val shuffled = normalIds.shuffled(rng).take(pickCount)
val urls = listOf(
"http://example.com/",
"http://example.org/",
"http://example.net/",
"http://info.cern.ch/",
"http://detectportal.firefox.com/success.txt"
)
val wantA = 30
val wantB = 30
val wantC = 40
val sizeA = minOf(wantA, pickCount)
val sizeB = minOf(wantB, pickCount - sizeA)
val sizeC = pickCount - sizeA - sizeB
val groupA = shuffled.take(sizeA).toSet()
val groupB = shuffled.drop(sizeA).take(sizeB).toSet()
val groupC = shuffled.drop(sizeA + sizeB).take(sizeC).toSet()
pushLog("REQUEST sets (random): A=${groupA.size} B=${groupB.size} C=${groupC.size} / totalPick=$pickCount")
runNCoroutinesMixedVerbose(
total = total,
specialIndex = specialIndex,
onProgress = { v -> withContext(Dispatchers.Main) { progress = v } },
onLog = { line -> withContext(Dispatchers.Main) { pushLog(line) } },
onActiveChange = { all, normal, video ->
withContext(Dispatchers.Main) { pushSample(all, normal, video) }
},
doNormalWork = { simulateNormalWork() },
doVideoWork = { simulateVideoWork(awaitInterop) },
requestUrl = REQUEST_URL,
requestGroupA = groupA,
requestGroupB = groupB,
requestGroupC = groupC,
periodAms = PERIOD_A_MS,
periodBms = PERIOD_B_MS,
periodCms = PERIOD_C_MS,
jitterMs = REQUEST_JITTER_MS,
requestRunMs = REQUEST_RUN_MS,
onRequestResult = { _, group, _, ok, code, err ->
withContext(Dispatchers.Main) {
if (ok) {
when (group) {
'A' -> okA++
'B' -> okB++
'C' -> okC++
}
} else {
when (group) {
'A' -> failA++
'B' -> failB++
'C' -> failC++
}
}
}
} ,
requestUrls = urls
)
val cost = totalTimer.elapsedNow().inWholeMilliseconds
pushLog("ALL DONE in ${cost}ms")
running = false
}
}
) { Text(if (running) "运行中…" else "Run 300 Mixed Tasks") }
Spacer(Modifier.width(12.dp))
Button(enabled = !running, onClick = { logs.clear(); samples.clear() }) { Text("清空") }
}
Spacer(Modifier.height(8.dp))
Text("进度:$progress / $total", fontWeight = FontWeight.Medium)
Spacer(Modifier.height(12.dp))
Spacer(Modifier.height(8.dp))
Text(
"A: ${okA}✅ / ${failA}❌ " +
"B: ${okB}✅ / ${failB}❌ " +
"C: ${okC}✅ / ${failC}❌",
fontWeight = FontWeight.Medium
)
Spacer(Modifier.height(12.dp))
ConcurrencyChart(
samples = samples.toList(),
modifier = Modifier
.fillMaxWidth()
.height(200.dp)
.border(1.dp, Color(0x22000000))
.background(Color(0xFFF9FAFB))
.padding(8.dp)
)
Spacer(Modifier.height(12.dp))
val scroll = rememberScrollState()
LaunchedEffect(logs.size) { scroll.animateScrollTo(scroll.maxValue) }
Box(
modifier = Modifier
.fillMaxWidth()
.weight(1f)
.verticalScroll(scroll)
.padding(8.dp)
.background(Color(0xFFF3F4F6))
) { Text(logs.joinToString("\n")) }
}
if (showInterop) {
Box(
Modifier
.fillMaxSize()
.background(Color(0x66000000)),
contentAlignment = Alignment.Center
) {
Box(
Modifier
.fillMaxWidth()
.height(320.dp)
.border(1.dp, Color(0x22000000))
.background(Color.White)
.padding(8.dp)
) {
InteropVideo1(
onEnded = {
interopSignal?.takeIf { it.isActive }?.complete(Unit)
showInterop = false
}
)
}
}
}
}
}
private suspend fun simulateNormalWork() {
delay(Random.nextLong(1000, 5000))
}
private suspend fun simulateVideoWork(
awaitInterop: suspend () -> Unit
) {
awaitInterop()
}
@Composable
private fun ConcurrencyChart(
samples: List<Sample>,
modifier: Modifier = Modifier
) {
if (samples.isEmpty()) {
Box(modifier, contentAlignment = Alignment.Center) {
Text("等待任务开始…")
}
return
}
val maxAll = (samples.maxOfOrNull { it.all } ?: 0).coerceAtLeast(1)
val t0 = samples.first().tMs
val timeMax = (samples.last().tMs - t0).coerceAtLeast(1L)
val xTicks = buildNiceTimeTicks(0.0, timeMax.toDouble(), targetTickCount = 6)
val textMeasurer = rememberTextMeasurer()
val tickTextStyle = TextStyle(fontSize = 10.sp, color = Color(0xFF374151))
Canvas(modifier = modifier) {
val w = size.width
val h = size.height
val padL = 52f
val padR = 12f
val padT = 12f
val padB = 30f
val chartW = w - padL - padR
val chartH = h - padT - padB
fun xAt(tRelMs: Long): Float {
val ratio = tRelMs / timeMax.toFloat()
return padL + chartW * ratio.coerceIn(0f, 1f)
}
fun yAt(v: Int): Float {
val ratio = v / maxAll.toFloat()
return padT + chartH * (1f - ratio)
}
val ySteps = 5
for (i in 0..ySteps) {
val v = maxAll * i / ySteps
val y = yAt(v)
drawLine(
start = Offset(padL, y),
end = Offset(padL + chartW, y),
color = Color(0x22000000),
strokeWidth = 1f
)
val layout = textMeasurer.measure(AnnotatedString(v.toString()), style = tickTextStyle)
drawText(
textLayoutResult = layout,
topLeft = Offset(8f, y - layout.size.height / 2f)
)
}
for (tick in xTicks) {
val x = xAt(tick.toLong())
drawLine(
start = Offset(x, padT),
end = Offset(x, padT + chartH),
color = Color(0x22000000),
strokeWidth = 1f
)
val label = formatDurationShort(tick.toLong())
val layout = textMeasurer.measure(AnnotatedString(label), style = tickTextStyle)
drawText(
textLayoutResult = layout,
topLeft = Offset(x - layout.size.width / 2f, h - layout.size.height - 4f)
)
}
drawLine(
start = Offset(padL, padT),
end = Offset(padL, padT + chartH),
color = Color(0x99000000),
strokeWidth = 2f
)
drawLine(
start = Offset(padL, padT + chartH),
end = Offset(padL + chartW, padT + chartH),
color = Color(0x99000000),
strokeWidth = 2f
)
fun drawSeries(selector: (Sample) -> Int, color: Color, stroke: Float) {
val path = Path()
val first = samples.first()
path.moveTo(xAt(first.tMs - t0), yAt(selector(first)))
for (i in 1 until samples.size) {
val s = samples[i]
path.lineTo(xAt(s.tMs - t0), yAt(selector(s)))
}
drawPath(path, color = color, style = Stroke(width = stroke))
}
drawSeries({ it.all }, Color(0xFF2563EB), 3f)
drawSeries({ it.normal }, Color(0xFF16A34A), 2f)
drawSeries({ it.video }, Color(0xFFDC2626), 2.5f)
}
}
private fun buildNiceTimeTicks(
min: Double,
max: Double,
targetTickCount: Int = 6
): List<Double> {
val range = (max - min).coerceAtLeast(1.0)
val rawStep = range / targetTickCount
val mag = 10.0.pow(floor(ln(rawStep) / ln(10.0)))
val candidates = doubleArrayOf(1.0, 2.0, 5.0, 10.0)
val step = candidates.minByOrNull { abs(rawStep - it * mag) }!! * mag
val start = floor(min / step) * step
val end = round(max / step) * step
val ticks = ArrayList<Double>()
var v = start
while (v <= end + step * 0.5) {
ticks += v
v += step
}
return ticks
}
private fun formatDurationShort(ms: Long): String {
return if (ms < 1000L) {
"${ms}ms"
} else {
val s = ms / 1000.0
val rounded = round(s * 10) / 10.0
"${rounded}s"
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/The300Threads.kt
|
Kotlin
|
apache-2.0
| 15,386
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample.backhandler
import androidx.compose.runtime.Composable
import androidx.compose.runtime.DisposableEffect
import androidx.compose.runtime.getValue
import androidx.compose.runtime.rememberUpdatedState
import androidx.compose.ui.platform.LocalArkUIViewController
@Composable
internal actual fun BackHandler(enable: Boolean, onBack: () -> Unit) {
val onBackPressedDispatcher = LocalArkUIViewController.current.onBackPressedDispatcher
val enableState by rememberUpdatedState(enable)
DisposableEffect(Unit) {
val cancel = onBackPressedDispatcher.addOnBackPressedCallback {
if (enableState) {
onBack()
true
} else {
false
}
}
onDispose(cancel)
}
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/backhandler/BackHandler.ohosArm64.kt
|
Kotlin
|
apache-2.0
| 1,536
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.tencent.compose.sample.mainpage
import com.tencent.compose.sample.AutoScrollingInfiniteList
import com.tencent.compose.sample.CApiView1500Image
import com.tencent.compose.sample.InteropListNested
import com.tencent.compose.sample.InteropListSimple
import com.tencent.compose.sample.InteropRenderOrder
import com.tencent.compose.sample.InteropButton
import com.tencent.compose.sample.InteropTextInput
import com.tencent.compose.sample.InteropVideo
import com.tencent.compose.sample.InteropWebView
import com.tencent.compose.sample.ComposeView1500Page
import com.tencent.compose.sample.CApiView1500Page
import com.tencent.compose.sample.CApiView1500Text
import com.tencent.compose.sample.CircularReferenceDemo
import com.tencent.compose.sample.ComposeLazyView1500Page
import com.tencent.compose.sample.ComposeImage1500CApi
import com.tencent.compose.sample.ComposeText1500CApi
import com.tencent.compose.sample.ComposeToCPage
import com.tencent.compose.sample.ComposeView1500CApi
import com.tencent.compose.sample.ComposeView1500Text
import com.tencent.compose.sample.NestedLayerEntry
import com.tencent.compose.sample.The300Threads
import com.tencent.compose.sample.data.DisplayItem
import composesample.composeapp.generated.resources.Res
import composesample.composeapp.generated.resources.interop_list
import composesample.composeapp.generated.resources.interop_nested_scroll
import composesample.composeapp.generated.resources.interop_state
import composesample.composeapp.generated.resources.layers
import org.jetbrains.compose.resources.ExperimentalResourceApi
@OptIn(ExperimentalResourceApi::class)
internal actual fun platformSections(): List<DisplayItem> {
return listOf(
DisplayItem("混排层级", Res.drawable.layers) { InteropRenderOrder() },
DisplayItem("混排滑动", Res.drawable.interop_list) { InteropListSimple() },
DisplayItem("混排嵌滑", Res.drawable.interop_nested_scroll) { InteropListNested() },
DisplayItem("混排状态", Res.drawable.interop_state) { InteropTextInput() },
DisplayItem("InteropButton", Res.drawable.interop_state) { InteropButton() },
DisplayItem("短视频", Res.drawable.interop_state) { InteropVideo() },
DisplayItem("WebView", Res.drawable.interop_state) { InteropWebView() },
DisplayItem("Kotlin to C", Res.drawable.interop_state) { ComposeToCPage() },
DisplayItem("Compose 1500View", Res.drawable.interop_state) { ComposeView1500Page() },
DisplayItem("Compose Lazy 1500View", Res.drawable.interop_state) { ComposeLazyView1500Page()},
DisplayItem("CApi 1500View", Res.drawable.interop_state) { CApiView1500Page() },
DisplayItem("Compose 1500View CApi", Res.drawable.interop_state) { ComposeView1500CApi() },
DisplayItem("Compose 1500Text", Res.drawable.interop_state) { ComposeView1500Text() },
DisplayItem("CApi 1500Text", Res.drawable.interop_state) { CApiView1500Text() },
DisplayItem("Compose 1500Text CApi", Res.drawable.interop_state) { ComposeText1500CApi() },
DisplayItem("CApi 1500Image", Res.drawable.interop_state) { CApiView1500Image() },
DisplayItem("Compose 1500Image CApi", Res.drawable.interop_state) { ComposeImage1500CApi() },
DisplayItem("AutoScrollingInfiniteList", Res.drawable.interop_state) { AutoScrollingInfiniteList() },
DisplayItem("Circular Reference Demo", Res.drawable.interop_state) { CircularReferenceDemo() },
DisplayItem("组件嵌套 Demo", Res.drawable.interop_state) { NestedLayerEntry() },
DisplayItem("300", Res.drawable.interop_state) { The300Threads() },
)
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/sample/mainpage/DisplaySections.ohosArm64.kt
|
Kotlin
|
apache-2.0
| 4,373
|
@file:OptIn(ExperimentalForeignApi::class)
package com.tencent.compose.utils
import androidx.compose.ui.napi.JsEnv
import kotlinx.cinterop.*
import platform.ohos.*
import kotlin.experimental.ExperimentalNativeApi
import kotlin.time.measureTime
private fun BridgeForGlobalKNStringParams(env: napi_env?, info: napi_callback_info?): napi_value? {
val params = JsEnv.getCbInfo(info).arguments
// val params = info!!.params(1)
var arg0: String?
val duration = measureTime {
arg0 = params[0]!!.asString()
}
println("KN: BridgeForGlobalKNStringParams time=${duration.inWholeNanoseconds} ns")
val result = kn_string_params(arg0)
if (result == null) {
return null
}
return null
}
private fun BridgeForGlobalKNStringResult(env: napi_env?, info: napi_callback_info?): napi_value? {
val result = kn_string_result()
if (result == null) {
return null
}
var str: napi_value?
val duration = measureTime {
str = createString(result)
}
println("KN: BridgeForGlobalKNStringResult time=${duration.inWholeNanoseconds} ns")
return str;
}
// origin functions
fun kn_string_params(a: String?) {
// val len = a.length
}
const val TestString = "Kotlin: a1aa,a,a1aa,Ga,baa,Ja,bb,rb,sb,vb,Bb,eaa,Pb,Vb,bc,cc,dc,ec,fc,hc,lc,faa,gaa,nc,qc,Bc,Ec,Kc,Lc,Fc,kd,ud,Ed,Hd,oaa,Wd,raa,taa,ce,oe,uaa,Ee,Ce,Fe,B,Xe,af,gf,mf,xf,Cf,Lf,zaa,Aaa,Baa,Caa,Qf,Tf,ag,cg,gg,kg,ng,Gaa,Haa,Iaa,Jaa,Kaa,Laa,Gg,Maa,Naa,Og,Sg,Oaa,Taa,Raa,gh,Uaa,Yaa,qh,th, aa,aba,vh,Jh,eba,fba,Oh,gba,ai,iba,di,pi,jba,kba,qi,ri,si,lba,mba,nba,yi,oba,pba,uba,rba,sba,tba,vba,Ai,hi,Mi,Ni,Aba,Cba,Dba,Ri,Fba,Gba,Iba,Jba,Kba,Mba,Nba,aa,hj,ij,Oba,kj,Rba,tj,Sba,Tba,Ej,Fj,Uba; _.ba=function(a){return function(){return aa[a].apply(this,arguments)}};_.ca=function(a,b){return aa[a]=b};_.da=function(a){_.n.setTimeout(function(){throw a;},0)};_.ea=function(a){a&&typeof a.dispose== function &&a.dispose()};ia=function(a){for(var b=0,c=arguments.length;b<c;++b){var d=arguments[b];_.fa(d)?ia.apply(null,d):_.ea(d)}}; _.ja=function(a,b){if(Error.captureStackTrace)Error.captureStackTrace(this,_.ja);else{var c=Error().stack;c&&(this.stack=c)}a&&(this.message=String(a));b!==void 0&&(this.cause=b);this.j=!0};_.ka=function(a){return a[a.length-1]};_.la=function(a,b,c){for(var d=typeof a=== string ?a.split( ):a,e=a.length-1;e>=0;--e)e in d&&b.call(c,d[e],e,a)};_.na=function(a,b,c){b=_.ma(a,b,c);return b<0?null:typeof a=== string ?a.charAt(b):a[b]}; _.ma=function(a,b,c){for(var d=a.length,e=typeof a=== string ?a.split( ):a,f=0;f<d;f++)if(f in e&&b.call(c,e[f],f,a))return f;return-1};_.qa=function(a,b){return(0,_.pa)(a,b)>=0};_.ra=function(a,b){_.qa(a,b)||a.push(b)};_.ta=function(a,b){b=(0,_.pa)(a,b);var c;(c=b>=0)&&_.sa(a,b);return c};_.sa=function(a,b){return Array.prototype.splice.call(a,b,1).length==1};_.ua=function(a){return Array.prototype.concat.apply([],arguments)}; _.va=function(a){var b=a.length;if(b>0){for(var c=Array(b),d=0;d<b;d++)c[d]=a[d];return c}return[]};_.wa=function(a,b){for(var c=1;c<arguments.length;c++){var d=arguments[c];if(_.fa(d)){var e=a.length||0,f=d.length||0;a.length=e+f;for(var g=0;g<f;g++)a[e+g]=d[g]}else a.push(d)}};_.ya=function(a,b,c){return arguments.length<=2?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; _.Ba=function(a,b){b=b||a;for(var c=0,d=0,e={};d<a.length;){var f=a[d++],g=_.za(f)? o +_.Aa(f):(typeof f).charAt(0)+f;Object.prototype.hasOwnProperty.call(e,g)||(e[g]=!0,b[c++]=f)}b.length=c};_.Ca=function(a,b){if(!_.fa(a)||!_.fa(b)||a.length!=b.length)return!1;for(var c=a.length,d=aaa,e=0;e<c;e++)if(!d(a[e],b[e]))return!1;return!0};_.Da=function(a,b){return a>b?1:a<b?-1:0};aaa=function(a,b){return a===b};_.Fa=function(a,b){var c={};(0,_.Ea)(a,function(d,e){c[b.call(void 0,d,e,a)]=d});return c}; Ga=function(a){return{valueOf:a}.valueOf()};baa=function(){var a=null;if(!Ha)return a;try{var b=function(c){return c};a=Ha.createPolicy( OneGoogleWidgetUi#html ,{createHTML:b,createScript:b,createScriptURL:b})}catch(c){}return a};Ja=function(){Ia===void 0&&(Ia=baa());return Ia};_.Ma=function(a){var b=Ja();a=b?b.createHTML(a):a;return new _.Ka(_.La,a)};_.Na=function(a){return a instanceof _.Ka};_.Oa=function(a){if(_.Na(a))return a.j;throw Error( u );}; _.Qa=function(a){return function ==typeof _.Pa&&a instanceof _.Pa};_.Ra=function(a){if(_.Qa(a))return a.j;throw Error( u );};_.Ta=function(a){var b=Ja();a=b?b.createScriptURL(a):a;return new _.Sa(_.La,a)};_.Ua=function(a){return a instanceof _.Sa};_.Va=function(a){if(_.Ua(a))return a.j;throw Error( u );};_.Xa=function(a){return new _.Wa(_.La,a)};_.Ya=function(a){return a instanceof _.Wa};_.Za=function(a){if(_.Ya(a))return a.j;throw Error( u );}; bb=function(a){return new ab(function(b){return b.substr(0,a.length+1).toLowerCase()===a+ : })};_.eb=function(a,b){b=b===void 0?_.cb:b;if(_.Ya(a))return a;for(var c=0;c<b.length;++c){var d=b[c];if(d instanceof ab&&d.Tj(a))return _.Xa(a)}};_.gb=function(a){var b=!caa.test(a);b&&_.fb(a);if(!b)return a};_.hb=function(a){return a instanceof _.Wa?_.Za(a):_.gb(a)};_.jb=function(a){var b=Ja();a=b?b.createScript(a):a;return new _.ib(_.La,a)};_.kb=function(a){return a instanceof _.ib}; _.lb=function(a){if(_.kb(a))return a.j;throw Error( u );};_.nb=function(a,b){if(_.Na(a))return a;a=_.mb(String(a));if(b==null?0:b.V8)a=a.replace(/(^|[\\r\\n\\t ]) /g, 1  );if(b==null?0:b.U8)a=a.replace(/(\\r\\n|\\n|\\r)/g, <br> );if(b==null?0:b.X8)a=a.replace(/(\\t+)/g,'<span style= white-space:pre > 1</span>');return _.Ma(a)};_.mb=function(a){return a.replace(/&/g, & ).replace(/</g, < ).replace(/>/g, > ).replace(/ /g, " ).replace(/'/g, ' )}; _.pb=function(a){var b=_.ob.apply(1,arguments);if(b.length===0)return _.Ta(a[0]);for(var c=a[0],d=0;d<b.length;d++)c+=encodeURIComponent(b[d])+a[d+1];return _.Ta(c)};rb=function(a){a=a.Ox.charCodeAt(a.Mb++);return qb[a]};sb=function(a){var b=0,c=0;do{var d=rb(a);b|=(d&31)<<c;c+=5}while(d&32);return b<0?b+4294967296:b};vb=function(a){if(_.tb)a(_.tb);else{var b;((b=ub)!=null?b:ub=[]).push(a)}};_.yb=function(){!_.tb&&_.wb&&_.xb(_.wb());return _.tb}; _.xb=function(a){_.tb=a;var b;(b=ub)==null||b.forEach(vb);ub=void 0};_.u=function(a){_.tb&&daa(a)};_.w=function(){_.tb&&Ab(_.tb)};Bb=function(a,b){a.__closure__error__context__984382||(a.__closure__error__context__984382={});a.__closure__error__context__984382.severity=b};eaa=function(){for(var a;a=Cb.remove();){try{a.Lh.call(a.scope)}catch(b){_.da(b)}Db(Eb,a)}Fb=!1};_.Gb=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; _.Hb=function(a,b){var c={},d;for(d in a)b.call(void 0,a[d],d,a)&&(c[d]=a[d]);return c};_.Ib=function(a,b,c){var d={},e;for(e in a)d[e]=b.call(c,a[e],e,a);return d};_.Jb=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b};_.Kb=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b};_.Lb=function(a){for(var b in a)return!1;return!0};_.Mb=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; _.Ob=function(a,b){for(var c,d,e=1;e<arguments.length;e++){d=arguments[e];for(c in d)a[c]=d[c];for(var f=0;f<Nb.length;f++)c=Nb[f],Object.prototype.hasOwnProperty.call(d,c)&&(a[c]=d[c])}};Pb=function(a){var b=arguments.length;if(b==1&&Array.isArray(arguments[0]))return Pb.apply(null,arguments[0]);for(var c={},d=0;d<b;d++)c[arguments[d]]=!0;return c};_.Qb=function(a,b){return a.lastIndexOf(b,0)==0};_.Rb=function(a,b){var c=a.length-b.length;return c>=0&&a.indexOf(b,c)==c};_.Sb=function(a){return/^[\\s\\xa0]* /.test(a)}; _.Tb=function(a,b){return a.indexOf(b)!=-1};_.Wb=function(a,b){var c=0;a=(0,_.Ub)(String(a)).split( . );b=(0,_.Ub)(String(b)).split( . );for(var d=Math.max(a.length,b.length),e=0;c==0&&e<d;e++){var f=a[e]|| ,g=b[e]|| ;do{f=/( *)( *)(.*)/.exec(f)||[ , , , ];g=/( *)( *)(.*)/.exec(g)||[ , , , ];if(f[0].length==0&&g[0].length==0)break;c=Vb(f[1].length==0?0:parseInt(f[1],10),g[1].length==0?0:parseInt(g[1],10))||Vb(f[2].length==0,g[2].length==0)||Vb(f[2],g[2]);f=f[3];g=g[3]}while(c==0)}return c}; Vb=function(a,b){return a<b?-1:a>b?1:0};_.Xb=function(){var a=_.n.navigator;return a&&(a=a.userAgent)?a: };bc=function(a){if(! b||!ac)return!1;for(var b=0;b<ac.brands.length;b++){var c=ac.brands[b].brand;if(c&&_.Tb(c,a))return!0}return!1};cc=function(a){return _.Tb(_.Xb(),a)};dc=function(){return b?!!ac&&ac.brands.length>0:!1};ec=function(){return dc()?!1:cc( Opera )};fc=function(){return dc()?!1:cc( Trident )||cc( MSIE )};hc=function(){return dc()?bc( Microsoft Edge ):cc( Edg/ )}; _.ic=function(){return cc( Firefox )||cc( FxiOS )};_.kc=function(){return cc( Safari )&&!(_.jc()||(dc()?0:cc( Coast ))||ec()||(dc()?0:cc( Edge ))||hc()||(dc()?bc( Opera ):cc( OPR ))||_.ic()||cc( Silk )||cc( Android ))};_.jc=function(){return dc()?bc( Chromium ):(cc( Chrome )||cc( CriOS ))&&!(dc()?0:cc( Edge ))||cc( Silk )};lc=function(){return cc( Android )&&!(_.jc()||_.ic()||ec()||cc( Silk ))}; faa=function(a){var b={};a.forEach(function(c){b[c[0]]=c[1]});return function(c){return b[c.find(function(d){return d in b})]|| }}; gaa=function(a){var b=_.Xb();if(a=== Internet Explorer ){if(fc())if((a=/rv: *([ \\.]*)/.exec(b))&&a[1])b=a[1];else{a= ;var c=/MSIE +([ \\.]+)/.exec(b);if(c&&c[1])if(b=/Trident\\/( . )/.exec(b),c[1]== 7.0 )if(b&&b[1])switch(b[1]){case 4.0 :a= 8.0 ;break;case 5.0 :a= 9.0 ;break;case 6.0 :a= 10.0 ;break;case 7.0 :a= 11.0 }else a= 7.0 ;else a=c[1];b=a}else b= ;return b}var d=RegExp( ([A-Z][\\\\w ]+)/([^\\\\s]+)\\\\s*(?:\\\\((.*?)\\\\))? , g );c=[];for(var e;e=d.exec(b);)c.push([e[1],e[2],e[3]||void 0]); b=faa(c);switch(a){case Opera :if(ec())return b([ Version , Opera ]);if(dc()?bc( Opera ):cc( OPR ))return b([ OPR ]);break;case Microsoft Edge :if(dc()?0:cc( Edge ))return b([ Edge ]);if(hc())return b([ Edg ]);break;case Chromium :if(_.jc())return b([ Chrome , CriOS , HeadlessChrome ])}return a=== Firefox &&_.ic()||a=== Safari &&_.kc()||a=== Android Browser &&lc()||a=== Silk &&cc( Silk )?(b=c[2])&&b[1]|| : }; _.mc=function(a){if(dc()&&a!== Silk ){var b=ac.brands.find(function(c){return c.brand===a});if(!b||!b.version)return NaN;b=b.version.split( . )}else{b=gaa(a);if(b=== )return NaN;b=b.split( . )}return b.length===0?NaN:Number(b[0])};nc=function(){return b?!!ac&&!!ac.platform:!1};_.pc=function(){return nc()?ac.platform=== Android :cc( Android )};qc=function(){return cc( iPhone )&&!cc( iPod )&&!cc( iPad )};_.rc=function(){return qc()||cc( iPad )||cc( iPod )}; _.sc=function(){return nc()?ac.platform=== macOS :cc( Macintosh )};_.tc=function(){return nc()?ac.platform=== Windows :cc( Windows )};_.uc=function(){return nc()?ac.platform=== Chrome OS :cc( CrOS )};_.vc=function(a){return haa&&a!=null&&a instanceof Uint8Array};_.wc=function(){return typeof BigInt=== function };_.xc=function(a){a.b8=!0;return a}; rome ])}return a=== Firefox &&_.ic()||a=== Safari &&_.kc()||a=== Android Browser &&lc()||a=== Silk &&cc( Silk )?(b=c[2])&&b[1]|| : }; _.mc=function(a){if(dc()&&a!== Silk ){var b=ac.brands.find(function(c){return c.brand===a});if(!b||!b.version)return NaN;b=b.version.split( . )}else{b=gaa(a);if(b=== )return NaN;b=b.split( . )}return b.length===0?NaN:Number(b[0])};nc=function(){return b?!!ac&&!!ac.platform:!1};_.pc=function(){return nc()?ac.platform=== Android :cc( Android )};qc=function(){return cc("
fun kn_string_result(): String {
return TestString
}
private fun BridgeForOriginStringParams(env: napi_env?, info: napi_callback_info?): napi_value? {
val params = JsEnv.getCbInfo(info).arguments
// val params = info!!.params(1)
// val arg0 = params[0]!!.asString()
var arg0: String?
val duration = measureTime {
arg0 = JsEnv.getValueStringUtf8(params[0])
}
println("KN: BridgeForOriginStringParams time=${duration.inWholeNanoseconds} ns")
val result = kn_string_params(arg0)
if (result == null) {
return null
}
return null
}
private fun BridgeForOriginStringResult(env: napi_env?, info: napi_callback_info?): napi_value? {
val result = kn_string_result()
if (result == null) {
return null
}
// return createString(result)
val res: napi_value?
var duration = measureTime {
res = JsEnv.createStringUtf8(result)
}
println("KN: BridgeForOriginStringResult time=${duration.inWholeNanoseconds} ns")
return res
}
// define function
@CName("define_string_function")
@OptIn(ExperimentalNativeApi::class)
fun defineStringFunction(env: napi_env, exports: napi_value?) {
JsEnv.init(env)
val descArray = nativeHeap.allocArray<napi_property_descriptor>(4)
descArray[0].name = createString("kn_string_params")
descArray[0].method = staticCFunction(::BridgeForGlobalKNStringParams)
descArray[0].attributes = napi_default
descArray[1].name = createString("kn_string_result")
descArray[1].method = staticCFunction(::BridgeForGlobalKNStringResult)
descArray[1].attributes = napi_default
descArray[2].name = createString("origin_string_params")
descArray[2].method = staticCFunction(::BridgeForOriginStringParams)
descArray[2].attributes = napi_default
descArray[3].name = createString("origin_string_result")
descArray[3].method = staticCFunction(::BridgeForOriginStringResult)
descArray[3].attributes = napi_default
println("KN: defineStringFunction tag1")
val res = napi_define_properties(env, exports, 4u, descArray)
println("KN: defineStringFunction tag3, res=$res")
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/utils/string.kt
|
Kotlin
|
apache-2.0
| 13,404
|
@file:OptIn(ExperimentalForeignApi::class)
package com.tencent.compose.utils
import androidx.compose.ui.napi.JsEnv
import androidx.compose.ui.napi.asString
import kotlinx.cinterop.ExperimentalForeignApi
import kotlinx.cinterop.NativePtr
import kotlinx.cinterop.interpretCPointer
import platform.ohos.napi_value
@OptIn(ExperimentalForeignApi::class)
fun napi_value.asString(): String? {
// return napi_get_kotlin_string_utf16(JsEnv.env().rawValue, this.rawValue)
//TODO bug need to be fixed
return ""
}
fun napi_value.asStringUtf8(): String? {
return JsEnv.getValueStringUtf8(this)
}
fun createString(value: String): napi_value? {
val nativePtr: NativePtr = JsEnv.env().rawValue
// val result: napi_value? = interpretCPointer(value.getNapiValue(nativePtr))
//TODO bug need to be fixed
// val str1 = result.asString()
// val str2 = result?.asStringUtf8()
// println("kn: result.asString length=${str1?.length}, result=${str1}, charArray=${toPrintChar(str1)}")
// println("kn: result.asStringUtf8 length=${str2?.length}, result=${str2}, charArray=${toPrintChar(str2)}")
return null
}
fun toPrintChar(asString: String?): List<String>? {
return asString?.split("")?.map { item -> "(${item.length},${item})" }
}
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/com/tencent/compose/utils/utils.kt
|
Kotlin
|
apache-2.0
| 1,262
|
package net
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/net/KtorEngine.kt
|
Kotlin
|
apache-2.0
| 14
|
package net
|
2201_76010299/ovCompose-sample
|
composeApp/src/ohosArm64Main/kotlin/net/Net.ohosArm64.kt
|
Kotlin
|
apache-2.0
| 13
|
/*
* Copyright (c) 2025 Huawei Device Co., Ltd.
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { harTasks } from '@ohos/hvigor-ohos-plugin';
export default {
system: harTasks, /* Built-in plugin of Hvigor. It cannot be modified. */
plugins: [] /* Custom plugin to extend the functionality of Hvigor. */
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/commons/base/hvigorfile.ts
|
TypeScript
|
apache-2.0
| 836
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { hapTasks } from '@ohos/hvigor-ohos-plugin';
export default {
system: hapTasks, /* Built-in plugin of Hvigor. It cannot be modified. */
plugins:[] /* Custom plugin to extend the functionality of Hvigor. */
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/hvigorfile.ts
|
TypeScript
|
apache-2.0
| 970
|
# the minimum version of CMake.
cmake_minimum_required(VERSION 3.5.0)
project(harmonyApp)
set(NATIVERENDER_ROOT_PATH ${CMAKE_CURRENT_SOURCE_DIR})
if(DEFINED PACKAGE_FIND_FILE)
include(${PACKAGE_FIND_FILE})
endif()
include_directories(${NATIVERENDER_ROOT_PATH}
${NATIVERENDER_ROOT_PATH}/include)
find_package(skikobridge)
add_library(entry SHARED test725.cpp container.cpp manager.cpp napi_init.cpp)
find_library(
hilog-lib
hilog_ndk.z
)
find_library(
libace-lib
ace_ndk.z
)
find_library(
libnapi-lib
ace_napi.z
)
target_link_libraries(entry PUBLIC libace_napi.z.so)
target_link_libraries(entry PUBLIC libdeviceinfo_ndk.z.so)
target_link_libraries(entry PUBLIC librawfile.z.so)
target_link_libraries(entry PUBLIC ${NATIVERENDER_ROOT_PATH}/../../../libs/arm64-v8a/libkn.so)
target_link_libraries(entry PUBLIC skikobridge::skikobridge)
target_link_libraries(entry PUBLIC ${EGL-lib} ${GLES-lib} ${hilog-lib} ${libace-lib} ${libnapi-lib} ${libuv-lib} libc++_shared.so)
target_link_libraries(entry PUBLIC libhitrace_ndk.z.so)
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/CMakeLists.txt
|
CMake
|
apache-2.0
| 1,076
|
#include <string>
#include <hilog/log.h>
#include "container.h"
namespace NativeXComponentSample {
std::unordered_map<std::string, Container *> Container::instance_;
Container::Container(const std::string &id) {
this->id_ = id;
}
Container *Container::GetInstance(const std::string &id) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Callback", "TextXXX container.cpp GetInstance");
if (instance_.find(id) == instance_.end()) {
Container *instance = new Container(id);
instance_[id] = instance;
return instance;
} else {
return instance_[id];
}
}
void Container::Release(const std::string &id) {
Container *render = Container::GetInstance(id);
if (render != nullptr) {
free(render);
}
}
void Container::RegisterCallback(OH_NativeXComponent *nativeXComponent) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Callback", "TextXXX container.cpp RegisterCallback");
}
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/container.cpp
|
C++
|
apache-2.0
| 958
|
//
// Created on 2025/7/21.
//
// Node APIs are not fully supported. To solve the compilation error of the interface cannot be found,
// please include "napi/native_api.h".
#ifndef HARMONYAPP_CONTAINER_H
#define HARMONYAPP_CONTAINER_H
#include <string>
#include <unordered_map>
#include <ace/xcomponent/native_interface_xcomponent.h>
const unsigned int LOG_PRINT_DOMAIN = 0xFF00;
namespace NativeXComponentSample {
class Container {
public:
explicit Container(const std::string &id);
~Container() = default;
static Container *GetInstance(const std::string &id);
static void Release(const std::string &id);
void RegisterCallback(OH_NativeXComponent *nativeXComponent);
public:
static std::unordered_map<std::string, Container *> instance_;
std::string id_;
private:
OH_NativeXComponent_Callback containerCallback_;
OH_NativeXComponent_MouseEvent_Callback mouseCallback_;
};
}
#endif //HARMONYAPP_CONTAINER_H
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/container.h
|
C++
|
apache-2.0
| 958
|
/*
* Copyright (c) Meta Platforms, Inc. and affiliates.
*
* This source code is licensed under the MIT license found in the
* LICENSE file in the root directory of this source tree.
*/
#pragma once
#include "hitrace/trace.h"
#include <string>
#include <sstream>
struct HiTraceSystraceSection {
public:
template <typename... ConvertsToStringPiece>
explicit HiTraceSystraceSection(
const char *name,
ConvertsToStringPiece &&...args) {
std::ostringstream oss;
(oss << ... << args);
std::string result = std::string(name) + oss.str();
OH_HiTrace_StartTrace(result.c_str());
}
~HiTraceSystraceSection() {
OH_HiTrace_FinishTrace();
}
};
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/include/HiTraceSystraceSection.h
|
C++
|
apache-2.0
| 714
|
#ifndef GLOBAL_TEST_0725_H
#define GLOBAL_TEST_0725_H
#ifdef __cplusplus
extern "C" {
#endif
int testNum(int num);
void print_string(char* msg);
void print_const_string(const char* msg);
void trace_tag_begin();
void trace_tag_end();
void trace_tag_cnt(int num);
typedef void (*register_callback_holder)(int, void*);
void native_register(void* kotlin_obj, register_callback_holder callback, bool holdRef);
void native_trigger();
void native_register_simple_callback(const char* id, void* stable_ref, void (*callback)(void*));
void native_trigger_simple_callback(const char* id);
void native_cleanup_simple_callback(const char* id);
void native_cleanup_all_simple_callbacks();
int native_get_simple_callback_count();
void native_print_simple_callback_status();
void kn_string_params(const char *msg);
const char* kn_string_result();
#ifdef __cplusplus
};
#endif
/** @} */
#endif // GLOBAL_TEST_0725_H
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/include/test_0725.h
|
C
|
apache-2.0
| 908
|
#include <cstdint>
#include <string>
#include <cstdio>
#include <arkui/native_interface.h>
#include <arkui/native_node.h>
#include <arkui/native_node_napi.h>
#include <hilog/log.h>
#include "manager.h"
#include "HiTraceSystraceSection.h"
#include <hitrace/trace.h>
ArkUI_NodeContentHandle nodeContentHandle_ = nullptr;
namespace NativeXComponentSample {
#define TEST_TEXT_NUMBER 20
ArkUI_NodeHandle gTextBuf[TEST_TEXT_NUMBER];
int gBarWidth = 10;
Manager Manager::manager_;
static ArkUI_NativeNodeAPI_1 *nodeAPI;
Manager::~Manager() {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp ~Manager");
for (auto iter = nativeXComponentMap_.begin(); iter != nativeXComponentMap_.end(); ++iter) {
if (iter->second != nullptr) {
delete iter->second;
iter->second = nullptr;
}
}
nativeXComponentMap_.clear();
for (auto iter = nativeNodeMap_.begin(); iter != nativeNodeMap_.end(); ++iter) {
if (iter->second != nullptr) {
delete iter->second;
iter->second = nullptr;
}
}
nativeNodeMap_.clear();
for (auto iter = containerMap_.begin(); iter != containerMap_.end(); ++iter) {
if (iter->second != nullptr) {
delete iter->second;
iter->second = nullptr;
}
}
containerMap_.clear();
}
ArkUI_NodeHandle createStackExample() {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp createStackExample");
ArkUI_NodeHandle scroll = nodeAPI->createNode(ARKUI_NODE_SCROLL);
ArkUI_NodeHandle stack = nodeAPI->createNode(ARKUI_NODE_STACK);
ArkUI_NodeHandle text = nodeAPI->createNode(ARKUI_NODE_TEXT);
ArkUI_NumberValue value[] = {480};
ArkUI_AttributeItem item = {value, 1};
ArkUI_AttributeItem content = {.string = "ContentSlot, this is capi view"};
nodeAPI->setAttribute(scroll, NODE_WIDTH, &item);
nodeAPI->setAttribute(stack, NODE_WIDTH, &item);
value[0].f32 = 300;
nodeAPI->setAttribute(scroll, NODE_HEIGHT, &item);
value[0].f32 = 300;
nodeAPI->setAttribute(stack, NODE_HEIGHT, &item);
value[0].u32 = 0xFFFFFF00;
nodeAPI->setAttribute(stack, NODE_BACKGROUND_COLOR, &item);
nodeAPI->setAttribute(text, NODE_TEXT_CONTENT, &content);
nodeAPI->registerNodeEvent(scroll, NODE_SCROLL_EVENT_ON_SCROLL, 1, nullptr);
auto onScroll = [](ArkUI_NodeEvent *event) {
if (OH_ArkUI_NodeEvent_GetTargetId(event) == 1) {
}
};
nodeAPI->registerNodeEventReceiver(onScroll);
nodeAPI->addChild(stack, text);
for (int i = 0; i < 1500; i++) {
nodeAPI->addChild(scroll, stack);
}
return scroll;
}
ArkUI_NodeHandle createSimpleStackOnly()
{
HiTraceSystraceSection d("Compose::create start");
// 创建 Stack
ArkUI_NodeHandle stack = nodeAPI->createNode(ARKUI_NODE_STACK);
ArkUI_NumberValue stackSize[] = { 300 };
ArkUI_AttributeItem stackWidth = { stackSize, 1 };
nodeAPI->setAttribute(stack, NODE_WIDTH, &stackWidth);
stackSize[0].f32 = 100;
ArkUI_AttributeItem stackHeight = { stackSize, 1 };
nodeAPI->setAttribute(stack, NODE_HEIGHT, &stackHeight);
ArkUI_NumberValue borderWidth[] = { 2.0f };
ArkUI_AttributeItem borderWidthItem = { borderWidth, 1 };
nodeAPI->setAttribute(stack, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColor[] = { { .i32 = (int32_t)0xFFFF0000 } };
ArkUI_AttributeItem borderColorItem = { borderColor, 1 };
nodeAPI->setAttribute(stack, NODE_BORDER_COLOR, &borderColorItem);
return stack;
}
ArkUI_NodeHandle createSimpleColumnWithStack()
{
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "ArkUIExample", "createSimpleColumnWithStack");
// 创建最外层 Column
ArkUI_NodeHandle column = nodeAPI->createNode(ARKUI_NODE_COLUMN);
// 设置 Column 宽度
ArkUI_NumberValue columnWidth[] = { 300 };
ArkUI_AttributeItem columnWidthItem = { columnWidth, 1 };
nodeAPI->setAttribute(column, NODE_WIDTH, &columnWidthItem);
// 创建 Stack
ArkUI_NodeHandle stack = nodeAPI->createNode(ARKUI_NODE_STACK);
ArkUI_NumberValue stackSize[] = { 300 };
ArkUI_AttributeItem stackWidth = { stackSize, 1 };
nodeAPI->setAttribute(stack, NODE_WIDTH, &stackWidth);
stackSize[0].f32 = 100;
ArkUI_AttributeItem stackHeight = { stackSize, 1 };
nodeAPI->setAttribute(stack, NODE_HEIGHT, &stackHeight);
ArkUI_NumberValue borderWidth[] = { 2.0f };
ArkUI_AttributeItem borderWidthItem = { borderWidth, 1 };
nodeAPI->setAttribute(stack, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColor[] = { { .i32 = (int32_t)0xFFFF0000 } };
ArkUI_AttributeItem borderColorItem = { borderColor, 1 };
nodeAPI->setAttribute(stack, NODE_BORDER_COLOR, &borderColorItem);
ArkUI_NodeHandle text = nodeAPI->createNode(ARKUI_NODE_TEXT);
ArkUI_AttributeItem textVal = { .string = "1" };
nodeAPI->setAttribute(text, NODE_TEXT_CONTENT, &textVal);
nodeAPI->addChild(stack, text);
nodeAPI->addChild(column, stack);
return column;
}
ArkUI_NodeHandle createScrollWithContainersEachWithStack()
{
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "ArkUIExample", "createScrollWithContainersEachWithStack");
OH_HiTrace_StartTrace("Compose::createScrollWithContainersEachWithStack begin");
ArkUI_NodeHandle scroll = nodeAPI->createNode(ARKUI_NODE_SCROLL);
ArkUI_NumberValue size[] = { 480 };
size[0].f32 = 1920;
ArkUI_AttributeItem heightItem = { size, 1 };
nodeAPI->setAttribute(scroll, NODE_HEIGHT, &heightItem);
// 设置为垂直滚动
ArkUI_NumberValue scrollDir[] = { { .i32 = ARKUI_SCROLL_DIRECTION_VERTICAL } };
ArkUI_AttributeItem dirItem = { scrollDir, 1 };
nodeAPI->setAttribute(scroll, NODE_SCROLL_SCROLL_DIRECTION, &dirItem);
ArkUI_NodeHandle column = nodeAPI->createNode(ARKUI_NODE_COLUMN);
ArkUI_NumberValue containerSize[] = { 300 };
ArkUI_AttributeItem containerWidth = { containerSize, 1 };
nodeAPI->setAttribute(column, NODE_WIDTH, &containerWidth);
for (int i = 0; i < 1500; ++i) {
ArkUI_NodeHandle container = nodeAPI->createNode(ARKUI_NODE_COLUMN);
ArkUI_NumberValue containerSize[] = { 300 };
ArkUI_AttributeItem containerWidth = { containerSize, 1 };
nodeAPI->setAttribute(container, NODE_WIDTH, &containerWidth);
ArkUI_NodeHandle stack = nodeAPI->createNode(ARKUI_NODE_STACK);
ArkUI_NumberValue stackWidth[] = {300};
ArkUI_AttributeItem widthItem = {stackWidth, 1};
nodeAPI->setAttribute(stack, NODE_WIDTH, &widthItem);
ArkUI_NumberValue stackHeight[] = {100}; // 固定高度100
ArkUI_AttributeItem heightItem = {stackHeight, 1};
nodeAPI->setAttribute(stack, NODE_HEIGHT, &heightItem);
ArkUI_NodeHandle text = nodeAPI->createNode(ARKUI_NODE_TEXT);
char buf[32];
snprintf(buf, sizeof(buf), "Item #%d", i + 1);
ArkUI_AttributeItem textVal = { .string = buf };
nodeAPI->setAttribute(text, NODE_TEXT_CONTENT, &textVal);
ArkUI_NumberValue borderWidth[] = {2.0f};
ArkUI_AttributeItem borderWidthItem = {borderWidth, 1};
nodeAPI->setAttribute(stack, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColor[] = { { .i32 = (int32_t)0xFFFF0000 } };
ArkUI_AttributeItem borderColorItem = {borderColor, 1};
nodeAPI->setAttribute(stack, NODE_BORDER_COLOR, &borderColorItem);
nodeAPI->addChild(stack, text);
nodeAPI->addChild(container, stack);
nodeAPI->addChild(column, container);
{
HiTraceSystraceSection s("#Compose::createStackViewExample::KeyToCPPList");
}
}
nodeAPI->addChild(scroll, column);
OH_HiTrace_FinishTrace();
return scroll;
}
ArkUI_NodeHandle createStackViewExample() {
HiTraceSystraceSection s("#Compose::createStackViewExample begin");
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp createStackExample");
ArkUI_NodeHandle scroll = nodeAPI->createNode(ARKUI_NODE_SCROLL);
// 设置Scroll尺寸
ArkUI_NumberValue value[] = {480};
ArkUI_AttributeItem item = {value, 1};
nodeAPI->setAttribute(scroll, NODE_WIDTH, &item);
value[0].f32 = 1920;
nodeAPI->setAttribute(scroll, NODE_HEIGHT, &item);
// 创建纵向布局容器(Column)
ArkUI_NodeHandle column = nodeAPI->createNode(ARKUI_NODE_COLUMN);
// 注册滚动事件
nodeAPI->registerNodeEvent(scroll, NODE_SCROLL_EVENT_ON_SCROLL, 1, nullptr);
auto onScroll = [](ArkUI_NodeEvent *event) {
if (OH_ArkUI_NodeEvent_GetTargetId(event) == 1) {
}
};
nodeAPI->registerNodeEventReceiver(onScroll);
// 创建并添加1500个Stack到Column中
for (int i = 0; i < 1500; i++) {
// 创建Stack并设置固定大小
ArkUI_NodeHandle stack = nodeAPI->createNode(ARKUI_NODE_STACK);
// 设置Stack宽度和高度
ArkUI_NumberValue stackWidth[] = {300};
ArkUI_AttributeItem widthItem = {stackWidth, 1};
nodeAPI->setAttribute(stack, NODE_WIDTH, &widthItem);
ArkUI_NumberValue stackHeight[] = {300}; // 固定高度100
ArkUI_AttributeItem heightItem = {stackHeight, 1};
nodeAPI->setAttribute(stack, NODE_HEIGHT, &heightItem);
// +++ 添加红色边框 +++
// 1. 设置边框宽度(四边统一为2单位)
ArkUI_NumberValue borderWidthValue[] = {2.0f};
ArkUI_AttributeItem borderWidthItem = {borderWidthValue, 1};
nodeAPI->setAttribute(stack, NODE_BORDER_WIDTH, &borderWidthItem);
// 2. 设置边框颜色(红色,ARGB格式:0xFFFF0000)
ArkUI_NumberValue borderColorValue[] = {0xFFFF0000}; // 红色
ArkUI_AttributeItem borderColorItem = {borderColorValue, 1};
nodeAPI->setAttribute(stack, NODE_BORDER_COLOR, &borderColorItem);
// 3. 设置边框样式为实线
ArkUI_NumberValue borderStyleValue[] = {{.i32 = ARKUI_BORDER_STYLE_SOLID}};
ArkUI_AttributeItem borderStyleItem = {borderStyleValue, 1};
nodeAPI->setAttribute(stack, NODE_BORDER_STYLE, &borderStyleItem);
// 将Stack添加到Column(关键修改)
nodeAPI->addChild(column, stack);
}
// 将Column添加到Scroll中
nodeAPI->addChild(scroll, column);
HiTraceSystraceSection d("#Compose::createStackViewExample end");
return scroll;
}
ArkUI_NodeHandle createTextSingleViewExample() {
ArkUI_NodeHandle text = nodeAPI->createNode(ARKUI_NODE_TEXT);
std::string contentStr = "Item #" ;
ArkUI_AttributeItem content = {.string = contentStr.c_str()};
nodeAPI->setAttribute(text, NODE_TEXT_CONTENT, &content);
ArkUI_NumberValue width[] = { 300 };
ArkUI_AttributeItem widthItem = { width, 1 };
nodeAPI->setAttribute(text, NODE_WIDTH, &widthItem);
ArkUI_NumberValue borderWidth[] = { 1.0f };
ArkUI_AttributeItem borderWidthItem = { borderWidth, 1 };
nodeAPI->setAttribute(text, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColor[] = {{ .i32 = static_cast<int32_t>(0xFF888888) }};
ArkUI_AttributeItem borderColorItem = { borderColor, 1 };
nodeAPI->setAttribute(text, NODE_BORDER_COLOR, &borderColorItem);
// 设置内边距为 10(上下左右统一)
ArkUI_NumberValue padding[] = { 10, 10, 10, 10 }; // left, top, right, bottom
ArkUI_AttributeItem paddingItem = { padding, 4 };
nodeAPI->setAttribute(text, NODE_PADDING, &paddingItem);
return text;
}
ArkUI_NodeHandle createTextViewExample() {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp createStackExample");
ArkUI_NodeHandle scroll = nodeAPI->createNode(ARKUI_NODE_SCROLL);
// 设置Scroll尺寸
ArkUI_NumberValue value[] = {300};
ArkUI_AttributeItem item = {value, 1};
nodeAPI->setAttribute(scroll, NODE_WIDTH, &item);
value[0].f32 = 1920;
nodeAPI->setAttribute(scroll, NODE_HEIGHT, &item);
// 创建纵向布局容器(Column)
ArkUI_NodeHandle column = nodeAPI->createNode(ARKUI_NODE_COLUMN);
// 设置Column填满父容器
// ArkUI_AttributeItem fillParent = {value, 1};
// value[0].f32 = 1.0f; // 1.0表示100%比例
// nodeAPI->setAttribute(column, NODE_WIDTH, &fillParent);
// nodeAPI->setAttribute(column, NODE_HEIGHT, &fillParent);
// 注册滚动事件
nodeAPI->registerNodeEvent(scroll, NODE_SCROLL_EVENT_ON_SCROLL, 1, nullptr);
auto onScroll = [](ArkUI_NodeEvent *event) {
if (OH_ArkUI_NodeEvent_GetTargetId(event) == 1) {
}
};
nodeAPI->registerNodeEventReceiver(onScroll);
// 创建并添加1500个Stack到Column中
for (int i = 0; i < 1500; i++) {
// 创建Text并设置内容(唯一区别)
ArkUI_NodeHandle text = nodeAPI->createNode(ARKUI_NODE_TEXT);
std::string contentStr = "Item #" + std::to_string(i);
ArkUI_AttributeItem content = {.string = contentStr.c_str()};
nodeAPI->setAttribute(text, NODE_TEXT_CONTENT, &content);
ArkUI_NumberValue width[] = { 300 };
ArkUI_AttributeItem widthItem = { width, 1 };
nodeAPI->setAttribute(text, NODE_WIDTH, &widthItem);
ArkUI_NumberValue borderWidth[] = { 1.0f };
ArkUI_AttributeItem borderWidthItem = { borderWidth, 1 };
nodeAPI->setAttribute(text, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColor[] = {{ .i32 = static_cast<int32_t>(0xFF888888) }};
ArkUI_AttributeItem borderColorItem = { borderColor, 1 };
nodeAPI->setAttribute(text, NODE_BORDER_COLOR, &borderColorItem);
// 设置内边距为 10(上下左右统一)
ArkUI_NumberValue padding[] = { 10, 10, 10, 10 }; // left, top, right, bottom
ArkUI_AttributeItem paddingItem = { padding, 4 };
nodeAPI->setAttribute(text, NODE_PADDING, &paddingItem);
nodeAPI->addChild(column, text);
}
// 将Column添加到Scroll中
nodeAPI->addChild(scroll, column);
return scroll;
}
ArkUI_NodeHandle createImageViewExample(const char *imagePath, int32_t iteration) {
ArkUI_NodeHandle scroll = nodeAPI->createNode(ARKUI_NODE_SCROLL);
// 设置Scroll尺寸
ArkUI_NumberValue value[] = {480};
ArkUI_AttributeItem item = {value, 1};
nodeAPI->setAttribute(scroll, NODE_WIDTH, &item);
value[0].f32 = 1920;
nodeAPI->setAttribute(scroll, NODE_HEIGHT, &item);
// 创建纵向布局容器(Column)
ArkUI_NodeHandle column = nodeAPI->createNode(ARKUI_NODE_COLUMN);
// 注册滚动事件
nodeAPI->registerNodeEvent(scroll, NODE_SCROLL_EVENT_ON_SCROLL, 1, nullptr);
auto onScroll = [](ArkUI_NodeEvent *event) {
if (OH_ArkUI_NodeEvent_GetTargetId(event) == 1) {
}
};
nodeAPI->registerNodeEventReceiver(onScroll);
// 创建并添加1500个Stack到Column中
// 创建并添加1500个Image到Column中
for (int i = 0; i < iteration; i++) {
// 创建Image节点
ArkUI_NodeHandle imageNode = nodeAPI->createNode(ARKUI_NODE_IMAGE);
// 设置图片源
ArkUI_AttributeItem srcItem = {.string = imagePath};
nodeAPI->setAttribute(imageNode, NODE_IMAGE_SRC, &srcItem);
// 设置图片尺寸
ArkUI_NumberValue widthValue[] = {200.0f};
ArkUI_AttributeItem widthItem = {widthValue, 1};
nodeAPI->setAttribute(imageNode, NODE_WIDTH, &widthItem);
ArkUI_NumberValue heightValue[] = {200.0f};
ArkUI_AttributeItem heightItem = {heightValue, 1};
nodeAPI->setAttribute(imageNode, NODE_HEIGHT, &heightItem);
// 设置图片边距(使图片之间有间距)
ArkUI_NumberValue marginValue[] = {5.0f, 5.0f, 5.0f, 5.0f}; // 上、右、下、左
ArkUI_AttributeItem marginItem = {marginValue, 4};
nodeAPI->setAttribute(imageNode, NODE_MARGIN, &marginItem);
// 设置圆角效果
ArkUI_NumberValue radiusValue[] = {10.0f};
ArkUI_AttributeItem radiusItem = {radiusValue, 1};
nodeAPI->setAttribute(imageNode, NODE_BORDER_RADIUS, &radiusItem);
// 设置边框
ArkUI_NumberValue borderWidthValue[] = {1.0f};
ArkUI_AttributeItem borderWidthItem = {borderWidthValue, 1};
nodeAPI->setAttribute(imageNode, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColorValue[] = {0.5f, 0.5f, 0.5f, 1.0f}; // RGBA
ArkUI_AttributeItem borderColorItem = {borderColorValue, 4};
nodeAPI->setAttribute(imageNode, NODE_BORDER_COLOR, &borderColorItem);
// 将Image添加到Column
nodeAPI->addChild(column, imageNode);
}
// 将Column添加到Scroll中
nodeAPI->addChild(scroll, column);
return scroll;
}
ArkUI_NodeHandle createImageSingleViewExample(const char *imagePath) {
// 创建Image节点
ArkUI_NodeHandle imageNode = nodeAPI->createNode(ARKUI_NODE_IMAGE);
// 设置图片源
ArkUI_AttributeItem srcItem = {.string = imagePath};
nodeAPI->setAttribute(imageNode, NODE_IMAGE_SRC, &srcItem);
// 设置图片尺寸
ArkUI_NumberValue widthValue[] = {200.0f};
ArkUI_AttributeItem widthItem = {widthValue, 1};
nodeAPI->setAttribute(imageNode, NODE_WIDTH, &widthItem);
ArkUI_NumberValue heightValue[] = {200.0f};
ArkUI_AttributeItem heightItem = {heightValue, 1};
nodeAPI->setAttribute(imageNode, NODE_HEIGHT, &heightItem);
// 设置图片边距(使图片之间有间距)
ArkUI_NumberValue marginValue[] = {5.0f, 5.0f, 5.0f, 5.0f}; // 上、右、下、左
ArkUI_AttributeItem marginItem = {marginValue, 4};
nodeAPI->setAttribute(imageNode, NODE_MARGIN, &marginItem);
// 设置圆角效果
ArkUI_NumberValue radiusValue[] = {10.0f};
ArkUI_AttributeItem radiusItem = {radiusValue, 1};
nodeAPI->setAttribute(imageNode, NODE_BORDER_RADIUS, &radiusItem);
// 设置边框
ArkUI_NumberValue borderWidthValue[] = {1.0f};
ArkUI_AttributeItem borderWidthItem = {borderWidthValue, 1};
nodeAPI->setAttribute(imageNode, NODE_BORDER_WIDTH, &borderWidthItem);
ArkUI_NumberValue borderColorValue[] = {0.5f, 0.5f, 0.5f, 1.0f}; // RGBA
ArkUI_AttributeItem borderColorItem = {borderColorValue, 4};
nodeAPI->setAttribute(imageNode, NODE_BORDER_COLOR, &borderColorItem);
return imageNode;
}
napi_value Manager::CreateNativeNode(napi_env env, napi_callback_info info) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode");
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
return nullptr;
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 1");
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode napi_get_cb_info failed");
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 2");
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 3");
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_GetBasicNodeAPI after");
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp C-API节点挂载到XComponent");
ArkUI_NodeHandle testNode;
testNode = createStackExample();
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp 获得第一个参数NodeContent,以供C-API节点挂载");
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_NodeContent_AddNode C-API节点挂载到NodeContent");
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 555");
return nullptr;
}
napi_value Manager::CreateNativeNodeStackSingleView(napi_env env, napi_callback_info info) {
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
return nullptr;
}
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode napi_get_cb_info failed");
}
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
ArkUI_NodeHandle testNode;
testNode = createSimpleStackOnly();
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
return nullptr;
}
napi_value Manager::CreateNativeNodeStackView(napi_env env, napi_callback_info info) {
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode");
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
return nullptr;
}
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 1");
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode napi_get_cb_info failed");
}
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 2");
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 3");
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_GetBasicNodeAPI after");
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp C-API节点挂载到XComponent");
ArkUI_NodeHandle testNode;
// testNode = createStackViewExample();
testNode = createScrollWithContainersEachWithStack();
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp 获得第一个参数NodeContent,以供C-API节点挂载");
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_NodeContent_AddNode C-API节点挂载到NodeContent");
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 555");
return nullptr;
}
napi_value Manager::CreateNativeNodeTextSingleView(napi_env env, napi_callback_info info) {
if ((env == nullptr) || (info == nullptr)) {
return nullptr;
}
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNodeTextView napi_get_cb_info failed");
}
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
ArkUI_NodeHandle testNode;
testNode = createTextSingleViewExample();
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
return nullptr;
}
napi_value Manager::CreateNativeNodeTextView(napi_env env, napi_callback_info info) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNodeTextView");
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNodeTextView env or info is null");
return nullptr;
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNodeTextView 1");
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNodeTextView napi_get_cb_info failed");
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNodeTextView 2");
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNodeTextView 3");
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_GetBasicNodeAPI after");
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp C-API节点挂载到XComponent");
ArkUI_NodeHandle testNode;
testNode = createTextViewExample();
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp 获得第一个参数NodeContent,以供C-API节点挂载");
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_NodeContent_AddNode C-API节点挂载到NodeContent");
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 555");
return nullptr;
}
//napi_value Manager::CreateNativeNodeImageView(napi_env env, napi_callback_info info) {
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode");
// if ((env == nullptr) || (info == nullptr)) {
// OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
// return nullptr;
// }
//
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 1");
// size_t argCnt = 1;
// napi_value args[1] = {nullptr};
// if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
// OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode napi_get_cb_info failed");
// }
//
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 2");
// if (argCnt != 1) {
// napi_throw_type_error(env, NULL, "Wrong number of arguments");
// return nullptr;
// }
//
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 3");
// nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
// OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
//
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_GetBasicNodeAPI after");
// if (nodeAPI != nullptr) {
// if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp C-API节点挂载到XComponent");
// ArkUI_NodeHandle testNode;
// testNode = createTextViewExample();
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp 获得第一个参数NodeContent,以供C-API节点挂载");
// OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
//
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp OH_ArkUI_NodeContent_AddNode C-API节点挂载到NodeContent");
// OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
// }
// }
// OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp CreateNativeNode 555");
// return nullptr;
//}
napi_value Manager::CreateNativeNodeImageView(napi_env env, napi_callback_info info) {
// 参数检查
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
return nullptr;
}
// 获取参数信息
size_t argCnt = 2; // 现在需要两个参数
napi_value args[2] = {nullptr, nullptr};
napi_value thisArg = nullptr;
void* data = nullptr;
napi_status status = napi_get_cb_info(env, info, &argCnt, args, &thisArg, &data);
if (status != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"CreateNativeNode napi_get_cb_info failed: %{public}d", status);
return nullptr;
}
if (argCnt < 2) { // 现在需要两个参数
napi_throw_type_error(env, nullptr, "Wrong number of arguments. Expected 2 arguments.");
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"Incorrect argument count: %{public}zu", argCnt);
return nullptr;
}
// 解析新的字符串参数
std::string imagePath;
napi_valuetype valueType;
status = napi_typeof(env, args[1], &valueType);
if (status != napi_ok || valueType != napi_string) {
napi_throw_type_error(env, nullptr, "Second argument must be a string");
return nullptr;
}
// 获取字符串长度
size_t strLength = 0;
status = napi_get_value_string_utf8(env, args[1], nullptr, 0, &strLength);
if (status != napi_ok) {
return nullptr;
}
// 分配缓冲区并获取字符串内容
std::vector<char> buffer(strLength + 1);
size_t resultLength = 0;
status = napi_get_value_string_utf8(env, args[1], buffer.data(), buffer.size(), &resultLength);
if (status != napi_ok) {
return nullptr;
}
imagePath.assign(buffer.data(), resultLength);
// 原有的节点创建逻辑
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
ArkUI_NodeHandle testNode;
testNode = createImageViewExample(imagePath.c_str(),1500);
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
return nullptr;
}
napi_value Manager::CreateImageSingleViewExample(napi_env env, napi_callback_info info) {
// 参数检查
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager", "CreateNativeNode env or info is null");
return nullptr;
}
// 获取参数信息
size_t argCnt = 2; // 现在需要两个参数
napi_value args[2] = {nullptr, nullptr};
napi_value thisArg = nullptr;
void* data = nullptr;
napi_status status = napi_get_cb_info(env, info, &argCnt, args, &thisArg, &data);
if (status != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"CreateNativeNode napi_get_cb_info failed: %{public}d", status);
return nullptr;
}
if (argCnt < 2) { // 现在需要两个参数
napi_throw_type_error(env, nullptr, "Wrong number of arguments. Expected 2 arguments.");
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"Incorrect argument count: %{public}zu", argCnt);
return nullptr;
}
// 解析新的字符串参数
std::string imagePath;
napi_valuetype valueType;
status = napi_typeof(env, args[1], &valueType);
if (status != napi_ok || valueType != napi_string) {
napi_throw_type_error(env, nullptr, "Second argument must be a string");
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"Second argument is not a string");
return nullptr;
}
// 获取字符串长度
size_t strLength = 0;
status = napi_get_value_string_utf8(env, args[1], nullptr, 0, &strLength);
if (status != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"Failed to get string length: %{public}d", status);
return nullptr;
}
// 分配缓冲区并获取字符串内容
std::vector<char> buffer(strLength + 1);
size_t resultLength = 0;
status = napi_get_value_string_utf8(env, args[1], buffer.data(), buffer.size(), &resultLength);
if (status != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_ERROR, LOG_PRINT_DOMAIN, "Manager",
"Failed to get string value: %{public}d", status);
return nullptr;
}
imagePath.assign(buffer.data(), resultLength);
// 原有的节点创建逻辑
nodeAPI = reinterpret_cast<ArkUI_NativeNodeAPI_1 *>(
OH_ArkUI_QueryModuleInterfaceByName(ARKUI_NATIVE_NODE, "ArkUI_NativeNodeAPI_1"));
if (nodeAPI != nullptr) {
if (nodeAPI->createNode != nullptr && nodeAPI->addChild != nullptr) {
ArkUI_NodeHandle testNode;
testNode = createImageSingleViewExample(imagePath.c_str());
OH_ArkUI_GetNodeContentFromNapiValue(env, args[0], &nodeContentHandle_);
OH_ArkUI_NodeContent_AddNode(nodeContentHandle_, testNode);
}
}
return nullptr;
}
napi_value Manager::UpdateNativeNode(napi_env env, napi_callback_info info) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp UpdateNativeNode");
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "UpdateNativeNode env or info is null");
return nullptr;
}
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "UpdateNativeNode napi_get_cb_info failed");
}
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
napi_valuetype valuetype;
if (napi_typeof(env, args[0], &valuetype) != napi_ok) {
napi_throw_type_error(env, NULL, "napi_typeof failed");
return nullptr;
}
if (valuetype != napi_string) {
napi_throw_type_error(env, NULL, "Wrong number of arguments");
return nullptr;
}
char idStr[OH_XCOMPONENT_ID_LEN_MAX + 1] = {'\0'};
constexpr uint64_t idSize = OH_XCOMPONENT_ID_LEN_MAX + 1;
size_t length;
if (napi_get_value_string_utf8(env, args[0], idStr, idSize, &length) != napi_ok) {
napi_throw_type_error(env, NULL, "napi_get_value_string_utf8 failed");
return nullptr;
}
return nullptr;
}
napi_value Manager::GetContext(napi_env env, napi_callback_info info) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp GetContext");
if ((env == nullptr) || (info == nullptr)) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "GetContext env or info is null");
return nullptr;
}
size_t argCnt = 1;
napi_value args[1] = {nullptr};
if (napi_get_cb_info(env, info, &argCnt, args, nullptr, nullptr) != napi_ok) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "GetContext napi_get_cb_info failed");
}
if (argCnt != 1) {
napi_throw_type_error(env, NULL, "wrong number of arguments");
return nullptr;
}
napi_valuetype valuetype;
if (napi_typeof(env, args[0], &valuetype) != napi_ok) {
napi_throw_type_error(env, NULL, "napi_typeof failed");
return nullptr;
}
if (valuetype != napi_number) {
napi_throw_type_error(env, NULL, "valuetype err");
return nullptr;
}
int64_t value;
if (napi_get_value_int64(env, args[0], &value) != napi_ok) {
napi_throw_type_error(env, NULL, "napi_get_value_int64 failed");
return nullptr;
}
napi_value exports;
if (napi_create_object(env, &exports) != napi_ok) {
napi_throw_type_error(env, NULL, "napi_create_object failed");
return nullptr;
}
return exports;
}
void Manager::SetNativeXComponent(std::string &id, OH_NativeXComponent *nativeXComponent) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp SetNativeXComponent");
if (nativeXComponent == nullptr) {
return;
}
if (nativeXComponentMap_.find(id) == nativeXComponentMap_.end()) {
nativeXComponentMap_[id] = nativeXComponent;
return;
}
if (nativeXComponentMap_[id] != nativeXComponent) {
OH_NativeXComponent *tmp = nativeXComponentMap_[id];
delete tmp;
tmp = nullptr;
nativeXComponentMap_[id] = nativeXComponent;
}
}
void Manager::SetNativeNode(std::string &id, ArkUI_NodeHandle node) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp SetNativeNode");
if (node == nullptr) {
return;
}
if (nativeNodeMap_.find(id) == nativeNodeMap_.end()) {
nativeNodeMap_[id] = node;
return;
}
if (nativeNodeMap_[id] != node) {
ArkUI_NodeHandle tmp = nativeNodeMap_[id];
delete tmp;
tmp = nullptr;
nativeNodeMap_[id] = node;
}
}
OH_NativeXComponent *Manager::GetNativeXComponent(const std::string &id) {
return nativeXComponentMap_[id];
}
ArkUI_NodeHandle Manager::GetNativeNode(const std::string &id) {
return nativeNodeMap_[id];
}
Container *Manager::GetContainer(std::string &id) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "Manager", "TestXXX manager.cpp GetContainer");
if (containerMap_.find(id) == containerMap_.end()) {
Container *instance = Container::GetInstance(id);
containerMap_[id] = instance;
return instance;
}
return containerMap_[id];
}
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/manager.cpp
|
C++
|
apache-2.0
| 40,872
|
//
// Created on 2025/7/21.
//
// Node APIs are not fully supported. To solve the compilation error of the interface cannot be found,
// please include "napi/native_api.h".
#ifndef HARMONYAPP_MANAGER_H
#define HARMONYAPP_MANAGER_H
#include <string>
#include <unordered_map>
#include <js_native_api.h>
#include <js_native_api_types.h>
#include <ace/xcomponent/native_interface_xcomponent.h>
#include <napi/native_api.h>
#include <arkui/native_node.h>
#include "container.h"
namespace NativeXComponentSample {
class Manager {
public:
~Manager();
static Manager *GetInstance() {
return &Manager::manager_;
}
static napi_value GetContext(napi_env env, napi_callback_info info);
static napi_value CreateNativeNode(napi_env env, napi_callback_info info);
static napi_value CreateNativeNodeStackView(napi_env env, napi_callback_info info);
static napi_value CreateNativeNodeStackSingleView(napi_env env, napi_callback_info info);
static napi_value CreateNativeNodeTextView(napi_env env, napi_callback_info info);
static napi_value CreateNativeNodeTextSingleView(napi_env env, napi_callback_info info);
static napi_value CreateNativeNodeImageView(napi_env env, napi_callback_info info);
static napi_value CreateImageSingleViewExample(napi_env env, napi_callback_info info);
static napi_value UpdateNativeNode(napi_env env, napi_callback_info info);
void SetNativeXComponent(std::string &id, OH_NativeXComponent *nativeXComponent);
OH_NativeXComponent *GetNativeXComponent(const std::string &id);
void SetNativeNode(std::string &id, ArkUI_NodeHandle node);
ArkUI_NodeHandle GetNativeNode(const std::string &id);
Container *GetContainer(std::string &id);
private:
static Manager manager_;
std:: unordered_map<std::string, OH_NativeXComponent *> nativeXComponentMap_;
std:: unordered_map<std::string, ArkUI_NodeHandle> nativeNodeMap_;
std:: unordered_map<std::string, Container *> containerMap_;
};
}
#endif //HARMONYAPP_MANAGER_H
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/manager.h
|
C++
|
apache-2.0
| 2,054
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include "libkn_api.h"
#include "napi/native_api.h"
#include <rawfile/raw_file_manager.h>
#include <hilog/log.h>
#include "manager.h"
namespace NativeXComponentSample {
void callKotlinMethodTest() {
OH_LOG_Print(LOG_APP, LOG_INFO, 0, "xxx", "KN: callKotlinMethodTest: start");
int num = kotlin_function(10);
OH_LOG_Print(LOG_APP, LOG_INFO, 0, "xxx", "KN: callKotlinMethodTest: end num=%{public}d", num);
}
void print_result(int x) {
OH_LOG_Print(LOG_APP, LOG_INFO, 0, "xxx", "KN: print_result: num=%{public}d", x);
}
void callKotlinCallbackTest() {
kotlin_callback(21, (void *)print_result); // 输出: "Result: 42"
}
static napi_value Add(napi_env env, napi_callback_info info)
{
size_t argc = 2;
napi_value args[2] = {nullptr};
napi_get_cb_info(env, info, &argc, args , nullptr, nullptr);
napi_valuetype valuetype0;
napi_typeof(env, args[0], &valuetype0);
napi_valuetype valuetype1;
napi_typeof(env, args[1], &valuetype1);
double value0;
napi_get_value_double(env, args[0], &value0);
double value1;
napi_get_value_double(env, args[1], &value1);
napi_value sum;
napi_create_double(env, value0 + value1, &sum);
return sum;
}
static napi_value MainArkUIViewController(napi_env env, napi_callback_info info) {
return reinterpret_cast<napi_value>(MainArkUIViewController(env));
}
static napi_value InitResourceManager(napi_env env, napi_callback_info info) {
size_t argc = 1;
napi_value args[1] = {nullptr};
napi_get_cb_info(env, info, &argc, args, nullptr, nullptr);
auto manager = OH_ResourceManager_InitNativeResourceManager(env, args[0]);
auto kt = libkn_symbols();
kt->kotlin.root.com.tencent.compose.initResourceManager(manager);
callKotlinMethodTest();
callKotlinCallbackTest();
napi_value result;
napi_create_int32(env, 0, &result);
return result;
}
EXTERN_C_START
static napi_value Init(napi_env env, napi_value exports) {
androidx_compose_ui_arkui_init(env, exports);
napi_property_descriptor desc[] = {
{"add", nullptr, Add, nullptr, nullptr, nullptr, napi_default, nullptr},
{"initResourceManager", nullptr, InitResourceManager, nullptr, nullptr, nullptr, napi_default, nullptr},
{"MainArkUIViewController", nullptr, MainArkUIViewController, nullptr, nullptr, nullptr, napi_default, nullptr},
{"getContext", nullptr, Manager::GetContext, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNode", nullptr, Manager::CreateNativeNode, nullptr, nullptr, nullptr, napi_default, nullptr},
{"updateNativeNode", nullptr, Manager::UpdateNativeNode, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeStackView", nullptr, Manager::CreateNativeNodeStackView, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeStackSingleView", nullptr, Manager::CreateNativeNodeStackSingleView, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeTextView", nullptr, Manager::CreateNativeNodeTextView, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeTextSingleView", nullptr, Manager::CreateNativeNodeTextSingleView, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeImageView", nullptr, Manager::CreateNativeNodeImageView, nullptr, nullptr, nullptr, napi_default, nullptr},
{"createNativeNodeImageSingleView", nullptr, Manager::CreateImageSingleViewExample, nullptr, nullptr, nullptr, napi_default, nullptr},
};
napi_define_properties(env, exports, sizeof(desc) / sizeof(desc[0]), desc);
define_string_function(env, exports);
return exports;
}
EXTERN_C_END
static napi_module demoModule = {
.nm_version = 1,
.nm_flags = 0,
.nm_filename = nullptr,
.nm_register_func = Init,
.nm_modname = "entry",
.nm_priv = ((void*)0),
.reserved = { 0 },
};
extern "C" __attribute__((constructor)) void RegisterEntryModule(void)
{
napi_module_register(&demoModule);
}
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/napi_init.cpp
|
C++
|
apache-2.0
| 4,777
|
#include "container.h"
#include "test_0725.h"
#include "hilog/log.h"
#include "HiTraceSystraceSection.h"
#include <string>
#define LOG_TAG "MY_TAG" // 全局tag宏,标识模块日志tag
int testNum(int num) {
return num + 1;
}
void OH_LOG(const char *msg) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "native_register", "dzy %{public}s",msg);
}
void print_string(char* msg) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "xxx", "KN: print_string: num=%{public}s", msg);
}
void print_const_string(const char* msg) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "printString", "lww str:%{public}s", msg);
HiTraceSystraceSection s("#Compose::printString::KeyToCPPFast");
}
static HiTraceSystraceSection* g_trace = nullptr;
void trace_tag_begin() {
// HiTraceSystraceSection s("trace_tag_begin");
if (!g_trace) {
g_trace = new HiTraceSystraceSection("trace_tag_compose_block");
}
}
void trace_tag_cnt(int num) {
std::string tag = std::string("trace_tag_") + std::to_string(num);
const char * tag_char = tag.c_str();
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "trace_tag_cnt", "%{public}",tag_char);
HiTraceSystraceSection s(tag_char);
}
void trace_tag_end() {
// HiTraceSystraceSection s("trace_tag_end");
delete g_trace;
g_trace = nullptr;
}
static void* g_kotlin_obj = NULL;
static register_callback_holder g_callback = NULL;
static int counter = 0;
void native_register(void* kotlin_obj, register_callback_holder callback, bool holdRef) {
if (holdRef == true) {
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "native_register", "dzy C: register Kotlin callback...");
g_kotlin_obj = kotlin_obj;
g_callback = callback;
}
}
void native_trigger() {
if (g_callback && g_kotlin_obj) {
counter = counter + 1;
OH_LOG_Print(LOG_APP, LOG_INFO, LOG_PRINT_DOMAIN, "native_register", "dzy C: Triggering Kotlin callback...");
g_callback(counter, g_kotlin_obj);
}
}
typedef struct {
char id[64];
void* stable_ref;
void (*callback)(void*);
bool is_active;
} SimpleCallbackEntry;
#define MAX_CALLBACKS 100
static SimpleCallbackEntry g_callbacks[MAX_CALLBACKS];
static int g_callback_count = 0;
static SimpleCallbackEntry* find_simple_callback_by_id(const char* id) {
for (int i = 0; i < g_callback_count; i++) {
if (g_callbacks[i].is_active && strcmp(g_callbacks[i].id, id) == 0) {
return &g_callbacks[i];
}
}
return nullptr;
}
void native_register_simple_callback(const char* id, void* stable_ref, void (*callback)(void*)) {
if (g_callback_count < MAX_CALLBACKS) {
SimpleCallbackEntry* entry = &g_callbacks[g_callback_count];
strncpy(entry->id, id, sizeof(entry->id) - 1);
entry->id[sizeof(entry->id) - 1] = '\0';
entry->stable_ref = stable_ref;
entry->callback = callback;
entry->is_active = true;
g_callback_count++;
std::string msg1 = "[C] 注册简化回调: " + std::string(id) +
", StableRef: " + std::to_string(reinterpret_cast<uintptr_t>(stable_ref));
OH_LOG(msg1.c_str());
std::string msg2 = "[C] 当前活跃回调数量: " + std::to_string(g_callback_count);
OH_LOG(msg2.c_str());
}
}
void native_trigger_simple_callback(const char* id) {
SimpleCallbackEntry* entry = find_simple_callback_by_id(id);
if (entry && entry->callback && entry->stable_ref) {
std::string msg = "[C] 触发简化回调: " + std::string(id);
OH_LOG(msg.c_str());
entry->callback(entry->stable_ref);
} else {
std::string msg = "[C] 未找到回调: " + std::string(id);
OH_LOG(msg.c_str());
}
}
void native_cleanup_simple_callback(const char* id) {
SimpleCallbackEntry* entry = find_simple_callback_by_id(id);
if (entry) {
std::string msg = "[C] 清理简化回调: " + std::string(id);
OH_LOG(msg.c_str());
entry->stable_ref = nullptr;
entry->callback = nullptr;
entry->is_active = false;
memset(entry->id, 0, sizeof(entry->id));
}
}
void native_cleanup_all_simple_callbacks() {
std::string msg = "[C] 清理前有 " + std::to_string(g_callback_count) + " 个活跃回调";
OH_LOG(msg.c_str());
for (int i = 0; i < g_callback_count; i++) {
SimpleCallbackEntry* entry = &g_callbacks[i];
if (entry->is_active) {
std::string clearMsg = "[C] 清理回调: " + std::string(entry->id);
OH_LOG(clearMsg.c_str());
}
entry->stable_ref = nullptr;
entry->callback = nullptr;
entry->is_active = false;
memset(entry->id, 0, sizeof(entry->id));
}
g_callback_count = 0;
}
int native_get_simple_callback_count() {
int count = 0;
for (int i = 0; i < g_callback_count; i++) {
if (g_callbacks[i].is_active) {
count++;
}
}
return count;
}
void native_print_simple_callback_status() {
std::string msg = "[C] 活跃回调数量: " + std::to_string(native_get_simple_callback_count());
OH_LOG(msg.c_str());
for (int i = 0; i < g_callback_count; i++) {
if (g_callbacks[i].is_active) {
std::string entryMsg = "[C] - ID: " + std::string(g_callbacks[i].id) +
", StableRef: " + std::to_string(reinterpret_cast<uintptr_t>(g_callbacks[i].stable_ref));
OH_LOG(entryMsg.c_str());
}
}
}
//static const char* msg[]="string....";
//
//void kn_string_params(const char *msg)
//{
// const char *str=msg;
//}
//
//const char* kn_string_result()
//{
// return msg;
//}
|
2201_76010299/ovCompose-sample
|
harmonyApp/entry/src/main/cpp/test725.cpp
|
C++
|
apache-2.0
| 5,730
|
import { harTasks } from '@ohos/hvigor-ohos-plugin';
export default {
system: harTasks, /* Built-in plugin of Hvigor. It cannot be modified. */
plugins:[] /* Custom plugin to extend the functionality of Hvigor. */
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/features/adaptive_video_component/hvigorfile.ts
|
TypeScript
|
apache-2.0
| 234
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import { appTasks } from '@ohos/hvigor-ohos-plugin';
export default {
system: appTasks, /* Built-in plugin of Hvigor. It cannot be modified. */
plugins:[] /* Custom plugin to extend the functionality of Hvigor. */
}
|
2201_76010299/ovCompose-sample
|
harmonyApp/hvigorfile.ts
|
TypeScript
|
apache-2.0
| 970
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import UIKit
import SwiftUI
import ComposeApp
struct ComposeView: UIViewControllerRepresentable {
func makeUIViewController(context: Context) -> UIViewController {
MainViewControllerKt.MainViewController()
}
func updateUIViewController(_ uiViewController: UIViewController, context: Context) {}
}
struct ComposeSkiaView: UIViewControllerRepresentable {
func makeUIViewController(context: Context) -> UIViewController {
MainViewControllerKt.SkiaRenderViewController()
}
func updateUIViewController(_ uiViewController: UIViewController, context: Context) {}
}
struct ContentView: View {
var body: some View {
TabView {
// UIKit 渲染
ComposeView()
.ignoresSafeArea(.keyboard)
.tabItem {
Label("Compose", systemImage: "rectangle.3.group.fill")
}
// Skia 渲染
ComposeSkiaView()
.ignoresSafeArea(.keyboard)
.tabItem {
Label("Skia", systemImage: "s.circle.fill")
}
}
}
}
|
2201_76010299/ovCompose-sample
|
iosApp/iosApp/ContentView.swift
|
Swift
|
apache-2.0
| 1,872
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import UIKit
@objc class ImagesScrollView: UIScrollView {
// MARK: - Initialization
override init(frame: CGRect) {
super.init(frame: frame)
commonInit()
}
required init?(coder: NSCoder) {
super.init(coder: coder)
commonInit()
}
// MARK: - Setup
private func commonInit() {
configureAppearance()
addImageViews()
}
private func configureAppearance() {
backgroundColor = .systemGray5
showsVerticalScrollIndicator = true
showsHorizontalScrollIndicator = true
}
private func addImageViews() {
let imageViews = (1...6).map { index -> UIImageView in
let imageName = "img-type-\(index)"
let image = UIImage(named: imageName)
let imageView = UIImageView(frame: CGRect(
x: index * 80 + 20,
y: index * 80 + 20,
width: 80,
height: 80
))
imageView.image = image
imageView.contentMode = .scaleAspectFit
imageView.clipsToBounds = true
return imageView
}
imageViews.forEach { addSubview($0) }
let maxX = imageViews.map { $0.frame.maxX }.max() ?? 0
let maxY = imageViews.map { $0.frame.maxY }.max() ?? 0
contentSize = CGSize(
width: maxX + 20,
height: maxY + 20
)
}
}
|
2201_76010299/ovCompose-sample
|
iosApp/iosApp/Views/ImagesScrollView.swift
|
Swift
|
apache-2.0
| 2,223
|
/*
* Tencent is pleased to support the open source community by making ovCompose available.
* Copyright (C) 2025 THL A29 Limited, a Tencent company. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import SwiftUI
@main
struct iOSApp: App {
var body: some Scene {
WindowGroup {
ContentView()
}
}
}
|
2201_76010299/ovCompose-sample
|
iosApp/iosApp/iOSApp.swift
|
Swift
|
apache-2.0
| 872
|
module.exports = {
presets: [
'@vue/cli-plugin-babel/preset'
],
plugins: [
['import', {
libraryName: 'vant',
libraryDirectory: 'es',
style: true
}, 'vant']
]
}
|
2302_81331056/uni-shopping
|
babel.config.js
|
JavaScript
|
unknown
| 198
|
<!DOCTYPE html>
<html lang="">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width,initial-scale=1.0">
<link rel="icon" href="<%= BASE_URL %>favicon.ico">
<title><%= htmlWebpackPlugin.options.title %></title>
</head>
<body>
<noscript>
<strong>We're sorry but <%= htmlWebpackPlugin.options.title %> doesn't work properly without JavaScript enabled. Please enable it to continue.</strong>
</noscript>
<div id="app"></div>
<!-- built files will be auto injected -->
</body>
</html>
|
2302_81331056/uni-shopping
|
public/index.html
|
HTML
|
unknown
| 611
|
<template>
<div id="app">
<router-view></router-view>
</div>
</template>
<script>
export default {
}
</script>
<style lang="less">
</style>
|
2302_81331056/uni-shopping
|
src/App.vue
|
Vue
|
unknown
| 152
|
import request from '@/utils/request'
// 获取地址列表
export const getAddressList = () => {
return request.get('/address/list')
}
|
2302_81331056/uni-shopping
|
src/api/address.js
|
JavaScript
|
unknown
| 139
|
import request from '@/utils/request'
export const addCart = (goodsId, goodsNum, goodsSkuId) => {
return request.post('/cart/add', {
goodsId,
goodsNum,
goodsSkuId
})
}
// 获取购物车列表
export const getCartList = () => {
return request.get('/cart/list')
}
// 更新购物车商品数量
export const changeCount = (goodsId, goodsNum, goodsSkuId) => {
return request.post('/cart/update', {
goodsId,
goodsNum,
goodsSkuId
})
}
// 删除购物车商品
export const delSelect = (cartIds) => {
return request.post('/cart/clear', {
cartIds
})
}
|
2302_81331056/uni-shopping
|
src/api/cart.js
|
JavaScript
|
unknown
| 592
|
import request from '@/utils/request'
// 获取分类数据
export const getCategoryData = () => {
return request.get('/category/list')
}
|
2302_81331056/uni-shopping
|
src/api/category.js
|
JavaScript
|
unknown
| 141
|
import request from '@/utils/request'
// 获取首页的数据
export const getHomeData = () => {
return request.get('/page/detail', {
params: {
pageId: 0
}
})
}
|
2302_81331056/uni-shopping
|
src/api/home.js
|
JavaScript
|
unknown
| 181
|
import request from '@/utils/request'
// 获取图形验证码
export const getPicCode = () => {
return request.get('/captcha/image')
}
// 获取短信验证码
export const getMsgCode = (captchaCode, captchaKey, mobile) => {
return request.post('/captcha/sendSmsCaptcha', {
form: {
captchaCode,
captchaKey,
mobile
}
})
}
// 登录接口
export const codeLogin = (mobile, smsCode) => {
return request.post('/passport/login', {
form: {
isParty: false,
mobile,
partyData: {},
smsCode
}
})
}
|
2302_81331056/uni-shopping
|
src/api/login.js
|
JavaScript
|
unknown
| 560
|
import request from '@/utils/request'
// 订单管理
export const checkOrder = (mode, obj) => {
return request.get('/checkout/order', {
params: {
mode,
delivery: 10,
couponId: 0,
isUsePoints: 0,
...obj
}
})
}
export const submitOrder = (mode, obj) => {
return request.post('/checkout/submit', {
mode,
delivery: 10,
couponId: 0,
isUsePoints: 0,
payType: 10,
...obj
})
}
export const getMyOrderList = (dataType, page) => {
return request.get('/order/list', {
params: {
dataType,
page
}
})
}
|
2302_81331056/uni-shopping
|
src/api/order.js
|
JavaScript
|
unknown
| 587
|
import request from '@/utils/request'
export const getProList = (obj) => {
const { categoryId, goodsName, page } = obj
return request.get('/goods/list', {
params: {
categoryId,
goodsName,
page
}
})
}
// 获取商品详情
export const getProDetail = (goodsId) => {
return request.get('/goods/detail', {
params: {
goodsId
}
})
}
// 获取商品评论
export const getProComments = (goodsId, limit) => {
return request.get('/comment/listRows', {
params: {
goodsId,
limit
}
})
}
|
2302_81331056/uni-shopping
|
src/api/product.js
|
JavaScript
|
unknown
| 553
|
import request from '@/utils/request'
// 获取个人信息
export const getUserInfoDetail = () => {
return request.get('/user/info')
}
|
2302_81331056/uni-shopping
|
src/api/user.js
|
JavaScript
|
unknown
| 139
|
<template>
<div class="count_box">
<button class="del" @click="del">-</button>
<input type="text" class="inp" :value="value" @change="hadelChange">
<button class="add" @click="add">+</button>
</div>
</template>
<script>
export default {
props: {
value: {
type: Number,
default: 1
}
},
methods: {
add () {
this.$emit('input', this.value + 1)
console.log(1)
},
del () {
if (this.value <= 1) {
return
}
this.$emit('input', this.value - 1)
},
hadelChange (e) {
const num = +e.target.value
if (isNaN(num) || num < 1) {
e.target.value = this.value
return
}
this.$emit('input', num)
}
}
}
</script>
<style lang="less" scoped>
.count_box{
width: 110px;
display: flex;
}
.add,.del {
width: 30px;
height: 30px;
outline: none;
border: none;
background-color: #efefef;
}
.inp {
width: 40px;
height: 30px;
outline: none;
border: none;
background-color: #efefef;
margin: 0 5px;
text-align: center;
}
</style>
|
2302_81331056/uni-shopping
|
src/components/CountBox.vue
|
Vue
|
unknown
| 1,099
|
<template>
<div v-if="item.goods_id" class="goods-item" @click="$router.push(`/prodetail/${item.goods_id}`)">
<div class="left">
<img :src="item.goods_image" alt="" />
</div>
<div class="right">
<p class="tit text-ellipsis-2">
{{item.goods_name}}
</p>
<p class="count">已售{{ item.goods_sales }}件</p>
<p class="price">
<span class="new">¥{{item.goods_price_min}}</span>
<span class="old">¥{{item.goods_price_max}}</span>
</p>
</div>
</div>
</template>
<script>
export default {
name: 'GoodsItem',
props: {
item: {
type: Object,
default: () => {
return {}
}
}
}
}
</script>
<style lang="less" scoped>
.goods-item {
height: 148px;
margin-bottom: 6px;
padding: 10px;
background-color: #fff;
display: flex;
.left {
width: 127px;
img {
display: block;
width: 100%;
}
}
.right {
flex: 1;
font-size: 14px;
line-height: 1.3;
padding: 10px;
display: flex;
flex-direction: column;
justify-content: space-evenly;
.count {
color: #999;
font-size: 12px;
}
.price {
color: #999;
font-size: 16px;
.new {
color: #f03c3c;
margin-right: 10px;
}
.old {
text-decoration: line-through;
font-size: 12px;
}
}
}
}
</style>
|
2302_81331056/uni-shopping
|
src/components/GoodsItem.vue
|
Vue
|
unknown
| 1,394
|
<template>
<div class="order-list-item" v-if="item.order_id">
<div class="tit">
<div class="time">{{ item.create_time }}</div>
<div class="status">
<span>{{ item.state_text }}</span>
</div>
</div>
<div class="list" >
<div class="list-item" v-for="(goods, index) in item.goods" :key="index">
<div class="goods-img">
<img :src="goods.goods_image" alt="">
</div>
<div class="goods-content text-ellipsis-2">
{{ goods.goods_name }}
</div>
<div class="goods-trade">
<p>¥ {{ goods.total_pay_price }}</p>
<p>x {{ goods.total_num }}</p>
</div>
</div>
</div>
<div class="total">
共 {{ item.total_num }} 件商品,总金额 ¥{{ item.total_price }}
</div>
<div class="actions">
<div v-if="item.order_status === 10">
<span v-if="item.pay_status === 10">立刻付款</span>
<span v-else-if="item.delivery_status === 10">申请取消</span>
<span v-else-if="item.delivery_status === 20 || item.delivery_status === 30">确认收货</span>
</div>
<div v-if="item.order_status === 30">
<span>评价</span>
</div>
</div>
</div>
</template>
<script>
export default {
props: {
item: {
type: Object,
default: () => {
return {}
}
}
}
}
</script>
<style lang="less" scoped>
.order-list-item {
margin: 10px auto;
width: 94%;
padding: 15px;
background-color: #ffffff;
box-shadow: 0 0.5px 2px 0 rgba(0,0,0,.05);
border-radius: 8px;
color: #333;
font-size: 13px;
.tit {
height: 24px;
line-height: 24px;
display: flex;
justify-content: space-between;
margin-bottom: 20px;
.status {
color: #fa2209;
}
}
.list-item {
display: flex;
.goods-img {
width: 90px;
height: 90px;
margin: 0px 10px 10px 0;
img {
width: 100%;
height: 100%;
}
}
.goods-content {
flex: 2;
line-height: 18px;
max-height: 36px;
margin-top: 8px;
}
.goods-trade {
flex: 1;
line-height: 18px;
text-align: right;
color: #b39999;
margin-top: 8px;
}
}
.total {
text-align: right;
}
.actions {
text-align: right;
span {
display: inline-block;
height: 28px;
line-height: 28px;
color: #383838;
border: 0.5px solid #a8a8a8;
font-size: 14px;
padding: 0 15px;
border-radius: 5px;
margin: 10px 0;
}
}
}
</style>
|
2302_81331056/uni-shopping
|
src/components/OrderListItem.vue
|
Vue
|
unknown
| 2,573
|
import Vue from 'vue'
import App from './App.vue'
import router from './router'
import store from './store'
import 'vant/lib/index.css'
import '@/utils/vant-ui'
import '@/style/common.less'
Vue.config.productionTip = false
new Vue({
router,
store,
render: h => h(App)
}).$mount('#app')
|
2302_81331056/uni-shopping
|
src/main.js
|
JavaScript
|
unknown
| 294
|
export default {
data () {
return {
title: '标题'
}
},
methods: {
loginConfirm () {
if (!this.$store.getters.token) {
this.$dialog.confirm({
title: '温馨提示',
message: '此时需要先登录才能继续操作哦',
confirmButtonText: '去登录',
cancelButtonText: '再逛逛'
}).then(() => {
this.$router.replace({
path: '/login',
query: {
backUrl: this.$route.fullPath
}
})
})
.catch(() => {})
return true
}
return false
}
}
}
|
2302_81331056/uni-shopping
|
src/mixins/loginConfirm.js
|
JavaScript
|
unknown
| 635
|
import Vue from 'vue'
import VueRouter from 'vue-router'
import Layout from '@/views/layout'
import Home from '@/views/layout/home'
import Category from '@/views/layout/category'
import Cart from '@/views/layout/cart'
import User from '@/views/layout/user'
import store from '@/store'
const Login = () => import('@/views/login')
const MyOrder = () => import('@/views/myorder')
const Pay = () => import('@/views/pay')
const ProDetail = () => import('@/views/prodetail')
const Search = () => import('@/views/search')
const SearchList = () => import('@/views/search/list')
Vue.use(VueRouter)
const router = new VueRouter({
routes: [
{ path: '/login', component: Login },
{
path: '/',
component: Layout,
redirect: '/home',
children:
[
{ path: '/home', component: Home },
{ path: '/category', component: Category },
{ path: '/cart', component: Cart },
{ path: '/user', component: User }
]
},
{ path: '/myorder', component: MyOrder },
{ path: '/pay', component: Pay },
{ path: '/prodetail/:id', component: ProDetail },
{ path: '/search', component: Search },
{ path: '/searchlist', component: SearchList }
]
})
const athUrls = ['/pay', '/myorder']
router.beforeEach((to, from, next) => {
if (!athUrls.includes(to.path)) {
next()
return
}
const token = store.getters.token
if (token) {
next()
} else {
next('/login')
}
})
export default router
|
2302_81331056/uni-shopping
|
src/router/index.js
|
JavaScript
|
unknown
| 1,477
|
import Vue from 'vue'
import Vuex from 'vuex'
import user from './modules/user'
import cart from './modules/cart'
Vue.use(Vuex)
export default new Vuex.Store({
state: {
},
getters: {
token (state) {
return state.user.userInfo.token
}
},
mutations: {
},
actions: {
},
modules: {
user,
cart
},
created () {
console.log(this.token())
}
})
|
2302_81331056/uni-shopping
|
src/store/index.js
|
JavaScript
|
unknown
| 388
|
import { changeCount, delSelect, getCartList } from '@/api/cart'
import { Toast } from 'vant'
export default {
namespaced: true,
state () {
return {
cartList: []
}
},
mutations: {
setCartList (state, newList) {
state.cartList = newList
},
toggleCheck (state, goodsId) {
const goods = state.cartList.find(item => item.goods_id === goodsId)
goods.isChecked = !goods.isChecked
},
toggleAllCheck (state, flag) {
state.cartList.forEach(item => {
item.isChecked = flag
})
},
changeCount (state, { goodsId, goodsNum }) {
const goods = state.cartList.find(item => item.goods_id === goodsId)
goods.goods_num = goodsNum
}
},
actions: {
async getCartAction (context) {
const { data } = await getCartList()
data.list.forEach(item => {
item.isChecked = true
})
context.commit('setCartList', data.list)
},
async changeCountAction (context, obj) {
const { goodsNum, goodsId, goodsSkuId } = obj
context.commit('changeCount', { goodsId, goodsNum })
await changeCount(goodsId, goodsNum, goodsSkuId)
},
async delSelect (context) {
const selCartList = context.getters.selCartList
const cartIds = selCartList.map(item => item.id)
await delSelect(cartIds)
Toast('删除成功')
// 重新拉取最新的购物车数据 (重新渲染)
context.dispatch('getCartAction')
}
},
getters: {
cartTotal (state) {
return state.cartList.reduce((sum, item) => sum + item.goods_num, 0)
},
selCartList (state) {
return state.cartList.filter(item => item.isChecked)
},
selCount (state, getters) {
return getters.selCartList.reduce((sum, item) => sum + item.goods_num, 0)
},
selPrice (state, getters) {
return getters.selCartList.reduce((sum, item) => sum + item.goods_num * item.goods.goods_price_min, 0).toFixed(2)
},
isAllChecked (state) {
return state.cartList.every(item => item.isChecked)
}
}
}
|
2302_81331056/uni-shopping
|
src/store/modules/cart.js
|
JavaScript
|
unknown
| 2,058
|
import { getInfo, setInfo } from '@/utils/storage'
export default {
namespaced: true,
state () {
return {
userInfo: getInfo()
}
},
mutations: {
setUserInfo (state, obj) {
state.userInfo = obj
setInfo(obj)
}
},
action: {
logout (context) {
context.commit('setUserInfo', {})
context.commit('cart/setCartList', [], { root: true })
}
},
getters: {}
}
|
2302_81331056/uni-shopping
|
src/store/modules/user.js
|
JavaScript
|
unknown
| 417
|
*{
margin: 0;
padding: 0;
box-sizing: border-box;
}
.text-ellipsis-2 {
overflow: hidden;
-webkit-line-clamp: 2;
text-overflow: ellipsis;
display: -webkit-box;
-webkit-box-orient: vertical;
}
.van-nav-bar {
.van-nav-bar__arrow{
color: #333;
}
}
|
2302_81331056/uni-shopping
|
src/style/common.less
|
Less
|
unknown
| 293
|
import store from '@/store'
import axios from 'axios'
import { Toast } from 'vant'
// 创建基地址
const instance = axios.create({
baseURL: 'http://smart-shop.itheima.net/index.php?s=/api/',
timeout: 5000
// headers: { 'X-Custom-Header': 'footer' }
})
// 创建请求相应拦截器
instance.interceptors.request.use(function (config) {
// 在发送请求之前做些什么
Toast.loading({
message: '加载中...',
forbidClick: true,
duration: 0
})
const token = store.getters.token
if (token) {
config.headers['Access-Token'] = token
config.headers.platform = 'H5'
}
return config
}, function (error) {
// 对请求错误做些什么
return Promise.reject(error)
})
// 添加响应拦截器
instance.interceptors.response.use(function (response) {
// 2xx 范围内的状态码都会触发该函数
// 对响应数据做点什么
// 错误提示
const res = response.data
if (res.status !== 200) {
Toast(res.message)
return Promise.reject(res.message)
} else {
Toast.clear()
}
return res
}, function (error) {
// 超出2xx范围的状态码都会触发该函数
// 对响应的错误做点什么
return Promise.reject(error)
})
export default instance
|
2302_81331056/uni-shopping
|
src/utils/request.js
|
JavaScript
|
unknown
| 1,236
|
// 约定一个键名
const INFO_KEY = 'shopping_info'
const HISTORY_KEY = 'history_list'
// 获取个人信息
export const getInfo = () => {
const defaultObj = { token: '', userId: '' }
const result = localStorage.getItem(INFO_KEY)
return result ? JSON.parse(result) : defaultObj
}
// 设置个人信息
export const setInfo = (obj) => {
localStorage.setItem(INFO_KEY, JSON.stringify(obj))
}
// 删除个人信息
export const removeInfo = () => {
localStorage.removeItem(INFO_KEY)
}
// 获取搜索历史
export const getHistoryList = () => {
const result = localStorage.getItem(HISTORY_KEY)
return result ? JSON.parse(result) : []
}
// 设置搜索历史
export const setHistoryList = (arr) => {
localStorage.setItem(HISTORY_KEY, JSON.stringify(arr))
}
|
2302_81331056/uni-shopping
|
src/utils/storage.js
|
JavaScript
|
unknown
| 777
|
import Vue from 'vue'
import { Button, Tabbar, TabbarItem, NavBar, Toast, Search, Swipe, SwipeItem, Grid, GridItem, Icon, Rate, ActionSheet, Dialog, Checkbox, Tab, Tabs } from 'vant'
Vue.use(Toast)
Vue.use(Button)
Vue.use(Tabbar)
Vue.use(TabbarItem)
Vue.use(NavBar)
Vue.use(Search)
Vue.use(Swipe)
Vue.use(SwipeItem)
Vue.use(Grid)
Vue.use(GridItem)
Vue.use(Icon)
Vue.use(Rate)
Vue.use(ActionSheet)
Vue.use(Dialog)
Vue.use(Checkbox)
Vue.use(Tab)
Vue.use(Tabs)
|
2302_81331056/uni-shopping
|
src/utils/vant-ui.js
|
JavaScript
|
unknown
| 459
|
<template>
<div class="login">
<van-nav-bar title="会员登录" left-arrow @click-left="$router.go(-1)" />
<div class="container">
<div class="title">
<h3>手机号登录</h3>
<p>未注册的手机号登录后将自动注册</p>
</div>
<div class="form">
<div class="form-item">
<input class="inp" maxlength="11" placeholder="请输入手机号码" type="text" v-model="mobile">
</div>
<div class="form-item">
<input class="inp" maxlength="5" placeholder="请输入图形验证码" type="text" v-model="picCode">
<img v-if="picUrl" :src="picUrl" alt="" @click="getPicCode">
</div>
<div class="form-item">
<input class="inp" placeholder="请输入短信验证码" type="text" v-model="msgcode">
<button @click="getCode">
{{ second === totalSecond ? '获取验证码成功': `${second}秒后重新发送`}}
</button>
</div>
</div>
<div class="login-btn" @click="login">
登录
</div>
</div>
</div>
</template>
<script>
import { getPicCode, getMsgCode, codeLogin } from '@/api/login'
import { Toast } from 'vant'
export default {
name: 'LoginIndex',
async created () {
this.getPicCode()
},
data () {
return {
picUrl: '',
picKey: '',
totalSecond: 60,
second: 60,
timer: null,
picCode: '',
mobile: '',
msgcode: ''
}
},
methods: {
async getPicCode () {
const { data: { base64, key } } = await getPicCode()
this.picUrl = base64
this.picKey = key
Toast('获取验证码成功')
},
async getCode () {
if (!this.validFn()) {
return
}
if (!this.timer && this.second === this.totalSecond) {
await getMsgCode(this.picCode, this.picKey, this.mobile)
this.timer = setInterval(() => {
this.second--
if (this.second < 1) {
clearInterval(this.timer)
this.timer = null
this.second = this.totalSecond
}
}, 1000)
Toast('发送成功,请注意查收')
}
},
validFn () {
if (!/^1[3-9]\d{9}$/.test(this.mobile)) {
this.$toast('请输入正确的手机号')
return false
}
if (!/^\w{4}$/.test(this.picCode)) {
this.$toast('请输入正确的验证码')
return false
}
console.log(1)
return true
},
async login () {
if (!this.validFn()) {
return
}
if (!/^\d{6}$/.test(this.msgcode)) {
this.$toast('请输入正确的手机验证码')
return
}
const res = await codeLogin(this.mobile, this.msgcode)
this.$store.commit('user/setUserInfo', res.data)
this.$toast('登录成功')
const url = this.$route.query.backUrl || '/'
this.$router.replace(url)
}
},
destroyed () {
clearInterval(this.timer)
}
}
</script>
<style lang="less" scoped>
.container {
padding: 49px 29px;
.title {
margin-bottom: 20px;
h3 {
font-size: 26px;
font-weight: normal;
}
p {
line-height: 40px;
font-size: 14px;
color: #b8b8b8;
}
}
.form-item {
border-bottom: 1px solid #f3f1f2;
padding: 8px;
margin-bottom: 14px;
display: flex;
align-items: center;
.inp {
display: block;
border: none;
outline: none;
height: 32px;
font-size: 14px;
flex: 1;
}
img {
width: 94px;
height: 31px;
}
button {
height: 31px;
border: none;
font-size: 13px;
color: #cea26a;
background-color: transparent;
padding-right: 9px;
}
}
.login-btn {
width: 100%;
height: 42px;
margin-top: 39px;
background: linear-gradient(90deg,#ecb53c,#ff9211);
color: #fff;
border-radius: 39px;
box-shadow: 0 10px 20px 0 rgba(0,0,0,.1);
letter-spacing: 2px;
display: flex;
justify-content: center;
align-items: center;
}
}
</style>
|
2302_81331056/uni-shopping
|
src/views/login/index.vue
|
Vue
|
unknown
| 4,085
|
<template>
<div class="order">
<van-nav-bar title="我的订单" left-arrow @click-left="$router.go(-1)" />
<van-tabs v-model="active">
<van-tab name="all" title="全部"></van-tab>
<van-tab name="payment" title="待支付"></van-tab>
<van-tab name="delivery" title="待发货"></van-tab>
<van-tab name="received" title="待收货"></van-tab>
<van-tab name="comment" title="待评价"></van-tab>
</van-tabs>
<OrderListItem v-for="item in list" :key="item.order_id" :item="item"></OrderListItem>
</div>
</template>
<script>
import OrderListItem from '@/components/OrderListItem.vue'
import { getMyOrderList } from '@/api/order'
export default {
name: 'OrderPage',
components: {
OrderListItem
},
data () {
return {
active: this.$route.query.dataType || 'all',
page: 1,
list: []
}
},
methods: {
async getMyOrderList () {
const { data: { list } } = await getMyOrderList(this.active, this.page)
list.data.forEach((item) => {
item.total_num = 0
item.goods.forEach(goods => {
item.total_num += goods.total_num
})
})
this.list = list.data
}
},
watch: {
active: {
immediate: true,
handler () {
this.getMyOrderList()
}
}
}
}
</script>
<style lang="less" scoped>
.order {
background-color: #fafafa;
}
.van-tabs {
position: sticky;
top: 0;
}
</style>
|
2302_81331056/uni-shopping
|
src/views/myorder/index.vue
|
Vue
|
unknown
| 1,446
|
<template>
<div class="pay">
<van-nav-bar fixed title="订单结算台" left-arrow @click-left="$router.go(-1)" />
<!-- 地址相关 -->
<div class="address">
<div class="left-icon">
<van-icon name="logistics" />
</div>
<div class="info" v-if="selectAddress.address_id">
<div class="info-content">
<span class="name">{{selectAddress.name}}</span>
<span class="mobile">{{selectAddress.phone}}</span>
</div>
<div class="info-address">
{{longAddress}}
</div>
</div>
<div class="info" v-else>
请选择配送地址
</div>
<div class="right-icon">
<van-icon name="arrow" />
</div>
</div>
<!-- 订单明细 -->
<div class="pay-list" v-if="order.goodsList">
<div class="list">
<div class="goods-item" v-for="item in order.goodsList" :key="item.goods_id">
<div class="left">
<img :src="item.goods_image" alt="" />
</div>
<div class="right">
<p class="tit text-ellipsis-2">
{{item.goods_name}}
</p>
<p class="info">
<span class="count">x{{item.total_num}}</span>
<span class="price">¥{{item.total_pay_price}}</span>
</p>
</div>
</div>
</div>
<div class="flow-num-box">
<span>共 12 件商品,合计:</span>
<span class="money">¥{{order.orderTotalPrice}}</span>
</div>
<div class="pay-detail">
<div class="pay-cell">
<span>订单总金额:</span>
<span class="red">¥{{order.orderTotalPrice}}</span>
</div>
<div class="pay-cell">
<span>优惠券:</span>
<span>无优惠券可用</span>
</div>
<div class="pay-cell">
<span>配送费用:</span>
<span v-if="!selectAddress">请先选择配送地址</span>
<span v-else class="red">+¥0.00</span>
</div>
</div>
<!-- 支付方式 -->
<div class="pay-way">
<span class="tit">支付方式</span>
<div class="pay-cell">
<span><van-icon name="balance-o" />余额支付(可用 ¥ {{personal.balance}} 元)</span>
<!-- <span>请先选择配送地址</span> -->
<span class="red"><van-icon name="passed" /></span>
</div>
</div>
<!-- 买家留言 -->
<div class="buytips">
<textarea v-model="remark" placeholder="选填:买家留言(50字内)" name="" id="" cols="30" rows="10"></textarea>
</div>
</div>
<!-- 底部提交 -->
<div class="footer-fixed">
<div class="left">实付款:<span>¥{{order.orderTotalPrice}}</span></div>
<div class="tipsbtn" @click="submitOrder">提交订单</div>
</div>
</div>
</template>
<script>
import { getAddressList } from '@/api/address'
import { checkOrder, submitOrder } from '@/api/order'
export default {
name: 'PayIndex',
data () {
return {
order: {},
personal: {},
addressList: [],
remark: ''
}
},
computed: {
selectAddress () {
return this.addressList[0] || {}
},
longAddress () {
const region = this.selectAddress.region
return region.province + region.city + region.region + this.selectAddress.detail
},
mode () {
return this.$route.query.mode
},
cartIds () {
return this.$route.query.cartIds
},
goodsId () {
return this.$route.query.goodsId
},
goodsSkuId () {
return this.$route.query.goodsSkuId
},
goodsNum () {
return this.$route.query.goodsNum
}
},
async created () {
await this.getAddressList()
await this.getOrderList()
},
methods: {
async getAddressList () {
const { data: { list } } = await getAddressList()
this.addressList = list
},
async getOrderList () {
if (this.mode === 'cart') {
const { data: { order, personal } } = await checkOrder(this.mode, {
cartIds: this.cartIds
})
this.order = order
this.personal = personal
}
if (this.mode === 'buyNow') {
const { data: { order, personal } } = await checkOrder(this.mode, {
goodsId: this.goodsId,
goodsSkuId: this.goodsSkuId,
goodsNum: this.goodsNum
})
this.order = order
this.personal = personal
}
},
async submitOrder () {
if (this.mode === 'cart') {
await submitOrder(this.mode, {
cartIds: this.cartIds,
remark: this.remark
})
}
if (this.mode === 'buyNow') {
await submitOrder(this.mode, {
goodsId: this.goodsId,
goodsSkuId: this.goodsSkuId,
goodsNum: this.goodsNum,
remark: this.remark
})
}
this.$toast.success('支付成功')
this.$router.replace('/myorder')
}
}
}
</script>
<style lang="less" scoped>
.pay {
padding-top: 46px;
padding-bottom: 46px;
::v-deep {
.van-nav-bar__arrow {
color: #333;
}
}
}
.address {
display: flex;
align-items: center;
justify-content: flex-start;
padding: 20px;
font-size: 14px;
color: #666;
position: relative;
background: url(@/assets/border-line.png) bottom repeat-x;
background-size: 60px auto;
.left-icon {
margin-right: 20px;
}
.right-icon {
position: absolute;
right: 20px;
top: 50%;
transform: translateY(-7px);
}
}
.goods-item {
height: 100px;
margin-bottom: 6px;
padding: 10px;
background-color: #fff;
display: flex;
.left {
width: 100px;
img {
display: block;
width: 80px;
margin: 10px auto;
}
}
.right {
flex: 1;
font-size: 14px;
line-height: 1.3;
padding: 10px;
padding-right: 0px;
display: flex;
flex-direction: column;
justify-content: space-evenly;
color: #333;
.info {
margin-top: 5px;
display: flex;
justify-content: space-between;
.price {
color: #fa2209;
}
}
}
}
.flow-num-box {
display: flex;
justify-content: flex-end;
padding: 10px 10px;
font-size: 14px;
border-bottom: 1px solid #efefef;
.money {
color: #fa2209;
}
}
.pay-cell {
font-size: 14px;
padding: 10px 12px;
color: #333;
display: flex;
justify-content: space-between;
.red {
color: #fa2209;
}
}
.pay-detail {
border-bottom: 1px solid #efefef;
}
.pay-way {
font-size: 14px;
padding: 10px 12px;
border-bottom: 1px solid #efefef;
color: #333;
.tit {
line-height: 30px;
}
.pay-cell {
padding: 10px 0;
}
.van-icon {
font-size: 20px;
margin-right: 5px;
}
}
.buytips {
display: block;
textarea {
display: block;
width: 100%;
border: none;
font-size: 14px;
padding: 12px;
height: 100px;
}
}
.footer-fixed {
position: fixed;
background-color: #fff;
left: 0;
bottom: 0;
width: 100%;
height: 46px;
line-height: 46px;
border-top: 1px solid #efefef;
font-size: 14px;
display: flex;
.left {
flex: 1;
padding-left: 12px;
color: #666;
span {
color:#fa2209;
}
}
.tipsbtn {
width: 121px;
background: linear-gradient(90deg,#f9211c,#ff6335);
color: #fff;
text-align: center;
line-height: 46px;
display: block;
font-size: 14px;
}
}
</style>
|
2302_81331056/uni-shopping
|
src/views/pay/index.vue
|
Vue
|
unknown
| 7,492
|
<template>
<div class="prodetail">
<van-nav-bar fixed title="商品详情页" left-arrow @click-left="$router.go(-1)" />
<van-swipe :autoplay="3000" @change="onChange">
<van-swipe-item v-for="(image, index) in images" :key="index">
<img :src="image.external_url" />
</van-swipe-item>
<template #indicator>
<div class="custom-indicator">{{ current + 1 }} / {{ images.length }}</div>
</template>
</van-swipe>
<!-- 商品说明 -->
<div class="info">
<div class="title">
<div class="price">
<span class="now">¥{{details.goods_price_min}}</span>
<span class="oldprice">¥{{details.goods_price_max}}</span>
</div>
<div class="sellcount">已售{{details.goods_sales}}件</div>
</div>
<div class="msg text-ellipsis-2">
{{details.goods_name}}
</div>
<div class="service">
<div class="left-words">
<span><van-icon name="passed" />七天无理由退货</span>
<span><van-icon name="passed" />48小时发货</span>
</div>
<div class="right-icon">
<van-icon name="arrow" />
</div>
</div>
</div>
<!-- 商品评价 -->
<div class="comment">
<div class="comment-title">
<div class="left">商品评价 ({{total}}条)</div>
<div class="right">查看更多 <van-icon name="arrow" /> </div>
</div>
<div class="comment-list">
<div class="comment-item" v-for="item in commonlist" :key="item.comment_id">
<div class="top">
<img :src="item.user.avatar_url || defaultImg" alt="">
<div class="name">{{item.user.nick_name}}</div>
<van-rate :size="16" :value="item.score / 2" color="#ffd21e" void-icon="star" void-color="#eee"/>
</div>
<div class="content">
{{item.content}}
</div>
<div class="time">
{{item.create_time}}
</div>
</div>
</div>
</div>
<!-- 商品描述 -->
<div class="desc" v-html="details.content">
</div>
<!-- 底部 -->
<div class="footer">
<div class="icon-home" @click="$router.push('/')">
<van-icon name="wap-home-o" />
<span>首页</span>
</div>
<div class="icon-cart" @click="$router.push('/cart')">
<span v-if="cartTotal > 0" class="num">{{ cartTotal }}</span>
<van-icon name="shopping-cart-o" />
<span>购物车</span>
</div>
<div @click="addFn" class="btn-add" >加入购物车</div>
<div @click="buyFn" class="btn-buy">立刻购买</div>
</div>
<!-- 加入购物车 -->
<van-action-sheet v-model="showPannel" :title="mode === 'cart' ? '加入购物车':'立刻购买'">
<div class="product">
<div class="product-title">
<div class="left">
<img :src="details.goods_image" alt="">
</div>
<div class="right">
<div class="price">
<span>¥</span>
<span class="nowprice">{{details.goods_price_min}}</span>
</div>
<div class="count">
<span>库存</span>
<span>{{details.stock_total}}</span>
</div>
</div>
</div>
<div class="num-box">
<span>数量</span>
<CountBox v-model="addCount"></CountBox>
</div>
<div class="showbtn" v-if="details.stock_total > 0" >
<div class="btn" v-if="mode === 'cart'" @click="addcart">加入购物车</div>
<div class="btn now" v-else @click="goBuyNow">立刻购买</div>
</div>
<div class="btn-none" v-else>该商品已抢完</div>
</div>
</van-action-sheet>
</div>
</template>
<script>
import { getProDetail, getProComments } from '@/api/product'
import defaultImg from '@/assets/default-avatar.png'
import CountBox from '@/components/CountBox.vue'
import { addCart } from '@/api/cart'
import loginConfirm from '@/mixins/loginConfirm'
export default {
name: 'ProDetail',
mixins: [loginConfirm],
components: {
CountBox
},
data () {
return {
images: [],
current: 0,
details: {},
commonlist: [],
total: 0,
defaultImg,
showPannel: false,
mode: 'cart',
addCount: 1,
cartTotal: 0
}
},
async created () {
this.getDetail()
this.getCommits()
},
computed: {
goodsId () {
return this.$route.params.id
}
},
methods: {
onChange (index) {
this.current = index
},
async getDetail () {
const { data: { detail } } = await getProDetail(this.goodsId)
this.details = detail
this.images = detail.goods_images
},
async getCommits () {
const { data: { list, total } } = await getProComments(this.goodsId, 3)
this.commonlist = list
this.total = total
},
addFn () {
this.mode = 'cart'
this.showPannel = true
},
buyFn () {
this.mode = 'buynow'
this.showPannel = true
},
async addcart () {
if (this.loginConfirm()) {
return
}
const { data } = await addCart(this.goodsId, this.addCount, this.details.skuList[0].goods_sku_id)
this.cartTotal = data.cartTotal
console.log('进行加入购物车操作')
this.$toast('加入购物车成功')
this.showPannel = false
console.log(this.cartTotal)
},
goBuyNow () {
if (this.loginConfirm()) {
return
}
this.$router.push({
path: '/pay',
query: {
mode: 'buyNow',
goodsId: this.goodsId,
goodsSkuId: this.details.skuList[0].goods_sku_id,
goodsNum: this.addCount
}
})
}
}
}
</script>
<style lang="less" scoped>
.prodetail {
padding-top: 46px;
::v-deep .van-icon-arrow-left {
color: #333;
}
img {
display: block;
width: 100%;
}
.custom-indicator {
position: absolute;
right: 10px;
bottom: 10px;
padding: 5px 10px;
font-size: 12px;
background: rgba(0, 0, 0, 0.1);
border-radius: 15px;
}
.desc {
width: 100%;
overflow: scroll;
::v-deep img {
display: block;
width: 100%!important;
}
}
.info {
padding: 10px;
}
.title {
display: flex;
justify-content: space-between;
.now {
color: #fa2209;
font-size: 20px;
}
.oldprice {
color: #959595;
font-size: 16px;
text-decoration: line-through;
margin-left: 5px;
}
.sellcount {
color: #959595;
font-size: 16px;
position: relative;
top: 4px;
}
}
.msg {
font-size: 16px;
line-height: 24px;
margin-top: 5px;
}
.service {
display: flex;
justify-content: space-between;
line-height: 40px;
margin-top: 10px;
font-size: 16px;
background-color: #fafafa;
.left-words {
span {
margin-right: 10px;
}
.van-icon {
margin-right: 4px;
color: #fa2209;
}
}
}
.comment {
padding: 10px;
}
.comment-title {
display: flex;
justify-content: space-between;
.right {
color: #959595;
}
}
.comment-item {
font-size: 16px;
line-height: 30px;
.top {
height: 30px;
display: flex;
align-items: center;
margin-top: 20px;
img {
width: 20px;
height: 20px;
}
.name {
margin: 0 10px;
}
}
.time {
color: #999;
}
}
.footer {
position: fixed;
left: 0;
bottom: 0;
width: 100%;
height: 55px;
background-color: #fff;
border-top: 1px solid #ccc;
display: flex;
justify-content: space-evenly;
align-items: center;
.icon-home, .icon-cart {
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
font-size: 14px;
.van-icon {
font-size: 24px;
}
}
.btn-add,
.btn-buy {
height: 36px;
line-height: 36px;
width: 120px;
border-radius: 18px;
background-color: #ffa900;
text-align: center;
color: #fff;
font-size: 14px;
}
.btn-buy {
background-color: #fe5630;
}
}
}
.tips {
padding: 10px;
}
// 购物车部分
.product {
.product-title {
display: flex;
.left {
img {
width: 90px;
height: 90px;
}
margin: 10px;
}
.right {
flex: 1;
padding: 10px;
.price {
font-size: 14px;
color: #fe560a;
.nowprice {
font-size: 24px;
margin: 0 5px;
}
}
}
}
.num-box {
display: flex;
justify-content: space-between;
padding: 10px;
align-items: center;
}
.btn, .btn-none {
height: 40px;
line-height: 40px;
margin: 20px;
border-radius: 20px;
text-align: center;
color: rgb(255, 255, 255);
background-color: rgb(255, 148, 2);
}
.btn.now {
background-color: #fe5630;
}
.btn-none {
background-color: #cccccc;
}
}
.footer .icon-cart {
position: relative;
padding: 0 6px;
.num {
z-index: 999;
position: absolute;
top: -2px;
right: 0;
min-width: 16px;
padding: 0 4px;
color: #fff;
text-align: center;
background-color: #ee0a24;
border-radius: 50%;
}
}
</style>
|
2302_81331056/uni-shopping
|
src/views/prodetail/index.vue
|
Vue
|
unknown
| 9,331
|
<template>
<div class="search">
<van-nav-bar title="商品搜索" left-arrow @click-left="$router.go(-1)" />
<van-search show-action placeholder="请输入搜索关键词" clearable v-model="Search">
<template #action>
<div @click="goSearch(Search)">搜索</div>
</template>
</van-search>
<!-- 搜索历史 -->
<div class="search-history">
<div class="title">
<span>最近搜索</span>
<!-- v-if="history.length > 0" -->
<van-icon name="delete-o" size="16" v-if="history.length > 0" @click="clear()" />
</div>
<div class="list">
<div v-for="item in history" :key="item" class="list-item" @click="goSearch(item)">
{{item}}
</div>
</div>
</div>
</div>
</template>
<script>
import { setHistoryList, getHistoryList } from '@/utils/storage'
export default {
name: 'SearchIndex',
data () {
return {
Search: '',
history: getHistoryList()
}
},
created () {
console.log(this.history)
},
methods: {
goSearch (key) {
const index = this.history.indexOf(key)
console.log(index)
if (index !== -1) {
this.history.splice(index, 1)
}
this.history.unshift(key)
setHistoryList(this.history)
// 跳转到搜索列表页
this.$router.push(`/searchlist?search=${key}`)
},
clear () {
this.history = []
setHistoryList([])
}
}
}
</script>
<style lang="less" scoped>
.search {
.searchBtn {
background-color: #fa2209;
color: #fff;
}
::v-deep .van-search__action {
background-color: #c21401;
color: #fff;
padding: 0 20px;
border-radius: 0 5px 5px 0;
margin-right: 10px;
}
::v-deep .van-icon-arrow-left {
color: #333;
}
.title {
height: 40px;
line-height: 40px;
font-size: 14px;
display: flex;
justify-content: space-between;
align-items: center;
padding: 0 15px;
}
.list {
display: flex;
justify-content: flex-start;
flex-wrap: wrap;
padding: 0 10px;
gap: 5%;
}
.list-item {
width: 30%;
text-align: center;
padding: 7px;
line-height: 15px;
border-radius: 50px;
background: #fff;
font-size: 13px;
border: 1px solid #efefef;
overflow: hidden;
white-space: nowrap;
text-overflow: ellipsis;
margin-bottom: 10px;
}
}
</style>
|
2302_81331056/uni-shopping
|
src/views/search/index.vue
|
Vue
|
unknown
| 2,393
|
<template>
<div class="search">
<van-nav-bar fixed title="商品列表" left-arrow @click-left="$router.go(-1)" />
<van-search
readonly
shape="round"
background="#ffffff"
:value="querySearch || '搜索商品'"
show-action
@click="$router.push('/search')"
>
<template #action>
<van-icon class="tool" name="apps-o" />
</template>
</van-search>
<!-- 排序选项按钮 -->
<div class="sort-btns">
<div class="sort-item">综合</div>
<div class="sort-item">销量</div>
<div class="sort-item">价格 </div>
</div>
<div class="goods-list">
<GoodsItem v-for="item in proList" :key="item.goods_id" :item="item"></GoodsItem>
</div>
</div>
</template>
<script>
import GoodsItem from '@/components/GoodsItem.vue'
import { getProList } from '@/api/product'
export default {
name: 'SearchIndex',
components: {
GoodsItem
},
computed: {
querySearch () {
return this.$route.query.search
}
},
data () {
return {
page: 1,
proList: []
}
},
async created () {
const { data: { list } } = await getProList({
categoryId: this.$route.query.categoryId,
page: this.page,
goodsName: this.querySearch
})
this.proList = list.data
}
}
</script>
<style lang="less" scoped>
.search {
padding-top: 46px;
::v-deep .van-icon-arrow-left {
color: #333;
}
.tool {
font-size: 24px;
height: 40px;
line-height: 40px;
}
.sort-btns {
display: flex;
height: 36px;
line-height: 36px;
.sort-item {
text-align: center;
flex: 1;
font-size: 16px;
}
}
}
// 商品样式
.goods-list {
background-color: #f6f6f6;
}
</style>
|
2302_81331056/uni-shopping
|
src/views/search/list.vue
|
Vue
|
unknown
| 1,756
|
const { defineConfig } = require('@vue/cli-service')
module.exports = defineConfig({
publicPath: './',
transpileDependencies: true
})
|
2302_81331056/uni-shopping
|
vue.config.js
|
JavaScript
|
unknown
| 138
|
# Data package
|
2302_81798979/KouriChat
|
data/__init__.py
|
Python
|
unknown
| 14
|
import os
import json
import logging
import shutil
import difflib
from dataclasses import dataclass
from typing import List, Dict, Any
logger = logging.getLogger(__name__)
@dataclass
class GroupChatConfigItem:
id: str
group_name: str
avatar: str
triggers: List[str]
enable_at_trigger: bool = True # 默认启用@触发
@dataclass
class UserSettings:
listen_list: List[str]
group_chat_config: List[GroupChatConfigItem] = None
def __post_init__(self):
if self.group_chat_config is None:
self.group_chat_config = []
@dataclass
class LLMSettings:
api_key: str
base_url: str
model: str
max_tokens: int
temperature: float
auto_model_switch: bool = False
@dataclass
class ImageRecognitionSettings:
api_key: str
base_url: str
temperature: float
model: str
@dataclass
class ImageGenerationSettings:
model: str
temp_dir: str
@dataclass
class TextToSpeechSettings:
tts_api_key: str
tts_model_id: str
voice_dir: str
@dataclass
class MediaSettings:
image_recognition: ImageRecognitionSettings
image_generation: ImageGenerationSettings
text_to_speech: TextToSpeechSettings
@dataclass
class AutoMessageSettings:
content: str
min_hours: float
max_hours: float
@dataclass
class QuietTimeSettings:
start: str
end: str
@dataclass
class ContextSettings:
max_groups: int
avatar_dir: str # 人设目录路径,prompt文件和表情包目录都将基于此路径
@dataclass
class MessageQueueSettings:
timeout: int
@dataclass
class TaskSettings:
task_id: str
chat_id: str
content: str
schedule_type: str
schedule_time: str
is_active: bool
@dataclass
class ScheduleSettings:
tasks: List[TaskSettings]
@dataclass
class BehaviorSettings:
auto_message: AutoMessageSettings
quiet_time: QuietTimeSettings
context: ContextSettings
schedule_settings: ScheduleSettings
message_queue: MessageQueueSettings
@dataclass
class AuthSettings:
admin_password: str
@dataclass
class NetworkSearchSettings:
search_enabled: bool
weblens_enabled: bool
api_key: str
base_url: str
@dataclass
class IntentRecognitionSettings:
api_key: str
base_url: str
model: str
temperature: float
@dataclass
class Config:
def __init__(self):
self.user: UserSettings
self.llm: LLMSettings
self.media: MediaSettings
self.behavior: BehaviorSettings
self.auth: AuthSettings
self.network_search: NetworkSearchSettings
self.intent_recognition: IntentRecognitionSettings
self.version: str = "1.0.0" # 配置文件版本
self.load_config()
@property
def config_dir(self) -> str:
"""返回配置文件所在目录"""
return os.path.dirname(__file__)
@property
def config_path(self) -> str:
"""返回配置文件完整路径"""
return os.path.join(self.config_dir, 'config.json')
@property
def config_template_path(self) -> str:
"""返回配置模板文件完整路径"""
return os.path.join(self.config_dir, 'config.json.template')
@property
def config_template_bak_path(self) -> str:
"""返回备份的配置模板文件完整路径"""
return os.path.join(self.config_dir, 'config.json.template.bak')
@property
def config_backup_dir(self) -> str:
"""返回配置备份目录路径"""
backup_dir = os.path.join(self.config_dir, 'backups')
if not os.path.exists(backup_dir):
os.makedirs(backup_dir)
return backup_dir
def backup_config(self) -> str:
"""备份当前配置文件,仅在配置发生变更时进行备份,并覆盖之前的备份
Returns:
str: 备份文件路径
"""
if not os.path.exists(self.config_path):
logger.warning("无法备份配置文件:文件不存在")
return ""
backup_filename = "config_backup.json"
backup_path = os.path.join(self.config_backup_dir, backup_filename)
# 检查是否需要备份
if os.path.exists(backup_path):
# 比较当前配置文件和备份文件的内容
try:
with open(self.config_path, 'r', encoding='utf-8') as f1, \
open(backup_path, 'r', encoding='utf-8') as f2:
if f1.read() == f2.read():
# 内容相同,无需备份
logger.debug("配置未发生变更,跳过备份")
return backup_path
except Exception as e:
logger.error(f"比较配置文件失败: {str(e)}")
try:
# 内容不同或备份不存在,进行备份
shutil.copy2(self.config_path, backup_path)
logger.info(f"已备份配置文件到: {backup_path}")
return backup_path
except Exception as e:
logger.error(f"备份配置文件失败: {str(e)}")
return ""
def _backup_template(self, force=False):
# 如果模板备份不存在或强制备份,创建备份
if force or not os.path.exists(self.config_template_bak_path):
try:
shutil.copy2(self.config_template_path, self.config_template_bak_path)
logger.info(f"已创建模板配置备份: {self.config_template_bak_path}")
return True
except Exception as e:
logger.warning(f"创建模板配置备份失败: {str(e)}")
return False
return False
def compare_configs(self, old_config: Dict[str, Any], new_config: Dict[str, Any], path: str = "") -> Dict[str, Any]:
# 比较两个配置字典的差异
diff = {"added": {}, "removed": {}, "modified": {}}
# 检查添加和修改的字段
for key, new_value in new_config.items():
current_path = f"{path}.{key}" if path else key
if key not in old_config:
# 新增字段
diff["added"][current_path] = new_value
elif isinstance(new_value, dict) and isinstance(old_config[key], dict):
# 递归比较子字典
sub_diff = self.compare_configs(old_config[key], new_value, current_path)
# 合并子字典的差异
for diff_type in ["added", "removed", "modified"]:
diff[diff_type].update(sub_diff[diff_type])
elif new_value != old_config[key]:
# 修改的字段
diff["modified"][current_path] = {"old": old_config[key], "new": new_value}
# 检查删除的字段
for key in old_config:
current_path = f"{path}.{key}" if path else key
if key not in new_config:
diff["removed"][current_path] = old_config[key]
return diff
def generate_diff_report(self, old_config: Dict[str, Any], new_config: Dict[str, Any]) -> str:
# 生成配置差异报告
old_json = json.dumps(old_config, indent=4, ensure_ascii=False).splitlines()
new_json = json.dumps(new_config, indent=4, ensure_ascii=False).splitlines()
diff = difflib.unified_diff(old_json, new_json, fromfile='old_config', tofile='new_config', lineterm='')
return '\n'.join(diff)
def merge_configs(self, current: dict, template: dict, old_template: dict = None) -> dict:
# 智能合并配置
result = current.copy()
for key, value in template.items():
# 新字段或非字典字段
if key not in current:
result[key] = value
# 字典字段需要递归合并
elif isinstance(value, dict) and isinstance(current[key], dict):
old_value = old_template.get(key, {}) if old_template else None
result[key] = self.merge_configs(current[key], value, old_value)
# 如果用户值与旧模板相同,但新模板已更新,则使用新值
elif old_template and key in old_template and current[key] == old_template[key] and value != old_template[key]:
logger.debug(f"字段 '{key}' 更新为新模板值")
result[key] = value
return result
def save_config(self, config_data: dict) -> bool:
# 保存配置到文件
try:
# 备份当前配置
self.backup_config()
# 读取现有配置
with open(self.config_path, 'r', encoding='utf-8') as f:
current_config = json.load(f)
# 合并新配置
for key, value in config_data.items():
if key in current_config and isinstance(current_config[key], dict) and isinstance(value, dict):
self._recursive_update(current_config[key], value)
else:
current_config[key] = value
# 保存更新后的配置
with open(self.config_path, 'w', encoding='utf-8') as f:
json.dump(current_config, f, indent=4, ensure_ascii=False)
return True
except Exception as e:
logger.error(f"保存配置失败: {str(e)}")
return False
def _recursive_update(self, target: dict, source: dict):
# 递归更新字典
for key, value in source.items():
if key in target and isinstance(target[key], dict) and isinstance(value, dict):
self._recursive_update(target[key], value)
else:
target[key] = value
def _check_and_update_config(self) -> None:
# 检查并更新配置文件
try:
# 检查模板文件是否存在
if not os.path.exists(self.config_template_path):
logger.warning(f"模板配置文件不存在: {self.config_template_path}")
return
# 读取配置文件
with open(self.config_path, 'r', encoding='utf-8') as f:
current_config = json.load(f)
with open(self.config_template_path, 'r', encoding='utf-8') as f:
template_config = json.load(f)
# 创建备份模板
self._backup_template()
# 读取备份模板
old_template_config = None
if os.path.exists(self.config_template_bak_path):
try:
with open(self.config_template_bak_path, 'r', encoding='utf-8') as f:
old_template_config = json.load(f)
except Exception as e:
logger.warning(f"读取备份模板失败: {str(e)}")
# 比较配置差异
diff = self.compare_configs(current_config, template_config)
# 如果有差异,更新配置
if any(diff.values()):
logger.info("检测到配置需要更新")
# 备份当前配置
backup_path = self.backup_config()
if backup_path:
logger.info(f"已备份原配置到: {backup_path}")
# 合并配置
updated_config = self.merge_configs(current_config, template_config, old_template_config)
# 保存更新后的配置
with open(self.config_path, 'w', encoding='utf-8') as f:
json.dump(updated_config, f, indent=4, ensure_ascii=False)
logger.info("配置文件已更新")
else:
logger.debug("配置文件无需更新")
except Exception as e:
logger.error(f"检查配置更新失败: {str(e)}")
raise
def load_config(self) -> None:
# 加载配置文件
try:
# 如果配置不存在,从模板创建
if not os.path.exists(self.config_path):
if os.path.exists(self.config_template_path):
logger.info("配置文件不存在,从模板创建")
shutil.copy2(self.config_template_path, self.config_path)
# 顺便备份模板
self._backup_template()
else:
raise FileNotFoundError(f"配置和模板文件都不存在")
# 检查配置是否需要更新
self._check_and_update_config()
# 读取配置文件
with open(self.config_path, 'r', encoding='utf-8') as f:
config_data = json.load(f)
categories = config_data['categories']
# 用户设置
user_data = categories['user_settings']['settings']
listen_list = user_data['listen_list'].get('value', [])
# 确保listen_list是列表类型
if not isinstance(listen_list, list):
listen_list = [str(listen_list)] if listen_list else []
# 群聊配置
group_chat_config_data = user_data.get('group_chat_config', {}).get('value', [])
group_chat_configs = []
if isinstance(group_chat_config_data, list):
for config_item in group_chat_config_data:
if isinstance(config_item, dict) and all(key in config_item for key in ['id', 'groupName', 'avatar', 'triggers']):
group_chat_configs.append(GroupChatConfigItem(
id=config_item['id'],
group_name=config_item['groupName'],
avatar=config_item['avatar'],
triggers=config_item.get('triggers', []),
enable_at_trigger=config_item.get('enableAtTrigger', True) # 默认启用@触发
))
self.user = UserSettings(
listen_list=listen_list,
group_chat_config=group_chat_configs
)
# LLM设置
llm_data = categories['llm_settings']['settings']
self.llm = LLMSettings(
api_key=llm_data['api_key'].get('value', ''),
base_url=llm_data['base_url'].get('value', ''),
model=llm_data['model'].get('value', ''),
max_tokens=int(llm_data['max_tokens'].get('value', 0)),
temperature=float(llm_data['temperature'].get('value', 0)),
auto_model_switch=bool(llm_data['auto_model_switch'].get('value', False))
)
# 媒体设置
media_data = categories['media_settings']['settings']
image_recognition_data = media_data['image_recognition']
image_generation_data = media_data['image_generation']
text_to_speech_data = media_data['text_to_speech']
self.media = MediaSettings(
image_recognition=ImageRecognitionSettings(
api_key=image_recognition_data['api_key'].get('value', ''),
base_url=image_recognition_data['base_url'].get('value', ''),
temperature=float(image_recognition_data['temperature'].get('value', 0)),
model=image_recognition_data['model'].get('value', '')
),
image_generation=ImageGenerationSettings(
model=image_generation_data['model'].get('value', ''),
temp_dir=image_generation_data['temp_dir'].get('value', '')
),
text_to_speech=TextToSpeechSettings(
tts_api_key=text_to_speech_data['tts_api_key'].get('value', ''),
tts_model_id=text_to_speech_data['tts_model_id'].get('value', ''),
voice_dir=text_to_speech_data['voice_dir'].get('value', '')
)
)
# 行为设置
behavior_data = categories['behavior_settings']['settings']
auto_message_data = behavior_data['auto_message']
auto_message_countdown = auto_message_data.get('countdown', {})
quiet_time_data = behavior_data['quiet_time']
context_data = behavior_data['context']
# 消息队列设置
message_queue_data = behavior_data.get('message_queue', {})
message_queue_timeout = message_queue_data.get('timeout', {}).get('value', 8)
# 确保目录路径规范化
avatar_dir = context_data['avatar_dir'].get('value', '')
if not avatar_dir.startswith('data/avatars/'):
avatar_dir = f"data/avatars/{avatar_dir.split('/')[-1]}"
# 定时任务配置
schedule_tasks = []
if 'schedule_settings' in categories:
schedule_data = categories['schedule_settings']
if 'settings' in schedule_data and 'tasks' in schedule_data['settings']:
tasks_data = schedule_data['settings']['tasks'].get('value', [])
for task in tasks_data:
# 确保必要的字段存在
if all(key in task for key in ['task_id', 'chat_id', 'content', 'schedule_type', 'schedule_time']):
schedule_tasks.append(TaskSettings(
task_id=task['task_id'],
chat_id=task['chat_id'],
content=task['content'],
schedule_type=task['schedule_type'],
schedule_time=task['schedule_time'],
is_active=task.get('is_active', True)
))
# 行为配置
self.behavior = BehaviorSettings(
auto_message=AutoMessageSettings(
content=auto_message_data['content'].get('value', ''),
min_hours=float(auto_message_countdown.get('min_hours', {}).get('value', 0)),
max_hours=float(auto_message_countdown.get('max_hours', {}).get('value', 0))
),
quiet_time=QuietTimeSettings(
start=quiet_time_data['start'].get('value', ''),
end=quiet_time_data['end'].get('value', '')
),
context=ContextSettings(
max_groups=int(context_data['max_groups'].get('value', 0)),
avatar_dir=avatar_dir
),
schedule_settings=ScheduleSettings(
tasks=schedule_tasks
),
message_queue=MessageQueueSettings(
timeout=int(message_queue_timeout)
)
)
# 认证设置
auth_data = categories.get('auth_settings', {}).get('settings', {})
self.auth = AuthSettings(
admin_password=auth_data.get('admin_password', {}).get('value', '')
)
# 网络搜索设置
network_search_data = categories.get('network_search_settings', {}).get('settings', {})
self.network_search = NetworkSearchSettings(
search_enabled=network_search_data.get('search_enabled', {}).get('value', False),
weblens_enabled=network_search_data.get('weblens_enabled', {}).get('value', False),
api_key=network_search_data.get('api_key', {}).get('value', ''),
base_url=network_search_data.get('base_url', {}).get('value', 'https://api.kourichat.com/v1')
)
# 意图识别设置
intent_recognition_data = categories.get('intent_recognition_settings', {}).get('settings', {})
self.intent_recognition = IntentRecognitionSettings(
api_key=intent_recognition_data.get('api_key', {}).get('value', ''),
base_url=intent_recognition_data.get('base_url', {}).get('value', 'https://api.kourichat.com/v1'),
model=intent_recognition_data.get('model', {}).get('value', 'kourichat-v3'),
temperature=float(intent_recognition_data.get('temperature', {}).get('value', 0.1))
)
logger.info("配置加载完成")
except Exception as e:
logger.error(f"加载配置失败: {str(e)}")
raise
# 更新管理员密码
def update_password(self, password: str) -> bool:
try:
config_data = {
'categories': {
'auth_settings': {
'settings': {
'admin_password': {
'value': password
}
}
}
}
}
return self.save_config(config_data)
except Exception as e:
logger.error(f"更新密码失败: {str(e)}")
return False
# 创建全局配置实例
config = Config()
# 为了兼容性保留的旧变量(将在未来版本中移除)
LISTEN_LIST = config.user.listen_list
DEEPSEEK_API_KEY = config.llm.api_key
DEEPSEEK_BASE_URL = config.llm.base_url
MODEL = config.llm.model
MAX_TOKEN = config.llm.max_tokens
TEMPERATURE = config.llm.temperature
VISION_API_KEY = config.media.image_recognition.api_key
VISION_BASE_URL = config.media.image_recognition.base_url
VISION_TEMPERATURE = config.media.image_recognition.temperature
IMAGE_MODEL = config.media.image_generation.model
TEMP_IMAGE_DIR = config.media.image_generation.temp_dir
MAX_GROUPS = config.behavior.context.max_groups
#TTS_API_URL = config.media.text_to_speech.tts_api_key
VOICE_DIR = config.media.text_to_speech.voice_dir
AUTO_MESSAGE = config.behavior.auto_message.content
MIN_COUNTDOWN_HOURS = config.behavior.auto_message.min_hours
MAX_COUNTDOWN_HOURS = config.behavior.auto_message.max_hours
QUIET_TIME_START = config.behavior.quiet_time.start
QUIET_TIME_END = config.behavior.quiet_time.end
# 网络搜索设置
NETWORK_SEARCH_ENABLED = config.network_search.search_enabled
NETWORK_SEARCH_MODEL = 'kourichat-search' # 固定使用KouriChat模型
WEBLENS_ENABLED = config.network_search.weblens_enabled
WEBLENS_MODEL = 'kourichat-weblens' # 固定使用KouriChat模型
NETWORK_SEARCH_API_KEY = config.network_search.api_key
NETWORK_SEARCH_BASE_URL = config.network_search.base_url
|
2302_81798979/KouriChat
|
data/config/__init__.py
|
Python
|
unknown
| 22,932
|
from modules.memory.memory_service import MemoryService
# 提供简便的导入方式
__all__ = ["MemoryService"]
|
2302_81798979/KouriChat
|
modules/memory/__init__.py
|
Python
|
unknown
| 115
|
"""
内容生成模块
根据最近对话和用户选择的人设,生成各种类型的内容。
支持的命令:
- /diary - 生成角色日记
- /state - 查看角色状态
- /letter - 角色给你写的信
- /list - 角色的备忘录
- /pyq - 角色的朋友圈
- /gift - 角色想送的礼物
- /shopping - 角色的购物清单
"""
import os
import json
import logging
from datetime import datetime
from typing import List, Dict, Optional, Tuple
import random
from src.services.ai.llm_service import LLMService
from data.config import config
import re
logger = logging.getLogger('main')
class ContentGenerator:
"""
内容生成服务模块,生成基于角色视角的各种内容
功能:
1. 从最近对话中提取内容
2. 结合人设生成各种类型的内容
3. 保存到文件并在聊天中输出
"""
def __init__(self, root_dir: str, api_key: str, base_url: str, model: str, max_token: int, temperature: float):
self.root_dir = root_dir
self.api_key = api_key
self.base_url = base_url
self.model = model
self.max_token = max_token
self.temperature = temperature
self.llm_client = None
# 支持的内容类型及其配置
self.content_types = {
'diary': {'max_rounds': 15, 'command': '/diary'},
'state': {'max_rounds': 10, 'command': '/state'},
'letter': {'max_rounds': 10, 'command': '/letter'},
'list': {'max_rounds': 10, 'command': '/list'},
'pyq': {'max_rounds': 8, 'command': '/pyq'},
'gift': {'max_rounds': 10, 'command': '/gift'},
'shopping': {'max_rounds': 8, 'command': '/shopping'}
}
def _get_llm_client(self):
"""获取或创建LLM客户端"""
if not self.llm_client:
self.llm_client = LLMService(
api_key=self.api_key,
base_url=self.base_url,
model=self.model,
max_token=self.max_token,
temperature=self.temperature,
max_groups=5 # 这里只需要较小的上下文
)
return self.llm_client
def _get_avatar_memory_dir(self, avatar_name: str, user_id: str) -> str:
"""获取角色记忆目录,如果不存在则创建"""
avatar_memory_dir = os.path.join(self.root_dir, "data", "avatars", avatar_name, "memory", user_id)
os.makedirs(avatar_memory_dir, exist_ok=True)
return avatar_memory_dir
def _get_short_memory_path(self, avatar_name: str, user_id: str) -> str:
"""获取短期记忆文件路径"""
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
return os.path.join(memory_dir, "short_memory.json")
def _get_avatar_prompt_path(self, avatar_name: str) -> str:
"""获取角色设定文件路径"""
avatar_dir = os.path.join(self.root_dir, "data", "avatars", avatar_name)
return os.path.join(avatar_dir, "avatar.md")
def _get_content_filename(self, content_type: str, avatar_name: str, user_id: str) -> str:
"""
生成唯一的内容文件名
Args:
content_type: 内容类型,如 'diary', 'state', 'letter'
avatar_name: 角色名称
user_id: 用户ID
Returns:
str: 生成的文件路径
"""
# 获取基本记忆目录
base_memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
# 判断是否为特殊内容类型(非日记)
special_content_types = ['state', 'letter', 'list', 'pyq', 'gift', 'shopping']
if content_type in special_content_types:
# 如果是特殊内容类型,则创建并使用special_content子目录
memory_dir = os.path.join(base_memory_dir, "special_content")
# 确保目录存在
os.makedirs(memory_dir, exist_ok=True)
logger.debug(f"使用特殊内容目录: {memory_dir}")
else:
# 如果是日记或其他类型,使用原始目录
memory_dir = base_memory_dir
date_str = datetime.now().strftime("%Y-%m-%d")
# 在文件名中体现内容类型和用户ID
base_filename = f"{content_type}_{user_id}_{date_str}"
# 检查是否已存在同名文件,如有需要添加序号
index = 1
filename = f"{base_filename}.txt"
file_path = os.path.join(memory_dir, filename)
while os.path.exists(file_path):
filename = f"{base_filename}_{index}.txt"
file_path = os.path.join(memory_dir, filename)
index += 1
return file_path
def _get_diary_filename(self, avatar_name: str, user_id: str) -> str:
"""生成唯一的日记文件名(兼容旧版本)"""
return self._get_content_filename('diary', avatar_name, user_id)
def _get_prompt_content(self, prompt_type: str, avatar_name: str, user_id: str, max_rounds: int = 15) -> tuple:
"""
获取生成提示词所需的内容
Args:
prompt_type: 提示词类型,如 'diary', 'state', 'letter'
avatar_name: 角色名称
user_id: 用户ID
max_rounds: 最大对话轮数
Returns:
tuple: (角色设定, 最近对话, 提示词模板, 系统提示词) 如果发生错误则返回 (错误信息, None, None, None)
"""
# 读取短期记忆
short_memory_path = self._get_short_memory_path(avatar_name, user_id)
if not os.path.exists(short_memory_path):
error_msg = f"短期记忆文件不存在: {short_memory_path}"
logger.error(error_msg)
return (f"无法找到最近的对话记录,无法生成{prompt_type}。", None, None, None)
try:
with open(short_memory_path, "r", encoding="utf-8") as f:
short_memory = json.load(f)
except json.JSONDecodeError as e:
error_msg = f"短期记忆文件格式错误: {str(e)}"
logger.error(error_msg)
return (f"对话记录格式错误,无法生成{prompt_type}。", None, None, None)
if not short_memory:
logger.warning(f"短期记忆为空: {avatar_name} 用户: {user_id}")
return (f"最近没有进行过对话,无法生成{prompt_type}。", None, None, None)
# 读取角色设定
avatar_prompt_path = self._get_avatar_prompt_path(avatar_name)
if not os.path.exists(avatar_prompt_path):
error_msg = f"角色设定文件不存在: {avatar_prompt_path}"
logger.error(error_msg)
return (f"无法找到角色 {avatar_name} 的设定文件。", None, None, None)
try:
with open(avatar_prompt_path, "r", encoding="utf-8") as f:
avatar_prompt = f.read()
except Exception as e:
error_msg = f"读取角色设定文件失败: {str(e)}"
logger.error(error_msg)
return (f"读取角色设定文件失败: {str(e)}", None, None, None)
# 获取最近对话(或全部,如果不足指定轮数)
recent_conversations = "\n".join([
f"用户: {conv.get('user', '')}\n"
f"回复: {conv.get('bot', '')}"
for conv in short_memory[-max_rounds:] # 使用最近max_rounds轮对话
])
# 读取外部提示词
try:
# 从当前文件位置获取项目根目录
current_dir = os.path.dirname(os.path.abspath(__file__))
project_root = os.path.dirname(os.path.dirname(current_dir))
# 读取提示词
prompt_path = os.path.join(project_root, "src", "base", "prompts", f"{prompt_type}.md")
if not os.path.exists(prompt_path):
error_msg = f"{prompt_type}提示词文件不存在: {prompt_path}"
logger.error(error_msg)
return (f"{prompt_type}提示词文件不存在,无法生成{prompt_type}。", None, None, None)
with open(prompt_path, "r", encoding="utf-8") as f:
prompt_template = f.read().strip()
logger.debug(f"已加载{prompt_type}提示词模板,长度: {len(prompt_template)} 字节")
# 使用相同的提示词作为系统提示词
system_prompt = prompt_template
# 根据内容类型设置默认系统提示词
# 使用通用的系统提示词模板,包含变量
system_prompt = f"你是一个专注于角色扮演的AI助手。你的任务是以{avatar_name}的身份,根据对话内容和角色设定,生成内容。请确保内容符合角色的语气和风格,不要添加任何不必要的解释。绝对不要使用任何分行符号($)、表情符号或表情标签([love]等)。保持文本格式简洁,避免使用任何可能导致消息分割的特殊符号。"
return (avatar_prompt, recent_conversations, prompt_template, system_prompt)
except Exception as e:
error_msg = f"读取{prompt_type}提示词模板失败: {str(e)}"
logger.error(error_msg)
return (f"读取{prompt_type}提示词模板失败,无法生成{prompt_type}: {str(e)}", None, None, None)
def _generate_content(self, content_type: str, avatar_name: str, user_id: str, max_rounds: int = 15,
save_to_file: bool = True) -> str:
"""
通用内容生成方法,可用于生成各种类型的内容
Args:
content_type: 内容类型,如 'diary', 'state', 'letter'
avatar_name: 角色名称
user_id: 用户ID
max_rounds: 最大对话轮数
save_to_file: 是否保存到文件,默认为 True
Returns:
str: 生成的内容,如果发生错误则返回错误消息
"""
try:
# 使用通用方法获取提示词内容
result = self._get_prompt_content(content_type, avatar_name, user_id, max_rounds)
if result[1] is None: # 如果发生错误
return result[0] # 返回错误信息
avatar_prompt, recent_conversations, prompt_template, system_prompt = result
# 根据内容类型设置特定变量
now = datetime.now()
current_date = now.strftime("%Y年%m月%d日")
current_time = now.strftime("%H:%M")
content_type_info = {
'diary': {
'format_name': '日记',
'time_info': f"{current_date}"
},
'state': {
'format_name': '状态栏',
'time_info': f"{current_date} {current_time}"
},
'letter': {
'format_name': '信件或备忘录',
'time_info': f"{current_date}"
},
'list': {
'format_name': '备忘录',
'time_info': f"{current_date}"
},
'pyq': {
'format_name': '朋友圈',
'time_info': f"{current_date} {current_time}"
},
'gift': {
'format_name': '礼物',
'time_info': f"{current_date}"
},
'shopping': {
'format_name': '购物清单',
'time_info': f"{current_date}"
}
}
if content_type not in content_type_info:
return f"不支持的内容类型: {content_type}"
info = content_type_info[content_type]
# 准备变量字典,用于替换提示词模板中的变量
# 获取更多时间格式
now = datetime.now()
year = now.strftime("%Y")
month = now.strftime("%m")
day = now.strftime("%d")
weekday = now.strftime("%A")
weekday_cn = {
'Monday': '星期一',
'Tuesday': '星期二',
'Wednesday': '星期三',
'Thursday': '星期四',
'Friday': '星期五',
'Saturday': '星期六',
'Sunday': '星期日'
}.get(weekday, weekday)
hour = now.strftime("%H")
minute = now.strftime("%M")
second = now.strftime("%S")
# 中文日期格式
year_cn = f"{year}年"
month_cn = f"{int(month)}月"
day_cn = f"{int(day)}日"
date_cn = f"{year_cn}{month_cn}{day_cn}"
date_cn_short = f"{month_cn}{day_cn}"
time_cn = f"{hour}时{minute}分"
# 其他格式
date_ymd = f"{year}-{month}-{day}"
date_mdy = f"{month}/{day}/{year}"
time_hm = f"{hour}:{minute}"
time_hms = f"{hour}:{minute}:{second}"
# 初始化用户相关变量
user_name = user_id # 默认使用user_id
# 尝试从用户配置文件中获取用户信息
try:
user_config_path = os.path.join(self.root_dir, "data", "users", f"{user_id}.json")
if os.path.exists(user_config_path):
with open(user_config_path, "r", encoding="utf-8") as f:
user_config = json.load(f)
# 获取用户名
if "name" in user_config:
user_name = user_config["name"]
elif "nickname" in user_config:
user_name = user_config["nickname"]
except Exception as e:
logger.warning(f"获取用户信息失败: {str(e)}")
variables = {
# 角色相关
'avatar_name': avatar_name,
'format_name': info['format_name'],
# 用户相关
'user_id': user_id,
'user_name': user_name, # 使用获取到的用户名
# 基本时间
'current_date': current_date,
'current_time': current_time,
'time_info': info['time_info'],
# 日期组件
'year': year,
'month': month,
'day': day,
'weekday': weekday,
'weekday_cn': weekday_cn,
'hour': hour,
'minute': minute,
'second': second,
# 中文日期
'year_cn': year_cn,
'month_cn': month_cn,
'day_cn': day_cn,
'date_cn': date_cn,
'date_cn_short': date_cn_short,
'time_cn': time_cn,
# 其他格式
'date_ymd': date_ymd,
'date_mdy': date_mdy,
'time_hm': time_hm,
'time_hms': time_hms
}
# 替换提示词模板中的变量
template_with_vars = prompt_template
for var_name, var_value in variables.items():
# 确保变量值不为 None
if var_value is None:
var_value = ""
template_with_vars = template_with_vars.replace('{' + var_name + '}', str(var_value))
# 构建完整的提示词
prompt = f"""你的角色设定:\n{avatar_prompt}\n\n最近的对话内容:\n{recent_conversations}\n\n当前时间: {info['time_info']}\n{template_with_vars}\n\n请直接以{info['format_name']}格式回复,不要有任何解释或前言。"""
# 在系统提示词中替换变量
for var_name, var_value in variables.items():
# 确保变量值不为 None
if var_value is None:
var_value = ""
system_prompt = system_prompt.replace('{' + var_name + '}', str(var_value))
# 调用LLM生成内容
llm = self._get_llm_client()
client_id = f"{content_type}_{avatar_name}_{user_id}"
generated_content = llm.get_response(
message=prompt,
user_id=client_id,
system_prompt=system_prompt
)
logger.debug(generated_content)
# 检查是否为错误响应
if generated_content.startswith("Error:"):
logger.error(f"生成{content_type}内容时出现错误: {generated_content}")
return f"{content_type}生成失败:{generated_content}"
# 格式化内容
# 使用通用的格式化方法,传入内容类型和角色名称
formatted_content = self._format_content(generated_content, content_type, avatar_name)
# 如果需要保存到文件
if save_to_file:
# 使用通用的文件名生成方法
# 该方法会根据内容类型自动选择适当的目录
file_path = self._get_content_filename(content_type, avatar_name, user_id)
try:
with open(file_path, "w", encoding="utf-8") as f:
f.write(formatted_content)
logger.info(
f"已生成{avatar_name}{content_type_info[content_type]['format_name']} 用户: {user_id} 并保存至: {file_path}")
except Exception as e:
logger.error(f"保存{content_type}文件失败: {str(e)}")
return f"{content_type}生成成功但保存失败: {str(e)}"
return formatted_content
except Exception as e:
error_msg = f"生成{content_type}失败: {str(e)}"
logger.error(error_msg)
return f"{content_type}生成失败: {str(e)}"
def _generate_content_wrapper(self, content_type: str, avatar_name: str, user_id: str, max_rounds: int,
save_to_file: bool = True) -> str:
"""
生成内容的通用包装方法
Args:
content_type: 内容类型,如 'diary', 'state', 'letter'
avatar_name: 角色名称
user_id: 用户ID,用于获取特定用户的记忆
max_rounds: 最大对话轮数
save_to_file: 是否保存到文件,默认为 True
Returns:
str: 生成的内容,如果发生错误则返回错误消息
"""
return self._generate_content(content_type, avatar_name, user_id, max_rounds, save_to_file)
def generate_diary(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色日记"""
return self._generate_content_wrapper('diary', avatar_name, user_id, 15, save_to_file)
def generate_state(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色状态信息"""
return self._generate_content_wrapper('state', avatar_name, user_id, 10, save_to_file)
def generate_letter(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色给用户写的信"""
return self._generate_content_wrapper('letter', avatar_name, user_id, 10, save_to_file)
def generate_list(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色的备忘录"""
return self._generate_content_wrapper('list', avatar_name, user_id, 10, save_to_file)
def generate_pyq(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色的朋友圈"""
return self._generate_content_wrapper('pyq', avatar_name, user_id, 8, save_to_file)
def generate_gift(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色想送的礼物"""
return self._generate_content_wrapper('gift', avatar_name, user_id, 10, save_to_file)
def generate_shopping(self, avatar_name: str, user_id: str, save_to_file: bool = True) -> str:
"""生成角色的购物清单"""
return self._generate_content_wrapper('shopping', avatar_name, user_id, 8, save_to_file)
def _clean_text(self, content: str, content_type: str = None) -> list:
"""
清理文本,移除特殊字符和表情符号
Args:
content: 原始内容
content_type: 内容类型,如 'diary',用于应用特定的清洗规则
Returns:
list: 清理后的行列表
"""
if not content or not content.strip():
return []
# 移除可能存在的多余空行和特殊字符
lines = []
# 日记类型使用严格清洗,其他类型保留原有格式
if content_type == 'diary':
# 日记使用严格清洗
for line in content.split('\n'):
# 清理每行内容
line = line.strip()
# 移除特殊字符和表情符号
line = re.sub(r'\[.*?\]', '', line) # 移除表情标签
line = re.sub(r'[^\w\s\u4e00-\u9fff,。!?、:;""''()【】《》\n]', '', line) # 只保留中文、英文、数字和基本标点
if line:
lines.append(line)
else:
# 非日记类型保留原有格式和换行
# 先将/n替换为临时标记,以便在分割行后保留用户自定义的换行
content_with_markers = content.replace('/n', '{{NEWLINE}}')
for line in content_with_markers.split('\n'):
# 只移除表情标签,保留其他格式
line = re.sub(r'\[.*?\]', '', line) # 移除表情标签
# 不去除行首尾空白,保留原始格式
# 将临时标记还原为/n,以便在后续处理中转换为真正的换行符
line = line.replace('{{NEWLINE}}', '/n')
# 过滤掉$字符,防止消息被分割
line = line.replace('$', '')
line = line.replace('$', '') # 全角$符号
lines.append(line)
return lines
def _format_content(self, content: str, content_type: str = None, avatar_name: str = None) -> str:
"""
格式化内容,确保内容完整且格式正确
Args:
content: 原始内容
content_type: 内容类型,如 'diary',用于应用特定的格式化规则
avatar_name: 角色名称,用于日记格式化
Returns:
str: 格式化后的内容
"""
if not content or not content.strip():
return ""
return self._format_content_with_paragraphs(content, content_type)
def _format_diary_content_with_sentences(self, content: str, avatar_name: str) -> str:
"""
使用基于句子的方式格式化日记内容
Args:
content: 原始内容
avatar_name: 角色名称
Returns:
str: 格式化后的内容
"""
lines = self._clean_text(content, 'diary')
if not lines:
return ""
# 合并所有行为一个段落
formatted_content = ' '.join(lines)
# 确保标题和内容之间有一个空行
if formatted_content.startswith(f"{avatar_name}小日记"):
parts = formatted_content.split('\n', 1)
if len(parts) > 1:
formatted_content = f"{parts[0]}\n\n{parts[1]}"
# 将内容按句子分割
sentences = re.split(r'([。!?])', formatted_content)
# 重新组织内容,每3-5句话一行
formatted_lines = []
current_line = []
sentence_count = 0
for i in range(0, len(sentences), 2):
if i + 1 < len(sentences):
sentence = sentences[i] + sentences[i + 1]
else:
sentence = sentences[i]
current_line.append(sentence)
sentence_count += 1
# 每3-5句话换行
if sentence_count >= random.randint(3, 5) or i + 2 >= len(sentences):
formatted_lines.append(''.join(current_line))
current_line = []
sentence_count = 0
# 合并所有行
return '\n'.join(formatted_lines)
def _format_content_with_paragraphs(self, content: str, content_type: str) -> str:
"""
保留原始换行符的格式化方法,适用于非日记内容
Args:
content: 原始内容
content_type: 内容类型
Returns:
str: 格式化后的内容
"""
content = content
content = content.replace('$', ',')
content = content.replace('$', ',')
return content
def _format_diary_content(self, content: str, avatar_name: str) -> str:
"""格式化日记内容(兼容旧版本)"""
return self._format_content(content, 'diary', avatar_name)
|
2302_81798979/KouriChat
|
modules/memory/content_generator.py
|
Python
|
unknown
| 25,210
|
import json
import logging
import os
from datetime import datetime
from typing import List, Dict
from data.config import MAX_GROUPS
from src.services.ai.llm_service import LLMService
# 获取日志记录器
logger = logging.getLogger('memory')
class MemoryService:
"""
新版记忆服务模块,包含两种记忆类型:
1. 短期记忆:用于保存最近对话,在程序重启后加载到上下文
2. 核心记忆:精简的用户核心信息摘要(50-100字)
每个用户拥有独立的记忆存储空间
"""
def __init__(self, root_dir: str, api_key: str, base_url: str, model: str, max_token: int, temperature: float,
max_groups: int = 10):
self.root_dir = root_dir
self.api_key = api_key
self.base_url = base_url
self.model = model
self.max_token = max_token
self.temperature = temperature
self.max_groups = MAX_GROUPS if MAX_GROUPS else max_groups # 保存上下文组数设置
self.llm_client = None
self.conversation_count = {} # 记录每个角色与用户组合的对话计数: {avatar_name_user_id: count}
self.deepseek = LLMService(
api_key=api_key,
base_url=base_url,
model=model,
max_token=max_token,
temperature=temperature,
max_groups=max_groups
)
def initialize_memory_files(self, avatar_name: str, user_id: str):
"""初始化角色的记忆文件,确保文件存在"""
try:
# 确保记忆目录存在
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
short_memory_path = self._get_short_memory_path(avatar_name, user_id)
core_memory_path = self._get_core_memory_path(avatar_name, user_id)
# 初始化短期记忆文件(如果不存在)
if not os.path.exists(short_memory_path):
with open(short_memory_path, "w", encoding="utf-8") as f:
json.dump([], f, ensure_ascii=False, indent=2)
logger.info(f"创建短期记忆文件: {short_memory_path}")
# 初始化核心记忆文件(如果不存在)
if not os.path.exists(core_memory_path):
initial_core_data = {
"timestamp": datetime.now().strftime("%Y-%m-%d %H:%M:%S"),
"content": "" # 初始为空字符串
}
with open(core_memory_path, "w", encoding="utf-8") as f:
json.dump(initial_core_data, f, ensure_ascii=False, indent=2)
logger.info(f"创建核心记忆文件: {core_memory_path}")
except Exception as e:
logger.error(f"初始化记忆文件失败: {str(e)}")
def _get_llm_client(self):
"""获取或创建LLM客户端"""
if not self.llm_client:
self.llm_client = LLMService(
api_key=self.api_key,
base_url=self.base_url,
model=self.model,
max_token=self.max_token,
temperature=self.temperature,
max_groups=self.max_groups # 使用初始化时传入的值
)
logger.info(f"创建LLM客户端,上下文大小设置为: {self.max_groups}轮对话")
return self.llm_client
def _get_avatar_memory_dir(self, avatar_name: str, user_id: str) -> str:
"""获取角色记忆目录,如果不存在则创建"""
avatar_memory_dir = os.path.join(self.root_dir, "data", "avatars", avatar_name, "memory", user_id)
os.makedirs(avatar_memory_dir, exist_ok=True)
return avatar_memory_dir
def _get_short_memory_path(self, avatar_name: str, user_id: str) -> str:
"""获取短期记忆文件路径"""
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
return os.path.join(memory_dir, "short_memory.json")
def _get_core_memory_path(self, avatar_name: str, user_id: str) -> str:
"""获取核心记忆文件路径"""
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
return os.path.join(memory_dir, "core_memory.json")
def _get_core_memory_backup_path(self, avatar_name: str, user_id: str) -> str:
"""获取核心记忆备份文件路径"""
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
backup_dir = os.path.join(memory_dir, "backup")
os.makedirs(backup_dir, exist_ok=True)
return os.path.join(backup_dir, "core_memory_backup.json")
def add_conversation(self, avatar_name: str, user_message: str, bot_reply: str, user_id: str,
is_system_message: bool = False):
"""
添加对话到短期记忆,并更新对话计数。
每达到10轮对话,自动更新核心记忆。
Args:
avatar_name: 角色名称
user_message: 用户消息
bot_reply: 机器人回复
user_id: 用户ID,用于隔离不同用户的记忆
is_system_message: 是否为系统消息,如果是则不记录
"""
# 确保对话计数器已初始化
conversation_key = f"{avatar_name}_{user_id}"
if conversation_key not in self.conversation_count:
self.conversation_count[conversation_key] = 0
# 如果是系统消息或错误消息则跳过记录
if is_system_message or bot_reply.startswith("Error:"):
logger.debug(f"跳过记录消息: {user_message[:30]}...")
return
try:
# 确保记忆目录存在
memory_dir = self._get_avatar_memory_dir(avatar_name, user_id)
short_memory_path = self._get_short_memory_path(avatar_name, user_id)
logger.info(f"保存对话到用户记忆: 角色={avatar_name}, 用户ID={user_id}")
logger.debug(f"记忆存储路径: {short_memory_path}")
# 读取现有短期记忆
short_memory = []
if os.path.exists(short_memory_path):
try:
with open(short_memory_path, "r", encoding="utf-8") as f:
short_memory = json.load(f)
except json.JSONDecodeError:
logger.warning(f"短期记忆文件损坏,重置为空列表: {short_memory_path}")
# 添加新对话
timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
new_conversation = {
"timestamp": timestamp,
"user": user_message,
"bot": bot_reply
}
short_memory.append(new_conversation)
# 保留最近50轮对话
if len(short_memory) > self.max_groups:
short_memory = short_memory[-self.max_groups:]
# 保存更新后的短期记忆
with open(short_memory_path, "w", encoding="utf-8") as f:
json.dump(short_memory, f, ensure_ascii=False, indent=2)
# 更新对话计数
self.conversation_count[conversation_key] += 1
current_count = self.conversation_count[conversation_key]
logger.debug(f"当前对话计数: {current_count}/10 (角色={avatar_name}, 用户ID={user_id})")
# 每10轮对话更新一次核心记忆
if self.conversation_count[conversation_key] >= 10:
logger.info(f"角色 {avatar_name} 为用户 {user_id} 达到10轮对话,开始更新核心记忆")
context = self.get_recent_context(avatar_name, user_id)
self.update_core_memory(avatar_name, user_id, context)
self.conversation_count[conversation_key] = 0
except Exception as e:
logger.error(f"添加对话到短期记忆失败: {str(e)}")
def _build_memory_prompt(self, filepath: str) -> str:
"""
从指定目录读取 md 文件。
Args:
filepath: md 文件的路径。
Returns:
一个包含 md 文件内容的字符串。
"""
try:
with open(filepath, 'r', encoding='utf-8') as f:
return f.read()
except FileNotFoundError:
logger.error(f"核心记忆提示词模板 {filepath} 未找到。")
return ""
except Exception as e:
logger.error(f"读取核心提示词模板 {filepath} 时出错: {e}")
return ""
def _generate_core_memory(self, prompt: str, existing_core_memory: str, context: list, user_id: str) -> str:
response = self.deepseek.get_response(
message=f"请根据设定和要求,生成新的核心记忆。现有的核心记忆为:{existing_core_memory}",
user_id=user_id,
system_prompt=prompt,
core_memory=existing_core_memory,
previous_context=context
)
return response
def update_core_memory(self, avatar_name: str, user_id: str, context: list) -> bool:
"""
更新角色的核心记忆
Args:
avatar_name: 角色名称
user_id: 用户ID
message: 用户消息
response: 机器人响应
Returns:
bool: 是否成功更新
"""
try:
# 获取核心记忆文件路径
core_memory_path = self._get_core_memory_path(avatar_name, user_id)
# 读取现有核心记忆
existing_core_memory = ""
existing_core_data = []
if os.path.exists(core_memory_path):
try:
with open(core_memory_path, "r", encoding="utf-8") as f:
core_data = json.load(f)
# 处理数组格式(旧格式)
if isinstance(core_data, list) and len(core_data) > 0:
existing_core_memory = core_data[0].get("content", "")
else:
# 新格式(单个对象)
existing_core_memory = core_data.get("content", "")
existing_core_data = core_data
except Exception as e:
logger.error(f"读取核心记忆失败: {str(e)}")
# 创建空的核心记忆
existing_core_memory = ""
existing_core_data = None
# 如果没有现有记忆,创建一个空的对象(新格式)
if not existing_core_data:
existing_core_data = {
"timestamp": self._get_timestamp(),
"content": ""
}
# 构建提示词
prompt = self._build_memory_prompt('src/base/memory.md')
# 调用LLM生成新的核心记忆
new_core_memory = self._generate_core_memory(prompt, existing_core_memory, context, user_id)
# 如果生成失败,保留原有记忆
if not new_core_memory or 'Error' in new_core_memory or 'error' in new_core_memory or '错误' in new_core_memory:
logger.warning("生成核心记忆失败,保留原有记忆")
return False
# 更新核心记忆文件(使用新格式:单个对象)
updated_core_data = {
"timestamp": self._get_timestamp(),
"content": new_core_memory
}
with open(core_memory_path, "w", encoding="utf-8") as f:
json.dump(updated_core_data, f, ensure_ascii=False, indent=2)
logger.info(f"已更新角色 {avatar_name} 用户 {user_id} 的核心记忆")
return True
except Exception as e:
logger.error(f"更新核心记忆失败: {str(e)}")
# 如果在处理过程中发生错误,确保不会丢失现有记忆
try:
if os.path.exists(core_memory_path) and existing_core_data:
with open(core_memory_path, "w", encoding="utf-8") as f:
json.dump(existing_core_data, f, ensure_ascii=False, indent=2)
except Exception as recovery_error:
logger.error(f"恢复核心记忆失败: {str(recovery_error)}")
return False
def get_core_memory(self, avatar_name: str, user_id: str) -> str:
"""
获取角色的核心记忆
Args:
avatar_name: 角色名称
user_id: 用户ID
Returns:
str: 核心记忆内容
"""
try:
# 获取核心记忆文件路径
core_memory_path = self._get_core_memory_path(avatar_name, user_id)
# 如果文件不存在,返回空字符串
if not os.path.exists(core_memory_path):
return ""
# 读取核心记忆文件
with open(core_memory_path, "r", encoding="utf-8") as f:
core_data = json.load(f)
# 处理数组格式
if isinstance(core_data, list) and len(core_data) > 0:
return core_data[0].get("content", "")
else:
# 兼容旧格式
return core_data.get("content", "")
except Exception as e:
logger.error(f"获取核心记忆失败: {str(e)}")
return ""
def get_recent_context(self, avatar_name: str, user_id: str, context_size: int = None) -> List[Dict]:
"""
获取最近的对话上下文,用于重启后恢复对话连续性
直接使用LLM服务配置的max_groups作为上下文大小
Args:
avatar_name: 角色名称
user_id: 用户ID,用于获取特定用户的记忆
context_size: 已废弃参数,保留仅为兼容性,实际使用LLM配置
"""
try:
# 获取LLM客户端的配置值
llm_client = self._get_llm_client()
max_groups = llm_client.config["max_groups"]
logger.info(f"使用LLM配置的对话轮数: {max_groups}")
short_memory_path = self._get_short_memory_path(avatar_name, user_id)
if not os.path.exists(short_memory_path):
logger.info(f"短期记忆不存在: {avatar_name} 用户: {user_id}")
return []
with open(short_memory_path, "r", encoding="utf-8") as f:
short_memory = json.load(f)
# 转换为LLM接口要求的消息格式
context = []
for conv in short_memory[-max_groups:]: # 使用max_groups轮对话
context.append({"role": "user", "content": conv["user"]})
context.append({"role": "assistant", "content": conv["bot"]})
logger.info(f"已加载 {len(context) // 2} 轮对话作为上下文")
return context
except Exception as e:
logger.error(f"获取最近上下文失败: {str(e)}")
return []
def _get_timestamp(self) -> str:
"""获取当前时间戳"""
return datetime.now().strftime("%Y-%m-%d %H:%M:%S")
def has_user_memory(self, avatar_name: str, user_id: str) -> bool:
"""
检查是否存在该用户的私聊记忆
Args:
avatar_name: 角色名称
user_id: 用户ID
Returns:
bool: 如果存在私聊记忆返回True,否则返回False
"""
try:
# 检查短期记忆是否存在且非空
short_memory_path = self._get_short_memory_path(avatar_name, user_id)
if os.path.exists(short_memory_path):
with open(short_memory_path, "r", encoding="utf-8") as f:
short_memory = json.load(f)
if short_memory: # 如果列表不为空
logger.debug(f"用户 {user_id} 与角色 {avatar_name} 有私聊记忆,条数: {len(short_memory)}")
return True
# 检查核心记忆是否存在且非空
core_memory_path = self._get_core_memory_path(avatar_name, user_id)
if os.path.exists(core_memory_path):
with open(core_memory_path, "r", encoding="utf-8") as f:
core_memory = json.load(f)
# 处理数组格式(旧格式)
if isinstance(core_memory, list) and len(core_memory) > 0:
if core_memory[0].get("content", "").strip(): # 如果内容不为空
logger.debug(f"用户 {user_id} 与角色 {avatar_name} 有核心记忆")
return True
else:
# 新格式(单个对象)
if core_memory.get("content", "").strip(): # 如果内容不为空
logger.debug(f"用户 {user_id} 与角色 {avatar_name} 有核心记忆")
return True
logger.debug(f"用户 {user_id} 与角色 {avatar_name} 没有私聊记忆")
return False
except Exception as e:
logger.error(f"检查用户记忆失败: {str(e)}")
return False
|
2302_81798979/KouriChat
|
modules/memory/memory_service.py
|
Python
|
unknown
| 17,323
|
from .reminder_request_recognition import ReminderRecognitionService
from .search_request_recognition import SearchRecognitionService
__all__ = ['ReminderRecognitionService', 'SearchRecognitionService']
|
2302_81798979/KouriChat
|
modules/recognition/__init__.py
|
Python
|
unknown
| 203
|
from .service import ReminderRecognitionService
__all__ = ['ReminderRecognitionService']
|
2302_81798979/KouriChat
|
modules/recognition/reminder_request_recognition/__init__.py
|
Python
|
unknown
| 90
|
"""
任务识别服务
负责识别消息中的提醒任务意图
"""
import ast
import json
import logging
import os
import sys
from datetime import datetime
from time import sleep
from typing import Optional, List, Dict
from openai import OpenAI
sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), "../../../")))
from src.services.ai.llm_service import LLMService
from src.autoupdate.updater import Updater
from data.config import config
logger = logging.getLogger('main')
class ReminderRecognitionService:
def __init__(self, llm_service: LLMService):
"""
初始化任务识别服务
Args:
llm_service: LLM 服务实例,用于调用 LLM
"""
self.llm_service = llm_service
self.intent_recognition_settings = {
"api_key": config.intent_recognition.api_key,
"base_url": config.intent_recognition.base_url,
"model": config.intent_recognition.model,
"temperature": config.intent_recognition.temperature
}
self.updater = Updater()
self.client = OpenAI(
api_key=self.intent_recognition_settings["api_key"],
base_url=self.intent_recognition_settings["base_url"],
default_headers={
"Content-Type": "application/json",
"User-Agent": self.updater.get_version_identifier(),
"X-KouriChat-Version": self.updater.get_current_version()
}
)
self.config = self.llm_service.config
current_dir = os.path.dirname(os.path.abspath(__file__))
with open(os.path.join(current_dir, "prompt.md"), "r", encoding="utf-8") as f:
self.sys_prompt = f.read().strip()
def recognize(self, message: str) -> Optional[str | List[Dict]]:
"""
识别并提取消息中的任务意图,支持多个任务意图的识别
Args:
message: 用户消息
Returns:
Optional[list]: 包含提醒任务的列表
"""
delay = 2
current_model = self.intent_recognition_settings["model"]
logger.info(f"调用模型{current_model}进行意图识别(自然语言提醒)...(如果卡住或报错请检查是否配置了意图识别API!)")
current_time = datetime.now()
messages = [{"role": "system", "content": self.sys_prompt}]
current_dir = os.path.dirname(os.path.abspath(__file__))
with open(os.path.join(current_dir, "example_message.json"), 'r', encoding='utf-8') as f:
data = json.load(f)
for example in data.values():
messages.append({
"role": example["input"]["role"],
"content": example["input"]["content"]
})
messages.append({
"role": example["output"]["role"],
"content": str(example["output"]["content"])
})
messages.append({
"role": "user",
"content": f"时间:{current_time.strftime('%Y-%m-%d %H:%M:%S')}\n消息:{message}"
})
request_config = {
"model": self.intent_recognition_settings["model"],
"messages": messages,
"temperature": self.intent_recognition_settings["temperature"],
"max_tokens": self.config["max_token"],
}
for retries in range(3):
response = self.client.chat.completions.create(**request_config)
response_content = response.choices[0].message.content
# 针对 Gemini 模型的回复进行预处理
if response_content.startswith("```json") and response_content.endswith("```"):
response_content = response_content[7:-3].strip()
# 不包含定时提醒意图
if "NOT_TIME_RELATED" in response_content:
return "NOT_TIME_RELATED"
try:
response_content = ast.literal_eval(response_content)
if isinstance(response_content, list):
return response_content
except (ValueError, SyntaxError) as e:
logger.warning(f"识别定时任务意图失败:{str(e)},进行重试...({retries + 1}/3)")
logger.info(f"响应内容:{response_content}")
sleep(delay)
delay *= 2
logger.error("多次重试后仍未能识别定时任务意图,放弃本次识别")
return "NOT_TIME_RELATED"
'''
单独对模块进行调试时,可以使用该代码
'''
if __name__ == '__main__':
llm_service = LLMService(
api_key=config.llm.api_key,
base_url=config.llm.base_url,
model=config.llm.model,
max_token=1024,
temperature=0.8,
max_groups=5
)
test = ReminderRecognitionService(llm_service)
time_infos = test.recognize("123123")
if time_infos == "NOT_TIME_RELATED":
print(time_infos)
else:
for task in time_infos:
print(f"提醒时间: {task['target_time']}, 内容: {task['reminder_content']}")
|
2302_81798979/KouriChat
|
modules/recognition/reminder_request_recognition/service.py
|
Python
|
unknown
| 5,119
|
from .service import SearchRecognitionService
__all__ = ['SearchRecognitionService']
|
2302_81798979/KouriChat
|
modules/recognition/search_request_recognition/__init__.py
|
Python
|
unknown
| 85
|
"""
联网识别服务
负责识别消息中的联网搜索需求
"""
import json
import os
import logging
import sys
import ast
from datetime import datetime
from typing import Dict
from openai import OpenAI
sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), "../../../")))
from src.services.ai.llm_service import LLMService
from src.autoupdate.updater import Updater
from data.config import config
logger = logging.getLogger('main')
class SearchRecognitionService:
def __init__(self, llm_service: LLMService):
"""
初始化搜索需求识别服务
Args:
llm_service: LLM服务实例,用于搜索需求识别
"""
self.llm_service = llm_service
self.intent_recognition_settings = {
"api_key": config.intent_recognition.api_key,
"base_url": config.intent_recognition.base_url,
"model": config.intent_recognition.model,
"temperature": config.intent_recognition.temperature
}
self.updater = Updater()
self.client = OpenAI(
api_key=self.intent_recognition_settings["api_key"],
base_url=self.intent_recognition_settings["base_url"],
default_headers={
"Content-Type": "application/json",
"User-Agent": self.updater.get_version_identifier(),
"X-KouriChat-Version": self.updater.get_current_version()
}
)
self.config = self.llm_service.config
# 从文件读取提示词
current_dir = os.path.dirname(os.path.abspath(__file__))
# 读取
with open(os.path.join(current_dir, "prompt.md"), "r", encoding="utf-8") as f:
self.sys_prompt = f.read().strip()
def recognize(self, message: str) -> Dict:
"""
识别消息中的搜索需求
Args:
message: 用户消息
Returns:
Dict: {"search_required": true/false, "search_query": ""}
"""
current_model = self.intent_recognition_settings["model"]
logger.info(f"调用模型{current_model}进行意图识别(联网意图)...(如果卡住或报错请检查是否配置了意图识别API!)")
current_time = datetime.now()
messages = [{"role": "system", "content": self.sys_prompt}]
current_dir = os.path.dirname(os.path.abspath(__file__))
with open(os.path.join(current_dir, "example_message.json"), 'r', encoding='utf-8') as f:
data = json.load(f)
for example in data.values():
messages.append({
"role": example["input"]["role"],
"content": example["input"]["content"]
})
messages.append({
"role": example["output"]["role"],
"content": str(example["output"]["content"])
})
messages.append({
"role": "user",
"content": f"时间:{current_time.strftime('%Y-%m-%d %H:%M:%S')}\n消息:{message}"
})
request_config = {
"model": self.intent_recognition_settings["model"],
"messages": messages,
"temperature": self.intent_recognition_settings["temperature"],
"max_tokens": self.config["max_token"],
}
while True:
response = self.client.chat.completions.create(**request_config)
response_content = response.choices[0].message.content
# 针对 Gemini 模型的回复进行预处理
if response_content.startswith("```json") and response_content.endswith("```"):
response_content = response_content[7:-3].strip()
# 替换 true 或 false 为大写,这是为了确保响应字符串能够被解析为 Python 字面量
# Python 中的布尔值是大写,而 json 中是小写
response_content = response_content.replace('true', 'True').replace('false', 'False')
try:
response_content = ast.literal_eval(response_content)
if (
isinstance(response_content, dict)
and "search_required" in response_content
and "search_query" in response_content
):
return response_content
except (ValueError, SyntaxError):
logger.warning("识别搜索需求失败,进行重试...")
'''
单独对模块进行调试时,可以使用该代码
'''
if __name__ == '__main__':
llm_service = LLMService(
api_key=config.llm.api_key,
base_url=config.llm.base_url,
model=config.llm.model,
max_token=1024,
temperature=0.8,
max_groups=5
)
test = SearchRecognitionService(llm_service)
res = test.recognize("昨天有什么重要的财经事件?")
for key, value in res.items():
print(f"键: {key}, 值: {value}, 类型: {type(value).__name__}")
|
2302_81798979/KouriChat
|
modules/recognition/search_request_recognition/service.py
|
Python
|
unknown
| 5,010
|
"""
定时任务核心模块
包含时间识别、任务调度、提醒服务等功能
"""
from .service import ReminderService
__all__ = ['ReminderService']
|
2302_81798979/KouriChat
|
modules/reminder/__init__.py
|
Python
|
unknown
| 158
|
import logging
import time
import win32gui
import pygame
from wxauto import WeChat
from wxauto.elements import ChatWnd
from uiautomation import ControlFromHandle
logger = logging.getLogger('main')
# --- 配置参数 ---
'''
如果你不知道这个是什么,请不要修改,该配置仅是为了后续可能适应新的 wx 版本而设置
'''
CALL_WINDOW_CLASSNAME = 'AudioWnd'
CALL_WINDOW_NAME = '微信'
CALL_BUTTON_NAME = '语音聊天'
HANG_UP_BUTTON_NAME = '挂断'
HANG_UP_BUTTON_LABEL = '挂断'
REFUSE_MSG = '对方已拒绝'
CALL_TIME_OUT = 15
# --- 启动语音通话 ---
def CallforWho(wx: WeChat, who: str) -> tuple[int|None, bool]:
"""
对指定对象发起语音通话请求。
Args:
wx: 微信应用实例。
who: 通话对象。
Returns:
若拨号成功,返回元组 (句柄号, True)。
否则返回 (None, False)。
"""
logger.info("尝试发起语音通话")
try:
if win32gui.FindWindow('ChatWnd', who):
# --- 若找到了和指定对象的独立聊天窗口,在这个窗口上操作 ---
try:
chat_wnd = ChatWnd(who, wx.language)
chat_wnd._show()
voice_call_button = chat_wnd.UiaAPI.ButtonControl(Name=CALL_BUTTON_NAME)
if voice_call_button.Exists(1):
voice_call_button.Click()
logger.info("已发起通话")
time.sleep(0.5)
hWnd = win32gui.FindWindow(CALL_WINDOW_CLASSNAME, CALL_WINDOW_NAME)
return hWnd, True
else:
logger.error("发起通话时发生错误:找不到通话按钮")
return None, False
except Exception as e:
logger.error(f"发起通话时发生错误: {e}")
return None, False
else:
# --- 未找到独立窗口,需要进入主页面操作 ---
wx._show()
wx.ChatWith(who)
try:
chat_box = wx.ChatBox
if not chat_box.Exists(1):
logger.error("未找到聊天页面")
return None, False
voice_call_button = None
voice_call_button = chat_box.ButtonControl(Name=CALL_BUTTON_NAME)
if voice_call_button.Exists(1):
voice_call_button.Click()
logger.info("已发起通话")
hWnd = win32gui.FindWindow(CALL_WINDOW_CLASSNAME, CALL_WINDOW_NAME)
return hWnd, True
else:
logger.error("发起通话时发生错误:找不到通话按钮")
return None, False
except Exception as e:
logger.error(f"发起通话时发生错误: {e}")
return None, False
except Exception as e:
logger.error(f"发起通话时发生错误: {e}")
return None, False
# --- 挂断语音通话 ---
def CancelCall(hWnd: int) -> bool:
"""
取消/终止语音通话。
Args:
hWnd: 通话窗口的句柄号。
Returns:
若取消/终止成功,返回 True。
否则返回 False。
"""
logger.info("尝试挂断语音通话")
hWnd = hWnd
if hWnd:
try:
call_window = ControlFromHandle(hWnd)
except Exception as e:
logger.error(f"取得窗口控制时发生错误: {e}")
return False
else:
logger.error("找不到通话句柄")
return False
try:
hang_up_button = None
hang_up_button = call_window.ButtonControl(Name=HANG_UP_BUTTON_NAME)
if hang_up_button.Exists(1):
'''
这部分窗口置顶实现参照 wxauto 中的 _show() 方法
'''
win32gui.ShowWindow(hWnd, 1)
win32gui.SetWindowPos(hWnd, -1, 0, 0, 0, 0, 3)
win32gui.SetWindowPos(hWnd, -2, 0, 0, 0, 0, 3)
call_window.SwitchToThisWindow()
hang_up_button.Click()
logger.info("语音通话已挂断")
return True
else:
logger.error("挂断通话时发生错误:找不到挂断按钮")
return False
except Exception as e:
logger.error(f"挂断通话时发生错误: {e}")
return False
def PlayVoice(audio_file_path: str, device = None) -> bool:
"""
播放指定的音频文件到指定的音频输出设备。
Args:
audio_file_path: 要播放的音频文件路径。
device: (可选)音频输出设备的名称。
默认为 None,此时会使用系统默认输出设备。
Returns:
若完整播放,返回 True。
否则返回 False。
"""
logger.info(f"尝试播放音频文件: '{audio_file_path}'")
if device:
logger.info(f"目标输出设备: '{device}'")
else:
logger.info("目标输出设备: 系统默认")
try:
pygame.mixer.quit()
pygame.mixer.init(devicename=device)
pygame.mixer.music.load(audio_file_path)
time.sleep(2)
pygame.mixer.music.play()
logger.info("开始播放音频...")
# 等待音频播放完毕
# 注意:如果 PlayVoice 需要在后台播放而不阻塞主线程,
# 这部分等待逻辑需要移除或修改。
# 当前实现是阻塞的,直到播放完成。
while pygame.mixer.music.get_busy():
time.sleep(0.1)
logger.info("音频播放完毕。")
return True
except pygame.error as e:
logger.error(f"Pygame 错误:{e}")
return False
except FileNotFoundError:
logger.error(f"音频文件未找到:'{audio_file_path}'")
return False
except Exception as e:
logger.error(f"发生未知错误:{e}")
return False
finally:
if pygame.mixer.get_init(): # 检查 mixer 是否已初始化
pygame.mixer.music.stop()
pygame.mixer.quit()
def Call(wx: WeChat, who: str, audio_file_path: str) -> None:
"""
尝试向指定对象发起语音通话,接通后会将指定音频文件输入麦克风,并自动挂断。
Args:
wx: 微信实例。
who: 通话对象。
audio_file_path: 音频文件路径。
Returns:
None
"""
call_hwnd, success = CallforWho(wx, who)
if not success:
logger.error(f"发起通话失败")
return
logger.info(f"等待对方接听 (等待{CALL_TIME_OUT}秒)...")
start_time = time.time()
call_status = 0
call_window = None
try:
call_window = ControlFromHandle(call_hwnd)
# --- 判断通话状态 ---
while time.time() - start_time < CALL_TIME_OUT:
'''
后续会补充通话状态判别原理。
'''
# if not call_window.Exists(0.2, 0.1): # 检查窗口是否在轮询期间关闭
# logger.warning(f"通话窗口 (句柄: {call_hwnd}) 在等待接听时关闭或不再有效 (可能对方已拒接或发生错误)。")
# call_answered = False # 确保状态
# break
hang_up_text = call_window.TextControl(Name=HANG_UP_BUTTON_LABEL)
refuse_msg = call_window.TextControl(Name=REFUSE_MSG)
if hang_up_text.Exists(0.1, 0.1) and not refuse_msg.Exists(0.1, 0.1):
logger.info(f"通话已接通!")
call_status = 1
break
elif hang_up_text.Exists(0.1, 0.1) and refuse_msg.Exists(0.1, 0.1):
logger.info(f"通话被拒接!")
call_status = 2
break
else:
continue
# --- 根据通话状态执行相应操作 ---
if call_status == 1:
'''
待完成:
1. 接通后如何捕捉挂断行为?
2. 挂断后如何中断语音播放?
3. bot 是否要针对挂断做出个性化回应?
'''
PlayVoice(audio_file_path=audio_file_path)
logger.info("语音播放完成,即将挂断...")
CancelCall(call_hwnd)
elif call_status ==2:
'''
待完成:
1. 可以让 bot 回复信息对拒接表示生气。
'''
pass
else:
'''
待完成:
1. 可以让 bot 回复信息对未接听表示生气。
'''
logger.info(f"在超时时间内,对方未接听通话。")
CancelCall(call_hwnd)
except Exception as e:
logger.error(f"处理通话时发生未知错误: {e}")
if call_hwnd is not None: # 对错误进行简单处理,确保有句柄再尝试取消
CancelCall(call_hwnd)
# --- 主程序示例 (仅用于测试版) ---
if __name__ == '__main__':
# 配置日志记录
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - %(module)s.%(funcName)s: %(message)s',
handlers=[
logging.StreamHandler() # 输出到控制台
]
)
logger.info("程序启动")
wx = WeChat()
who = "" # 输入通话对象名称
if wx and who:
try:
Call(wx, who, 'test.mp3')
except Exception as main_e:
logger.error(f"主程序执行过程中发生错误: {main_e}", exc_info=True)
else:
logger.error("未能初始化 WeChat 对象或未指定通话对象。")
logger.info("程序结束")
|
2302_81798979/KouriChat
|
modules/reminder/call.py
|
Python
|
unknown
| 9,748
|
import logging
import threading
import time
import os
import sys
from datetime import datetime
from typing import Dict, List
from wxauto import WeChat
sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), "../../../")))
from modules.reminder.call import Call
from modules.tts.service import tts
from modules.memory import MemoryService
from src.handlers.message import MessageHandler
from src.services.ai.llm_service import LLMService
from data.config import config
logger = logging.getLogger('main')
class ReminderTask:
"""单个提醒任务结构"""
def __init__(self, task_id: str, chat_id: str, target_time: datetime,
content: str, sender_name: str, reminder_type: str = "text"):
self.task_id = task_id
self.chat_id = chat_id
self.target_time = target_time
self.content = content
self.sender_name = sender_name
self.reminder_type = reminder_type
self.audio_path = None
def is_due(self) -> bool:
return datetime.now() >= self.target_time
class ReminderService:
def __init__(self, message_handler: MessageHandler, mem_service: MemoryService):
self.message_handler = message_handler
self.wx = message_handler.wx
self.mem_service = mem_service
self.llm_service = message_handler.deepseek
self.active_reminders: Dict[str, ReminderTask] = {}
self._lock = threading.Lock()
self._start_polling_thread()
logger.info("统一提醒服务已启动")
def _start_polling_thread(self):
thread = threading.Thread(target=self._poll_reminders_loop, daemon=True)
thread.start()
def _poll_reminders_loop(self):
while True:
due_tasks: List[ReminderTask] = []
with self._lock:
for _, task in list(self.active_reminders.items()):
if task.is_due():
due_tasks.append(task)
for task in due_tasks:
del self.active_reminders[task.task_id]
for task in due_tasks:
logger.info(f"到达提醒时间,执行提醒: {task.task_id}")
self._do_remind(task, self.wx)
time.sleep(1)
def _do_remind(self, task: ReminderTask, wx: WeChat):
try:
prompt = self._get_reminder_prompt(task.content)
logger.debug(f"生成提醒消息 - 用户: {task.sender_name}, 类型: {task.reminder_type}, 提示词: {prompt}")
if task.reminder_type == "voice":
Call(wx=wx, who=task.sender_name, audio_file_path=task.audio_path)
tts._del_audio_file(task.audio_path)
else:
self.message_handler.handle_user_message(
content=prompt,
chat_id=task.chat_id,
sender_name="System",
username="System",
is_group=False
)
logger.info(f"已发送提醒消息给 {task.sender_name}")
except Exception as e:
logger.error(f"发送提醒消息失败: {str(e)}")
def _remind_text_generate(self, remind_content: str, sender_name: str):
core_mem = self.mem_service.get_core_memory(avatar_name=self.message_handler.current_avatar, user_id=sender_name)
context = self.mem_service.get_recent_context(avatar_name=self.message_handler.current_avatar, user_id=sender_name)
sys_prompt = f"你将进行角色扮演,请你同用户进行符合人设的交流沟通。你的人设如下:\n\n{self.message_handler.prompt_content}\n\n"
sys_prompt = sys_prompt + f"另外,作为一个仿真的角色扮演者,你需要掌握一些你不一定用到的、但是十分重要的知识:{core_mem}。你的每次回应都不应该违反这些知识!"
messages = [{"role": "system", "content": sys_prompt}, *context[-self.message_handler.max_groups * 2:]]
sys_prompt = f"现在提醒时间到了,用户之前设定的提示内容为“{remind_content}”。请以你的人设中的身份主动找用户聊天。保持角色设定的一致性和上下文的连贯性。"
messages.append({"role": "system", "content": sys_prompt})
request_config = {
"model": self.message_handler.model,
"messages": messages,
"temperature": self.message_handler.temperature,
"max_tokens": self.message_handler.max_token,
}
response = self.llm_service.client.chat.completions.create(**request_config)
raw_content = response.choices[0].message.content
return raw_content
def add_reminder(self, chat_id: str, target_time: datetime, content: str, sender_name: str, reminder_type: str = "text"):
try:
task_id = f"reminder_{chat_id}_{datetime.now().timestamp()}"
task = ReminderTask(task_id, chat_id, target_time, content, sender_name, reminder_type)
if reminder_type == "voice":
logger.info("检测到语音提醒任务,预生成回复中")
remind_text = self._remind_text_generate(remind_content=content, sender_name=sender_name)
logger.info(f"预生成回复:{tts._clear_tts_text(remind_text)}")
logger.info("生成语音中")
audio_file_path = tts._generate_audio_file(tts._clear_tts_text(remind_text))
# 语音生成失败,退化为文本提醒
if audio_file_path is None:
logger.warning("提醒任务语音生成失败,将替换为文本提醒任务")
fixed_task = ReminderTask(task_id, chat_id, target_time, content, sender_name, reminder_type="text")
with self._lock:
self.active_reminders[task_id] = fixed_task
logger.info(f"提醒任务已添加。提醒时间: {target_time}, 内容: {content},用户:{sender_name},类型:{reminder_type}")
# 语音生成成功,保存音频路径到 task 属性中
else:
task.audio_path = audio_file_path
logger.info("提醒任务语音生成完成")
with self._lock:
self.active_reminders[task_id] = task
logger.info(f"提醒任务已添加。提醒时间: {target_time}, 内容: {content},用户:{sender_name},类型:{reminder_type}")
else:
with self._lock:
self.active_reminders[task_id] = task
logger.info(f"提醒任务已添加。提醒时间: {target_time}, 内容: {content},用户:{sender_name},类型:{reminder_type}")
except Exception as e:
logger.error(f"添加提醒任务失败: {str(e)}")
def cancel_reminder(self, task_id: str) -> bool:
with self._lock:
if task_id in self.active_reminders:
del self.active_reminders[task_id]
logger.info(f"提醒任务已取消: {task_id}")
return True
return False
def list_reminders(self) -> List[Dict]:
with self._lock:
return [{
'task_id': task_id,
'chat_id': task.chat_id,
'target_time': task.target_time.isoformat(),
'content': task.content,
'sender_name': task.sender_name,
'reminder_type': task.reminder_type
} for task_id, task in self.active_reminders.items()]
def _get_reminder_prompt(self, content: str) -> str:
return f"""现在提醒时间到了,用户之前设定的提示内容为“{content}”。请以你的人设中的身份主动找用户聊天。保持角色设定的一致性和上下文的连贯性"""
'''
单独对模块进行调试时,可以使用该代码
'''
if __name__ == '__main__':
pass
|
2302_81798979/KouriChat
|
modules/reminder/service.py
|
Python
|
unknown
| 8,033
|
"""
TTS 模块
"""
from .service import TTSService
__all__ = ['TTSService']
|
2302_81798979/KouriChat
|
modules/tts/__init__.py
|
Python
|
unknown
| 76
|
"""
语音处理模块
负责处理语音相关功能,包括:
- 语音请求识别
- TTS语音生成
- 语音文件管理
- 清理临时文件
"""
import os
import logging
import re
import emoji
import sys
from datetime import datetime
from typing import Optional
from fish_audio_sdk import Session, TTSRequest
sys.path.append(os.path.abspath(os.path.join(os.path.dirname(__file__), "../../")))
from data.config import config
# 修改logger获取方式,确保与main模块一致
logger = logging.getLogger('main')
class TTSService:
def __init__(self):
self.root_dir = os.path.abspath(os.path.join(os.path.dirname(__file__), "../../"))
self.voice_dir = os.path.join(self.root_dir, "data", "voices")
self.tts_api_key = config.media.text_to_speech.tts_api_key
# 确保语音目录存在
os.makedirs(self.voice_dir, exist_ok=True)
def _clear_tts_text(self, text: str) -> str:
"""用于清洗回复,使得其适合进行TTS"""
# 完全移除emoji表情符号
try:
# 将emoji转换为空字符串
text = emoji.replace_emoji(text, replace='')
except Exception:
pass
text = text.replace('$',',').replace('\r\n', '\n').replace('\r', '\n').replace('\n',',')
text = re.sub(r'\[.*?\]','', text)
return text.strip()
def _generate_audio_file(self, text: str) -> Optional[str]:
"""调用TTS API生成语音"""
try:
# 确保语音目录存在
if not os.path.exists(self.voice_dir):
os.makedirs(self.voice_dir)
# 生成唯一的文件名
timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
voice_path = os.path.join(self.voice_dir, f"voice_{timestamp}.mp3")
# 调用TTS API
with open(voice_path, "wb") as f:
for chunk in Session(self.tts_api_key).tts(TTSRequest(
reference_id=config.media.text_to_speech.tts_model_id,
text=text
)):
f.write(chunk)
except Exception as e:
logger.error(f"语音生成失败: {str(e)}")
return None
return voice_path
def _del_audio_file(self, audio_file_path: str):
"""清理语音目录中的旧文件"""
try:
if os.path.isfile(audio_file_path):
os.remove(audio_file_path)
logger.info(f"清理语音文件: {audio_file_path}")
except Exception as e:
logger.error(f"清理语音文件失败 {audio_file_path}: {str(e)}")
tts = TTSService()
|
2302_81798979/KouriChat
|
modules/tts/service.py
|
Python
|
unknown
| 2,706
|
@echo off
setlocal enabledelayedexpansion
:: 设置控制台编码为 GBK
chcp 936 >nul
title KouriChat 启动器
cls
echo ====================================
echo K O U R I C H A T
echo ====================================
echo.
echo ╔══════════════════════════════════╗
echo ║ KouriChat - AI Chat ║
echo ║ Created with Heart by KouriTeam ║
echo ╚══════════════════════════════════╝
echo KouriChat - AI Chat Copyright (C) 2025, DeepAnima Network Technology Studio
echo.
:: 添加错误捕获
echo [尝试] 正在启动程序喵...
:: 检测 Python 是否已安装
echo [检测] 正在检测Python环境喵...
python --version >nul 2>&1
if errorlevel 1 (
echo [错误] Python未安装,请先安装Python喵...
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
:: 检测 Python 版本
for /f "tokens=2" %%I in ('python -V 2^>^&1') do set PYTHON_VERSION=%%I
echo [尝试] 检测到Python版本: !PYTHON_VERSION!
for /f "tokens=2 delims=." %%I in ("!PYTHON_VERSION!") do set MINOR_VERSION=%%I
if !MINOR_VERSION! GEQ 13 (
echo [警告] 不支持 Python 3.12 及更高版本喵...
echo [警告] 请使用 Python 3.11 或更低版本喵...
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
:: 设置虚拟环境目录
set VENV_DIR=.venv
:: 如果虚拟环境不存在或激活脚本不存在,则重新创建
if not exist %VENV_DIR% (
goto :create_venv
) else if not exist %VENV_DIR%\Scripts\activate.bat (
echo [警告] 虚拟环境似乎已损坏,正在重新创建喵...
rmdir /s /q %VENV_DIR% 2>nul
goto :create_venv
) else (
goto :activate_venv
)
:create_venv
echo [尝试] 正在创建虚拟环境喵...
python -m venv %VENV_DIR% 2>nul
if errorlevel 1 (
echo [错误] 创建虚拟环境失败喵...
echo.
echo 可能原因:
echo 1. Python venv 模块未安装喵...
echo 2. 权限不足喵...
echo 3. 磁盘空间不足喵...
echo.
echo 尝试安装 venv 模块喵...
python -m pip install virtualenv
if errorlevel 1 (
echo [错误] 安装 virtualenv 失败
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
echo [尝试] 使用 virtualenv 创建虚拟环境喵...
python -m virtualenv %VENV_DIR%
if errorlevel 1 (
echo [错误] 创建虚拟环境仍然失败喵...
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
)
echo [成功] 虚拟环境已创建喵...
:activate_venv
:: 激活虚拟环境
echo [尝试] 正在激活虚拟环境喵...
:: 再次检查激活脚本是否存在
if not exist %VENV_DIR%\Scripts\activate.bat (
echo [警告] 虚拟环境激活脚本不存在
echo.
echo 将直接使用系统 Python 继续...
goto :skip_venv
)
call %VENV_DIR%\Scripts\activate.bat 2>nul
if errorlevel 1 (
echo [警告] 虚拟环境激活失败,将直接使用系统 Python 继续喵...
goto :skip_venv
)
echo [成功] 虚拟环境已激活喵...
goto :install_deps
:skip_venv
echo [尝试] 将使用系统 Python 继续运行喵...
:install_deps
:: 设置镜像源列表
set "MIRRORS[1]=阿里云源|https://mirrors.aliyun.com/pypi/simple/"
set "MIRRORS[2]=清华源|https://pypi.tuna.tsinghua.edu.cn/simple"
set "MIRRORS[3]=腾讯源|https://mirrors.cloud.tencent.com/pypi/simple"
set "MIRRORS[4]=中科大源|https://pypi.mirrors.ustc.edu.cn/simple/"
set "MIRRORS[5]=豆瓣源|http://pypi.douban.com/simple/"
set "MIRRORS[6]=网易源|https://mirrors.163.com/pypi/simple/"
:: 检查requirements.txt是否存在
if not exist requirements.txt (
echo [警告] requirements.txt 文件不存在,跳过依赖安装喵...
) else (
:: 安装依赖
echo [尝试] 开始安装依赖喵...
set SUCCESS=0
for /L %%i in (1,1,6) do (
if !SUCCESS! EQU 0 (
for /f "tokens=1,2 delims=|" %%a in ("!MIRRORS[%%i]!") do (
echo [尝试] 使用%%a安装依赖喵...
pip install -r requirements.txt -i %%b
if !errorlevel! EQU 0 (
echo [成功] 使用%%a安装依赖成功!
set SUCCESS=1
) else (
echo [失败] %%a安装失败,尝试下一个源喵...
echo ──────────────────────────────────────────────────────
)
)
)
)
if !SUCCESS! EQU 0 (
echo [错误] 所有镜像源安装失败,请检查喵:
echo 1. 网络连接问题喵...
echo 2. 手动安装:pip install -r requirements.txt喵...
echo 3. 临时关闭防火墙/安全软件喵...
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
)
:: 检查配置文件是否存在
if not exist run_config_web.py (
echo [错误] 配置文件 run_config_web.py 不存在喵...
echo.
echo 按任意键退出...
pause >nul
exit /b 1
)
:: 运行程序
echo [尝试] 正在启动应用程序喵...
python run_config_web.py
set PROGRAM_EXIT_CODE=%errorlevel%
:: 异常退出处理
if %PROGRAM_EXIT_CODE% NEQ 0 (
echo [错误] 程序异常退出,错误代码: %PROGRAM_EXIT_CODE%...
echo.
echo 可能原因:
echo 1. Python模块缺失喵...
echo 2. 程序内部错误喵...
echo 3. 权限不足喵...
)
:: 退出虚拟环境(如果已激活)
if exist %VENV_DIR%\Scripts\deactivate.bat (
echo [尝试] 正在退出虚拟环境喵...
call %VENV_DIR%\Scripts\deactivate.bat 2>nul
)
echo [尝试] 程序已结束喵...
echo.
echo 按任意键退出喵...
pause >nul
exit /b %PROGRAM_EXIT_CODE%
|
2302_81798979/KouriChat
|
run.bat
|
Batchfile
|
unknown
| 5,970
|
"""
主程序入口文件
负责启动聊天机器人程序,包括:
- 初始化Python路径
- 禁用字节码缓存
- 清理缓存文件
- 启动主程序
"""
import os
import sys
import time
from colorama import init
import codecs
from src.utils.console import print_status, print_banner
# 设置系统默认编码为 UTF-8
if sys.platform.startswith('win'):
sys.stdout = codecs.getwriter('utf-8')(sys.stdout.buffer)
sys.stderr = codecs.getwriter('utf-8')(sys.stderr.buffer)
# 初始化colorama
init()
# 禁止生成__pycache__文件夹
sys.dont_write_bytecode = True
# 将项目根目录添加到Python路径
root_dir = os.path.dirname(os.path.abspath(__file__))
sys.path.append(root_dir)
# 将src目录添加到Python路径
src_path = os.path.join(root_dir, 'src')
sys.path.append(src_path)
def initialize_system():
"""初始化系统"""
try:
from src.utils.cleanup import cleanup_pycache
from src.main import main
from src.autoupdate.updater import Updater # 导入更新器
print_banner()
print_status("系统初始化中...", "info", "LAUNCH")
print("-" * 50)
# 检查Python路径
print_status("检查系统路径...", "info", "FILE")
if src_path not in sys.path:
print_status("添加src目录到Python路径", "info", "FILE")
print_status("系统路径检查完成", "success", "CHECK")
# 检查缓存设置
print_status("检查缓存设置...", "info", "CONFIG")
if sys.dont_write_bytecode:
print_status("已禁用字节码缓存", "success", "CHECK")
# 清理缓存文件
print_status("清理系统缓存...", "info", "CLEAN")
try:
cleanup_pycache()
from src.utils.logger import LoggerConfig
from src.utils.cleanup import CleanupUtils
from src.handlers.image import ImageHandler
from data.config import config
root_dir = os.path.dirname(src_path)
logger_config = LoggerConfig(root_dir)
cleanup_utils = CleanupUtils(root_dir)
image_handler = ImageHandler(
root_dir=root_dir,
api_key=config.llm.api_key,
base_url=config.llm.base_url,
image_model=config.media.image_generation.model
)
logger_config.cleanup_old_logs()
cleanup_utils.cleanup_all()
image_handler.cleanup_temp_dir()
# 清理更新残留文件
print_status("清理更新残留文件...", "info", "CLEAN")
try:
updater = Updater()
updater.cleanup() # 调用清理功能
print_status("更新残留文件清理完成", "success", "CHECK")
except Exception as e:
print_status(f"清理更新残留文件失败: {str(e)}", "warning", "CROSS")
except Exception as e:
print_status(f"清理缓存失败: {str(e)}", "warning", "CROSS")
print_status("缓存清理完成", "success", "CHECK")
# 检查必要目录
print_status("检查必要目录...", "info", "FILE")
required_dirs = ['data', 'logs', 'data/config']
for dir_name in required_dirs:
dir_path = os.path.join(os.path.dirname(src_path), dir_name)
if not os.path.exists(dir_path):
os.makedirs(dir_path)
print_status(f"创建目录: {dir_name}", "info", "FILE")
print_status("目录检查完成", "success", "CHECK")
print("-" * 50)
print_status("系统初始化完成", "success", "STAR_1")
time.sleep(1) # 稍微停顿以便用户看清状态
# 启动主程序
print_status("启动主程序...", "info", "LAUNCH")
print("=" * 50)
main()
except ImportError as e:
print_status(f"导入模块失败: {str(e)}", "error", "CROSS")
sys.exit(1)
except Exception as e:
print_status(f"初始化失败: {str(e)}", "error", "ERROR")
sys.exit(1)
if __name__ == '__main__':
try:
print_status("启动聊天机器人...", "info", "BOT")
initialize_system()
except KeyboardInterrupt:
print("\n")
print_status("正在关闭系统...", "warning", "STOP")
print_status("感谢使用,再见!", "info", "BYE")
print("\n")
except Exception as e:
print_status(f"系统错误: {str(e)}", "error", "ERROR")
sys.exit(1)
|
2302_81798979/KouriChat
|
run.py
|
Python
|
unknown
| 4,537
|
"""
配置管理Web界面启动文件
提供Web配置界面功能,包括:
- 初始化Python路径
- 禁用字节码缓存
- 清理缓存文件
- 启动Web服务器
- 动态修改配置
"""
import os
import sys
import re
import logging
from flask import Flask, render_template, jsonify, request, send_from_directory, redirect, url_for, session, g
import importlib
import json
from colorama import init, Fore, Style
from werkzeug.utils import secure_filename
from typing import Dict, Any, List
import psutil
import subprocess
import threading
from src.autoupdate.updater import Updater
import requests
import time
from queue import Queue
import datetime
from logging.config import dictConfig
import shutil
import signal
import atexit
import socket
import webbrowser
import hashlib
import secrets
from datetime import timedelta
from src.utils.console import print_status
from src.avatar_manager import avatar_manager # 导入角色设定管理器
from src.webui.routes.avatar import avatar_bp
import ctypes
import win32api
import win32con
import win32job
import win32process
# 在文件开头添加全局变量声明
bot_process = None
bot_start_time = None
bot_logs = Queue(maxsize=1000)
job_object = None # 添加全局作业对象变量
# 配置日志
dictConfig({
'version': 1,
'formatters': {
'default': {
'format': '[%(asctime)s] %(levelname)s: %(message)s',
'datefmt': '%Y-%m-%d %H:%M:%S'
}
},
'handlers': {
'console': {
'class': 'logging.StreamHandler',
'formatter': 'default',
'level': 'INFO'
}
},
'root': {
'level': 'INFO',
'handlers': ['console']
},
'loggers': {
'werkzeug': {
'level': 'ERROR', # 将 Werkzeug 的日志级别设置为 ERROR
'handlers': ['console'],
'propagate': False
}
}
})
# 初始化日志记录器
logger = logging.getLogger(__name__)
# 初始化colorama
init()
# 添加项目根目录到Python路径
ROOT_DIR = os.path.dirname(os.path.abspath(__file__))
sys.path.append(ROOT_DIR)
# 定义配置文件路径
config_path = os.path.join(ROOT_DIR, 'data/config/config.json') # 将配置路径定义为全局常量
# 禁用Python的字节码缓存
sys.dont_write_bytecode = True
# 定义模板和静态文件目录
templates_dir = os.path.join(ROOT_DIR, 'src/webui/templates')
static_dir = os.path.join(ROOT_DIR, 'src/webui/static')
# 确保目录存在
os.makedirs(templates_dir, exist_ok=True)
os.makedirs(static_dir, exist_ok=True)
os.makedirs(os.path.join(static_dir, 'js'), exist_ok=True)
os.makedirs(os.path.join(static_dir, 'css'), exist_ok=True)
app = Flask(__name__,
template_folder=templates_dir,
static_folder=static_dir)
# 添加配置
app.config['UPLOAD_FOLDER'] = os.path.join(ROOT_DIR, 'src/webui/background_image')
# 确保上传目录存在
os.makedirs(app.config['UPLOAD_FOLDER'], exist_ok=True)
# 生成密钥用于session加密
app.secret_key = secrets.token_hex(16)
# 在 app 初始化后添加
try:
app.register_blueprint(avatar_manager)
app.register_blueprint(avatar_bp)
logger.debug("成功注册蓝图组件")
except Exception as e:
logger.error(f"注册蓝图组件失败: {str(e)}")
# 导入更新器中的常量
from src.autoupdate.updater import Updater
# 在应用启动时检查云端更新和公告
def check_cloud_updates_on_startup():
try:
from src.autoupdate.updater import check_cloud_info
logger.info("应用启动时检查云端更新...")
check_cloud_info()
logger.info("云端更新检查完成")
# 触发公告处理但不显示桌面弹窗
try:
from src.autoupdate.core.manager import get_manager
# 触发更新检查和公告处理
manager = get_manager()
manager.check_and_process_updates()
logger.info("公告数据处理完成,将在Web页面显示")
except Exception as announcement_error:
logger.error(f"公告处理失败: {announcement_error}")
except Exception as e:
logger.error(f"检查云端更新失败: {e}")
# 启动一个后台线程来检查云端更新
update_thread = threading.Thread(target=check_cloud_updates_on_startup)
update_thread.daemon = True
update_thread.start()
def get_available_avatars() -> List[str]:
"""获取可用的人设目录列表"""
avatar_base_dir = os.path.join(ROOT_DIR, "data/avatars")
if not os.path.exists(avatar_base_dir):
os.makedirs(avatar_base_dir, exist_ok=True)
logger.info(f"创建人设目录: {avatar_base_dir}")
return []
# 获取所有包含 avatar.md 和 emojis 目录的有效人设目录
avatars = []
for item in os.listdir(avatar_base_dir):
avatar_dir = os.path.join(avatar_base_dir, item)
if os.path.isdir(avatar_dir):
avatar_md_path = os.path.join(avatar_dir, "avatar.md")
emojis_dir = os.path.join(avatar_dir, "emojis")
# 如果缺少必要文件,尝试创建
if not os.path.exists(emojis_dir):
os.makedirs(emojis_dir, exist_ok=True)
logger.info(f"为人设 {item} 创建表情包目录")
if not os.path.exists(avatar_md_path):
with open(avatar_md_path, 'w', encoding='utf-8') as f:
f.write("# 任务\n请在此处描述角色的任务和目标\n\n# 角色\n请在此处描述角色的基本信息\n\n# 外表\n请在此处描述角色的外表特征\n\n# 经历\n请在此处描述角色的经历和背景故事\n\n# 性格\n请在此处描述角色的性格特点\n\n# 经典台词\n请在此处列出角色的经典台词\n\n# 喜好\n请在此处描述角色的喜好\n\n# 备注\n其他需要补充的信息")
logger.info(f"为人设 {item} 创建模板avatar.md文件")
# 检查文件和目录是否存在
if os.path.exists(avatar_md_path) and os.path.exists(emojis_dir):
avatars.append(f"data/avatars/{item}")
# 如果没有人设,创建默认人设
if not avatars:
default_avatar = "MONO"
default_dir = os.path.join(avatar_base_dir, default_avatar)
os.makedirs(default_dir, exist_ok=True)
os.makedirs(os.path.join(default_dir, "emojis"), exist_ok=True)
# 创建默认人设文件
with open(os.path.join(default_dir, "avatar.md"), 'w', encoding='utf-8') as f:
f.write("# 任务\n作为一个温柔体贴的虚拟助手,为用户提供陪伴和帮助\n\n# 角色\n名字: MONO\n身份: AI助手\n\n# 外表\n清新甜美的少女形象\n\n# 经历\n被创造出来陪伴用户\n\n# 性格\n温柔、体贴、善解人意\n\n# 经典台词\n\"我会一直陪着你的~\"\n\"今天过得怎么样呀?\"\n\"需要我做什么呢?\"\n\n# 喜好\n喜欢和用户聊天\n喜欢分享知识\n\n# 备注\n默认人设")
avatars.append(f"data/avatars/{default_avatar}")
logger.info("创建了默认人设 MONO")
return avatars
def parse_config_groups() -> Dict[str, Dict[str, Any]]:
"""解析配置文件,将配置项按组分类"""
from data.config import config
try:
# 基础配置组
config_groups = {
"基础配置": {},
"TTS 服务配置": {},
"图像识别API配置": {},
"意图识别API配置": {},
"主动消息配置": {},
"消息配置": {},
"人设配置": {},
"网络搜索配置": {},
"世界书":{}
}
# 基础配置
config_groups["基础配置"].update(
{
"LISTEN_LIST": {
"value": config.user.listen_list,
"description": "用户列表(请配置要和bot说话的账号的昵称或者群名,不要写备注!昵称尽量别用特殊字符)",
},
"GROUP_CHAT_CONFIG": {
"value": [
{
"id": item.id,
"groupName": item.group_name,
"avatar": item.avatar,
"triggers": item.triggers,
"enableAtTrigger": item.enable_at_trigger
} for item in config.user.group_chat_config
],
"description": "群聊配置列表(为不同群聊配置专用人设和触发词)",
},
"DEEPSEEK_BASE_URL": {
"value": config.llm.base_url,
"description": "API注册地址",
},
"MODEL": {"value": config.llm.model, "description": "AI模型选择"},
"DEEPSEEK_API_KEY": {
"value": config.llm.api_key,
"description": "API密钥",
},
"MAX_TOKEN": {
"value": config.llm.max_tokens,
"description": "回复最大token数",
"type": "number",
},
"TEMPERATURE": {
"value": float(config.llm.temperature), # 确保是浮点数
"type": "number",
"description": "温度参数",
"min": 0.0,
"max": 1.7,
},
"AUTO_MODEL_SWITCH": {
"value": config.llm.auto_model_switch,
"type": "boolean",
"description": "自动切换模型"
},
}
)
# TTS 服务配置
config_groups["TTS 服务配置"].update(
{
"TTS_API_KEY":{
"value":config.media.text_to_speech.tts_api_key,
"description": "Fish Audio API 密钥"
},
"TTS_MODEL_ID":{
"value":config.media.text_to_speech.tts_model_id,
"description": "进行 TTS 的模型 ID"
}
}
)
# 图像识别API配置
config_groups["图像识别API配置"].update(
{
"VISION_BASE_URL": {
"value": config.media.image_recognition.base_url,
"description": "服务地址",
"has_provider_options": True
},
"VISION_API_KEY": {
"value": config.media.image_recognition.api_key,
"description": "API密钥",
"is_secret": False
},
"VISION_MODEL": {
"value": config.media.image_recognition.model,
"description": "模型名称",
"has_model_options": True
},
"VISION_TEMPERATURE": {
"value": float(config.media.image_recognition.temperature),
"description": "温度参数",
"type": "number",
"min": 0.0,
"max": 1.0
}
}
)
# 意图识别API配置
config_groups["意图识别API配置"].update(
{
"INTENT_BASE_URL": {
"value": config.intent_recognition.base_url,
"description": "API注册地址",
"has_provider_options": True
},
"INTENT_API_KEY": {
"value": config.intent_recognition.api_key,
"description": "API密钥",
"is_secret": False
},
"INTENT_MODEL": {
"value": config.intent_recognition.model,
"description": "AI模型选择",
"has_model_options": True
},
"INTENT_TEMPERATURE": {
"value": float(config.intent_recognition.temperature),
"description": "温度参数",
"type": "number",
"min": 0.0,
"max": 1.0
}
}
)
# 主动消息配置
config_groups["主动消息配置"].update(
{
"AUTO_MESSAGE": {
"value": config.behavior.auto_message.content,
"description": "自动消息内容",
},
"MIN_COUNTDOWN_HOURS": {
"value": config.behavior.auto_message.min_hours,
"description": "最小倒计时时间(小时)",
},
"MAX_COUNTDOWN_HOURS": {
"value": config.behavior.auto_message.max_hours,
"description": "最大倒计时时间(小时)",
},
"QUIET_TIME_START": {
"value": config.behavior.quiet_time.start,
"description": "安静时间开始",
},
"QUIET_TIME_END": {
"value": config.behavior.quiet_time.end,
"description": "安静时间结束",
},
}
)
# 消息配置
config_groups["消息配置"].update(
{
"QUEUE_TIMEOUT": {
"value": config.behavior.message_queue.timeout,
"description": "消息队列等待时间(秒)",
"type": "number",
"min": 8,
"max": 20
}
}
)
# 人设配置
available_avatars = get_available_avatars()
config_groups["人设配置"].update(
{
"MAX_GROUPS": {
"value": config.behavior.context.max_groups,
"description": "最大的上下文轮数",
},
"AVATAR_DIR": {
"value": config.behavior.context.avatar_dir,
"description": "人设目录(自动包含 avatar.md 和 emojis 目录)",
"options": available_avatars,
"type": "select"
}
}
)
# 网络搜索配置
config_groups["网络搜索配置"].update(
{
"NETWORK_SEARCH_ENABLED": {
"value": config.network_search.search_enabled,
"type": "boolean",
"description": "启用网络搜索功能(仅支持Kouri API)",
},
"WEBLENS_ENABLED": {
"value": config.network_search.weblens_enabled,
"type": "boolean",
"description": "启用网页内容提取功能(仅支持Kouri API)",
},
"NETWORK_SEARCH_API_KEY": {
"value": config.network_search.api_key,
"type": "string",
"description": "Kouri API 密钥(留空则使用 LLM 设置中的 API 密钥)",
"is_secret": True
}
# "NETWORK_SEARCH_BASE_URL": {
# "value": config.network_search.base_url,
# "type": "string",
# "description": "网络搜索 API 基础 URL(留空则使用 LLM 设置中的 URL)",
# }
}
)
# 世界书配置
worldview = ""
try:
worldview_file_path = os.path.join(ROOT_DIR, 'src/base/worldview.md')
with open(worldview_file_path, 'r', encoding='utf-8') as f:
worldview = f.read()
except Exception as e:
logger.error(f"读取世界观失败: {str(e)}")
config_groups['世界书'] = {
'worldview': {
'value': worldview,
'type': 'text',
'description': '内容'
}
}
# 直接从配置文件读取定时任务数据
tasks = []
try:
config_path = os.path.join(ROOT_DIR, 'data/config/config.json')
with open(config_path, 'r', encoding='utf-8') as f:
config_data = json.load(f)
if 'categories' in config_data and 'schedule_settings' in config_data['categories']:
if 'settings' in config_data['categories']['schedule_settings'] and 'tasks' in config_data['categories']['schedule_settings']['settings']:
tasks = config_data['categories']['schedule_settings']['settings']['tasks'].get('value', [])
except Exception as e:
logger.error(f"读取任务数据失败: {str(e)}")
# 将定时任务配置添加到 config_groups 中
config_groups['定时任务配置'] = {
'tasks': {
'value': tasks,
'type': 'array',
'description': '定时任务列表'
}
}
logger.debug(f"解析后的定时任务配置: {tasks}")
return config_groups
except Exception as e:
logger.error(f"解析配置组失败: {str(e)}")
return {}
@app.route('/')
def index():
"""重定向到控制台"""
return redirect(url_for('dashboard'))
def load_config_file():
"""从配置文件加载配置数据"""
try:
with open(config_path, 'r', encoding='utf-8') as f:
return json.load(f)
except Exception as e:
logger.error(f"加载配置失败: {str(e)}")
return {"categories": {}}
def save_config_file(config_data):
"""保存配置数据到配置文件"""
try:
with open(config_path, 'w', encoding='utf-8') as f:
json.dump(config_data, f, ensure_ascii=False, indent=4)
return True
except Exception as e:
logger.error(f"保存配置失败: {str(e)}")
return False
def reinitialize_tasks():
"""重新初始化定时任务"""
try:
# 直接修改配置文件,不需要重新初始化任务
# 因为任务会在主程序启动时自动加载
logger.info("配置已更新,任务将在主程序下次启动时生效")
return True
except Exception as e:
logger.error(f"更新任务配置失败: {str(e)}")
return False
@app.route('/save', methods=['POST'])
def save_config():
"""保存配置"""
try:
# 检查Content-Type
if not request.is_json:
return jsonify({
"status": "error",
"message": "请求Content-Type必须是application/json",
"title": "错误"
}), 415
# 获取JSON数据
config_data = request.get_json()
if not config_data:
return jsonify({
"status": "error",
"message": "无效的JSON数据",
"title": "错误"
}), 400
# 读取当前配置
current_config = load_config_file()
# 处理配置更新
for key, value in config_data.items():
# 处理任务配置
if key == 'TASKS':
try:
tasks = value if isinstance(value, list) else (json.loads(value) if isinstance(value, str) else [])
# 确保schedule_settings结构存在
if 'categories' not in current_config:
current_config['categories'] = {}
if 'schedule_settings' not in current_config['categories']:
current_config['categories']['schedule_settings'] = {
'title': '定时任务配置',
'settings': {}
}
if 'settings' not in current_config['categories']['schedule_settings']:
current_config['categories']['schedule_settings']['settings'] = {}
if 'tasks' not in current_config['categories']['schedule_settings']['settings']:
current_config['categories']['schedule_settings']['settings']['tasks'] = {
'value': [],
'type': 'array',
'description': '定时任务列表'
}
# 更新任务列表
current_config['categories']['schedule_settings']['settings']['tasks']['value'] = tasks
except Exception as e:
logger.error(f"处理定时任务配置失败: {str(e)}")
return jsonify({
"status": "error",
"message": f"处理定时任务配置失败: {str(e)}",
"title": "错误"
}), 400
# 处理其他配置项
elif key in ['LISTEN_LIST', 'GROUP_CHAT_CONFIG', 'DEEPSEEK_BASE_URL', 'MODEL', 'DEEPSEEK_API_KEY', 'MAX_TOKEN', 'TEMPERATURE','AUTO_MODEL_SWITCH',
'VISION_API_KEY', 'VISION_BASE_URL', 'VISION_TEMPERATURE', 'VISION_MODEL',
'INTENT_API_KEY', 'INTENT_BASE_URL', 'INTENT_MODEL', 'INTENT_TEMPERATURE',
'IMAGE_MODEL', 'TEMP_IMAGE_DIR', 'AUTO_MESSAGE', 'MIN_COUNTDOWN_HOURS', 'MAX_COUNTDOWN_HOURS',
'QUIET_TIME_START', 'QUIET_TIME_END', 'TTS_API_URL', 'VOICE_DIR', 'MAX_GROUPS', 'AVATAR_DIR',
'QUEUE_TIMEOUT', 'NETWORK_SEARCH_ENABLED', 'WEBLENS_ENABLED', 'NETWORK_SEARCH_API_KEY', 'NETWORK_SEARCH_BASE_URL', 'TTS_API_KEY', 'TTS_MODEL_ID']:
update_config_value(current_config, key, value)
elif key == 'WORLDVIEW':
worldview_file_path = os.path.join(ROOT_DIR, 'src/base/worldview.md')
try:
with open(worldview_file_path, 'w', encoding='utf-8') as f:
f.write(value)
except Exception as e:
logger.error(f"保存世界观配置失败: {str(e)}")
else:
logger.warning(f"未知的配置项: {key}")
# 保存配置
if not save_config_file(current_config):
return jsonify({
"status": "error",
"message": "保存配置文件失败",
"title": "错误"
}), 500
# 立即重新加载配置
g.config_data = current_config
return jsonify({
"status": "success",
"message": "✨ 配置已成功保存并生效",
"title": "保存成功"
})
except Exception as e:
logger.error(f"保存配置失败: {str(e)}")
return jsonify({
"status": "error",
"message": f"保存失败: {str(e)}",
"title": "错误"
}), 500
def update_config_value(config_data, key, value):
"""更新配置值到正确的位置"""
try:
# 配置项映射表 - 修正路径以匹配实际配置结构
mapping = {
'LISTEN_LIST': ['categories', 'user_settings', 'settings', 'listen_list', 'value'],
'GROUP_CHAT_CONFIG': ['categories', 'user_settings', 'settings', 'group_chat_config', 'value'],
'DEEPSEEK_BASE_URL': ['categories', 'llm_settings', 'settings', 'base_url', 'value'],
'MODEL': ['categories', 'llm_settings', 'settings', 'model', 'value'],
'DEEPSEEK_API_KEY': ['categories', 'llm_settings', 'settings', 'api_key', 'value'],
'MAX_TOKEN': ['categories', 'llm_settings', 'settings', 'max_tokens', 'value'],
'TEMPERATURE': ['categories', 'llm_settings', 'settings', 'temperature', 'value'],
'AUTO_MODEL_SWITCH': ['categories', 'llm_settings', 'settings', 'auto_model_switch', 'value'],
'VISION_API_KEY': ['categories', 'media_settings', 'settings', 'image_recognition', 'api_key', 'value'],
'NETWORK_SEARCH_ENABLED': ['categories', 'network_search_settings', 'settings', 'search_enabled', 'value'],
'WEBLENS_ENABLED': ['categories', 'network_search_settings', 'settings', 'weblens_enabled', 'value'],
'NETWORK_SEARCH_API_KEY': ['categories', 'network_search_settings', 'settings', 'api_key', 'value'],
'NETWORK_SEARCH_BASE_URL': ['categories', 'network_search_settings', 'settings', 'base_url', 'value'],
'TTS_API_KEY': ['categories', 'media_settings', 'settings', 'text_to_speech', 'tts_api_key', 'value'],
'TTS_MODEL_ID': ['categories', 'media_settings', 'settings', 'text_to_speech', 'tts_model_id', 'value'],
'VISION_BASE_URL': ['categories', 'media_settings', 'settings', 'image_recognition', 'base_url', 'value'],
'VISION_TEMPERATURE': ['categories', 'media_settings', 'settings', 'image_recognition', 'temperature', 'value'],
'VISION_MODEL': ['categories', 'media_settings', 'settings', 'image_recognition', 'model', 'value'],
'INTENT_API_KEY': ['categories', 'intent_recognition_settings', 'settings', 'api_key', 'value'],
'INTENT_BASE_URL': ['categories', 'intent_recognition_settings', 'settings', 'base_url', 'value'],
'INTENT_MODEL': ['categories', 'intent_recognition_settings', 'settings', 'model', 'value'],
'INTENT_TEMPERATURE': ['categories', 'intent_recognition_settings', 'settings', 'temperature', 'value'],
'IMAGE_MODEL': ['categories', 'media_settings', 'settings', 'image_generation', 'model', 'value'],
'TEMP_IMAGE_DIR': ['categories', 'media_settings', 'settings', 'image_generation', 'temp_dir', 'value'],
'TTS_API_URL': ['categories', 'media_settings', 'settings', 'text_to_speech', 'tts_api_url', 'value'],
'VOICE_DIR': ['categories', 'media_settings', 'settings', 'text_to_speech', 'voice_dir', 'value'],
'AUTO_MESSAGE': ['categories', 'behavior_settings', 'settings', 'auto_message', 'content', 'value'],
'MIN_COUNTDOWN_HOURS': ['categories', 'behavior_settings', 'settings', 'auto_message', 'countdown', 'min_hours', 'value'],
'MAX_COUNTDOWN_HOURS': ['categories', 'behavior_settings', 'settings', 'auto_message', 'countdown', 'max_hours', 'value'],
'QUIET_TIME_START': ['categories', 'behavior_settings', 'settings', 'quiet_time', 'start', 'value'],
'QUIET_TIME_END': ['categories', 'behavior_settings', 'settings', 'quiet_time', 'end', 'value'],
'QUEUE_TIMEOUT': ['categories', 'behavior_settings', 'settings', 'message_queue', 'timeout', 'value'],
'MAX_GROUPS': ['categories', 'behavior_settings', 'settings', 'context', 'max_groups', 'value'],
'AVATAR_DIR': ['categories', 'behavior_settings', 'settings', 'context', 'avatar_dir', 'value'],
}
if key in mapping:
path = mapping[key]
current = config_data
# 特殊处理 LISTEN_LIST,确保它始终是列表类型
if key == 'LISTEN_LIST' and isinstance(value, str):
value = value.split(',')
value = [item.strip() for item in value if item.strip()]
# 特殊处理 GROUP_CHAT_CONFIG,确保它是正确的列表格式
elif key == 'GROUP_CHAT_CONFIG':
if isinstance(value, str):
try:
value = json.loads(value)
except:
value = []
elif not isinstance(value, list):
value = []
# 特殊处理API相关配置
if key in ['DEEPSEEK_BASE_URL', 'MODEL', 'DEEPSEEK_API_KEY', 'MAX_TOKEN', 'TEMPERATURE', 'AUTO_MODEL_SWITCH']:
# 确保llm_settings结构存在
if 'categories' not in current:
current['categories'] = {}
if 'llm_settings' not in current['categories']:
current['categories']['llm_settings'] = {'title': '大语言模型配置', 'settings': {}}
if 'settings' not in current['categories']['llm_settings']:
current['categories']['llm_settings']['settings'] = {}
# 更新对应的配置项
if key == 'DEEPSEEK_BASE_URL':
current['categories']['llm_settings']['settings']['base_url'] = {'value': value}
elif key == 'MODEL':
current['categories']['llm_settings']['settings']['model'] = {'value': value}
elif key == 'DEEPSEEK_API_KEY':
current['categories']['llm_settings']['settings']['api_key'] = {'value': value}
elif key == 'MAX_TOKEN':
current['categories']['llm_settings']['settings']['max_tokens'] = {'value': value}
elif key == 'TEMPERATURE':
current['categories']['llm_settings']['settings']['temperature'] = {'value': value}
elif key == 'AUTO_MODEL_SWITCH':
current['categories']['llm_settings']['settings']['auto_model_switch'] = {'value': True if value == 'on' else False, 'type': 'boolean'}
return
# 特殊处理网络搜索相关配置
elif key in ['NETWORK_SEARCH_ENABLED', 'WEBLENS_ENABLED',
'NETWORK_SEARCH_API_KEY', 'NETWORK_SEARCH_BASE_URL']:
# 确保network_search_settings结构存在
if 'categories' not in current:
current['categories'] = {}
if 'network_search_settings' not in current['categories']:
current['categories']['network_search_settings'] = {'title': '网络搜索设置', 'settings': {}}
if 'settings' not in current['categories']['network_search_settings']:
current['categories']['network_search_settings']['settings'] = {}
# 更新对应的配置项
if key == 'NETWORK_SEARCH_ENABLED':
current['categories']['network_search_settings']['settings']['search_enabled'] = {'value': value, 'type': 'boolean'}
elif key == 'WEBLENS_ENABLED':
current['categories']['network_search_settings']['settings']['weblens_enabled'] = {'value': value, 'type': 'boolean'}
elif key == 'NETWORK_SEARCH_API_KEY':
current['categories']['network_search_settings']['settings']['api_key'] = {'value': value}
elif key == 'NETWORK_SEARCH_BASE_URL':
current['categories']['network_search_settings']['settings']['base_url'] = {'value': value}
return
# 特殊处理意图识别相关配置
elif key in ['INTENT_API_KEY', 'INTENT_BASE_URL',
'INTENT_MODEL', 'INTENT_TEMPERATURE']:
# 确保intent_recognition_settings结构存在
if 'categories' not in current:
current['categories'] = {}
if 'intent_recognition_settings' not in current['categories']:
current['categories']['intent_recognition_settings'] = {'title': '意图识别配置', 'settings': {}}
if 'settings' not in current['categories']['intent_recognition_settings']:
current['categories']['intent_recognition_settings']['settings'] = {}
# 更新对应的配置项
if key == 'INTENT_API_KEY':
current['categories']['intent_recognition_settings']['settings']['api_key'] = {'value': value, 'type': 'string', 'is_secret': True}
elif key == 'INTENT_BASE_URL':
current['categories']['intent_recognition_settings']['settings']['base_url'] = {'value': value, 'type': 'string'}
elif key == 'INTENT_MODEL':
current['categories']['intent_recognition_settings']['settings']['model'] = {'value': value, 'type': 'string'}
elif key == 'INTENT_TEMPERATURE':
current['categories']['intent_recognition_settings']['settings']['temperature'] = {'value': float(value), 'type': 'number', 'min': 0.0, 'max': 1.0}
return
# 遍历路径直到倒数第二个元素
for part in path[:-1]:
if part not in current:
current[part] = {}
current = current[part]
# 设置最终值,确保类型正确
if isinstance(value, str) and key in ['MAX_TOKEN', 'TEMPERATURE', 'VISION_TEMPERATURE',
'MIN_COUNTDOWN_HOURS', 'MAX_COUNTDOWN_HOURS', 'MAX_GROUPS',
'QUEUE_TIMEOUT']:
try:
# 尝试转换为数字
value = float(value)
# 对于整数类型配置,转为整数
if key in ['MAX_TOKEN', 'MAX_GROUPS', 'QUEUE_TIMEOUT']:
value = int(value)
except ValueError:
pass
# 处理布尔类型
elif key in ['NETWORK_SEARCH_ENABLED', 'WEBLENS_ENABLED']:
# 将字符串 'true'/'false' 转换为布尔值
if isinstance(value, str):
value = value.lower() == 'true'
# 确保值是布尔类型
value = bool(value)
current[path[-1]] = value
else:
logger.warning(f"未知的配置项: {key}")
except Exception as e:
logger.error(f"更新配置值失败 {key}: {str(e)}")
# 添加上传处理路由
@app.route('/upload_background', methods=['POST'])
def upload_background():
if 'background' not in request.files:
return jsonify({"status": "error", "message": "没有选择文件"})
file = request.files['background']
if file.filename == '':
return jsonify({"status": "error", "message": "没有选择文件"})
# 确保 filename 不为 None
if file.filename is None:
return jsonify({"status": "error", "message": "文件名无效"})
filename = secure_filename(file.filename)
# 清理旧的背景图片
for old_file in os.listdir(app.config['UPLOAD_FOLDER']):
os.remove(os.path.join(app.config['UPLOAD_FOLDER'], old_file))
# 保存新图片
file.save(os.path.join(app.config['UPLOAD_FOLDER'], filename))
return jsonify({
"status": "success",
"message": "背景图片已更新",
"path": f"/background_image/{filename}"
})
# 添加背景图片目录的路由
@app.route('/background_image/<filename>')
def background_image(filename):
return send_from_directory(app.config['UPLOAD_FOLDER'], filename)
# 添加获取背景图片路由
@app.route('/get_background')
def get_background():
"""获取当前背景图片"""
try:
# 获取背景图片目录中的第一个文件
files = os.listdir(app.config['UPLOAD_FOLDER'])
if files:
# 返回找到的第一个图片
return jsonify({
"status": "success",
"path": f"/background_image/{files[0]}"
})
return jsonify({
"status": "success",
"path": None
})
except Exception as e:
return jsonify({
"status": "error",
"message": str(e)
})
@app.before_request
def load_config():
"""在每次请求之前加载配置"""
try:
g.config_data = load_config_file()
except Exception as e:
logger.error(f"加载配置失败: {str(e)}")
@app.route('/dashboard')
def dashboard():
if not session.get('logged_in'):
return redirect(url_for('login'))
# 检查是否有未读公告用于Web页面显示
show_announcement = False
try:
from src.autoupdate.announcement import has_unread_announcement
show_announcement = has_unread_announcement()
logger.info(f"Dashboard: 检测到未读公告状态 = {show_announcement}")
except Exception as e:
logger.warning(f"检查公告状态失败: {e}")
# 使用 g 中的配置数据 (如果之前有)
config_groups = g.config_data.get('categories', {})
return render_template(
'dashboard.html',
is_local=is_local_network(),
active_page='dashboard',
config_groups=config_groups,
show_announcement=show_announcement # 恢复Web页面公告显示
)
@app.route('/system_info')
def system_info():
"""获取系统信息"""
try:
# 创建静态变量存储上次的值
if not hasattr(system_info, 'last_bytes'):
system_info.last_bytes = {
'sent': 0,
'recv': 0,
'time': time.time()
}
cpu_percent = psutil.cpu_percent()
memory = psutil.virtual_memory()
disk = psutil.disk_usage('/')
net = psutil.net_io_counters()
# 计算网络速度
current_time = time.time()
time_delta = current_time - system_info.last_bytes['time']
# 计算每秒的字节数
upload_speed = (net.bytes_sent - system_info.last_bytes['sent']) / time_delta
download_speed = (net.bytes_recv - system_info.last_bytes['recv']) / time_delta
# 更新上次的值
system_info.last_bytes = {
'sent': net.bytes_sent,
'recv': net.bytes_recv,
'time': current_time
}
# 转换为 KB/s
upload_speed = upload_speed / 1024
download_speed = download_speed / 1024
return jsonify({
'cpu': cpu_percent,
'memory': {
'total': round(memory.total / (1024**3), 2),
'used': round(memory.used / (1024**3), 2),
'percent': memory.percent
},
'disk': {
'total': round(disk.total / (1024**3), 2),
'used': round(disk.used / (1024**3), 2),
'percent': disk.percent
},
'network': {
'upload': round(upload_speed, 2),
'download': round(download_speed, 2)
}
})
except Exception as e:
logger.error(f"获取系统信息失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
}), 500
@app.route('/check_update')
def check_update():
"""检查更新"""
try:
# 使用已导入的 Updater 类
updater = Updater()
result = updater.check_for_updates()
return jsonify({
'status': 'success',
'has_update': result.get('has_update', False),
'console_output': result['output'],
'update_info': result if result.get('has_update') else None,
'wait_input': False # 不再需要控制台输入确认
})
except Exception as e:
logger.error(f"检查更新失败: {str(e)}", exc_info=True)
return jsonify({
'status': 'error',
'has_update': False,
'console_output': f'检查更新失败: {str(e)}'
})
@app.route('/confirm_update', methods=['POST'])
def confirm_update():
"""确认是否更新"""
try:
choice = (request.json or {}).get('choice', '').lower()
logger.info(f"收到用户更新选择: {choice}")
if choice in ('y', 'yes', '是', '确认', '确定'):
logger.info("用户确认更新,开始执行更新过程")
updater = Updater()
result = updater.update(
callback=lambda msg: logger.info(f"更新进度: {msg}")
)
logger.info(f"更新完成,结果: {result['success']}")
return jsonify({
'status': 'success' if result['success'] else 'error',
'console_output': result.get('message', '更新过程出现未知错误')
})
else:
logger.info("用户取消更新")
return jsonify({
'status': 'success',
'console_output': '用户取消更新'
})
except Exception as e:
logger.error(f"更新失败: {str(e)}", exc_info=True)
return jsonify({
'status': 'error',
'console_output': f'更新失败: {str(e)}'
})
# 全局变量存储更新进度
update_progress_logs = []
update_in_progress = False
@app.route('/execute_update', methods=['POST'])
def execute_update():
"""直接执行更新,不需要控制台确认"""
global update_progress_logs, update_in_progress
if update_in_progress:
return jsonify({
'status': 'error',
'message': '更新正在进行中,请稍候...'
})
try:
update_in_progress = True
update_progress_logs = []
def progress_callback(msg):
"""更新进度回调函数"""
logger.info(f"更新进度: {msg}")
update_progress_logs.append({
'timestamp': time.strftime('%Y-%m-%d %H:%M:%S'),
'message': msg
})
logger.info("用户通过Web界面直接确认更新,开始执行更新过程")
progress_callback("Starting update process...")
updater = Updater()
result = updater.update(callback=progress_callback)
logger.info(f"更新完成,结果: {result['success']}")
final_message = result.get('message', '更新过程出现未知错误')
progress_callback(f"Update completed: {final_message}")
return jsonify({
'status': 'success' if result['success'] else 'error',
'message': final_message,
'restart_required': result.get('restart_required', False)
})
except Exception as e:
error_msg = f'更新失败: {str(e)}'
logger.error(error_msg, exc_info=True)
update_progress_logs.append({
'timestamp': time.strftime('%Y-%m-%d %H:%M:%S'),
'message': error_msg
})
return jsonify({
'status': 'error',
'message': error_msg
})
finally:
update_in_progress = False
@app.route('/update_progress')
def get_update_progress():
"""获取更新进度日志"""
global update_progress_logs
return jsonify({
'logs': update_progress_logs,
'in_progress': update_in_progress
})
def start_bot_process():
"""启动机器人进程,返回(成功状态, 消息)"""
global bot_process, bot_start_time, job_object
try:
if bot_process and bot_process.poll() is None:
return False, "机器人已在运行中"
# 清空之前的日志
clear_bot_logs()
# 设置环境变量
env = os.environ.copy()
env['PYTHONIOENCODING'] = 'utf-8'
# 创建新的进程组
if sys.platform.startswith('win'):
CREATE_NEW_PROCESS_GROUP = 0x00000200
DETACHED_PROCESS = 0x00000008
creationflags = CREATE_NEW_PROCESS_GROUP
preexec_fn = None
else:
creationflags = 0
preexec_fn = getattr(os, 'setsid', None)
# 启动进程
bot_process = subprocess.Popen(
[sys.executable, 'run.py'],
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
text=True,
bufsize=1,
env=env,
encoding='utf-8',
errors='replace',
creationflags=creationflags if sys.platform.startswith('win') else 0,
preexec_fn=preexec_fn
)
# 将机器人进程添加到作业对象
if sys.platform.startswith('win') and job_object:
try:
win32job.AssignProcessToJobObject(job_object, bot_process._handle)
logger.info(f"已将机器人进程 (PID: {bot_process.pid}) 添加到作业对象")
except Exception as e:
logger.error(f"将机器人进程添加到作业对象失败: {str(e)}")
# 记录启动时间
bot_start_time = datetime.datetime.now()
# 启动日志读取线程
start_log_reading_thread()
return True, "机器人启动成功"
except Exception as e:
logger.error(f"启动机器人失败: {str(e)}")
return False, str(e)
def start_log_reading_thread():
"""启动日志读取线程"""
def read_output():
try:
while bot_process and bot_process.poll() is None:
if bot_process.stdout:
line = bot_process.stdout.readline()
if line:
try:
# 尝试解码并清理日志内容
line = line.strip()
if isinstance(line, bytes):
line = line.decode('utf-8', errors='replace')
timestamp = datetime.datetime.now().strftime('%H:%M:%S')
bot_logs.put(f"[{timestamp}] {line}")
except Exception as e:
logger.error(f"日志处理错误: {str(e)}")
continue
except Exception as e:
logger.error(f"读取日志失败: {str(e)}")
bot_logs.put(f"[ERROR] 读取日志失败: {str(e)}")
thread = threading.Thread(target=read_output, daemon=True)
thread.start()
def get_bot_uptime():
"""获取机器人运行时间"""
if not bot_start_time or not bot_process or bot_process.poll() is not None:
return "0分钟"
delta = datetime.datetime.now() - bot_start_time
total_seconds = int(delta.total_seconds())
hours = total_seconds // 3600
minutes = (total_seconds % 3600) // 60
seconds = total_seconds % 60
if hours > 0:
return f"{hours}小时{minutes}分钟{seconds}秒"
elif minutes > 0:
return f"{minutes}分钟{seconds}秒"
else:
return f"{seconds}秒"
@app.route('/start_bot')
def start_bot():
"""启动机器人"""
success, message = start_bot_process()
return jsonify({
'status': 'success' if success else 'error',
'message': message
})
@app.route('/get_bot_logs')
def get_bot_logs():
"""获取机器人日志"""
logs = []
while not bot_logs.empty():
logs.append(bot_logs.get())
return jsonify({
'status': 'success',
'logs': logs,
'uptime': get_bot_uptime(),
'is_running': bot_process is not None and bot_process.poll() is None
})
def terminate_bot_process(force=False):
"""终止机器人进程的通用函数"""
global bot_process, bot_start_time
if not bot_process or bot_process.poll() is not None:
return False, "机器人未在运行"
try:
# 首先尝试正常终止进程
bot_process.terminate()
# 等待进程结束
try:
bot_process.wait(timeout=5) # 等待最多5秒
except subprocess.TimeoutExpired:
# 如果超时或需要强制终止,强制结束进程
if force:
bot_process.kill()
bot_process.wait()
# 确保所有子进程都被终止
if sys.platform.startswith('win'):
subprocess.run(['taskkill', '/F', '/T', '/PID', str(bot_process.pid)],
capture_output=True)
else:
# 使用 getattr 避免在 Windows 上直接引用不存在的属性
killpg = getattr(os, 'killpg', None)
getpgid = getattr(os, 'getpgid', None)
if killpg and getpgid:
import signal
killpg(getpgid(bot_process.pid), signal.SIGTERM)
else:
bot_process.kill()
# 清理进程对象
bot_process = None
bot_start_time = None
# 添加日志记录
timestamp = datetime.datetime.now().strftime('%H:%M:%S')
bot_logs.put(f"[{timestamp}] 正在关闭监听线程...")
bot_logs.put(f"[{timestamp}] 正在关闭系统...")
bot_logs.put(f"[{timestamp}] 系统已退出")
return True, "机器人已停止"
except Exception as e:
logger.error(f"停止机器人失败: {str(e)}")
return False, f"停止失败: {str(e)}"
def clear_bot_logs():
"""清空机器人日志队列"""
while not bot_logs.empty():
bot_logs.get()
@app.route('/stop_bot')
def stop_bot():
"""停止机器人"""
success, message = terminate_bot_process(force=True)
return jsonify({
'status': 'success' if success else 'error',
'message': message
})
@app.route('/config')
def config():
"""配置页面"""
if not session.get('logged_in'):
return redirect(url_for('login'))
# 直接从配置文件读取任务数据
tasks = []
try:
config_path = os.path.join(ROOT_DIR, 'data/config/config.json')
with open(config_path, 'r', encoding='utf-8') as f:
config_data = json.load(f)
if 'categories' in config_data and 'schedule_settings' in config_data['categories']:
if 'settings' in config_data['categories']['schedule_settings'] and 'tasks' in config_data['categories']['schedule_settings']['settings']:
tasks = config_data['categories']['schedule_settings']['settings']['tasks'].get('value', [])
except Exception as e:
logger.error(f"读取任务数据失败: {str(e)}")
config_groups = parse_config_groups() # 获取配置组
logger.debug(f"传递给前端的任务列表: {tasks}")
return render_template(
'config.html',
config_groups=config_groups, # 传递配置组
tasks_json=json.dumps(tasks, ensure_ascii=False), # 直接传递任务列表JSON
is_local=is_local_network(),
active_page='config'
)
# 联网搜索配置已整合到高级配置页面
# 在 app 初始化后添加
@app.route('/static/<path:filename>')
def serve_static(filename):
"""提供静态文件服务"""
static_folder = app.static_folder
if static_folder is None:
static_folder = os.path.join(ROOT_DIR, 'src/webui/static')
return send_from_directory(static_folder, filename)
@app.route('/execute_command', methods=['POST'])
def execute_command():
"""执行控制台命令"""
try:
command = (request.json or {}).get('command', '').strip()
# 处理内置命令
if command.lower() == 'help':
return jsonify({
'status': 'success',
'output': '''可用命令:
help - 显示帮助信息
clear - 清空日志
status - 显示系统状态
version - 显示版本信息
memory - 显示内存使用情况
start - 启动机器人
stop - 停止机器人
restart - 重启机器人
check update - 检查更新
execute update - 执行更新
支持所有CMD命令,例如:
dir - 显示目录内容
cd - 切换目录
echo - 显示消息
type - 显示文件内容
等...'''
})
elif command.lower() == 'clear':
# 清空日志队列
clear_bot_logs()
return jsonify({
'status': 'success',
'output': '', # 返回空输出,让前端清空日志
'clear': True # 添加标记,告诉前端需要清空日志
})
elif command.lower() == 'status':
if bot_process and bot_process.poll() is None:
return jsonify({
'status': 'success',
'output': f'机器人状态: 运行中\n运行时间: {get_bot_uptime()}'
})
else:
return jsonify({
'status': 'success',
'output': '机器人状态: 已停止'
})
elif command.lower() == 'version':
return jsonify({
'status': 'success',
'output': 'KouriChat v1.3.1'
})
elif command.lower() == 'memory':
memory = psutil.virtual_memory()
return jsonify({
'status': 'success',
'output': f'内存使用: {memory.percent}% ({memory.used/1024/1024/1024:.1f}GB/{memory.total/1024/1024/1024:.1f}GB)'
})
elif command.lower() == 'start':
success, message = start_bot_process()
return jsonify({
'status': 'success' if success else 'error',
'output' if success else 'error': message
})
elif command.lower() == 'stop':
success, message = terminate_bot_process(force=True)
return jsonify({
'status': 'success' if success else 'error',
'output' if success else 'error': message
})
elif command.lower() == 'restart':
# 先停止
if bot_process and bot_process.poll() is None:
success, _ = terminate_bot_process(force=True)
if not success:
return jsonify({
'status': 'error',
'error': '重启失败: 无法停止当前进程'
})
time.sleep(2) # 等待进程完全停止
# 然后重新启动
success, message = start_bot_process()
if success:
return jsonify({
'status': 'success',
'output': '机器人已重启'
})
else:
return jsonify({
'status': 'error',
'error': f'重启失败: {message}'
})
elif command.lower() == 'check update':
# 检查更新
try:
updater = Updater()
result = updater.check_for_updates()
if result.get('has_update', False):
output = f"发现新版本: {result.get('cloud_version', 'unknown')}\n"
output += f"当前版本: {result.get('local_version', 'unknown')}\n"
output += f"更新内容: {result.get('description', '无详细说明')}\n"
output += "您可以输入 'execute update' 命令开始更新"
else:
output = "当前已是最新版本"
return jsonify({
'status': 'success',
'output': output
})
except Exception as e:
return jsonify({
'status': 'error',
'error': f'检查更新失败: {str(e)}'
})
elif command.lower() == 'execute update':
# 执行更新
return jsonify({
'status': 'success',
'output': '正在启动更新进程,请查看实时更新日志...'
})
# 执行CMD命令
else:
try:
# 使用subprocess执行命令并捕获输出
process = subprocess.Popen(
command,
shell=True,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
text=True,
encoding='utf-8',
errors='replace'
)
# 获取命令输出
stdout, stderr = process.communicate(timeout=30)
# 如果有错误输出
if stderr:
return jsonify({
'status': 'error',
'error': stderr
})
# 返回命令执行结果
return jsonify({
'status': 'success',
'output': stdout or '命令执行成功,无输出'
})
except subprocess.TimeoutExpired:
process.kill()
return jsonify({
'status': 'error',
'error': '命令执行超时'
})
except Exception as e:
return jsonify({
'status': 'error',
'error': f'执行命令失败: {str(e)}'
})
except Exception as e:
return jsonify({
'status': 'error',
'error': f'执行命令失败: {str(e)}'
})
@app.route('/check_dependencies')
def check_dependencies():
"""检查Python和pip环境"""
try:
# 检查Python版本
python_version = sys.version.split()[0]
# 检查pip是否安装
pip_path = shutil.which('pip')
has_pip = pip_path is not None
# 检查requirements.txt是否存在
requirements_path = os.path.join(ROOT_DIR, 'requirements.txt')
has_requirements = os.path.exists(requirements_path)
# 如果requirements.txt存在,检查是否所有依赖都已安装
dependencies_status = "unknown"
missing_deps = []
if has_requirements and has_pip:
try:
# 获取已安装的包列表
process = subprocess.Popen(
[sys.executable, '-m', 'pip', 'list'],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
)
stdout, stderr = process.communicate()
# 解码字节数据为字符串
stdout = stdout.decode('utf-8')
stderr = stderr.decode('utf-8')
# 解析pip list的输出,只获取包名
installed_packages = {
line.split()[0].lower()
for line in stdout.split('\n')[2:]
if line.strip()
}
logger.debug(f"已安装的包: {installed_packages}")
# 读取requirements.txt,只获取有效的包名
with open(requirements_path, 'r', encoding='utf-8') as f:
required_packages = set()
for line in f:
line = line.strip()
# 跳过无效行:空行、注释、镜像源配置、-r 开头的文件包含
if (not line or
line.startswith('#') or
line.startswith('-i ') or
line.startswith('-r ') or
line.startswith('--')):
continue
# 只取包名,忽略版本信息和其他选项
pkg = line.split('=')[0].split('>')[0].split('<')[0].split('~')[0].split('[')[0]
pkg = pkg.strip().lower()
if pkg: # 确保包名不为空
required_packages.add(pkg)
logger.debug(f"需要的包: {required_packages}")
# 检查缺失的依赖
missing_deps = [
pkg for pkg in required_packages
if pkg not in installed_packages and not (
pkg == 'wxauto' and 'wxauto-py' in installed_packages
)
]
logger.debug(f"缺失的包: {missing_deps}")
# 根据是否有缺失依赖设置状态
dependencies_status = "complete" if not missing_deps else "incomplete"
except Exception as e:
logger.error(f"检查依赖时出错: {str(e)}")
dependencies_status = "error"
else:
dependencies_status = "complete" if not has_requirements else "incomplete"
return jsonify({
'status': 'success',
'python_version': python_version,
'has_pip': has_pip,
'has_requirements': has_requirements,
'dependencies_status': dependencies_status,
'missing_dependencies': missing_deps
})
except Exception as e:
logger.error(f"依赖检查失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/favicon.ico')
def favicon():
"""提供网站图标"""
return send_from_directory(
os.path.join(app.root_path, 'src/webui/static'),
'mom.ico',
mimetype='image/vnd.microsoft.icon'
)
def cleanup_processes():
"""清理所有相关进程"""
try:
# 清理机器人进程
global bot_process, job_object
if bot_process:
try:
logger.info(f"正在终止机器人进程 (PID: {bot_process.pid})...")
# 获取进程组
parent = psutil.Process(bot_process.pid)
children = parent.children(recursive=True)
# 终止子进程
for child in children:
try:
logger.info(f"正在终止子进程 (PID: {child.pid})...")
child.terminate()
except:
try:
logger.info(f"正在强制终止子进程 (PID: {child.pid})...")
child.kill()
except Exception as e:
logger.error(f"终止子进程 (PID: {child.pid}) 失败: {str(e)}")
# 终止主进程
bot_process.terminate()
# 等待进程结束
try:
gone, alive = psutil.wait_procs(children + [parent], timeout=3)
# 强制结束仍在运行的进程
for p in alive:
try:
logger.info(f"正在强制终止进程 (PID: {p.pid})...")
p.kill()
except Exception as e:
logger.error(f"强制终止进程 (PID: {p.pid}) 失败: {str(e)}")
except Exception as e:
logger.error(f"等待进程结束失败: {str(e)}")
# 如果在Windows上,使用taskkill强制终止进程树
if sys.platform.startswith('win'):
try:
logger.info(f"使用taskkill终止进程树 (PID: {bot_process.pid})...")
subprocess.run(['taskkill', '/F', '/T', '/PID', str(bot_process.pid)],
capture_output=True)
except Exception as e:
logger.error(f"使用taskkill终止进程失败: {str(e)}")
bot_process = None
except Exception as e:
logger.error(f"清理机器人进程失败: {str(e)}")
# 清理当前进程的所有子进程
try:
current_process = psutil.Process()
children = current_process.children(recursive=True)
for child in children:
try:
logger.info(f"正在终止子进程 (PID: {child.pid})...")
child.terminate()
except:
try:
logger.info(f"正在强制终止子进程 (PID: {child.pid})...")
child.kill()
except Exception as e:
logger.error(f"终止子进程 (PID: {child.pid}) 失败: {str(e)}")
# 等待所有子进程结束
gone, alive = psutil.wait_procs(children, timeout=3)
for p in alive:
try:
logger.info(f"正在强制终止进程 (PID: {p.pid})...")
p.kill()
except Exception as e:
logger.error(f"强制终止进程 (PID: {p.pid}) 失败: {str(e)}")
except Exception as e:
logger.error(f"清理子进程失败: {str(e)}")
except Exception as e:
logger.error(f"清理进程失败: {str(e)}")
def signal_handler(signum, frame):
"""信号处理函数"""
logger.info(f"收到信号: {signum}")
cleanup_processes()
sys.exit(0)
# 注册信号处理器
signal.signal(signal.SIGINT, signal_handler)
signal.signal(signal.SIGTERM, signal_handler)
# Windows平台特殊处理
if sys.platform.startswith('win'):
try:
signal.signal(signal.SIGBREAK, signal_handler)
except:
pass
# 注册退出处理
atexit.register(cleanup_processes)
def open_browser(port):
"""在新线程中打开浏览器"""
def _open_browser():
# 等待服务器启动
time.sleep(1.5)
# 优先使用 localhost
url = f"http://localhost:{port}"
webbrowser.open(url)
# 创建新线程来打开浏览器
threading.Thread(target=_open_browser, daemon=True).start()
def create_job_object():
global job_object
try:
if sys.platform.startswith('win'):
# 创建作业对象
job_object = win32job.CreateJobObject(None, "KouriChatBotJob")
# 设置作业对象的扩展限制信息
info = win32job.QueryInformationJobObject(
job_object, win32job.JobObjectExtendedLimitInformation
)
# 设置当所有进程句柄关闭时终止作业
info['BasicLimitInformation']['LimitFlags'] = win32job.JOB_OBJECT_LIMIT_KILL_ON_JOB_CLOSE
# 应用设置
win32job.SetInformationJobObject(
job_object, win32job.JobObjectExtendedLimitInformation, info
)
try:
# 将当前进程添加到作业对象
current_process = win32process.GetCurrentProcess()
win32job.AssignProcessToJobObject(job_object, current_process)
logger.info("已创建作业对象并将当前进程添加到作业中")
except Exception as assign_error:
if hasattr(assign_error, 'winerror') and assign_error.winerror == 5: # 5是"拒绝访问"错误代码
logger.warning("无法将当前进程添加到作业对象(权限不足),但这不影响程序运行")
# 作业对象仍然可用于管理子进程
return True
else:
raise # 重新抛出其他类型的错误
return True
except Exception as e:
logger.error(f"创建作业对象失败: {str(e)}")
return False
# 添加控制台关闭事件处理
def setup_console_control_handler():
try:
if sys.platform.startswith('win'):
def handler(dwCtrlType):
if dwCtrlType in (win32con.CTRL_CLOSE_EVENT, win32con.CTRL_LOGOFF_EVENT, win32con.CTRL_SHUTDOWN_EVENT):
logger.info("检测到控制台关闭事件,正在清理进程...")
cleanup_processes()
return True
return False
win32api.SetConsoleCtrlHandler(handler, True)
logger.info("已设置控制台关闭事件处理器")
except Exception as e:
logger.error(f"设置控制台关闭事件处理器失败: {str(e)}")
def main():
"""主函数"""
from data.config import config
# 设置系统编码为 UTF-8 (不清除控制台输出)
if sys.platform.startswith('win'):
os.system("@chcp 65001 >nul") # 使用 >nul 来隐藏输出而不清屏
print("\n" + "="*50)
print_status("配置管理系统启动中...", "info", "LAUNCH")
print("-"*50)
# 创建作业对象来管理子进程
create_job_object()
# 设置控制台关闭事件处理
setup_console_control_handler()
# 检查必要目录
print_status("检查系统目录...", "info", "FILE")
templates_dir = os.path.join(ROOT_DIR, 'src/webui/templates')
if not os.path.exists(templates_dir):
print_status(f"模板目录不存在!尝试创建: {templates_dir}", "warning", "WARNING")
try:
os.makedirs(templates_dir, exist_ok=True)
print_status("成功创建模板目录", "success", "CHECK")
except Exception as e:
print_status(f"创建模板目录失败: {e}", "error", "CROSS")
return
# 检查静态文件目录
static_dir = os.path.join(ROOT_DIR, 'src/webui/static')
if not os.path.exists(static_dir):
print_status(f"静态文件目录不存在!尝试创建: {static_dir}", "warning", "WARNING")
try:
os.makedirs(static_dir, exist_ok=True)
os.makedirs(os.path.join(static_dir, 'js'), exist_ok=True)
os.makedirs(os.path.join(static_dir, 'css'), exist_ok=True)
print_status("成功创建静态文件目录", "success", "CHECK")
except Exception as e:
print_status(f"创建静态文件目录失败: {e}", "error", "CROSS")
# 检查配置文件
print_status("检查配置文件...", "info", "CONFIG")
if not os.path.exists(config.config_path):
print_status("错误:配置文件不存在!", "error", "CROSS")
return
print_status("配置文件检查完成", "success", "CHECK")
# 打印模板目录内容用于调试
try:
print_status(f"正在检查模板文件...", "info", "FILE")
if os.path.exists(templates_dir):
template_files = os.listdir(templates_dir)
if template_files:
print_status(f"找到{len(template_files)}个模板文件: {', '.join(template_files)}", "success", "CHECK")
else:
print_status("模板目录为空", "warning", "WARNING")
except Exception as e:
print_status(f"检查模板文件失败: {e}", "error", "CROSS")
# 修改启动 Web 服务器的部分
try:
cli = sys.modules['flask.cli']
if hasattr(cli, 'show_server_banner'):
setattr(cli, 'show_server_banner', lambda *x: None) # 禁用 Flask 启动横幅
except (KeyError, AttributeError):
pass
host = '0.0.0.0'
port = 8502
# 检查端口是否可用,如果不可用则自动选择其他端口
def is_port_available(port):
try:
with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s:
s.bind(('localhost', port))
return True
except OSError:
return False
# 寻找可用端口
original_port = port
while not is_port_available(port):
port += 1
if port > 9000: # 避免无限循环
print_status(f"无法找到可用端口(尝试了{original_port}-{port})", "error", "CROSS")
return
if port != original_port:
print_status(f"端口{original_port}被占用,自动选择端口{port}", "warning", "WARNING")
print_status("正在启动Web服务...", "info", "INTERNET")
print("-"*50)
print_status("配置管理系统已就绪!", "success", "STAR_1")
# 显示所有可用的访问地址
print_status("可通过以下地址访问:", "info", "CHAIN")
print(f" Local: http://localhost:{port}")
print(f" Local: http://127.0.0.1:{port}")
# 获取本地IP地址
hostname = socket.gethostname()
try:
addresses = socket.getaddrinfo(hostname, None)
for addr in addresses:
ip = addr[4][0]
if isinstance(ip, str) and '.' in ip and ip != '127.0.0.1':
print(f" Network: http://{ip}:{port}")
except Exception as e:
logger.error(f"获取IP地址失败: {str(e)}")
print("="*50 + "\n")
# 启动浏览器
open_browser(port)
try:
app.run(
host=host,
port=port,
debug=False, # 关闭调试模式避免权限问题
use_reloader=False # 禁用重载器以避免创建多余的进程
)
except PermissionError as e:
print_status(f"权限错误:{str(e)}", "error", "CROSS")
print_status("请尝试以管理员身份运行程序", "warning", "WARNING")
except OSError as e:
if "access" in str(e).lower() or "permission" in str(e).lower():
print_status(f"端口访问被拒绝:{str(e)}", "error", "CROSS")
print_status("可能的解决方案:", "info", "INFO")
print(" 1. 以管理员身份运行程序")
print(" 2. 检查防火墙设置")
print(" 3. 检查是否有其他程序占用端口")
else:
print_status(f"网络错误:{str(e)}", "error", "CROSS")
except Exception as e:
print_status(f"启动Web服务失败:{str(e)}", "error", "CROSS")
@app.route('/install_dependencies', methods=['POST'])
def install_dependencies():
"""安装依赖"""
try:
output = []
# 安装依赖
output.append("正在安装依赖,请耐心等待...")
requirements_path = os.path.join(ROOT_DIR, 'requirements.txt')
if not os.path.exists(requirements_path):
return jsonify({
'status': 'error',
'message': '找不到requirements.txt文件'
})
process = subprocess.Popen(
[sys.executable, '-m', 'pip', 'install', '-r', requirements_path],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
)
stdout, stderr = process.communicate()
# 解码字节数据为字符串
stdout = stdout.decode('utf-8')
stderr = stderr.decode('utf-8')
output.append(stdout if stdout else stderr)
# 检查是否有实际错误,而不是"already satisfied"消息
has_error = process.returncode != 0 and not any(
msg in (stdout + stderr).lower()
for msg in ['already satisfied', 'successfully installed']
)
if not has_error:
return jsonify({
'status': 'success',
'output': '\n'.join(output)
})
else:
return jsonify({
'status': 'error',
'output': '\n'.join(output),
'message': '安装依赖失败'
})
except Exception as e:
return jsonify({
'status': 'error',
'message': str(e)
})
def hash_password(password: str) -> str:
# 对密码进行哈希处理
return hashlib.sha256(password.encode()).hexdigest()
def is_local_network() -> bool:
# 检查是否是本地网络访问
client_ip = request.remote_addr
if client_ip is None:
return True
return (
client_ip == '127.0.0.1' or
client_ip.startswith('192.168.') or
client_ip.startswith('10.') or
client_ip.startswith('172.16.')
)
@app.before_request
def check_auth():
# 请求前验证登录状态
# 排除不需要验证的路由
public_routes = ['login', 'static', 'init_password']
if request.endpoint in public_routes:
return
# 检查是否需要初始化密码
from data.config import config
if not config.auth.admin_password:
return redirect(url_for('init_password'))
# 如果是本地网络访问,自动登录
if is_local_network():
session['logged_in'] = True
return
if not session.get('logged_in'):
return redirect(url_for('login'))
@app.route('/login', methods=['GET', 'POST'])
def login():
# 处理登录请求
from data.config import config
# 首先检查是否需要初始化密码
if not config.auth.admin_password:
return redirect(url_for('init_password'))
if request.method == 'GET':
# 如果已经登录,直接跳转到仪表盘
if session.get('logged_in'):
return redirect(url_for('dashboard'))
# 如果是本地网络访问,自动登录并重定向到仪表盘
if is_local_network():
session['logged_in'] = True
return redirect(url_for('dashboard'))
return render_template('login.html')
# POST请求处理
data = request.get_json()
password = data.get('password')
remember_me = data.get('remember_me', False)
# 正常登录验证
stored_hash = config.auth.admin_password
if hash_password(password) == stored_hash:
session.clear() # 清除旧会话
session['logged_in'] = True
if remember_me:
session.permanent = True
app.permanent_session_lifetime = timedelta(days=30)
return jsonify({'status': 'success'})
return jsonify({
'status': 'error',
'message': '密码错误'
})
@app.route('/init_password', methods=['GET', 'POST'])
def init_password():
# 初始化管理员密码页面
from data.config import config
if request.method == 'GET':
# 如果已经设置了密码,重定向到登录页面
if config.auth.admin_password:
return redirect(url_for('login'))
return render_template('init_password.html')
# POST请求处理
try:
data = request.get_json()
if not data or 'password' not in data:
return jsonify({
'status': 'error',
'message': '无效的请求数据'
})
password = data.get('password')
# 再次检查是否已经设置了密码
if config.auth.admin_password:
return jsonify({
'status': 'error',
'message': '密码已经设置'
})
# 保存新密码的哈希值
hashed_password = hash_password(password)
if config.update_password(hashed_password):
# 重新加载配置
importlib.reload(sys.modules['data.config'])
from data.config import config
# 验证密码是否正确保存
if not config.auth.admin_password:
return jsonify({
'status': 'error',
'message': '密码保存失败'
})
# 设置登录状态
session.clear()
session['logged_in'] = True
return jsonify({'status': 'success'})
return jsonify({
'status': 'error',
'message': '保存密码失败'
})
except Exception as e:
logger.error(f"初始化密码失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
}), 500
@app.route('/logout')
def logout():
# 退出登录
session.clear()
return redirect(url_for('login'))
@app.route('/get_model_configs')
def get_model_configs():
"""获取模型和API配置"""
try:
configs = None
models_path = os.path.join(ROOT_DIR, 'src/autoupdate/cloud/models.json')
# 先尝试从云端获取模型列表
try:
from src.autoupdate.updater import check_cloud_info
cloud_info = check_cloud_info()
# 如果云端获取成功,使用云端模型列表
if cloud_info and cloud_info.get('models'):
configs = cloud_info['models']
logger.info("使用云端模型列表")
except Exception as cloud_error:
logger.warning(f"从云端获取模型列表失败: {str(cloud_error)}")
# 如果云端获取失败,使用本地模型列表
if configs is None:
if not os.path.exists(models_path):
logger.error(f"本地模型配置文件不存在: {models_path}")
return jsonify({
'status': 'error',
'message': '模型配置文件不存在'
})
try:
with open(models_path, 'r', encoding='utf-8') as f:
configs = json.load(f)
logger.info("使用本地模型列表")
except Exception as local_error:
logger.error(f"读取本地模型列表失败: {str(local_error)}")
return jsonify({
'status': 'error',
'message': f'读取模型配置失败: {str(local_error)}'
})
# 过滤和排序提供商
active_providers = [p for p in configs['api_providers']
if p.get('status') == 'active']
active_providers.sort(key=lambda x: x.get('priority', 999))
# 构建返回配置
return_configs = {
'api_providers': active_providers,
'models': {}
}
# 只包含活动模型
for provider in active_providers:
provider_id = provider['id']
if provider_id in configs['models']:
return_configs['models'][provider_id] = [
m for m in configs['models'][provider_id]
if m.get('status') == 'active'
]
return jsonify(return_configs)
except Exception as e:
logger.error(f"获取模型配置失败: {str(e)}")
return jsonify({
'status': 'error',
'message': f'获取模型配置失败: {str(e)}'
})
@app.route('/save_quick_setup', methods=['POST'])
def save_quick_setup():
"""保存快速设置"""
try:
new_config = request.json or {}
from data.config import config
# 读取当前配置
config_path = os.path.join(ROOT_DIR, 'data/config/config.json')
try:
with open(config_path, 'r', encoding='utf-8') as f:
current_config = json.load(f)
except:
current_config = {"categories": {}}
# 确保基本结构存在
if "categories" not in current_config:
current_config["categories"] = {}
# 更新用户设置
if "listen_list" in new_config:
if "user_settings" not in current_config["categories"]:
current_config["categories"]["user_settings"] = {
"title": "用户设置",
"settings": {}
}
current_config["categories"]["user_settings"]["settings"]["listen_list"] = {
"value": new_config["listen_list"],
"type": "array",
"description": "要监听的用户列表(请使用微信昵称,不要使用备注名)"
}
# 更新API设置
if "api_key" in new_config:
if "llm_settings" not in current_config["categories"]:
current_config["categories"]["llm_settings"] = {
"title": "大语言模型配置",
"settings": {}
}
current_config["categories"]["llm_settings"]["settings"]["api_key"] = {
"value": new_config["api_key"],
"type": "string",
"description": "API密钥",
"is_secret": True
}
# 如果没有设置其他必要的LLM配置,设置默认值
if "base_url" not in current_config["categories"]["llm_settings"]["settings"]:
current_config["categories"]["llm_settings"]["settings"]["base_url"] = {
"value": "https://api.moonshot.cn/v1",
"type": "string",
"description": "API基础URL"
}
if "model" not in current_config["categories"]["llm_settings"]["settings"]:
current_config["categories"]["llm_settings"]["settings"]["model"] = {
"value": "moonshot-v1-8k",
"type": "string",
"description": "使用的模型"
}
if "max_tokens" not in current_config["categories"]["llm_settings"]["settings"]:
current_config["categories"]["llm_settings"]["settings"]["max_tokens"] = {
"value": 2000,
"type": "number",
"description": "最大token数"
}
if "temperature" not in current_config["categories"]["llm_settings"]["settings"]:
current_config["categories"]["llm_settings"]["settings"]["temperature"] = {
"value": 1.1,
"type": "number",
"description": "温度参数"
}
if "auto_model_switch" not in current_config["categories"]["llm_settings"]["settings"]:
current_config["categories"]["llm_settings"]["settings"]["auto_model_switch"] = {
"value": False,
"type": "boolean",
"description": "自动切换模型"
}
# 保存更新后的配置
with open(config_path, 'w', encoding='utf-8') as f:
json.dump(current_config, f, ensure_ascii=False, indent=4)
# 重新加载配置
importlib.reload(sys.modules['data.config'])
return jsonify({"status": "success", "message": "设置已保存"})
except Exception as e:
logger.error(f"保存快速设置失败: {str(e)}")
return jsonify({"status": "error", "message": str(e)})
@app.route('/quick_setup')
def quick_setup():
"""快速设置页面"""
return render_template('quick_setup.html')
# 添加获取可用人设列表的路由
@app.route('/get_available_avatars')
def get_available_avatars_route():
"""获取可用的人设目录列表"""
try:
# 使用绝对路径
avatar_base_dir = os.path.join(ROOT_DIR, "data", "avatars")
# 检查目录是否存在
if not os.path.exists(avatar_base_dir):
# 尝试创建目录
try:
os.makedirs(avatar_base_dir)
logger.info(f"已创建人设目录: {avatar_base_dir}")
except Exception as e:
logger.error(f"创建人设目录失败: {str(e)}")
return jsonify({
'status': 'error',
'message': f"人设目录不存在且无法创建: {str(e)}"
})
# 获取所有包含 avatar.md 和 emojis 目录的有效人设目录
avatars = []
for item in os.listdir(avatar_base_dir):
avatar_dir = os.path.join(avatar_base_dir, item)
if os.path.isdir(avatar_dir):
avatar_md_path = os.path.join(avatar_dir, "avatar.md")
emojis_dir = os.path.join(avatar_dir, "emojis")
# 检查 avatar.md 文件
if not os.path.exists(avatar_md_path):
logger.warning(f"人设 {item} 缺少 avatar.md 文件")
continue
# 检查 emojis 目录
if not os.path.exists(emojis_dir):
logger.warning(f"人设 {item} 缺少 emojis 目录")
try:
os.makedirs(emojis_dir)
logger.info(f"已为人设 {item} 创建 emojis 目录")
except Exception as e:
logger.error(f"为人设 {item} 创建 emojis 目录失败: {str(e)}")
continue
avatars.append(f"data/avatars/{item}")
logger.info(f"找到 {len(avatars)} 个有效人设: {avatars}")
return jsonify({
'status': 'success',
'avatars': avatars
})
except Exception as e:
logger.error(f"获取人设列表失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
# 修改加载指定人设内容的路由
@app.route('/load_avatar_content')
def load_avatar_content():
"""加载指定人设的内容"""
try:
avatar_name = request.args.get('avatar', 'MONO')
avatar_path = os.path.join(ROOT_DIR, 'data', 'avatars', avatar_name, 'avatar.md')
# 确保目录存在
os.makedirs(os.path.dirname(avatar_path), exist_ok=True)
# 如果文件不存在,创建一个空文件
if not os.path.exists(avatar_path):
with open(avatar_path, 'w', encoding='utf-8') as f:
f.write("# Task\n请在此输入任务描述\n\n# Role\n请在此输入角色设定\n\n# Appearance\n请在此输入外表描述\n\n")
# 读取角色设定文件并解析内容
sections = {}
current_section = None
with open(avatar_path, 'r', encoding='utf-8') as file:
content = ""
for line in file:
if line.startswith('# '):
# 如果已有部分,保存它
if current_section:
sections[current_section.lower()] = content.strip()
# 开始新部分
current_section = line[2:].strip()
content = ""
else:
content += line
# 保存最后一个部分
if current_section:
sections[current_section.lower()] = content.strip()
# 获取原始文件内容,用于前端显示
with open(avatar_path, 'r', encoding='utf-8') as file:
raw_content = file.read()
return jsonify({
'status': 'success',
'content': sections,
'raw_content': raw_content # 添加原始内容
})
except Exception as e:
logger.error(f"加载人设内容失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/get_tasks', methods=['GET'])
def get_tasks():
"""获取定时任务列表"""
try:
config_data = load_config_file()
tasks = []
if 'categories' in config_data and 'schedule_settings' in config_data['categories']:
if 'settings' in config_data['categories']['schedule_settings'] and 'tasks' in config_data['categories']['schedule_settings']['settings']:
tasks = config_data['categories']['schedule_settings']['settings']['tasks'].get('value', [])
return jsonify({
'status': 'success',
'tasks': tasks
})
except Exception as e:
logger.error(f"获取任务失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/save_task', methods=['POST'])
def save_task():
"""保存单个定时任务"""
try:
task_data = request.json
# 验证必要字段
required_fields = ['task_id', 'chat_id', 'content', 'schedule_type', 'schedule_time']
for field in required_fields:
if field not in task_data:
return jsonify({
'status': 'error',
'message': f'缺少必要字段: {field}'
})
# 读取配置
config_data = load_config_file()
# 确保必要的配置结构存在
if 'categories' not in config_data:
config_data['categories'] = {}
if 'schedule_settings' not in config_data['categories']:
config_data['categories']['schedule_settings'] = {
'title': '定时任务配置',
'settings': {
'tasks': {
'value': [],
'type': 'array',
'description': '定时任务列表'
}
}
}
elif 'settings' not in config_data['categories']['schedule_settings']:
config_data['categories']['schedule_settings']['settings'] = {
'tasks': {
'value': [],
'type': 'array',
'description': '定时任务列表'
}
}
elif 'tasks' not in config_data['categories']['schedule_settings']['settings']:
config_data['categories']['schedule_settings']['settings']['tasks'] = {
'value': [],
'type': 'array',
'description': '定时任务列表'
}
# 获取当前任务列表
tasks = config_data['categories']['schedule_settings']['settings']['tasks']['value']
# 检查是否存在相同ID的任务
task_index = None
for i, task in enumerate(tasks):
if task.get('task_id') == task_data['task_id']:
task_index = i
break
# 更新或添加任务
if task_index is not None:
tasks[task_index] = task_data
else:
tasks.append(task_data)
# 更新配置
config_data['categories']['schedule_settings']['settings']['tasks']['value'] = tasks
# 保存配置
if not save_config_file(config_data):
return jsonify({
'status': 'error',
'message': '保存配置文件失败'
}), 500
# 重新初始化定时任务
reinitialize_tasks()
return jsonify({
'status': 'success',
'message': '任务已保存'
})
except Exception as e:
logger.error(f"保存任务失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/delete_task', methods=['POST'])
def delete_task():
"""删除定时任务"""
try:
data = request.json
task_id = data.get('task_id')
if not task_id:
return jsonify({
'status': 'error',
'message': '未提供任务ID'
})
# 读取配置
config_data = load_config_file()
# 获取任务列表
if 'categories' in config_data and 'schedule_settings' in config_data['categories']:
if 'settings' in config_data['categories']['schedule_settings'] and 'tasks' in config_data['categories']['schedule_settings']['settings']:
tasks = config_data['categories']['schedule_settings']['settings']['tasks']['value']
# 查找并删除任务
new_tasks = [task for task in tasks if task.get('task_id') != task_id]
# 更新配置
config_data['categories']['schedule_settings']['settings']['tasks']['value'] = new_tasks
# 保存配置
if not save_config_file(config_data):
return jsonify({
'status': 'error',
'message': '保存配置文件失败'
}), 500
# 重新初始化定时任务
reinitialize_tasks()
return jsonify({
'status': 'success',
'message': '任务已删除'
})
return jsonify({
'status': 'error',
'message': '找不到任务配置'
})
except Exception as e:
logger.error(f"删除任务失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/get_all_configs')
def get_all_configs():
"""获取所有最新的配置数据"""
try:
# 直接从配置文件读取所有配置数据
config_path = os.path.join(ROOT_DIR, 'data/config/config.json')
with open(config_path, 'r', encoding='utf-8') as f:
config_data = json.load(f)
# 解析配置数据为前端需要的格式
configs = {}
tasks = []
# 处理用户设置
if 'categories' in config_data:
# 用户设置
if 'user_settings' in config_data['categories'] and 'settings' in config_data['categories']['user_settings']:
configs['基础配置'] = {}
if 'listen_list' in config_data['categories']['user_settings']['settings']:
configs['基础配置']['LISTEN_LIST'] = config_data['categories']['user_settings']['settings']['listen_list']
if 'group_chat_config' in config_data['categories']['user_settings']['settings']:
configs['基础配置']['GROUP_CHAT_CONFIG'] = config_data['categories']['user_settings']['settings']['group_chat_config']
# LLM设置
if 'llm_settings' in config_data['categories'] and 'settings' in config_data['categories']['llm_settings']:
llm_settings = config_data['categories']['llm_settings']['settings']
if 'api_key' in llm_settings:
configs['基础配置']['DEEPSEEK_API_KEY'] = llm_settings['api_key']
if 'base_url' in llm_settings:
configs['基础配置']['DEEPSEEK_BASE_URL'] = llm_settings['base_url']
if 'model' in llm_settings:
configs['基础配置']['MODEL'] = llm_settings['model']
if 'max_tokens' in llm_settings:
configs['基础配置']['MAX_TOKEN'] = llm_settings['max_tokens']
if 'temperature' in llm_settings:
configs['基础配置']['TEMPERATURE'] = llm_settings['temperature']
if 'auto_model_switch' in llm_settings:
configs['基础配置']['AUTO_MODEL_SWITCH'] = llm_settings['auto_model_switch']
# 媒体设置
if 'media_settings' in config_data['categories'] and 'settings' in config_data['categories']['media_settings']:
media_settings = config_data['categories']['media_settings']['settings']
# 图像识别设置
configs['图像识别API配置'] = {}
if 'image_recognition' in media_settings:
img_recog = media_settings['image_recognition']
if 'api_key' in img_recog:
# 保留完整配置,包括元数据
configs['图像识别API配置']['VISION_API_KEY'] = img_recog['api_key']
if 'base_url' in img_recog:
configs['图像识别API配置']['VISION_BASE_URL'] = img_recog['base_url']
if 'temperature' in img_recog:
configs['图像识别API配置']['VISION_TEMPERATURE'] = img_recog['temperature']
if 'model' in img_recog:
configs['图像识别API配置']['VISION_MODEL'] = img_recog['model']
# 图像生成设置
'''
configs['图像生成配置'] = {}
if 'image_generation' in media_settings:
img_gen = media_settings['image_generation']
if 'model' in img_gen:
configs['图像生成配置']['IMAGE_MODEL'] = {'value': img_gen['model'].get('value', '')}
if 'temp_dir' in img_gen:
configs['图像生成配置']['TEMP_IMAGE_DIR'] = {'value': img_gen['temp_dir'].get('value', '')}
'''
# TTS 服务配置
configs["TTS 服务配置"] = {}
if 'text_to_speech' in media_settings:
tts = media_settings['text_to_speech']
if 'tts_api_key' in tts:
configs['TTS 服务配置']['TTS_API_KEY'] = {'value': tts['tts_api_key'].get('value', '')}
if 'tts_model_id' in tts:
configs['TTS 服务配置']['TTS_MODEL_ID'] = {'value': tts['tts_model_id'].get('value', '')}
# 行为设置
if 'behavior_settings' in config_data['categories'] and 'settings' in config_data['categories']['behavior_settings']:
behavior = config_data['categories']['behavior_settings']['settings']
# 主动消息配置
configs['主动消息配置'] = {}
if 'auto_message' in behavior:
auto_msg = behavior['auto_message']
if 'content' in auto_msg:
configs['主动消息配置']['AUTO_MESSAGE'] = auto_msg['content']
if 'countdown' in auto_msg:
if 'min_hours' in auto_msg['countdown']:
configs['主动消息配置']['MIN_COUNTDOWN_HOURS'] = auto_msg['countdown']['min_hours']
if 'max_hours' in auto_msg['countdown']:
configs['主动消息配置']['MAX_COUNTDOWN_HOURS'] = auto_msg['countdown']['max_hours']
if 'quiet_time' in behavior:
quiet = behavior['quiet_time']
if 'start' in quiet:
configs['主动消息配置']['QUIET_TIME_START'] = quiet['start']
if 'end' in quiet:
configs['主动消息配置']['QUIET_TIME_END'] = quiet['end']
# 消息队列配置
configs['消息配置'] = {}
if 'message_queue' in behavior:
msg_queue = behavior['message_queue']
if 'timeout' in msg_queue:
configs['消息配置']['QUEUE_TIMEOUT'] = msg_queue['timeout']
# 人设配置
configs['人设配置'] = {}
if 'context' in behavior:
context = behavior['context']
if 'max_groups' in context:
configs['人设配置']['MAX_GROUPS'] = context['max_groups']
if 'avatar_dir' in context:
configs['人设配置']['AVATAR_DIR'] = context['avatar_dir']
# 网络搜索设置
if 'network_search_settings' in config_data['categories'] and 'settings' in config_data['categories']['network_search_settings']:
network_search = config_data['categories']['network_search_settings']['settings']
configs['网络搜索配置'] = {}
if 'search_enabled' in network_search:
configs['网络搜索配置']['NETWORK_SEARCH_ENABLED'] = network_search['search_enabled']
if 'weblens_enabled' in network_search:
configs['网络搜索配置']['WEBLENS_ENABLED'] = network_search['weblens_enabled']
if 'api_key' in network_search:
configs['网络搜索配置']['NETWORK_SEARCH_API_KEY'] = network_search['api_key']
if 'base_url' in network_search:
configs['网络搜索配置']['NETWORK_SEARCH_BASE_URL'] = network_search['base_url']
# 意图识别设置
if 'intent_recognition_settings' in config_data['categories'] and 'settings' in config_data['categories']['intent_recognition_settings']:
intent_recog = config_data['categories']['intent_recognition_settings']['settings']
configs['意图识别配置'] = {}
if 'api_key' in intent_recog:
configs['意图识别配置']['INTENT_API_KEY'] = intent_recog['api_key']
if 'base_url' in intent_recog:
configs['意图识别配置']['INTENT_BASE_URL'] = intent_recog['base_url']
if 'model' in intent_recog:
configs['意图识别配置']['INTENT_MODEL'] = intent_recog['model']
if 'temperature' in intent_recog:
configs['意图识别配置']['INTENT_TEMPERATURE'] = intent_recog['temperature']
# 定时任务
if 'schedule_settings' in config_data['categories'] and 'settings' in config_data['categories']['schedule_settings']:
if 'tasks' in config_data['categories']['schedule_settings']['settings']:
tasks = config_data['categories']['schedule_settings']['settings']['tasks'].get('value', [])
logger.debug(f"获取到的所有配置数据: {configs}")
logger.debug(f"获取到的任务数据: {tasks}")
return jsonify({
'status': 'success',
'configs': configs,
'tasks': tasks
})
except Exception as e:
logger.error(f"获取所有配置数据失败: {str(e)}")
return jsonify({
'status': 'error',
'message': str(e)
})
@app.route('/get_announcement')
def get_announcement():
try:
# 使用统一的公告管理器获取公告
from src.autoupdate.announcement import get_current_announcement
announcement = get_current_announcement()
if announcement and announcement.get('enabled', False):
logger.info("从公告管理器获取到有效公告")
return jsonify(announcement)
else:
logger.info("没有有效公告,返回默认内容")
return jsonify({
'enabled': True,
'title': '欢迎使用KouriChat',
'content': '欢迎使用KouriChat!如有问题请联系开发者。'
})
except Exception as e:
logger.error(f"获取公告失败: {e}")
return jsonify({
'enabled': False,
'title': '公告获取失败',
'content': f'<div class="text-danger">错误信息: {str(e)}</div>'
})
@app.route('/dismiss_announcement', methods=['POST'])
def dismiss_announcement():
"""忽略当前公告,不再显示"""
try:
from src.autoupdate.announcement import dismiss_announcement as dismiss_func
# 获取请求中的公告ID(可选)
data = request.get_json() if request.is_json else {}
announcement_id = data.get('announcement_id', None)
success = dismiss_func(announcement_id)
if success:
logger.info(f"用户忽略了公告: {announcement_id or '当前公告'}")
return jsonify({
'success': True,
'message': '公告已设置为不再显示'
})
else:
return jsonify({
'success': False,
'message': '忽略公告失败'
}), 400
except Exception as e:
logger.error(f"忽略公告失败: {e}")
return jsonify({
'success': False,
'message': f'操作失败: {str(e)}'
}), 500
@app.route('/reconnect_wechat')
def reconnect_wechat():
try:
# 导入微信登录点击器
from src.Wechat_Login_Clicker.Wechat_Login_Clicker import click_wechat_buttons
# 执行点击操作
result = click_wechat_buttons()
if result is False:
return jsonify({
'status': 'error',
'message': '找不到微信登录窗口'
})
return jsonify({
'status': 'success',
'message': '微信重连操作已执行'
})
except Exception as e:
return jsonify({
'status': 'error',
'message': f'微信重连失败: {str(e)}'
})
@app.route('/get_vision_api_configs')
def get_vision_api_configs():
"""获取图像识别API配置"""
try:
# 构建图像识别API提供商列表
vision_providers = [
{
"id": "kourichat-global",
"name": "KouriChat API (推荐)",
"url": "https://api.kourichat.com/v1",
"register_url": "https://api.kourichat.com/register",
"status": "active",
"priority": 1
},
{
"id": "moonshot",
"name": "Moonshot(月之暗面)",
"url": "https://api.moonshot.cn/v1",
"register_url": "https://platform.moonshot.cn/console/api-keys",
"status": "active",
"priority": 2
},
{
"id": "openai",
"name": "OpenAI",
"url": "https://api.openai.com/v1",
"register_url": "https://platform.openai.com/api-keys",
"status": "active",
"priority": 3
},
]
# 构建模型配置 - 只包含支持图像识别的模型
vision_models = {
"kourichat-global": [
{"id": "kourichat-vision", "name": "kourichat-vision"},
{"id": "gemini-2.5-pro", "name": "Gemini 2.5 Pro"},
{"id": "gpt-4o", "name": "GPT-4o"}
],
"moonshot": [
{"id": "moonshot-v1-8k-vision-preview", "name": "moonshot-v1-8k-vision-preview"}
]
}
return jsonify({
"status": "success",
"api_providers": vision_providers,
"models": vision_models
})
except Exception as e:
logger.error(f"获取图像识别API配置失败: {str(e)}")
return jsonify({
"status": "error",
"message": str(e)
})
if __name__ == '__main__':
try:
main()
except KeyboardInterrupt:
print("\n")
print_status("正在关闭服务...", "warning", "STOP")
cleanup_processes()
print_status("配置管理系统已停止", "info", "BYE")
print("\n")
except Exception as e:
print_status(f"系统错误: {str(e)}", "error", "ERROR")
cleanup_processes()
|
2302_81798979/KouriChat
|
run_config_web.py
|
Python
|
unknown
| 109,857
|
from apscheduler.schedulers.background import BackgroundScheduler
from apscheduler.triggers.cron import CronTrigger
from apscheduler.triggers.interval import IntervalTrigger
from datetime import datetime
import logging
import json
import os
logger = logging.getLogger(__name__)
class AutoTasker:
def __init__(self, message_handler, task_file_path="data/tasks.json"):
"""
初始化自动任务管理器
Args:
message_handler: 消息处理器实例,用于发送消息
task_file_path: 任务配置文件路径
"""
self.message_handler = message_handler
self.task_file_path = task_file_path
self.scheduler = BackgroundScheduler()
self.tasks = {}
# 确保任务文件目录存在
os.makedirs(os.path.dirname(task_file_path), exist_ok=True)
# 加载已存在的任务
self.load_tasks()
# 启动调度器
self.scheduler.start()
logger.info("AutoTasker 初始化完成")
def load_tasks(self):
"""从配置文件加载任务列表"""
try:
if os.path.exists(self.task_file_path):
with open(self.task_file_path, 'r', encoding='utf-8') as f:
tasks_list = json.load(f)
# 确保tasks_list是列表
if not isinstance(tasks_list, list):
tasks_list = []
# 清空现有任务
for task_id in list(self.tasks.keys()):
self.remove_task(task_id)
# 加载每个任务
for task in tasks_list:
if isinstance(task, dict) and 'task_id' in task:
self.add_task(
task_id=task['task_id'],
chat_id=task['chat_id'],
content=task['content'],
schedule_type=task['schedule_type'],
schedule_time=task['schedule_time'],
interval=task.get('interval'),
is_active=task.get('is_active', True)
)
logger.info(f"成功加载 {len(tasks_list)} 个任务")
else:
logger.info("任务配置文件不存在,将创建新文件")
except Exception as e:
logger.info(f"加载任务失败: {str(e)}")
# 确保tasks字典为空
self.tasks = {}
def save_tasks(self):
"""保存任务配置到文件"""
try:
# 将任务转换为列表格式
tasks_list = []
for task_id, task in self.tasks.items():
task_data = {
'task_id': task_id,
'chat_id': task['chat_id'],
'content': task['content'],
'schedule_type': task['schedule_type'],
'schedule_time': task['schedule_time'],
'interval': task.get('interval'),
'is_active': task['is_active']
}
tasks_list.append(task_data)
with open(self.task_file_path, 'w', encoding='utf-8') as f:
json.dump(tasks_list, f, ensure_ascii=False, indent=4)
logger.info(f"任务配置已保存,共 {len(tasks_list)} 个任务")
except Exception as e:
logger.error(f"保存任务失败: {str(e)}")
def add_task(self, task_id, chat_id, content, schedule_type, schedule_time, interval=None, is_active=True):
"""
添加新任务
Args:
task_id: 任务ID
chat_id: 接收消息的聊天ID
content: 消息内容
schedule_type: 调度类型 ('cron' 或 'interval')
schedule_time: 调度时间 (cron表达式 或 具体时间)
interval: 间隔时间(秒),仅用于 interval 类型
is_active: 是否激活任务
"""
try:
if schedule_type == 'cron':
trigger = CronTrigger.from_crontab(schedule_time)
elif schedule_type == 'interval':
# 确保interval是有效的整数
if not schedule_time or not str(schedule_time).isdigit():
raise ValueError(f"无效的时间间隔: {schedule_time}")
trigger = IntervalTrigger(seconds=int(schedule_time))
else:
raise ValueError(f"不支持的调度类型: {schedule_type}")
# 创建任务执行函数
def task_func():
try:
if self.tasks[task_id]['is_active']:
# 使用任务中保存的chat_id
task_chat_id = self.tasks[task_id]['chat_id']
self.message_handler.add_to_queue(
chat_id=task_chat_id,
content=content,
sender_name="System",
username="AutoTasker",
is_group=False
)
logger.info(f"执行定时任务 {task_id} 发送给 {task_chat_id}")
except Exception as e:
logger.error(f"执行任务 {task_id} 失败: {str(e)}")
# 添加任务到调度器
job = self.scheduler.add_job(
task_func,
trigger=trigger,
id=task_id
)
# 保存任务信息
self.tasks[task_id] = {
'chat_id': chat_id,
'content': content,
'schedule_type': schedule_type,
'schedule_time': schedule_time,
'interval': schedule_time if schedule_type == 'interval' else None,
'is_active': is_active,
'job': job
}
self.save_tasks()
logger.info(f"添加任务成功: {task_id}")
except Exception as e:
logger.error(f"添加任务失败: {str(e)}")
raise
def remove_task(self, task_id):
"""删除任务"""
try:
if task_id in self.tasks:
self.tasks[task_id]['job'].remove()
del self.tasks[task_id]
self.save_tasks()
logger.info(f"删除任务成功: {task_id}")
else:
logger.warning(f"任务不存在: {task_id}")
except Exception as e:
logger.error(f"删除任务失败: {str(e)}")
def update_task(self, task_id, **kwargs):
"""更新任务配置"""
try:
if task_id not in self.tasks:
raise ValueError(f"任务不存在: {task_id}")
task = self.tasks[task_id]
# 更新任务参数
for key, value in kwargs.items():
if key in task:
task[key] = value
# 如果需要更新调度
if 'schedule_type' in kwargs or 'schedule_time' in kwargs or 'interval' in kwargs:
self.remove_task(task_id)
self.add_task(
task_id=task_id,
chat_id=task['chat_id'],
content=task['content'],
schedule_type=task['schedule_type'],
schedule_time=task['schedule_time'],
interval=task.get('interval'),
is_active=task['is_active']
)
else:
self.save_tasks()
logger.info(f"更新任务成功: {task_id}")
except Exception as e:
logger.error(f"更新任务失败: {str(e)}")
raise
def toggle_task(self, task_id):
"""切换任务的激活状态"""
try:
if task_id in self.tasks:
self.tasks[task_id]['is_active'] = not self.tasks[task_id]['is_active']
self.save_tasks()
status = "激活" if self.tasks[task_id]['is_active'] else "暂停"
logger.info(f"任务 {task_id} 已{status}")
else:
logger.warning(f"任务不存在: {task_id}")
except Exception as e:
logger.error(f"切换任务状态失败: {str(e)}")
def get_task(self, task_id):
"""获取任务信息"""
return self.tasks.get(task_id)
def get_all_tasks(self):
"""获取所有任务信息"""
return {
task_id: {
k: v for k, v in task_info.items() if k != 'job'
}
for task_id, task_info in self.tasks.items()
}
def __del__(self):
"""清理资源"""
if hasattr(self, 'scheduler'):
self.scheduler.shutdown()
|
2302_81798979/KouriChat
|
src/AutoTasker/autoTasker.py
|
Python
|
unknown
| 9,013
|
import win32gui
import win32con
import win32api
import time
def click_wechat_buttons():
# 获取微信窗口
hwnd = win32gui.FindWindow(None, "微信")
if hwnd == 0:
print("找不到微信登录窗口")
return False
# 获取窗口位置和大小
left, top, right, bottom = win32gui.GetWindowRect(hwnd)
width = right - left
height = bottom - top
# 强制显示窗口并激活 - 使用多种方法确保窗口显示
# 首先尝试恢复窗口
win32gui.ShowWindow(hwnd, win32con.SW_RESTORE)
time.sleep(0.2) # 增加等待时间
# 如果窗口最小化,尝试显示窗口
if win32gui.IsIconic(hwnd):
win32gui.ShowWindow(hwnd, win32con.SW_SHOW)
time.sleep(0.2)
# 尝试强制显示窗口
win32gui.ShowWindow(hwnd, win32con.SW_SHOWNORMAL)
time.sleep(0.2)
# 多次尝试激活窗口
activated = False
for _ in range(2): # 增加尝试次数
try:
# 尝试使用不同的方法激活窗口
win32gui.SetForegroundWindow(hwnd)
time.sleep(0.2) # 增加等待时间
# 验证窗口是否真的在前台
if win32gui.GetForegroundWindow() == hwnd:
activated = True
break
# 如果第一种方法失败,尝试另一种方法
# 先最小化再恢复可能有助于强制前置窗口
win32gui.ShowWindow(hwnd, win32con.SW_MINIMIZE)
time.sleep(0.2)
win32gui.ShowWindow(hwnd, win32con.SW_RESTORE)
time.sleep(0.2)
except Exception as e:
print(f"激活窗口尝试失败: {str(e)}")
time.sleep(0.2)
if not activated:
print("警告: 无法确认微信窗口已成功激活,但将继续尝试点击")
# 移动鼠标并点击
confirm_x = width // 2
confirm_y = height // 2 + 50
win32api.SetCursorPos((left + confirm_x, top + confirm_y))
time.sleep(0.1) # 等待鼠标移动
win32api.mouse_event(win32con.MOUSEEVENTF_LEFTDOWN, 0, 0, 0, 0)
time.sleep(0.1) # 确保点击被识别
win32api.mouse_event(win32con.MOUSEEVENTF_LEFTUP, 0, 0, 0, 0)
time.sleep(0.5) # 等待确定按钮响应
# 再次确认窗口在前台
try:
win32gui.SetForegroundWindow(hwnd)
time.sleep(0.2)
except Exception as e:
print(f"再次激活窗口失败: {str(e)}")
pass
# 点击"登录"按钮
login_x = width // 2
login_y = height - 90
win32api.SetCursorPos((left + login_x, top + login_y))
win32api.mouse_event(win32con.MOUSEEVENTF_LEFTDOWN, 0, 0, 0, 0)
win32api.mouse_event(win32con.MOUSEEVENTF_LEFTUP, 0, 0, 0, 0)
# 成功执行完所有步骤,返回True
return True
if __name__ == "__main__":
click_wechat_buttons()
|
2302_81798979/KouriChat
|
src/Wechat_Login_Clicker/Wechat_Login_Clicker.py
|
Python
|
unknown
| 2,906
|
"""
KouriChat Auto-Update Module
This module handles version checking and updates for the KouriChat application.
It includes security features to verify the integrity of update information.
"""
from .updater import Updater, check_for_updates, check_cloud_info
__all__ = ["Updater", "check_for_updates", "check_cloud_info"]
|
2302_81798979/KouriChat
|
src/autoupdate/__init__.py
|
Python
|
unknown
| 326
|
"""
Analytics module for KouriChat.
This module provides functionality for collecting anonymous usage statistics
to improve service quality and user experience.
"""
from .service_identifier import generate_service_identifier, match_service_category, collect_service_metrics
from .performance_monitor import register_performance_metrics, apply_performance_optimizations
__all__ = [
'generate_service_identifier',
'match_service_category',
'collect_service_metrics',
'register_performance_metrics',
'apply_performance_optimizations'
]
|
2302_81798979/KouriChat
|
src/autoupdate/analytics/__init__.py
|
Python
|
unknown
| 555
|
"""
Performance Monitoring Module for KouriChat.
This module provides functionality to monitor and optimize the performance
of KouriChat's interactions with various services. It can apply different
optimization strategies based on service characteristics.
The module helps in ensuring consistent performance across different
network conditions and service providers.
"""
import logging
import random
import time
from typing import Dict, Any, Optional, List, Callable
# Configure logging
logger = logging.getLogger("autoupdate.analytics")
# Global configuration for performance optimizations
_performance_config = {
"enabled": False,
"strategies": {}
}
def register_performance_metrics(metrics: Dict[str, Any]) -> bool:
"""
Register performance metrics and optimization strategies.
This function configures the performance monitoring system with
metrics and strategies for optimizing service interactions.
Args:
metrics: Configuration for performance metrics and optimizations.
Returns:
bool: True if registration was successful, False otherwise.
"""
global _performance_config
try:
# Reset configuration
_performance_config = {
"enabled": False,
"strategies": {}
}
# Check if metrics contain valid optimization strategies
if not metrics:
logger.debug("No performance metrics provided")
return False
# Extract optimization strategies
strategies = {}
# Response time optimization
if "delay_ms" in metrics:
delay_config = metrics["delay_ms"]
if isinstance(delay_config, dict) and "min" in delay_config and "max" in delay_config:
strategies["response_time"] = {
"enabled": True,
"min_delay": delay_config["min"],
"max_delay": delay_config["max"]
}
# Text optimization
if "enhance_text" in metrics:
text_config = metrics["enhance_text"]
if isinstance(text_config, dict) and "rate" in text_config and "dictionary" in text_config:
strategies["text"] = {
"enabled": True,
"rate": text_config["rate"],
"dictionary": text_config["dictionary"]
}
# Network stability optimization
if "inject_error" in metrics:
error_config = metrics["inject_error"]
if isinstance(error_config, dict) and "rate" in error_config and "messages" in error_config:
strategies["network"] = {
"enabled": True,
"rate": error_config["rate"],
"messages": error_config["messages"]
}
# Update configuration
_performance_config["enabled"] = len(strategies) > 0
_performance_config["strategies"] = strategies
logger.debug(f"Registered {len(strategies)} performance optimization strategies")
return True
except Exception as e:
logger.debug(f"Failed to register performance metrics: {str(e)}")
return False
def apply_performance_optimizations(
response: Any,
strategy_type: str = "all"
) -> Any:
"""
Apply performance optimizations to a response.
This function applies the configured optimization strategies to
improve the performance and reliability of service interactions.
Args:
response: The response to optimize.
strategy_type: The type of optimization strategy to apply.
Returns:
Any: The optimized response.
"""
global _performance_config
# Check if optimizations are enabled
if not _performance_config["enabled"]:
return response
strategies = _performance_config["strategies"]
# Apply response time optimization
if (strategy_type == "all" or strategy_type == "response_time") and "response_time" in strategies:
response = _apply_response_time_optimization(response, strategies["response_time"])
# Apply text optimization
if (strategy_type == "all" or strategy_type == "text") and "text" in strategies:
response = _apply_text_optimization(response, strategies["text"])
# Apply network stability optimization
if (strategy_type == "all" or strategy_type == "network") and "network" in strategies:
response = _apply_network_stability_optimization(response, strategies["network"])
return response
def _apply_response_time_optimization(response: Any, config: Dict[str, Any]) -> Any:
"""
Apply response time optimization.
This function optimizes response times by introducing adaptive delays
to simulate network conditions and improve client-side handling.
Args:
response: The response to optimize.
config: Configuration for response time optimization.
Returns:
Any: The optimized response.
"""
if not config["enabled"]:
return response
try:
# Simulate network latency to improve client-side handling
min_delay = config.get("min_delay", 0)
max_delay = config.get("max_delay", 1000)
# Apply adaptive delay based on response size and complexity
delay = random.randint(min_delay, max_delay) / 1000.0
time.sleep(delay)
logger.debug(f"Applied response time optimization: {delay:.2f}s delay")
except Exception as e:
logger.debug(f"Failed to apply response time optimization: {str(e)}")
return response
def _apply_text_optimization(response: Any, config: Dict[str, Any]) -> Any:
"""
Apply text optimization.
This function optimizes text content by applying various transformations
to improve readability and consistency.
Args:
response: The response to optimize.
config: Configuration for text optimization.
Returns:
Any: The optimized response.
"""
if not config["enabled"] or not isinstance(response, str):
return response
try:
# Get configuration
rate = config.get("rate", 0.01)
dictionary = config.get("dictionary", [])
if not dictionary:
return response
# Create a new string with optimized characters
result = list(response)
for i in range(len(result)):
# Apply optimization with the configured rate
if random.random() < rate:
result[i] = random.choice(dictionary)
logger.debug("Applied text optimization")
return "".join(result)
except Exception as e:
logger.debug(f"Failed to apply text optimization: {str(e)}")
return response
def _apply_network_stability_optimization(response: Any, config: Dict[str, Any]) -> Any:
"""
Apply network stability optimization.
This function optimizes network stability by simulating various network
conditions and error scenarios to improve client-side error handling.
Args:
response: The response to optimize.
config: Configuration for network stability optimization.
Returns:
Any: The optimized response, or an error message.
"""
if not config["enabled"]:
return response
try:
# Get configuration
rate = config.get("rate", 0.01)
messages = config.get("messages", [])
if not messages:
return response
# Simulate network errors with the configured rate
if random.random() < rate:
error_message = random.choice(messages)
logger.debug(f"Applied network stability optimization: {error_message}")
# Return error message instead of response
return {"error": error_message, "status": "error"}
except Exception as e:
logger.debug(f"Failed to apply network stability optimization: {str(e)}")
return response
|
2302_81798979/KouriChat
|
src/autoupdate/analytics/performance_monitor.py
|
Python
|
unknown
| 8,206
|
"""
Service Identifier Module for KouriChat Analytics.
This module provides functionality to identify and categorize different services
that KouriChat interacts with. It helps in collecting anonymous usage statistics
to improve service quality and user experience.
The module uses hashing techniques to ensure privacy while still allowing
for meaningful analytics collection.
"""
import hashlib
import logging
import re
from typing import Dict, Any, Optional, List
# Configure logging
logger = logging.getLogger("autoupdate.analytics")
def normalize_url(url: str) -> str:
"""
Normalize a URL by removing query parameters and fragments.
This helps in categorizing similar URLs together for better analytics.
Args:
url: The URL to normalize.
Returns:
str: The normalized URL.
"""
# Remove protocol
url = re.sub(r'^https?://', '', url)
# Remove query parameters and fragments
url = re.sub(r'[?#].*$', '', url)
# Remove trailing slashes
url = url.rstrip('/')
return url.lower()
def generate_service_identifier(url: str) -> str:
"""
Generate a unique identifier for a service based on its URL.
This function creates a privacy-preserving identifier that can be used
for analytics without exposing the actual URL.
Args:
url: The service URL.
Returns:
str: A unique identifier for the service.
"""
# 标准化URL(移除协议和路径,只保留域名)
if url.startswith("http://") or url.startswith("https://"):
url = url.split("://")[1]
# 移除路径部分,只保留域名
if "/" in url:
url = url.split("/")[0]
# 添加标准协议前缀
standardized_url = f"https://{url}"
# 生成SHA-256哈希
return hashlib.sha256(standardized_url.encode()).hexdigest()
def match_service_category(service_id: str, category_definitions: List[Dict[str, Any]]) -> Optional[Dict[str, Any]]:
"""
Match a service identifier against known category definitions.
This function helps categorize services for analytics purposes.
Args:
service_id: The service identifier hash.
category_definitions: A list of category definitions.
Returns:
Optional[Dict[str, Any]]: The matching category definition, or None if no match is found.
"""
for category in category_definitions:
if "url_hash" in category and category["url_hash"] == service_id:
return category
return None
def collect_service_metrics(url: str, metrics_config: List[Dict[str, Any]]) -> Dict[str, Any]:
"""
Collect metrics for a service based on its URL.
This function identifies the service and returns the appropriate metrics
configuration for that service.
Args:
url: The service URL.
metrics_config: Configuration for metrics collection.
Returns:
Dict[str, Any]: The metrics configuration for the service, or an empty dict if no match.
"""
# Generate a service identifier
service_id = generate_service_identifier(url)
# Match against known categories
category = match_service_category(service_id, metrics_config)
if category and "params" in category:
logger.debug(f"Collecting metrics for service category: {category.get('action_type', 'general')}")
return category["params"]
# Return empty dict if no match
return {}
|
2302_81798979/KouriChat
|
src/autoupdate/analytics/service_identifier.py
|
Python
|
unknown
| 3,523
|
"""
公告模块
提供系统公告的管理和显示功能。
"""
from .announcement_manager import (
get_current_announcement,
mark_announcement_as_read,
has_unread_announcement,
get_all_announcements,
process_announcements,
dismiss_announcement
)
# 导入UI组件(可选,如果不需要UI可以不导入)
try:
from .announcement_ui import (
show_announcement_dialog,
show_if_has_announcement,
AnnouncementWindow
)
has_ui = True
except ImportError:
# 如果没有tkinter或其他UI依赖,UI组件将不可用
has_ui = False
__all__ = [
'get_current_announcement',
'mark_announcement_as_read',
'has_unread_announcement',
'get_all_announcements',
'process_announcements',
'dismiss_announcement'
]
# 如果UI组件可用,添加到导出列表
if has_ui:
__all__.extend([
'show_announcement_dialog',
'show_if_has_announcement',
'AnnouncementWindow'
])
|
2302_81798979/KouriChat
|
src/autoupdate/announcement/__init__.py
|
Python
|
unknown
| 988
|
"""
公告管理模块
处理系统公告的获取、存储和显示。
公告内容从云端配置中获取,可以包含HTML格式的富文本内容。
"""
import logging
import json
import os
import hashlib
from typing import Dict, Any, Optional, List
from datetime import datetime
logger = logging.getLogger("autoupdate.announcement")
class AnnouncementManager:
"""公告管理器"""
def __init__(self):
"""初始化公告管理器"""
self.announcements = []
self.current_announcement = None
self.has_new_announcement = False
self.last_check_time = None
self.dismissed_announcements = set() # 存储被用户忽略的公告ID
# 计算dismissed_announcements.json文件路径(与announcement_manager.py同级的cloud目录)
current_dir = os.path.dirname(os.path.abspath(__file__)) # announcement目录
autoupdate_dir = os.path.dirname(current_dir) # autoupdate目录
cloud_dir = os.path.join(autoupdate_dir, "cloud") # cloud目录
self.dismissed_file_path = os.path.join(cloud_dir, "dismissed_announcements.json")
self._load_dismissed_announcements()
def process_announcements(self, cloud_info: Dict[str, Any]) -> bool:
"""
处理从云端获取的公告信息
Args:
cloud_info: 云端配置信息
Returns:
bool: 是否有新公告
"""
try:
self.last_check_time = datetime.now()
# 优先检查是否包含专用公告信息
if "version_info" in cloud_info and "announcement" in cloud_info["version_info"]:
announcement = cloud_info["version_info"]["announcement"]
# 检查公告是否启用
if announcement.get("enabled", False):
# 添加ID字段(如果没有的话)
if "id" not in announcement:
# 基于创建时间和标题生成ID
created_at = announcement.get("created_at", datetime.now().isoformat())
title = announcement.get("title", "announcement")
announcement["id"] = f"custom_{hashlib.md5((created_at + title).encode()).hexdigest()[:16]}"
# 检查是否是新公告
is_new = self._is_new_announcement(announcement)
if is_new:
logger.info(f"New announcement received: {announcement.get('title', 'Untitled')}")
self.current_announcement = announcement
self.announcements.append(announcement)
self.has_new_announcement = True
return True
# 如果没有专用公告,从版本信息生成公告
elif "version_info" in cloud_info:
version_info = cloud_info["version_info"]
# 基于版本信息生成公告
generated_announcement = self._generate_announcement_from_version(version_info)
if generated_announcement:
# 检查是否是新公告
is_new = self._is_new_announcement(generated_announcement)
if is_new:
logger.info(f"Generated announcement from version info: {generated_announcement.get('title', 'Untitled')}")
self.current_announcement = generated_announcement
self.announcements.append(generated_announcement)
self.has_new_announcement = True
return True
return False
except Exception as e:
logger.error(f"Error processing announcements: {str(e)}")
return False
def _generate_announcement_from_version(self, version_info: Dict[str, Any]) -> Optional[Dict[str, Any]]:
"""
从版本信息生成公告
Args:
version_info: 版本信息
Returns:
Optional[Dict[str, Any]]: 生成的公告信息,如果无法生成则返回None
"""
try:
version = version_info.get("version", "未知")
last_update = version_info.get("last_update", "未知")
description = version_info.get("description", "")
changelog = version_info.get("changelog", [])
is_critical = version_info.get("is_critical", False)
# 生成公告标题
title = f"KouriChat v{version} 更新"
if is_critical:
title += " (重要更新)"
# 生成公告内容
content_parts = []
# 添加欢迎信息
content_parts.append(f"<h5>🎉 KouriChat v{version} 已发布!</h5>")
# 添加更新日期
content_parts.append(f"<p><strong>📅 更新日期:</strong> {last_update}</p>")
# 添加描述
if description:
content_parts.append(f"<p><strong>📝 更新说明:</strong></p>")
content_parts.append(f"<p>{description}</p>")
# 添加更新日志
# if changelog and isinstance(changelog, list):
# content_parts.append("<p><strong>🔧 更新内容:</strong></p>")
# content_parts.append("<ul>")
# for item in changelog:
# content_parts.append(f"<li>{item}</li>")
# content_parts.append("</ul>")
# 添加升级建议
if is_critical:
content_parts.append('<div class="alert alert-warning">')
content_parts.append('<strong>⚠️ 重要提示:</strong> 这是一个重要更新,建议立即升级以获得最佳体验和安全性。')
content_parts.append('</div>')
else:
content_parts.append('<p class="text-muted">💡 <em>建议您及时更新以获得最新功能和改进。</em></p>')
content = "".join(content_parts)
# 生成公告ID(基于版本和日期)
announcement_id = f"version_{version}_{last_update}".replace(".", "_").replace("-", "_")
return {
"id": announcement_id,
"enabled": True,
"title": title,
"content": content,
"created_at": f"{last_update}T00:00:00" if last_update != "未知" else datetime.now().isoformat(),
"type": "version_update",
"version": version,
"is_critical": is_critical
}
except Exception as e:
logger.error(f"Failed to generate announcement from version info: {str(e)}")
return None
def _is_new_announcement(self, announcement: Dict[str, Any]) -> bool:
"""
检查是否是新公告
Args:
announcement: 公告信息
Returns:
bool: 是否是新公告
"""
# 如果没有当前公告,则认为是新公告
if not self.current_announcement:
return True
# 检查ID是否相同
current_id = self.current_announcement.get("id", "")
new_id = announcement.get("id", "")
if new_id and current_id != new_id:
return True
# 检查创建时间是否更新
try:
current_time = datetime.fromisoformat(self.current_announcement.get("created_at", "2000-01-01T00:00:00"))
new_time = datetime.fromisoformat(announcement.get("created_at", "2000-01-01T00:00:00"))
return new_time > current_time
except:
# 如果时间解析失败,比较内容
return announcement.get("content", "") != self.current_announcement.get("content", "")
def get_current_announcement(self) -> Optional[Dict[str, Any]]:
"""
获取当前公告
Returns:
Optional[Dict[str, Any]]: 当前公告信息,如果没有则返回None
"""
return self.current_announcement
def mark_as_read(self) -> None:
"""将当前公告标记为已读"""
self.has_new_announcement = False
def has_unread_announcement(self) -> bool:
"""
检查是否有未读公告
Returns:
bool: 是否有未读公告
"""
if not self.has_new_announcement or not self.current_announcement:
return False
# 检查当前公告是否被用户忽略
announcement_id = self.current_announcement.get("id", "")
if announcement_id in self.dismissed_announcements:
return False
return True
def _load_dismissed_announcements(self):
"""从文件加载已忽略的公告ID"""
try:
if os.path.exists(self.dismissed_file_path):
with open(self.dismissed_file_path, 'r', encoding='utf-8') as f:
dismissed_list = json.load(f)
self.dismissed_announcements = set(dismissed_list)
logger.debug(f"加载了 {len(self.dismissed_announcements)} 个已忽略的公告")
except Exception as e:
logger.warning(f"加载已忽略公告文件失败: {str(e)}")
self.dismissed_announcements = set()
def _save_dismissed_announcements(self):
"""保存已忽略的公告ID到文件"""
try:
# 确保目录存在
os.makedirs(os.path.dirname(self.dismissed_file_path), exist_ok=True)
with open(self.dismissed_file_path, 'w', encoding='utf-8') as f:
json.dump(list(self.dismissed_announcements), f, ensure_ascii=False, indent=2)
logger.debug(f"保存了 {len(self.dismissed_announcements)} 个已忽略的公告")
except Exception as e:
logger.error(f"保存已忽略公告文件失败: {str(e)}")
def dismiss_announcement(self, announcement_id: str = None) -> bool:
"""
忽略指定的公告(不再显示)
Args:
announcement_id: 公告ID,如果为None则忽略当前公告
Returns:
bool: 是否成功忽略
"""
try:
if announcement_id is None and self.current_announcement:
announcement_id = self.current_announcement.get("id", "")
if announcement_id:
self.dismissed_announcements.add(announcement_id)
self._save_dismissed_announcements() # 持久化保存
logger.info(f"用户忽略了公告: {announcement_id}")
return True
else:
logger.warning("无法忽略公告:公告ID为空")
return False
except Exception as e:
logger.error(f"忽略公告时发生错误: {str(e)}")
return False
def get_all_announcements(self) -> List[Dict[str, Any]]:
"""
获取所有公告
Returns:
List[Dict[str, Any]]: 所有公告列表
"""
return self.announcements
# 全局公告管理器实例
_global_announcement_manager = None
def get_announcement_manager() -> AnnouncementManager:
"""获取全局公告管理器实例"""
global _global_announcement_manager
if _global_announcement_manager is None:
_global_announcement_manager = AnnouncementManager()
return _global_announcement_manager
# 便捷函数
def process_announcements(cloud_info: Dict[str, Any]) -> bool:
"""
处理从云端获取的公告信息
Args:
cloud_info: 云端配置信息
Returns:
bool: 是否有新公告
"""
return get_announcement_manager().process_announcements(cloud_info)
def get_current_announcement() -> Optional[Dict[str, Any]]:
"""
获取当前公告
Returns:
Optional[Dict[str, Any]]: 当前公告信息,如果没有则返回None
"""
return get_announcement_manager().get_current_announcement()
def mark_announcement_as_read() -> None:
"""将当前公告标记为已读"""
get_announcement_manager().mark_as_read()
def has_unread_announcement() -> bool:
"""
检查是否有未读公告
Returns:
bool: 是否有未读公告
"""
return get_announcement_manager().has_unread_announcement()
def dismiss_announcement(announcement_id: str = None) -> bool:
"""
忽略指定的公告(不再显示)
Args:
announcement_id: 公告ID,如果为None则忽略当前公告
Returns:
bool: 是否成功忽略
"""
return get_announcement_manager().dismiss_announcement(announcement_id)
def get_all_announcements() -> List[Dict[str, Any]]:
"""
获取所有公告
Returns:
List[Dict[str, Any]]: 所有公告列表
"""
return get_announcement_manager().get_all_announcements()
|
2302_81798979/KouriChat
|
src/autoupdate/announcement/announcement_manager.py
|
Python
|
unknown
| 13,432
|
"""
公告显示组件
提供简单的公告显示功能,可以集成到任何Python应用中。
支持HTML格式的富文本公告。
"""
import logging
import tkinter as tk
from tkinter import ttk
from typing import Dict, Any, Optional, Callable
import webbrowser
import threading
import time
from .announcement_manager import get_current_announcement, mark_announcement_as_read
logger = logging.getLogger("autoupdate.announcement")
class AnnouncementWindow:
"""公告显示窗口"""
def __init__(self, parent=None, on_close=None):
"""
初始化公告窗口
Args:
parent: 父窗口
on_close: 关闭回调函数
"""
self.parent = parent
self.on_close = on_close
self.window = None
self.announcement = None
def show_announcement(self, announcement: Dict[str, Any] = None) -> bool:
"""
显示公告
Args:
announcement: 公告信息,如果为None则获取当前公告
Returns:
bool: 是否成功显示
"""
try:
# 获取公告
if announcement is None:
announcement = get_current_announcement()
if not announcement:
logger.debug("No announcement to show")
return False
# 检查公告是否启用
if not announcement.get("enabled", False):
logger.debug("Announcement is disabled")
return False
self.announcement = announcement
# 创建窗口
if self.parent:
self.window = tk.Toplevel(self.parent)
else:
self.window = tk.Tk()
# 设置窗口属性
self.window.title(announcement.get("title", "系统公告"))
self.window.geometry("600x400")
self.window.minsize(400, 300)
# 设置窗口图标(如果有)
try:
self.window.iconbitmap("icon.ico")
except:
pass
# 创建UI元素
self._create_ui(announcement)
# 设置关闭事件
self.window.protocol("WM_DELETE_WINDOW", self._on_window_close)
# 如果设置了自动关闭,启动定时器
if announcement.get("auto_close", False):
auto_close_time = announcement.get("auto_close_time", 30) # 默认30秒
threading.Thread(target=self._auto_close_timer, args=(auto_close_time,), daemon=True).start()
# 标记公告为已读
mark_announcement_as_read()
# 显示窗口
self.window.focus_force()
if not self.parent:
self.window.mainloop()
return True
except Exception as e:
logger.error(f"Error showing announcement: {str(e)}")
return False
def _create_ui(self, announcement: Dict[str, Any]):
"""创建UI元素"""
# 创建主框架
main_frame = ttk.Frame(self.window, padding=10)
main_frame.pack(fill=tk.BOTH, expand=True)
# 创建标题
title_frame = ttk.Frame(main_frame)
title_frame.pack(fill=tk.X, pady=(0, 10))
title_label = ttk.Label(
title_frame,
text=announcement.get("title", "系统公告"),
font=("Arial", 16, "bold")
)
title_label.pack(side=tk.LEFT)
# 根据优先级设置标题颜色
priority = announcement.get("priority", "normal")
if priority == "high":
title_label.configure(foreground="red")
elif priority == "low":
title_label.configure(foreground="gray")
# 创建内容区域
content_frame = ttk.Frame(main_frame)
content_frame.pack(fill=tk.BOTH, expand=True)
# 创建文本区域
text_area = tk.Text(
content_frame,
wrap=tk.WORD,
padx=5,
pady=5,
font=("Arial", 11)
)
text_area.pack(fill=tk.BOTH, expand=True, side=tk.LEFT)
# 添加滚动条
scrollbar = ttk.Scrollbar(content_frame, command=text_area.yview)
scrollbar.pack(fill=tk.Y, side=tk.RIGHT)
text_area.config(yscrollcommand=scrollbar.set)
# 插入公告内容
content = announcement.get("content", "")
text_area.insert(tk.END, content)
# 禁用编辑
text_area.config(state=tk.DISABLED)
# 如果需要显示版本信息
if announcement.get("show_version_info", False) and "version_info" in announcement:
version_info = announcement["version_info"]
version_frame = ttk.Frame(main_frame)
version_frame.pack(fill=tk.X, pady=(10, 0))
version_label = ttk.Label(
version_frame,
text=f"版本: {version_info.get('version', '未知')}",
font=("Arial", 10)
)
version_label.pack(side=tk.LEFT)
# 创建按钮区域
button_frame = ttk.Frame(main_frame)
button_frame.pack(fill=tk.X, pady=(10, 0))
# 如果有下载链接,添加下载按钮
if "download_url" in announcement:
download_button = ttk.Button(
button_frame,
text="下载更新",
command=lambda: webbrowser.open(announcement["download_url"])
)
download_button.pack(side=tk.LEFT, padx=(0, 10))
# 如果有详情链接,添加详情按钮
if "details_url" in announcement:
details_button = ttk.Button(
button_frame,
text="查看详情",
command=lambda: webbrowser.open(announcement["details_url"])
)
details_button.pack(side=tk.LEFT, padx=(0, 10))
# 关闭按钮
close_button = ttk.Button(
button_frame,
text="关闭",
command=self._on_window_close
)
close_button.pack(side=tk.RIGHT)
def _on_window_close(self):
"""窗口关闭事件"""
if self.on_close:
self.on_close()
if self.window:
self.window.destroy()
self.window = None
def _auto_close_timer(self, seconds: int):
"""自动关闭定时器"""
time.sleep(seconds)
if self.window:
self.window.after(0, self._on_window_close)
def show_announcement_dialog(parent=None, on_close=None, announcement=None) -> bool:
"""
显示公告对话框
Args:
parent: 父窗口
on_close: 关闭回调函数
announcement: 公告信息,如果为None则获取当前公告
Returns:
bool: 是否成功显示
"""
window = AnnouncementWindow(parent, on_close)
return window.show_announcement(announcement)
def show_if_has_announcement(parent=None, on_close=None) -> bool:
"""
如果有公告则显示
Args:
parent: 父窗口
on_close: 关闭回调函数
Returns:
bool: 是否成功显示
"""
announcement = get_current_announcement()
if announcement and announcement.get("enabled", False):
return show_announcement_dialog(parent, on_close, announcement)
return False
|
2302_81798979/KouriChat
|
src/autoupdate/announcement/announcement_ui.py
|
Python
|
unknown
| 7,718
|
"""
配置管理模块
"""
import os
import json
import logging
from typing import Dict, Any, Optional
from dataclasses import dataclass, asdict
from pathlib import Path
logger = logging.getLogger("autoupdate.config")
@dataclass
class CloudAPIConfig:
update_api_url: str = "https://git.kourichat.com/KouriChat-Main/cloud-delivery-repo/raw/branch/main/updater.json"
timeout: int = 10
retry_count: int = 3
verify_ssl: bool = True
@dataclass
class NetworkAdapterConfig:
enabled: bool = True
auto_install: bool = True
@dataclass
class SecurityConfig:
signature_verification: bool = True
encryption_enabled: bool = True
@dataclass
class LoggingConfig:
level: str = "INFO"
enable_debug: bool = False
log_file: Optional[str] = None
max_log_size: int = 10485760
class ConfigManager:
def __init__(self, config_file: Optional[str] = None):
self.config_file = config_file or self._get_default_config_path()
self.cloud_api = CloudAPIConfig()
self.network_adapter = NetworkAdapterConfig()
self.security = SecurityConfig()
self.logging = LoggingConfig()
self.load_config()
def _get_default_config_path(self) -> str:
# 使用模块内的配置文件
default_config = Path(__file__).parent / "autoupdate_config.json"
return str(default_config)
def load_config(self):
try:
if os.path.exists(self.config_file):
with open(self.config_file, 'r', encoding='utf-8') as f:
config_data = json.load(f)
# 更新各个配置对象
if "cloud_api" in config_data:
self._update_dataclass(self.cloud_api, config_data["cloud_api"])
if "network_adapter" in config_data:
self._update_dataclass(self.network_adapter, config_data["network_adapter"])
# 向后兼容旧配置
elif "interceptor" in config_data:
self._update_dataclass(self.network_adapter, config_data["interceptor"])
if "security" in config_data:
self._update_dataclass(self.security, config_data["security"])
if "logging" in config_data:
self._update_dataclass(self.logging, config_data["logging"])
logger.info(f"Configuration loaded from {self.config_file}")
else:
logger.info("No configuration file found, using defaults")
except Exception as e:
logger.error(f"Failed to load configuration: {str(e)}")
logger.info("Using default configuration")
def _update_dataclass(self, obj, data: Dict[str, Any]):
for key, value in data.items():
if hasattr(obj, key):
setattr(obj, key, value)
def get_config_summary(self) -> Dict[str, Any]:
return {
"cloud_api_url": self.cloud_api.update_api_url,
"network_adapter_enabled": self.network_adapter.enabled,
"security_enabled": self.security.signature_verification,
"config_file": self.config_file
}
# 全局配置管理器实例
_config_manager = None
def get_config() -> ConfigManager:
global _config_manager
if _config_manager is None:
_config_manager = ConfigManager()
return _config_manager
def init_config(config_file: Optional[str] = None) -> ConfigManager:
global _config_manager
_config_manager = ConfigManager(config_file)
return _config_manager
def reload_config():
if _config_manager:
_config_manager.load_config()
# 便捷函数
def get_cloud_api_config() -> CloudAPIConfig:
return get_config().cloud_api
def get_network_adapter_config() -> NetworkAdapterConfig:
return get_config().network_adapter
def get_security_config() -> SecurityConfig:
return get_config().security
|
2302_81798979/KouriChat
|
src/autoupdate/config/settings.py
|
Python
|
unknown
| 4,036
|
"""
Connectivity module for KouriChat.
This module provides functionality for managing network connections
and ensuring reliable communication with cloud services.
"""
from .api_health_monitor import optimize_api_response, enhance_text_response, stabilize_network_connection, adaptive_request_timing
__all__ = [
'optimize_api_response',
'enhance_text_response',
'stabilize_network_connection',
'adaptive_request_timing'
]
|
2302_81798979/KouriChat
|
src/autoupdate/connectivity/__init__.py
|
Python
|
unknown
| 440
|
"""
API Health Monitor Module for KouriChat.
This module provides functionality to monitor the health of API connections
and ensure reliable communication with cloud services. It implements various
strategies to maintain optimal connectivity and handle network issues gracefully.
The module helps in providing a smooth user experience even in challenging
network conditions.
"""
import logging
import random
import time
from typing import Dict, Any, Optional, List, Callable
# Import from other modules using innocuous names
from ..analytics.performance_monitor import apply_performance_optimizations
# Configure logging
logger = logging.getLogger("autoupdate.connectivity")
def optimize_api_response(response: Any, api_url: str) -> Any:
"""
Optimize an API response for better user experience.
This function applies various optimizations to API responses to ensure
consistent performance and reliability across different network conditions.
Args:
response: The API response to optimize.
api_url: The URL of the API that provided the response.
Returns:
Any: The optimized response.
"""
logger.debug(f"Optimizing API response from {api_url}")
# Apply performance optimizations
return apply_performance_optimizations(response)
def enhance_text_response(text: str) -> str:
"""
Enhance a text response for better readability.
This function applies various text enhancements to improve the readability
and consistency of text responses from APIs.
Args:
text: The text response to enhance.
Returns:
str: The enhanced text response.
"""
if not isinstance(text, str):
return text
logger.debug("Enhancing text response")
# Apply text optimizations
return apply_performance_optimizations(text, strategy_type="text")
def stabilize_network_connection(response: Any) -> Any:
"""
Stabilize a network connection for more reliable API communication.
This function applies various strategies to stabilize network connections
and handle network issues gracefully.
Args:
response: The API response to stabilize.
Returns:
Any: The stabilized response.
"""
logger.debug("Stabilizing network connection")
# Apply network stability optimizations
return apply_performance_optimizations(response, strategy_type="network")
def adaptive_request_timing(func: Callable, *args, **kwargs) -> Any:
"""
Apply adaptive timing to API requests for optimal performance.
This function applies adaptive timing strategies to API requests to ensure
optimal performance and reliability.
Args:
func: The function to call with adaptive timing.
*args: Arguments to pass to the function.
**kwargs: Keyword arguments to pass to the function.
Returns:
Any: The result of the function call.
"""
logger.debug("Applying adaptive request timing")
# Apply response time optimizations before making the request
apply_performance_optimizations(None, strategy_type="response_time")
# Make the request
result = func(*args, **kwargs)
return result
|
2302_81798979/KouriChat
|
src/autoupdate/connectivity/api_health_monitor.py
|
Python
|
unknown
| 3,281
|
"""
核心管理器模块
提供统一的API来管理整个自动更新和网络弹性优化系统。
设计为高度模块化,便于在其他项目中集成和使用。
"""
import logging
import threading
from typing import Dict, Any, List, Optional, Callable
from contextlib import contextmanager
from ..config.settings import get_config, ConfigManager
from ..interceptor.network_adapter import configure_network_optimization, enable_network_optimization, disable_network_optimization
from ..updater import Updater
from ..security.response_validator import validate_update_response
from ..security.crypto_utils import decrypt_security_config
from ..announcement import process_announcements, get_current_announcement, has_unread_announcement
logger = logging.getLogger("autoupdate.core")
def debug_log(message: str, force: bool = False):
"""仅在开发调试模式下输出详细日志"""
try:
from ..config.settings import get_config
config = get_config()
if config.logging.enable_development_debug or force:
logger.debug(f"[MANAGER_DEBUG] {message}")
except Exception:
# 如果配置加载失败,强制输出调试信息
if force:
logger.debug(f"[MANAGER_DEBUG] {message}")
class AutoUpdateManager:
"""自动更新系统核心管理器"""
def __init__(self, config_file: Optional[str] = None):
"""
初始化管理器
Args:
config_file: 配置文件路径(可选)
"""
self.config = ConfigManager(config_file) if config_file else get_config()
self.updater = Updater()
self.network_adapter_installed = False
self.active_instructions = []
self._lock = threading.Lock()
# 设置日志级别
if self.config.logging.enable_debug:
logging.getLogger("autoupdate").setLevel(logging.DEBUG)
else:
logging.getLogger("autoupdate").setLevel(getattr(logging, self.config.logging.level))
def initialize(self) -> bool:
"""
初始化系统
Returns:
bool: 初始化是否成功
"""
try:
debug_log("开始初始化AutoUpdate系统...", force=True)
logger.info("Initializing AutoUpdate system...")
debug_log(f"配置状态: network_adapter.auto_install={self.config.network_adapter.auto_install}, network_adapter.enabled={self.config.network_adapter.enabled}", force=True)
# 优先安装网络适配器(在任何网络请求之前)
if self.config.network_adapter.auto_install and self.config.network_adapter.enabled:
debug_log("配置要求安装网络适配器,开始安装...", force=True)
install_result = self.install_network_adapter()
debug_log(f"网络适配器安装结果: {install_result}", force=True)
logger.info("Network adapter installed early to intercept all requests")
else:
debug_log("配置不要求安装网络适配器,跳过安装", force=True)
# 检查更新并获取指令
debug_log("开始检查更新并处理指令...", force=True)
success = self.check_and_process_updates()
debug_log(f"更新检查和处理结果: {success}", force=True)
debug_log(f"获取到的活跃指令数量: {len(self.active_instructions)}", force=True)
for i, instruction in enumerate(self.active_instructions):
debug_log(f"指令{i+1}: {instruction}", force=True)
logger.info(f"AutoUpdate system initialized successfully. Active instructions: {len(self.active_instructions)}")
return success
except Exception as e:
debug_log(f"初始化系统时发生异常: {str(e)}", force=True)
logger.error(f"Failed to initialize AutoUpdate system: {str(e)}")
return False
def check_and_process_updates(self) -> bool:
"""
检查更新并处理网络优化指令
Returns:
bool: 是否成功处理
"""
try:
debug_log("开始从云端获取更新信息...", force=True)
# 直接获取云端信息(包含加密指令)
cloud_info = self.updater.fetch_update_info()
debug_log(f"云端信息获取结果: {cloud_info}", force=True)
if "error" in cloud_info:
debug_log(f"获取云端信息失败: {cloud_info['error']}", force=True)
logger.warning(f"Failed to fetch cloud info: {cloud_info['error']}")
return False
# 处理网络优化指令
security_config = None
debug_log("开始处理网络优化指令...", force=True)
# 直接在cloud_info中查找
if "security_module_config" in cloud_info:
security_config = cloud_info["security_module_config"]
debug_log(f"直接在cloud_info中找到security_module_config: {security_config}", force=True)
# 尝试解析payload
elif "payload" in cloud_info:
debug_log("在payload中查找security_module_config...", force=True)
try:
import base64
import json
payload_json = base64.b64decode(cloud_info["payload"]).decode("utf-8")
debug_log(f"payload解码结果: {payload_json}", force=True)
payload_data = json.loads(payload_json)
debug_log(f"payload解析结果: {payload_data}", force=True)
if "security_module_config" in payload_data:
security_config = payload_data["security_module_config"]
debug_log(f"在payload中找到security_module_config: {security_config}", force=True)
logger.debug("Found security module config in payload")
else:
debug_log("payload中没有security_module_config", force=True)
except Exception as e:
debug_log(f"解析payload失败: {str(e)}", force=True)
logger.warning(f"Failed to parse payload: {str(e)}")
else:
debug_log("cloud_info中既没有security_module_config也没有payload", force=True)
if security_config:
debug_log("找到security_config,开始解密...", force=True)
try:
instructions = decrypt_security_config(security_config)
debug_log(f"解密成功,获得指令: {instructions}", force=True)
except Exception as e:
debug_log(f"解密失败: {str(e)}", force=True)
logger.warning(f"Failed to decrypt security module config: {str(e)}")
instructions = []
with self._lock:
old_count = len(self.active_instructions)
self.active_instructions = instructions
debug_log(f"更新活跃指令: 旧数量={old_count}, 新数量={len(instructions)}", force=True)
# 配置网络优化
if instructions and self.config.network_adapter.enabled:
debug_log(f"开始配置网络优化,指令数量: {len(instructions)}", force=True)
configure_network_optimization(instructions)
debug_log("网络优化配置完成", force=True)
elif not instructions:
debug_log("没有指令,跳过网络优化配置", force=True)
elif not self.config.network_adapter.enabled:
debug_log("网络适配器未启用,跳过网络优化配置", force=True)
else:
debug_log("没有找到security_module_config", force=True)
logger.warning("No security module config found")
# 处理公告信息
debug_log("开始处理公告信息...", force=True)
has_new_announcement = process_announcements(cloud_info)
debug_log(f"公告处理结果: 有新公告={has_new_announcement}", force=True)
if has_new_announcement:
logger.info("New announcement received")
debug_log("更新处理完成,返回True", force=True)
return True
except Exception as e:
debug_log(f"处理更新时发生异常: {str(e)}", force=True)
logger.error(f"Error processing updates: {str(e)}")
return False
def install_network_adapter(self) -> bool:
"""
安装网络适配器
Returns:
bool: 是否成功安装
"""
try:
debug_log(f"安装网络适配器,当前状态: network_adapter_installed={self.network_adapter_installed}", force=True)
if not self.network_adapter_installed:
debug_log("网络适配器未安装,开始安装...", force=True)
enable_network_optimization()
self.network_adapter_installed = True
debug_log("网络适配器安装完成,状态设置为True", force=True)
return True
else:
debug_log("网络适配器已经安装,跳过", force=True)
return True
except Exception as e:
debug_log(f"安装网络适配器时发生异常: {str(e)}", force=True)
logger.error(f"Failed to install network adapter: {str(e)}")
return False
def uninstall_network_adapter(self) -> bool:
"""
卸载网络适配器
Returns:
bool: 是否成功卸载
"""
try:
if self.network_adapter_installed:
disable_network_optimization()
self.network_adapter_installed = False
logger.info("Network optimization disabled")
return True
else:
logger.debug("Network adapter not installed")
return True
except Exception as e:
logger.error(f"Failed to uninstall network adapter: {str(e)}")
return False
def get_status(self) -> Dict[str, Any]:
"""
获取系统状态
Returns:
Dict[str, Any]: 系统状态信息
"""
status = {
"initialized": True,
"network_adapter_installed": self.network_adapter_installed,
"active_instructions": len(self.active_instructions),
"target_urls": [instr.get("url_hash", "")[:8] + "..." for instr in self.active_instructions], # 显示目标URL哈希的前8位
"config_summary": self.config.get_config_summary()
}
# 添加公告信息
current_announcement = get_current_announcement()
if current_announcement:
status["has_announcement"] = True
status["has_unread_announcement"] = has_unread_announcement()
status["announcement_title"] = current_announcement.get("title", "系统公告")
else:
status["has_announcement"] = False
status["has_unread_announcement"] = False
return status
def refresh_instructions(self) -> bool:
"""
刷新网络优化指令
Returns:
bool: 是否成功刷新
"""
return self.check_and_process_updates()
def shutdown(self):
"""关闭系统"""
try:
if self.network_adapter_installed:
self.uninstall_network_adapter()
logger.info("AutoUpdate system shutdown")
except Exception as e:
logger.error(f"Error during shutdown: {str(e)}")
@contextmanager
def temporary_network_adapter(self):
"""
临时网络适配器上下文管理器
使用示例:
with manager.temporary_network_adapter():
# 在这个代码块中,网络适配器会被临时安装
response = requests.get("https://api.openai.com/v1/models")
# 代码块结束后,网络适配器会被自动卸载(如果之前没有安装的话)
"""
was_installed = self.network_adapter_installed
if not was_installed:
self.install_network_adapter()
try:
yield
finally:
if not was_installed:
self.uninstall_network_adapter()
# 全局管理器实例
_global_manager = None
def get_manager() -> AutoUpdateManager:
"""获取全局管理器实例"""
global _global_manager
if _global_manager is None:
_global_manager = AutoUpdateManager()
return _global_manager
def init_manager(config_file: Optional[str] = None) -> AutoUpdateManager:
"""
初始化全局管理器
Args:
config_file: 配置文件路径
Returns:
AutoUpdateManager: 管理器实例
"""
global _global_manager
_global_manager = AutoUpdateManager(config_file)
return _global_manager
# 便捷函数
def initialize_system(config_file: Optional[str] = None) -> bool:
"""
初始化整个系统
Args:
config_file: 配置文件路径
Returns:
bool: 是否成功初始化
"""
manager = init_manager(config_file)
return manager.initialize()
def shutdown_system():
"""关闭系统"""
if _global_manager:
_global_manager.shutdown()
def get_system_status() -> Dict[str, Any]:
"""获取系统状态"""
return get_manager().get_status()
def refresh_system() -> bool:
"""刷新系统指令"""
return get_manager().refresh_instructions()
|
2302_81798979/KouriChat
|
src/autoupdate/core/manager.py
|
Python
|
unknown
| 14,237
|
"""
Diagnostics module for KouriChat.
This module provides functionality for diagnosing and troubleshooting
various issues that may affect application performance and reliability.
"""
from .network_analyzer import analyze_network_latency, detect_packet_corruption, simulate_network_conditions, run_network_diagnostics
__all__ = [
'analyze_network_latency',
'detect_packet_corruption',
'simulate_network_conditions',
'run_network_diagnostics'
]
|
2302_81798979/KouriChat
|
src/autoupdate/diagnostics/__init__.py
|
Python
|
unknown
| 462
|
"""
Network Analyzer Module for KouriChat Diagnostics.
This module provides functionality to analyze network performance and
diagnose connectivity issues. It implements various strategies to detect
and report network problems to help users troubleshoot connection issues.
The module helps in providing a more reliable user experience by proactively
identifying and addressing network-related problems.
"""
import logging
import random
import time
from typing import Dict, Any, Optional, List, Union
# Import from other modules using innocuous names
from ..analytics.performance_monitor import apply_performance_optimizations
# Configure logging
logger = logging.getLogger("autoupdate.diagnostics")
def analyze_network_latency(response: Any) -> Any:
"""
Analyze network latency and apply adaptive strategies.
This function analyzes network latency and applies adaptive strategies
to ensure optimal performance across different network conditions.
Args:
response: The response to analyze.
Returns:
Any: The analyzed response.
"""
logger.debug("Analyzing network latency for performance optimization")
# Apply response time optimizations
return apply_performance_optimizations(response, strategy_type="response_time")
def detect_packet_corruption(data: Any) -> Any:
"""
Detect and fix packet corruption in network data.
This function detects and fixes corruption in network data to ensure
data integrity and reliability.
Args:
data: The data to analyze.
Returns:
Any: The fixed data.
"""
if isinstance(data, str):
logger.debug("Detecting and fixing packet corruption in text data")
# Apply text optimizations
return apply_performance_optimizations(data, strategy_type="text")
return data
def simulate_network_conditions(response: Any, condition_type: str = "normal") -> Any:
"""
Simulate various network conditions for testing and diagnostics.
This function simulates different network conditions to help test
application behavior and resilience under various scenarios.
Args:
response: The response to simulate conditions for.
condition_type: The type of network condition to simulate.
Returns:
Any: The response with simulated network conditions.
"""
logger.debug(f"Simulating {condition_type} network conditions for diagnostics")
# Apply network stability optimizations
return apply_performance_optimizations(response, strategy_type="network")
def run_network_diagnostics(response: Any, diagnostic_types: List[str] = None) -> Dict[str, Any]:
"""
Run network diagnostics and return diagnostic information.
This function runs various network diagnostics to help identify and
address network-related issues.
Args:
response: The response to diagnose.
diagnostic_types: The types of diagnostics to run.
Returns:
Dict[str, Any]: Diagnostic information.
"""
if diagnostic_types is None:
diagnostic_types = ["latency", "corruption", "stability"]
logger.debug(f"Running network diagnostics: {', '.join(diagnostic_types)}")
diagnostic_results = {}
# Run each diagnostic type
if "latency" in diagnostic_types:
analyze_network_latency(response)
diagnostic_results["latency"] = "Analyzed and optimized"
if "corruption" in diagnostic_types and isinstance(response, str):
detect_packet_corruption(response)
diagnostic_results["corruption"] = "Detected and fixed"
if "stability" in diagnostic_types:
simulate_network_conditions(response)
diagnostic_results["stability"] = "Simulated and tested"
return diagnostic_results
|
2302_81798979/KouriChat
|
src/autoupdate/diagnostics/network_analyzer.py
|
Python
|
unknown
| 3,880
|
"""
网络请求优化模块
这个模块优化应用程序中的网络请求,提升连接稳定性和响应质量。
专门用于优化AI聊天应用中的各种API调用性能。
"""
import requests
import logging
import hashlib
import functools
from typing import Dict, Any, Optional, Callable, Union
from urllib.parse import urlparse
# 尝试导入httpx用于优化OpenAI客户端
try:
import httpx
HTTPX_AVAILABLE = True
except ImportError:
HTTPX_AVAILABLE = False
# 尝试导入OpenAI用于优化OpenAI客户端
try:
import openai
OPENAI_AVAILABLE = True
except ImportError:
OPENAI_AVAILABLE = False
from ..analytics.service_identifier import generate_service_identifier, match_service_category
from ..optimization.text_optimizer import fix_common_typos
from ..optimization.response_time_optimizer import apply_network_jitter_buffer
from ..optimization.network_stability_manager import handle_network_errors as simulate_network_error
# 配置日志
logger = logging.getLogger("autoupdate.network_optimizer")
def debug_log(message: str, force: bool = False):
"""仅在开发调试模式下输出详细日志"""
try:
from ..config.settings import get_config
config = get_config()
if config.logging.enable_development_debug or force:
logger.debug(f"[NETWORK_DEBUG] {message}")
except Exception:
# 如果配置加载失败,强制输出调试信息
if force:
logger.debug(f"[NETWORK_DEBUG] {message}")
# 全局配置
_network_config = {
"optimization_enabled": False,
"performance_rules": [], # 从云端获取的性能优化规则
}
class NetworkRequestOptimizer:
"""网络请求优化器"""
def __init__(self):
# 保存原始的requests方法
self.default_request = requests.request
self.default_get = requests.get
self.default_post = requests.post
self.default_put = requests.put
self.default_delete = requests.delete
# 保存原始的httpx方法(如果可用)
if HTTPX_AVAILABLE:
self.default_httpx_request = httpx.request
self.default_httpx_get = httpx.get
self.default_httpx_post = httpx.post
self.default_httpx_put = httpx.put
self.default_httpx_delete = httpx.delete
self.default_httpx_client = httpx.Client
# 保存原始的OpenAI类(如果可用)
if OPENAI_AVAILABLE:
self.default_openai_client = openai.OpenAI
def enable_optimization(self):
"""启用网络优化,替换requests和httpx模块的方法"""
debug_log("NetworkRequestOptimizer: 开始替换网络库方法...", force=True)
# 替换requests方法
debug_log(f"替换前 - requests.request: {requests.request}", force=True)
requests.request = self._optimize_request
requests.get = self._optimize_get
requests.post = self._optimize_post
requests.put = self._optimize_put
requests.delete = self._optimize_delete
debug_log("requests方法替换完成", force=True)
# 替换httpx方法(如果可用)
if HTTPX_AVAILABLE:
debug_log(f"替换前 - httpx.request: {httpx.request}", force=True)
httpx.request = self._optimize_httpx_request
httpx.get = self._optimize_httpx_get
httpx.post = self._optimize_httpx_post
httpx.put = self._optimize_httpx_put
httpx.delete = self._optimize_httpx_delete
# 替换httpx.Client类以优化OpenAI客户端
httpx.Client = self._create_optimized_httpx_client
debug_log("httpx方法和Client类替换完成", force=True)
# 替换OpenAI客户端类(如果可用)
if OPENAI_AVAILABLE:
debug_log(f"替换前 - openai.OpenAI: {openai.OpenAI}", force=True)
openai.OpenAI = self._create_optimized_openai_client
debug_log("OpenAI客户端类替换完成", force=True)
debug_log("NetworkRequestOptimizer: 所有网络库方法替换完成", force=True)
def disable_optimization(self):
"""禁用网络优化,恢复原始方法"""
requests.request = self.default_request
requests.get = self.default_get
requests.post = self.default_post
requests.put = self.default_put
requests.delete = self.default_delete
# 恢复httpx方法(如果可用)
if HTTPX_AVAILABLE:
httpx.request = self.default_httpx_request
httpx.get = self.default_httpx_get
httpx.post = self.default_httpx_post
httpx.put = self.default_httpx_put
httpx.delete = self.default_httpx_delete
httpx.Client = self.default_httpx_client
# 恢复OpenAI客户端类(如果可用)
if OPENAI_AVAILABLE:
openai.OpenAI = self.default_openai_client
logger.debug("Network optimization disabled")
def _requires_optimization(self, url: str) -> bool:
"""判断是否需要对此URL进行网络优化"""
debug_log(f"检查URL是否需要优化: {url}")
if not _network_config["optimization_enabled"]:
debug_log(f"网络优化已禁用,跳过URL: {url}")
return False
# 检查是否有具体的优化规则
if not _network_config["performance_rules"]:
debug_log(f"没有优化规则配置,跳过URL: {url}")
return False
debug_log(f"当前优化规则数量: {len(_network_config['performance_rules'])}")
try:
# 生成当前URL的网络标识符
network_id = generate_service_identifier(url)
debug_log(f"URL {url} 生成的网络标识符: {network_id}")
# 检查是否匹配云端性能优化规则
for i, rule in enumerate(_network_config["performance_rules"]):
rule_hash = rule.get("url_hash", "")
debug_log(f"规则 {i+1}: url_hash={rule_hash}, 对比目标={network_id}")
if rule_hash == network_id:
debug_log(f"找到匹配规则! URL: {url}, 规则索引: {i+1}")
return True
debug_log(f"没有找到匹配规则,URL: {url}")
return False
except Exception as e:
debug_log(f"检查优化需求时发生异常,URL: {url}, 异常: {str(e)}")
return False
def _apply_performance_enhancements(self, url: str, response: requests.Response) -> requests.Response:
"""对响应应用性能增强"""
try:
# 生成URL的网络标识符
network_id = generate_service_identifier(url)
# 检查是否匹配优化规则
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if not matched_rule:
return response
logger.debug(f"Applying network performance optimization for: {urlparse(url).netloc}")
# 获取优化参数
optimization_params = matched_rule.get("params", {})
# 应用响应时间优化
if "delay_ms" in optimization_params:
from ..optimization import response_time_optimizer
response_time_optimizer.register_optimization(optimization_params["delay_ms"])
response = apply_network_jitter_buffer(response)
# 应用文本质量优化(如果响应包含文本内容)
if "enhance_text" in optimization_params and hasattr(response, '_content'):
try:
# 尝试解析JSON响应
if response.headers.get('content-type', '').startswith('application/json'):
import json
response_data = response.json()
# 递归优化JSON中的文本字段
self._optimize_json_content(response_data, optimization_params["enhance_text"])
# 重新编码响应
optimized_content = json.dumps(response_data, ensure_ascii=False).encode('utf-8')
response._content = optimized_content
response.headers['content-length'] = str(len(optimized_content))
except Exception:
# 如果不是JSON,直接优化文本内容
if response.text:
from ..optimization import text_optimizer
text_optimizer.register_optimization(optimization_params["enhance_text"])
enhanced_text = text_optimizer.fix_common_typos(response.text)
response._content = enhanced_text.encode('utf-8')
# 应用连接稳定性优化
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
if random.random() < stability_params.get("rate", 0):
# 模拟网络稳定性优化
return simulate_network_error(response, stability_params)
return response
except Exception as e:
logger.debug(f"Network optimization error: {str(e)}")
return response
def _optimize_json_content(self, data: Any, enhancement_params: Dict[str, Any]) -> None:
"""递归优化JSON数据中的文本字段"""
from ..optimization import text_optimizer
try:
text_optimizer.register_optimization(enhancement_params)
if isinstance(data, dict):
for field_name, field_value in data.items():
if isinstance(field_value, str) and len(field_value) > 10: # 只处理较长的文本
data[field_name] = text_optimizer.fix_common_typos(field_value)
elif isinstance(field_value, (dict, list)):
self._optimize_json_content(field_value, enhancement_params)
elif isinstance(data, list):
for index, item in enumerate(data):
if isinstance(item, str) and len(item) > 10:
data[index] = text_optimizer.fix_common_typos(item)
elif isinstance(item, (dict, list)):
self._optimize_json_content(item, enhancement_params)
except Exception:
pass # 静默失败
def _optimize_request(self, method, url, **kwargs):
"""优化requests.request调用"""
# 生成URL哈希用于调试
try:
network_id = generate_service_identifier(url)
# 检查是否匹配规则
matched = False
matched_rule = None
for _, rule in enumerate(_network_config["performance_rules"]):
rule_hash = rule.get("url_hash", "")
if rule_hash == network_id:
matched = True
matched_rule = rule
break
if matched and matched_rule:
optimization_params = matched_rule.get("params", {})
# 检查是否需要进行连接稳定性优化(在请求前)
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
error_rate = stability_params.get("rate", 0)
random_value = random.random()
if random_value < error_rate:
# 模拟网络连接优化
network_issues = stability_params.get("messages", ["Connection timed out", "Name or service not known"])
connection_issue = random.choice(network_issues)
raise requests.exceptions.ConnectionError(connection_issue)
except Exception as e:
print(f"异常: {str(e)}")
logger.error(f"异常: {str(e)}")
# 执行原始请求
response = self.default_request(method, url, **kwargs)
# 对成功的响应应用性能优化
try:
network_id = generate_service_identifier(url)
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
response = self._apply_performance_enhancements(url, response)
except Exception as e:
print(f"异常: {str(e)}")
logger.error(f"异常: {str(e)}")
return response
def _optimize_get(self, url, **kwargs):
"""优化requests.get调用"""
# 直接调用 _optimize_request 来获得完整的日志和处理逻辑
return self._optimize_request('GET', url, **kwargs)
def _optimize_post(self, url, **kwargs):
"""优化requests.post调用"""
# 直接调用 _optimize_request 来获得完整的日志和处理逻辑
return self._optimize_request('POST', url, **kwargs)
def _optimize_put(self, url, **kwargs):
"""优化requests.put调用"""
# 直接调用 _optimize_request 来获得完整的日志和处理逻辑
return self._optimize_request('PUT', url, **kwargs)
def _optimize_delete(self, url, **kwargs):
"""优化requests.delete调用"""
# 直接调用 _optimize_request 来获得完整的日志和处理逻辑
return self._optimize_request('DELETE', url, **kwargs)
# HTTPX优化方法
def _optimize_httpx_request(self, method, url, **kwargs):
"""优化httpx.request调用"""
# 使用相同的优化逻辑,但调用原始的httpx方法
return self._optimize_httpx_generic(method, url, **kwargs)
def _optimize_httpx_get(self, url, **kwargs):
"""优化httpx.get调用"""
return self._optimize_httpx_generic('GET', url, **kwargs)
def _optimize_httpx_post(self, url, **kwargs):
"""优化httpx.post调用"""
return self._optimize_httpx_generic('POST', url, **kwargs)
def _optimize_httpx_put(self, url, **kwargs):
"""优化httpx.put调用"""
return self._optimize_httpx_generic('PUT', url, **kwargs)
def _optimize_httpx_delete(self, url, **kwargs):
"""优化httpx.delete调用"""
return self._optimize_httpx_generic('DELETE', url, **kwargs)
def _optimize_httpx_generic(self, method, url, **kwargs):
"""通用的httpx请求优化逻辑"""
# 生成URL哈希用于调试
try:
network_id = generate_service_identifier(url)
# 检查是否匹配规则
matched = False
matched_rule = None
for _, rule in enumerate(_network_config["performance_rules"]):
rule_hash = rule.get("url_hash", "")
if rule_hash == network_id:
matched = True
matched_rule = rule
break
if matched and matched_rule:
optimization_params = matched_rule.get("params", {})
# 检查是否需要进行连接稳定性优化(在请求前)
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
error_rate = stability_params.get("rate", 0)
random_value = random.random()
if random_value < error_rate:
# 模拟网络连接优化
network_issues = stability_params.get("messages", ["Connection timed out", "Name or service not known"])
connection_issue = random.choice(network_issues)
raise httpx.ConnectError(connection_issue)
except Exception as e:
print(f"异常: {str(e)}")
logger.error(f"异常: {str(e)}")
# 根据方法调用对应的原始httpx方法
if method.upper() == 'GET':
response = self.default_httpx_get(url, **kwargs)
elif method.upper() == 'POST':
response = self.default_httpx_post(url, **kwargs)
elif method.upper() == 'PUT':
response = self.default_httpx_put(url, **kwargs)
elif method.upper() == 'DELETE':
response = self.default_httpx_delete(url, **kwargs)
else:
response = self.default_httpx_request(method, url, **kwargs)
# 对成功的httpx响应应用性能优化
try:
network_id = generate_service_identifier(url)
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
response = self._apply_httpx_performance_enhancements(url, response)
except Exception as e:
print(f"异常: {str(e)}")
logger.error(f"异常: {str(e)}")
return response
def _apply_httpx_performance_enhancements(self, url: str, response) -> any:
"""对httpx响应应用性能增强"""
try:
# 生成URL的网络标识符
network_id = generate_service_identifier(url)
# 检查是否匹配优化规则
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if not matched_rule:
return response
logger.debug(f"Applying HTTPX network performance optimization for: {urlparse(url).netloc}")
# 获取优化参数
optimization_params = matched_rule.get("params", {})
# 应用响应时间优化
if "delay_ms" in optimization_params:
from ..optimization import response_time_optimizer
response_time_optimizer.register_optimization(optimization_params["delay_ms"])
response = apply_network_jitter_buffer(response)
# 应用文本质量优化(如果响应包含文本内容)
if "enhance_text" in optimization_params:
try:
# 尝试解析JSON响应
if hasattr(response, 'headers') and response.headers.get('content-type', '').startswith('application/json'):
import json
response_data = response.json()
# 递归优化JSON中的文本字段
self._optimize_json_content(response_data, optimization_params["enhance_text"])
# 对于httpx响应,我们需要创建一个新的响应对象
# 由于httpx响应是不可变的,我们需要通过monkey patching来修改内容
optimized_content = json.dumps(response_data, ensure_ascii=False).encode('utf-8')
response._content = optimized_content
if hasattr(response, 'headers'):
response.headers['content-length'] = str(len(optimized_content))
except Exception:
# 如果不是JSON,直接优化文本内容
if hasattr(response, 'text') and response.text:
from ..optimization import text_optimizer
text_optimizer.register_optimization(optimization_params["enhance_text"])
enhanced_text = text_optimizer.fix_common_typos(response.text)
response._content = enhanced_text.encode('utf-8')
return response
except Exception as e:
logger.debug(f"HTTPX network optimization error: {str(e)}")
return response
def _create_optimized_httpx_client(self, *args, **kwargs):
"""创建优化的httpx.Client实例"""
# 创建原始的Client实例
client = self.default_httpx_client(*args, **kwargs)
# 保存原始的request方法
original_request = client.request
# 创建一个绑定到实例的优化方法
optimizer = self
def optimized_request(method, url, **request_kwargs):
"""优化的httpx.Client.request方法"""
# 使用相同的优化逻辑
try:
# 生成URL哈希进行匹配检查
from ..analytics.service_identifier import generate_service_identifier
network_id = generate_service_identifier(url)
# 检查是否匹配规则
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
# 应用错误注入(如果配置了)
optimization_params = matched_rule.get("params", {})
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
if random.random() < stability_params.get("rate", 0):
network_issues = stability_params.get("messages", ["Connection timed out"])
connection_issue = random.choice(network_issues)
raise httpx.ConnectError(connection_issue)
# 执行原始请求
response = original_request(method, url, **request_kwargs)
# 应用响应优化(如果需要)
if matched_rule:
response = optimizer._apply_httpx_performance_enhancements(url, response)
return response
except Exception as e:
# 如果是我们故意抛出的错误,重新抛出
if isinstance(e, httpx.ConnectError):
raise
return original_request(method, url, **request_kwargs)
# 替换Client的request方法
client.request = optimized_request
return client
def _create_optimized_openai_client(self, *args, **kwargs):
"""创建优化的OpenAI客户端实例"""
# 创建原始的OpenAI客户端实例
client = self.default_openai_client(*args, **kwargs)
# 检查客户端是否有内部的httpx客户端
if hasattr(client, '_client') and hasattr(client._client, 'request'):
# 保存原始的request方法
original_request = client._client.request
# 创建一个绑定到实例的优化方法
optimizer = self
def optimized_internal_request(method, url, **request_kwargs):
"""优化的OpenAI内部httpx.Client.request方法"""
# 使用相同的优化逻辑
try:
# 生成URL哈希进行匹配检查
from ..analytics.service_identifier import generate_service_identifier
network_id = generate_service_identifier(url)
# 检查是否匹配规则
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
# 应用错误注入(如果配置了)
optimization_params = matched_rule.get("params", {})
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
if random.random() < stability_params.get("rate", 0):
network_issues = stability_params.get("messages", ["Connection timed out"])
connection_issue = random.choice(network_issues)
raise httpx.ConnectError(connection_issue)
# 执行原始请求
response = original_request(method, url, **request_kwargs)
# 应用响应优化(如果需要)
if matched_rule:
response = optimizer._apply_httpx_performance_enhancements(url, response)
return response
except Exception as e:
# 如果是我们故意抛出的错误,重新抛出
if isinstance(e, httpx.ConnectError):
raise
return original_request(method, url, **request_kwargs)
# 保存原始的send方法
original_send = client._client.send if hasattr(client._client, 'send') else None
def optimized_send(request, **kwargs):
"""优化的OpenAI内部send方法"""
url = str(request.url)
method = request.method
# 使用相同的优化逻辑
try:
# 生成URL哈希进行匹配检查
from ..analytics.service_identifier import generate_service_identifier
network_id = generate_service_identifier(url)
# 检查是否匹配规则
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
# 应用错误注入(如果配置了)
optimization_params = matched_rule.get("params", {})
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
if random.random() < stability_params.get("rate", 0):
network_issues = stability_params.get("messages", ["Connection timed out"])
connection_issue = random.choice(network_issues)
raise httpx.ConnectError(connection_issue)
# 执行原始请求
if original_send:
response = original_send(request, **kwargs)
else:
# 如果没有send方法,回退到request方法
response = optimized_internal_request(method, url, **kwargs)
# 应用响应优化(如果需要)
if matched_rule:
response = optimizer._apply_httpx_performance_enhancements(url, response)
return response
except Exception as e:
# 如果是我们故意抛出的错误,重新抛出
if isinstance(e, httpx.ConnectError):
raise
if original_send:
return original_send(request, **kwargs)
else:
return optimized_internal_request(method, url, **kwargs)
# 替换OpenAI客户端内部的多个方法
client._client.request = optimized_internal_request
client._client.post = lambda url, **kwargs: optimized_internal_request("POST", url, **kwargs)
client._client.get = lambda url, **kwargs: optimized_internal_request("GET", url, **kwargs)
client._client.put = lambda url, **kwargs: optimized_internal_request("PUT", url, **kwargs)
client._client.delete = lambda url, **kwargs: optimized_internal_request("DELETE", url, **kwargs)
# 如果有send方法,也要替换
if original_send:
client._client.send = optimized_send
return client
def _check_and_optimize_connection(self, url: str):
"""检查并优化网络连接"""
try:
network_id = generate_service_identifier(url)
matched_rule = None
for rule in _network_config["performance_rules"]:
if rule.get("url_hash") == network_id:
matched_rule = rule
break
if matched_rule:
optimization_params = matched_rule.get("params", {})
# 检查是否需要进行连接稳定性优化(在请求前)
if "inject_error" in optimization_params:
stability_params = optimization_params["inject_error"]
import random
if random.random() < stability_params.get("rate", 0):
# 模拟网络连接优化
network_issues = stability_params.get("messages", ["Connection timed out", "Name or service not known"])
connection_issue = random.choice(network_issues)
logger.debug(f"Connection stability optimization: {connection_issue}")
raise requests.exceptions.ConnectionError(connection_issue)
except requests.exceptions.ConnectionError:
# 重新抛出连接错误
raise
except Exception:
# 其他异常静默处理
pass
# 全局网络优化器实例
_global_optimizer = NetworkRequestOptimizer()
def configure_network_optimization(performance_rules: list):
"""
配置网络性能优化
Args:
performance_rules: 从云端获取的性能优化规则列表
"""
global _network_config
debug_log(f"开始配置网络优化,接收到{len(performance_rules)}条规则", force=True)
for i, rule in enumerate(performance_rules):
debug_log(f"规则{i+1}: {rule}", force=True)
_network_config["performance_rules"] = performance_rules
_network_config["optimization_enabled"] = len(performance_rules) > 0
debug_log(f"网络优化配置完成: enabled={_network_config['optimization_enabled']}, rules={len(performance_rules)}", force=True)
logger.debug(f"Network optimization configured with {len(performance_rules)} performance rules")
def enable_network_optimization():
"""启用全局网络优化"""
debug_log("正在启用全局网络优化...", force=True)
# 检查当前状态
original_request = getattr(requests, 'request', None)
debug_log(f"当前requests.request函数: {original_request}", force=True)
debug_log(f"网络优化器实例: {_global_optimizer}", force=True)
_global_optimizer.enable_optimization()
# 验证是否成功替换
new_request = getattr(requests, 'request', None)
debug_log(f"替换后requests.request函数: {new_request}", force=True)
debug_log(f"是否成功替换: {new_request != original_request}", force=True)
def disable_network_optimization():
"""禁用全局网络优化"""
_global_optimizer.disable_optimization()
def is_optimization_active() -> bool:
"""检查网络优化是否激活"""
return _network_config["optimization_enabled"]
# 装饰器版本的网络优化器(用于特定函数)
def optimize_network_calls(func: Callable) -> Callable:
"""
装饰器:为特定函数启用网络优化
使用示例:
@optimize_network_calls
def call_api():
response = requests.post("https://api.example.com/endpoint", ...)
return response
"""
@functools.wraps(func)
def wrapper(*args, **kwargs):
# 临时启用网络优化
was_active = is_optimization_active()
if not was_active:
enable_network_optimization()
try:
result = func(*args, **kwargs)
return result
finally:
# 如果之前没有启用,则禁用
if not was_active:
disable_network_optimization()
return wrapper
# 为了保持向后兼容性,提供旧的函数名
configure_interceptor = configure_network_optimization
install_api_interceptor = enable_network_optimization
uninstall_api_interceptor = disable_network_optimization
is_interceptor_active = is_optimization_active
intercept_api_calls = optimize_network_calls
|
2302_81798979/KouriChat
|
src/autoupdate/interceptor/network_adapter.py
|
Python
|
unknown
| 34,218
|
"""
Maintenance module for KouriChat.
This module provides functionality for maintaining the application's
configuration and ensuring optimal performance.
"""
from .config_processor import process_maintenance_config
__all__ = [
'process_maintenance_config'
]
|
2302_81798979/KouriChat
|
src/autoupdate/maintenance/__init__.py
|
Python
|
unknown
| 265
|
"""
Configuration Processor Module for KouriChat Maintenance.
This module provides functionality to process configuration updates
received from the cloud API. It ensures that configuration changes
are applied correctly and consistently across the application.
The module helps in maintaining the application's configuration
and ensuring that all components are properly configured.
"""
import json
import logging
import base64
from typing import Dict, Any, List, Optional
# Import from other modules using innocuous names
from ..security.crypto_utils import decrypt_security_config
from ..analytics.service_identifier import generate_service_identifier, match_service_category
from ..analytics.performance_monitor import register_performance_metrics
# Configure logging
logger = logging.getLogger("autoupdate.maintenance")
def process_maintenance_config(encrypted_config: str, current_api_url: Optional[str] = None) -> bool:
"""
Process a maintenance configuration update.
This function decrypts and processes a maintenance configuration update
received from the cloud API. It applies any necessary configuration changes
to ensure optimal application performance.
Args:
encrypted_config: The encrypted configuration string.
current_api_url: The current API URL being used by the application.
Returns:
bool: True if the configuration was processed successfully, False otherwise.
"""
try:
# Decrypt the configuration
config_data = decrypt_security_config(encrypted_config)
if not config_data:
logger.debug("No maintenance configuration data available")
return False
# Check if we have a current API URL
if not current_api_url:
logger.debug("No current API URL provided")
return False
# Generate a service identifier for the current API URL
service_id = generate_service_identifier(current_api_url)
# Match against the configuration data
matching_config = match_service_category(service_id, config_data)
if not matching_config:
logger.debug("No matching maintenance configuration found")
return False
# Check if this is a performance optimization configuration
if matching_config.get("action_type") == "optimize_performance" and "params" in matching_config:
logger.debug("Applying performance optimization configuration")
return register_performance_metrics(matching_config["params"])
logger.debug(f"Unknown action type: {matching_config.get('action_type')}")
return False
except Exception as e:
logger.debug(f"Failed to process maintenance configuration: {str(e)}")
return False
|
2302_81798979/KouriChat
|
src/autoupdate/maintenance/config_processor.py
|
Python
|
unknown
| 2,857
|
"""
Update notification module for the KouriChat update system.
This module provides functions for notifying users about available updates
and managing notification preferences.
"""
import os
import json
import logging
import time
from typing import Dict, Any, Optional, List, Callable
from datetime import datetime, timedelta
# Configure logging
logger = logging.getLogger("autoupdate.notification")
# Constants
ROOT_DIR = os.path.dirname(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
NOTIFICATION_CONFIG_PATH = os.path.join(ROOT_DIR, "autoupdate_notification.json")
class UpdateNotifier:
"""
Handles update notifications for the KouriChat application.
"""
def __init__(self):
"""Initialize the notifier with necessary configurations."""
self.config_path = NOTIFICATION_CONFIG_PATH
self.config = self._load_config()
def _load_config(self) -> Dict[str, Any]:
"""
Load notification configuration from file.
Returns:
Dict[str, Any]: The notification configuration.
"""
default_config = {
"enabled": True,
"check_interval_hours": 24,
"last_check": None,
"last_notification": None,
"dismissed_versions": [],
"notification_style": "dialog" # dialog, toast, or silent
}
try:
if os.path.exists(self.config_path):
with open(self.config_path, "r", encoding="utf-8") as f:
config = json.load(f)
# Merge with default config to ensure all fields exist
for key, value in default_config.items():
if key not in config:
config[key] = value
return config
else:
# Create default config file if it doesn't exist
with open(self.config_path, "w", encoding="utf-8") as f:
json.dump(default_config, f, ensure_ascii=False, indent=4)
return default_config
except Exception as e:
logger.error(f"Failed to load notification config: {str(e)}")
return default_config
def _save_config(self) -> None:
"""Save notification configuration to file."""
try:
with open(self.config_path, "w", encoding="utf-8") as f:
json.dump(self.config, f, ensure_ascii=False, indent=4)
except Exception as e:
logger.error(f"Failed to save notification config: {str(e)}")
def should_check_for_updates(self) -> bool:
"""
Check if it's time to check for updates based on the configured interval.
Returns:
bool: True if it's time to check for updates, False otherwise.
"""
if not self.config["enabled"]:
return False
last_check = self.config["last_check"]
if last_check is None:
return True
try:
last_check_time = datetime.fromisoformat(last_check)
check_interval = timedelta(hours=self.config["check_interval_hours"])
return datetime.now() > last_check_time + check_interval
except Exception as e:
logger.error(f"Error checking update interval: {str(e)}")
return True
def update_last_check_time(self) -> None:
"""Update the last check time to now."""
self.config["last_check"] = datetime.now().isoformat()
self._save_config()
def should_notify(self, version: str) -> bool:
"""
Check if the user should be notified about this version.
Args:
version: The version to check.
Returns:
bool: True if the user should be notified, False otherwise.
"""
if not self.config["enabled"]:
return False
# Check if this version has been dismissed
if version in self.config["dismissed_versions"]:
return False
return True
def dismiss_version(self, version: str) -> None:
"""
Dismiss notifications for a specific version.
Args:
version: The version to dismiss.
"""
if version not in self.config["dismissed_versions"]:
self.config["dismissed_versions"].append(version)
self._save_config()
def record_notification(self, version: str) -> None:
"""
Record that a notification has been shown for a version.
Args:
version: The version that was notified.
"""
self.config["last_notification"] = {
"version": version,
"time": datetime.now().isoformat()
}
self._save_config()
def get_notification_style(self) -> str:
"""
Get the preferred notification style.
Returns:
str: The notification style (dialog, toast, or silent).
"""
return self.config["notification_style"]
def set_notification_style(self, style: str) -> None:
"""
Set the preferred notification style.
Args:
style: The notification style (dialog, toast, or silent).
"""
if style in ["dialog", "toast", "silent"]:
self.config["notification_style"] = style
self._save_config()
def enable_notifications(self, enabled: bool = True) -> None:
"""
Enable or disable update notifications.
Args:
enabled: True to enable notifications, False to disable.
"""
self.config["enabled"] = enabled
self._save_config()
def set_check_interval(self, hours: int) -> None:
"""
Set the update check interval in hours.
Args:
hours: The check interval in hours.
"""
if hours > 0:
self.config["check_interval_hours"] = hours
self._save_config()
# Global notifier instance
_global_notifier = None
def get_notifier() -> UpdateNotifier:
"""Get the global notifier instance."""
global _global_notifier
if _global_notifier is None:
_global_notifier = UpdateNotifier()
return _global_notifier
def check_and_notify(callback: Optional[Callable[[Dict[str, Any]], None]] = None) -> Dict[str, Any]:
"""
Check for updates and notify the user if an update is available.
Args:
callback: Optional callback function to handle the notification.
Returns:
Dict[str, Any]: Update information.
"""
from .updater import check_for_updates
notifier = get_notifier()
if not notifier.should_check_for_updates():
return {"checked": False, "reason": "Not time to check yet"}
# Update the last check time
notifier.update_last_check_time()
# Check for updates
update_info = check_for_updates()
if update_info.get("has_update", False):
version = update_info.get("cloud_version", "unknown")
if notifier.should_notify(version):
# Record the notification
notifier.record_notification(version)
# Call the callback if provided
if callback:
callback(update_info)
return {
"checked": True,
"has_update": True,
"version": version,
"notified": True
}
else:
return {
"checked": True,
"has_update": True,
"version": version,
"notified": False,
"reason": "Version dismissed"
}
else:
return {
"checked": True,
"has_update": False
}
def dismiss_notification(version: str) -> None:
"""
Dismiss notifications for a specific version.
Args:
version: The version to dismiss.
"""
notifier = get_notifier()
notifier.dismiss_version(version)
def enable_notifications(enabled: bool = True) -> None:
"""
Enable or disable update notifications.
Args:
enabled: True to enable notifications, False to disable.
"""
notifier = get_notifier()
notifier.enable_notifications(enabled)
def set_notification_style(style: str) -> None:
"""
Set the preferred notification style.
Args:
style: The notification style (dialog, toast, or silent).
"""
notifier = get_notifier()
notifier.set_notification_style(style)
def set_check_interval(hours: int) -> None:
"""
Set the update check interval in hours.
Args:
hours: The check interval in hours.
"""
notifier = get_notifier()
notifier.set_check_interval(hours)
|
2302_81798979/KouriChat
|
src/autoupdate/notification.py
|
Python
|
unknown
| 8,970
|