truthound-dashboard 1.4.4__py3-none-any.whl → 1.5.0__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (205) hide show
  1. truthound_dashboard/api/alerts.py +75 -86
  2. truthound_dashboard/api/anomaly.py +7 -13
  3. truthound_dashboard/api/cross_alerts.py +38 -52
  4. truthound_dashboard/api/drift.py +49 -59
  5. truthound_dashboard/api/drift_monitor.py +234 -79
  6. truthound_dashboard/api/enterprise_sampling.py +498 -0
  7. truthound_dashboard/api/history.py +57 -5
  8. truthound_dashboard/api/lineage.py +3 -48
  9. truthound_dashboard/api/maintenance.py +104 -49
  10. truthound_dashboard/api/mask.py +1 -2
  11. truthound_dashboard/api/middleware.py +2 -1
  12. truthound_dashboard/api/model_monitoring.py +435 -311
  13. truthound_dashboard/api/notifications.py +227 -191
  14. truthound_dashboard/api/notifications_advanced.py +21 -20
  15. truthound_dashboard/api/observability.py +586 -0
  16. truthound_dashboard/api/plugins.py +2 -433
  17. truthound_dashboard/api/profile.py +199 -37
  18. truthound_dashboard/api/quality_reporter.py +701 -0
  19. truthound_dashboard/api/reports.py +7 -16
  20. truthound_dashboard/api/router.py +66 -0
  21. truthound_dashboard/api/rule_suggestions.py +5 -5
  22. truthound_dashboard/api/scan.py +17 -19
  23. truthound_dashboard/api/schedules.py +85 -50
  24. truthound_dashboard/api/schema_evolution.py +6 -6
  25. truthound_dashboard/api/schema_watcher.py +667 -0
  26. truthound_dashboard/api/sources.py +98 -27
  27. truthound_dashboard/api/tiering.py +1323 -0
  28. truthound_dashboard/api/triggers.py +14 -11
  29. truthound_dashboard/api/validations.py +12 -11
  30. truthound_dashboard/api/versioning.py +1 -6
  31. truthound_dashboard/core/__init__.py +129 -3
  32. truthound_dashboard/core/actions/__init__.py +62 -0
  33. truthound_dashboard/core/actions/custom.py +426 -0
  34. truthound_dashboard/core/actions/notifications.py +910 -0
  35. truthound_dashboard/core/actions/storage.py +472 -0
  36. truthound_dashboard/core/actions/webhook.py +281 -0
  37. truthound_dashboard/core/anomaly.py +262 -67
  38. truthound_dashboard/core/anomaly_explainer.py +4 -3
  39. truthound_dashboard/core/backends/__init__.py +67 -0
  40. truthound_dashboard/core/backends/base.py +299 -0
  41. truthound_dashboard/core/backends/errors.py +191 -0
  42. truthound_dashboard/core/backends/factory.py +423 -0
  43. truthound_dashboard/core/backends/mock_backend.py +451 -0
  44. truthound_dashboard/core/backends/truthound_backend.py +718 -0
  45. truthound_dashboard/core/checkpoint/__init__.py +87 -0
  46. truthound_dashboard/core/checkpoint/adapters.py +814 -0
  47. truthound_dashboard/core/checkpoint/checkpoint.py +491 -0
  48. truthound_dashboard/core/checkpoint/runner.py +270 -0
  49. truthound_dashboard/core/connections.py +437 -10
  50. truthound_dashboard/core/converters/__init__.py +14 -0
  51. truthound_dashboard/core/converters/truthound.py +620 -0
  52. truthound_dashboard/core/cross_alerts.py +540 -320
  53. truthound_dashboard/core/datasource_factory.py +1672 -0
  54. truthound_dashboard/core/drift_monitor.py +216 -20
  55. truthound_dashboard/core/enterprise_sampling.py +1291 -0
  56. truthound_dashboard/core/interfaces/__init__.py +225 -0
  57. truthound_dashboard/core/interfaces/actions.py +652 -0
  58. truthound_dashboard/core/interfaces/base.py +247 -0
  59. truthound_dashboard/core/interfaces/checkpoint.py +676 -0
  60. truthound_dashboard/core/interfaces/protocols.py +664 -0
  61. truthound_dashboard/core/interfaces/reporters.py +650 -0
  62. truthound_dashboard/core/interfaces/routing.py +646 -0
  63. truthound_dashboard/core/interfaces/triggers.py +619 -0
  64. truthound_dashboard/core/lineage.py +407 -71
  65. truthound_dashboard/core/model_monitoring.py +431 -3
  66. truthound_dashboard/core/notifications/base.py +4 -0
  67. truthound_dashboard/core/notifications/channels.py +501 -1203
  68. truthound_dashboard/core/notifications/deduplication/__init__.py +81 -115
  69. truthound_dashboard/core/notifications/deduplication/service.py +131 -348
  70. truthound_dashboard/core/notifications/dispatcher.py +202 -11
  71. truthound_dashboard/core/notifications/escalation/__init__.py +119 -106
  72. truthound_dashboard/core/notifications/escalation/engine.py +168 -358
  73. truthound_dashboard/core/notifications/routing/__init__.py +88 -128
  74. truthound_dashboard/core/notifications/routing/engine.py +90 -317
  75. truthound_dashboard/core/notifications/stats_aggregator.py +246 -1
  76. truthound_dashboard/core/notifications/throttling/__init__.py +67 -50
  77. truthound_dashboard/core/notifications/throttling/builder.py +117 -255
  78. truthound_dashboard/core/notifications/truthound_adapter.py +842 -0
  79. truthound_dashboard/core/phase5/collaboration.py +1 -1
  80. truthound_dashboard/core/plugins/lifecycle/__init__.py +0 -13
  81. truthound_dashboard/core/quality_reporter.py +1359 -0
  82. truthound_dashboard/core/report_history.py +0 -6
  83. truthound_dashboard/core/reporters/__init__.py +175 -14
  84. truthound_dashboard/core/reporters/adapters.py +943 -0
  85. truthound_dashboard/core/reporters/base.py +0 -3
  86. truthound_dashboard/core/reporters/builtin/__init__.py +18 -0
  87. truthound_dashboard/core/reporters/builtin/csv_reporter.py +111 -0
  88. truthound_dashboard/core/reporters/builtin/html_reporter.py +270 -0
  89. truthound_dashboard/core/reporters/builtin/json_reporter.py +127 -0
  90. truthound_dashboard/core/reporters/compat.py +266 -0
  91. truthound_dashboard/core/reporters/csv_reporter.py +2 -35
  92. truthound_dashboard/core/reporters/factory.py +526 -0
  93. truthound_dashboard/core/reporters/interfaces.py +745 -0
  94. truthound_dashboard/core/reporters/registry.py +1 -10
  95. truthound_dashboard/core/scheduler.py +165 -0
  96. truthound_dashboard/core/schema_evolution.py +3 -3
  97. truthound_dashboard/core/schema_watcher.py +1528 -0
  98. truthound_dashboard/core/services.py +595 -76
  99. truthound_dashboard/core/store_manager.py +810 -0
  100. truthound_dashboard/core/streaming_anomaly.py +169 -4
  101. truthound_dashboard/core/tiering.py +1309 -0
  102. truthound_dashboard/core/triggers/evaluators.py +178 -8
  103. truthound_dashboard/core/truthound_adapter.py +2620 -197
  104. truthound_dashboard/core/unified_alerts.py +23 -20
  105. truthound_dashboard/db/__init__.py +8 -0
  106. truthound_dashboard/db/database.py +8 -2
  107. truthound_dashboard/db/models.py +944 -25
  108. truthound_dashboard/db/repository.py +2 -0
  109. truthound_dashboard/main.py +11 -0
  110. truthound_dashboard/schemas/__init__.py +177 -16
  111. truthound_dashboard/schemas/base.py +44 -23
  112. truthound_dashboard/schemas/collaboration.py +19 -6
  113. truthound_dashboard/schemas/cross_alerts.py +19 -3
  114. truthound_dashboard/schemas/drift.py +61 -55
  115. truthound_dashboard/schemas/drift_monitor.py +67 -23
  116. truthound_dashboard/schemas/enterprise_sampling.py +653 -0
  117. truthound_dashboard/schemas/lineage.py +0 -33
  118. truthound_dashboard/schemas/mask.py +10 -8
  119. truthound_dashboard/schemas/model_monitoring.py +89 -10
  120. truthound_dashboard/schemas/notifications_advanced.py +13 -0
  121. truthound_dashboard/schemas/observability.py +453 -0
  122. truthound_dashboard/schemas/plugins.py +0 -280
  123. truthound_dashboard/schemas/profile.py +154 -247
  124. truthound_dashboard/schemas/quality_reporter.py +403 -0
  125. truthound_dashboard/schemas/reports.py +2 -2
  126. truthound_dashboard/schemas/rule_suggestion.py +8 -1
  127. truthound_dashboard/schemas/scan.py +4 -24
  128. truthound_dashboard/schemas/schedule.py +11 -3
  129. truthound_dashboard/schemas/schema_watcher.py +727 -0
  130. truthound_dashboard/schemas/source.py +17 -2
  131. truthound_dashboard/schemas/tiering.py +822 -0
  132. truthound_dashboard/schemas/triggers.py +16 -0
  133. truthound_dashboard/schemas/unified_alerts.py +7 -0
  134. truthound_dashboard/schemas/validation.py +0 -13
  135. truthound_dashboard/schemas/validators/base.py +41 -21
  136. truthound_dashboard/schemas/validators/business_rule_validators.py +244 -0
  137. truthound_dashboard/schemas/validators/localization_validators.py +273 -0
  138. truthound_dashboard/schemas/validators/ml_feature_validators.py +308 -0
  139. truthound_dashboard/schemas/validators/profiling_validators.py +275 -0
  140. truthound_dashboard/schemas/validators/referential_validators.py +312 -0
  141. truthound_dashboard/schemas/validators/registry.py +93 -8
  142. truthound_dashboard/schemas/validators/timeseries_validators.py +389 -0
  143. truthound_dashboard/schemas/versioning.py +1 -6
  144. truthound_dashboard/static/index.html +2 -2
  145. truthound_dashboard-1.5.0.dist-info/METADATA +309 -0
  146. {truthound_dashboard-1.4.4.dist-info → truthound_dashboard-1.5.0.dist-info}/RECORD +149 -148
  147. truthound_dashboard/core/plugins/hooks/__init__.py +0 -63
  148. truthound_dashboard/core/plugins/hooks/decorators.py +0 -367
  149. truthound_dashboard/core/plugins/hooks/manager.py +0 -403
  150. truthound_dashboard/core/plugins/hooks/protocols.py +0 -265
  151. truthound_dashboard/core/plugins/lifecycle/hot_reload.py +0 -584
  152. truthound_dashboard/core/reporters/junit_reporter.py +0 -233
  153. truthound_dashboard/core/reporters/markdown_reporter.py +0 -207
  154. truthound_dashboard/core/reporters/pdf_reporter.py +0 -209
  155. truthound_dashboard/static/assets/_baseUniq-BcrSP13d.js +0 -1
  156. truthound_dashboard/static/assets/arc-DlYjKwIL.js +0 -1
  157. truthound_dashboard/static/assets/architectureDiagram-VXUJARFQ-Bb2drbQM.js +0 -36
  158. truthound_dashboard/static/assets/blockDiagram-VD42YOAC-BlsPG1CH.js +0 -122
  159. truthound_dashboard/static/assets/c4Diagram-YG6GDRKO-B9JdUoaC.js +0 -10
  160. truthound_dashboard/static/assets/channel-Q6mHF1Hd.js +0 -1
  161. truthound_dashboard/static/assets/chunk-4BX2VUAB-DmyoPVuJ.js +0 -1
  162. truthound_dashboard/static/assets/chunk-55IACEB6-Bcz6Siv8.js +0 -1
  163. truthound_dashboard/static/assets/chunk-B4BG7PRW-Br3G5Rum.js +0 -165
  164. truthound_dashboard/static/assets/chunk-DI55MBZ5-DuM9c23u.js +0 -220
  165. truthound_dashboard/static/assets/chunk-FMBD7UC4-DNU-5mvT.js +0 -15
  166. truthound_dashboard/static/assets/chunk-QN33PNHL-Im2yNcmS.js +0 -1
  167. truthound_dashboard/static/assets/chunk-QZHKN3VN-kZr8XFm1.js +0 -1
  168. truthound_dashboard/static/assets/chunk-TZMSLE5B-Q__360q_.js +0 -1
  169. truthound_dashboard/static/assets/classDiagram-2ON5EDUG-vtixxUyK.js +0 -1
  170. truthound_dashboard/static/assets/classDiagram-v2-WZHVMYZB-vtixxUyK.js +0 -1
  171. truthound_dashboard/static/assets/clone-BOt2LwD0.js +0 -1
  172. truthound_dashboard/static/assets/cose-bilkent-S5V4N54A-CBDw6iac.js +0 -1
  173. truthound_dashboard/static/assets/dagre-6UL2VRFP-XdKqmmY9.js +0 -4
  174. truthound_dashboard/static/assets/diagram-PSM6KHXK-DAZ8nx9V.js +0 -24
  175. truthound_dashboard/static/assets/diagram-QEK2KX5R-BRvDTbGD.js +0 -43
  176. truthound_dashboard/static/assets/diagram-S2PKOQOG-bQcczUkl.js +0 -24
  177. truthound_dashboard/static/assets/erDiagram-Q2GNP2WA-DPje7VMN.js +0 -60
  178. truthound_dashboard/static/assets/flowDiagram-NV44I4VS-B7BVtFVS.js +0 -162
  179. truthound_dashboard/static/assets/ganttDiagram-JELNMOA3-D6WKSS7U.js +0 -267
  180. truthound_dashboard/static/assets/gitGraphDiagram-NY62KEGX-D3vtVd3y.js +0 -65
  181. truthound_dashboard/static/assets/graph-BKgNKZVp.js +0 -1
  182. truthound_dashboard/static/assets/index-C6JSrkHo.css +0 -1
  183. truthound_dashboard/static/assets/index-DkU82VsU.js +0 -1800
  184. truthound_dashboard/static/assets/infoDiagram-WHAUD3N6-DnNCT429.js +0 -2
  185. truthound_dashboard/static/assets/journeyDiagram-XKPGCS4Q-DGiMozqS.js +0 -139
  186. truthound_dashboard/static/assets/kanban-definition-3W4ZIXB7-BV2gUgli.js +0 -89
  187. truthound_dashboard/static/assets/katex-Cu_Erd72.js +0 -261
  188. truthound_dashboard/static/assets/layout-DI2MfQ5G.js +0 -1
  189. truthound_dashboard/static/assets/min-DYdgXVcT.js +0 -1
  190. truthound_dashboard/static/assets/mindmap-definition-VGOIOE7T-C7x4ruxz.js +0 -68
  191. truthound_dashboard/static/assets/pieDiagram-ADFJNKIX-CAJaAB9f.js +0 -30
  192. truthound_dashboard/static/assets/quadrantDiagram-AYHSOK5B-DeqwDI46.js +0 -7
  193. truthound_dashboard/static/assets/requirementDiagram-UZGBJVZJ-e3XDpZIM.js +0 -64
  194. truthound_dashboard/static/assets/sankeyDiagram-TZEHDZUN-CNnAv5Ux.js +0 -10
  195. truthound_dashboard/static/assets/sequenceDiagram-WL72ISMW-Dsne-Of3.js +0 -145
  196. truthound_dashboard/static/assets/stateDiagram-FKZM4ZOC-Ee0sQXyb.js +0 -1
  197. truthound_dashboard/static/assets/stateDiagram-v2-4FDKWEC3-B26KqW_W.js +0 -1
  198. truthound_dashboard/static/assets/timeline-definition-IT6M3QCI-DZYi2yl3.js +0 -61
  199. truthound_dashboard/static/assets/treemap-KMMF4GRG-CY3f8In2.js +0 -128
  200. truthound_dashboard/static/assets/unmerged_dictionaries-Dd7xcPWG.js +0 -1
  201. truthound_dashboard/static/assets/xychartDiagram-PRI3JC2R-CS7fydZZ.js +0 -7
  202. truthound_dashboard-1.4.4.dist-info/METADATA +0 -507
  203. {truthound_dashboard-1.4.4.dist-info → truthound_dashboard-1.5.0.dist-info}/WHEEL +0 -0
  204. {truthound_dashboard-1.4.4.dist-info → truthound_dashboard-1.5.0.dist-info}/entry_points.txt +0 -0
  205. {truthound_dashboard-1.4.4.dist-info → truthound_dashboard-1.5.0.dist-info}/licenses/LICENSE +0 -0
@@ -1 +0,0 @@
1
- const n=[{key:"alerts",content:{title:{nodeType:"translation",translation:{en:"Alerts",ko:"알림"}},subtitle:{nodeType:"translation",translation:{en:"Unified view of all system alerts",ko:"모든 시스템 알림 통합 보기"}},summary:{totalAlerts:{nodeType:"translation",translation:{en:"Total Alerts",ko:"전체 알림"}},activeAlerts:{nodeType:"translation",translation:{en:"Active Alerts",ko:"활성 알림"}},criticalAlerts:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},highAlerts:{nodeType:"translation",translation:{en:"High",ko:"높음"}},mediumAlerts:{nodeType:"translation",translation:{en:"Medium",ko:"보통"}},lowAlerts:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},infoAlerts:{nodeType:"translation",translation:{en:"Info",ko:"정보"}},trend24h:{nodeType:"translation",translation:{en:"24h Trend",ko:"24시간 추이"}}},sources:{all:{nodeType:"translation",translation:{en:"All Sources",ko:"모든 소스"}},model:{nodeType:"translation",translation:{en:"Model Monitoring",ko:"모델 모니터링"}},drift:{nodeType:"translation",translation:{en:"Drift Detection",ko:"드리프트 감지"}},anomaly:{nodeType:"translation",translation:{en:"Anomaly Detection",ko:"이상 탐지"}},validation:{nodeType:"translation",translation:{en:"Validation",ko:"검증"}}},severity:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"보통"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},info:{nodeType:"translation",translation:{en:"Info",ko:"정보"}}},status:{all:{nodeType:"translation",translation:{en:"All Status",ko:"모든 상태"}},open:{nodeType:"translation",translation:{en:"Open",ko:"열림"}},acknowledged:{nodeType:"translation",translation:{en:"Acknowledged",ko:"확인됨"}},resolved:{nodeType:"translation",translation:{en:"Resolved",ko:"해결됨"}},ignored:{nodeType:"translation",translation:{en:"Ignored",ko:"무시됨"}}},actions:{acknowledge:{nodeType:"translation",translation:{en:"Acknowledge",ko:"확인"}},resolve:{nodeType:"translation",translation:{en:"Resolve",ko:"해결"}},ignore:{nodeType:"translation",translation:{en:"Ignore",ko:"무시"}},bulkAcknowledge:{nodeType:"translation",translation:{en:"Acknowledge Selected",ko:"선택 항목 확인"}},bulkResolve:{nodeType:"translation",translation:{en:"Resolve Selected",ko:"선택 항목 해결"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},viewSource:{nodeType:"translation",translation:{en:"View Source",ko:"소스 보기"}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침"}}},filters:{source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},timeRange:{nodeType:"translation",translation:{en:"Time Range",ko:"시간 범위"}},search:{nodeType:"translation",translation:{en:"Search alerts...",ko:"알림 검색..."}}},timeRanges:{last1h:{nodeType:"translation",translation:{en:"Last 1 hour",ko:"최근 1시간"}},last6h:{nodeType:"translation",translation:{en:"Last 6 hours",ko:"최근 6시간"}},last24h:{nodeType:"translation",translation:{en:"Last 24 hours",ko:"최근 24시간"}},last7d:{nodeType:"translation",translation:{en:"Last 7 days",ko:"최근 7일"}},last30d:{nodeType:"translation",translation:{en:"Last 30 days",ko:"최근 30일"}}},correlation:{title:{nodeType:"translation",translation:{en:"Related Alerts",ko:"관련 알림"}},noCorrelations:{nodeType:"translation",translation:{en:"No related alerts found",ko:"관련 알림이 없습니다"}},sameSource:{nodeType:"translation",translation:{en:"Same Source",ko:"동일 소스"}},temporalSeverity:{nodeType:"translation",translation:{en:"Similar Time & Severity",ko:"유사 시간 및 심각도"}},correlationScore:{nodeType:"translation",translation:{en:"Correlation Score",ko:"상관관계 점수"}}},empty:{noAlerts:{nodeType:"translation",translation:{en:"No alerts found",ko:"알림이 없습니다"}},noAlertsDesc:{nodeType:"translation",translation:{en:"There are no alerts matching your filters",ko:"필터에 맞는 알림이 없습니다"}},allClear:{nodeType:"translation",translation:{en:"All Clear!",ko:"모두 정상!"}},allClearDesc:{nodeType:"translation",translation:{en:"No active alerts in your system",ko:"시스템에 활성 알림이 없습니다"}}},messages:{acknowledgeSuccess:{nodeType:"translation",translation:{en:"Alert acknowledged successfully",ko:"알림이 확인되었습니다"}},acknowledgeFailed:{nodeType:"translation",translation:{en:"Failed to acknowledge alert",ko:"알림 확인에 실패했습니다"}},resolveSuccess:{nodeType:"translation",translation:{en:"Alert resolved successfully",ko:"알림이 해결되었습니다"}},resolveFailed:{nodeType:"translation",translation:{en:"Failed to resolve alert",ko:"알림 해결에 실패했습니다"}},bulkSuccess:{nodeType:"translation",translation:{en:"{count} alerts updated successfully",ko:"{count}개 알림이 업데이트되었습니다"}},bulkPartial:{nodeType:"translation",translation:{en:"{success} updated, {failed} failed",ko:"{success}개 성공, {failed}개 실패"}}},columns:{severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},title:{nodeType:"translation",translation:{en:"Title",ko:"제목"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},createdAt:{nodeType:"translation",translation:{en:"Created",ko:"생성일"}},actions:{nodeType:"translation",translation:{en:"Actions",ko:"작업"}}},details:{title:{nodeType:"translation",translation:{en:"Alert Details",ko:"알림 상세"}},message:{nodeType:"translation",translation:{en:"Message",ko:"메시지"}},source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},createdAt:{nodeType:"translation",translation:{en:"Created At",ko:"생성 시간"}},acknowledgedAt:{nodeType:"translation",translation:{en:"Acknowledged At",ko:"확인 시간"}},acknowledgedBy:{nodeType:"translation",translation:{en:"Acknowledged By",ko:"확인자"}},resolvedAt:{nodeType:"translation",translation:{en:"Resolved At",ko:"해결 시간"}},resolvedBy:{nodeType:"translation",translation:{en:"Resolved By",ko:"해결자"}},additionalDetails:{nodeType:"translation",translation:{en:"Additional Details",ko:"추가 정보"}}},acknowledgeDialog:{title:{nodeType:"translation",translation:{en:"Acknowledge Alert",ko:"알림 확인"}},description:{nodeType:"translation",translation:{en:"Enter your name to acknowledge this alert",ko:"알림을 확인하려면 이름을 입력하세요"}},nameLabel:{nodeType:"translation",translation:{en:"Your Name",ko:"이름"}},messageLabel:{nodeType:"translation",translation:{en:"Message (optional)",ko:"메시지 (선택)"}},confirm:{nodeType:"translation",translation:{en:"Acknowledge",ko:"확인"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}}},resolveDialog:{title:{nodeType:"translation",translation:{en:"Resolve Alert",ko:"알림 해결"}},description:{nodeType:"translation",translation:{en:"Enter details to resolve this alert",ko:"알림을 해결하려면 상세 정보를 입력하세요"}},nameLabel:{nodeType:"translation",translation:{en:"Your Name",ko:"이름"}},messageLabel:{nodeType:"translation",translation:{en:"Resolution Message",ko:"해결 메시지"}},confirm:{nodeType:"translation",translation:{en:"Resolve",ko:"해결"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}}}},localId:"alerts::local::src/content/alerts.content.ts",location:"local",filePath:"src/content/alerts.content.ts"}],e=[{key:"anomaly",content:{title:{nodeType:"translation",translation:{en:"Anomaly Detection",ko:"이상 탐지"}},subtitle:{nodeType:"translation",translation:{en:"Detect anomalies using ML algorithms",ko:"ML 알고리즘을 사용하여 이상 탐지"}},runDetection:{nodeType:"translation",translation:{en:"Run Detection",ko:"탐지 실행"}},running:{nodeType:"translation",translation:{en:"Running...",ko:"실행 중..."}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},viewHistory:{nodeType:"translation",translation:{en:"View History",ko:"이력 보기"}},configure:{nodeType:"translation",translation:{en:"Configure",ko:"설정"}},selectAlgorithm:{nodeType:"translation",translation:{en:"Select Algorithm",ko:"알고리즘 선택"}},algorithmConfig:{nodeType:"translation",translation:{en:"Algorithm Configuration",ko:"알고리즘 설정"}},defaultConfig:{nodeType:"translation",translation:{en:"Using default configuration",ko:"기본 설정 사용"}},algorithms:{isolation_forest:{nodeType:"translation",translation:{en:"Isolation Forest",ko:"고립 숲"}},lof:{nodeType:"translation",translation:{en:"Local Outlier Factor",ko:"지역 이상치 요인"}},one_class_svm:{nodeType:"translation",translation:{en:"One-Class SVM",ko:"단일 클래스 SVM"}},dbscan:{nodeType:"translation",translation:{en:"DBSCAN",ko:"DBSCAN"}},statistical:{nodeType:"translation",translation:{en:"Statistical",ko:"통계적"}},autoencoder:{nodeType:"translation",translation:{en:"Autoencoder",ko:"오토인코더"}}},categories:{tree:{nodeType:"translation",translation:{en:"Tree-based",ko:"트리 기반"}},density:{nodeType:"translation",translation:{en:"Density-based",ko:"밀도 기반"}},svm:{nodeType:"translation",translation:{en:"SVM",ko:"SVM"}},clustering:{nodeType:"translation",translation:{en:"Clustering",ko:"클러스터링"}},statistical:{nodeType:"translation",translation:{en:"Statistical",ko:"통계적"}},neural:{nodeType:"translation",translation:{en:"Neural Network",ko:"신경망"}}},algorithmDescriptions:{isolation_forest:{nodeType:"translation",translation:{en:"Tree-based algorithm that isolates anomalies by random partitioning",ko:"무작위 분할로 이상치를 격리하는 트리 기반 알고리즘"}},lof:{nodeType:"translation",translation:{en:"Density-based algorithm comparing local density with neighbors",ko:"이웃과 지역 밀도를 비교하는 밀도 기반 알고리즘"}},one_class_svm:{nodeType:"translation",translation:{en:"SVM trained on normal data to create a decision boundary",ko:"정상 데이터로 학습하여 결정 경계를 생성하는 SVM"}},dbscan:{nodeType:"translation",translation:{en:"Density-based clustering that identifies outliers",ko:"이상치를 식별하는 밀도 기반 클러스터링"}},statistical:{nodeType:"translation",translation:{en:"Z-score, IQR, or MAD based detection",ko:"Z-score, IQR 또는 MAD 기반 탐지"}},autoencoder:{nodeType:"translation",translation:{en:"Neural network with high reconstruction error for anomalies",ko:"이상치에 대해 높은 재구성 오류를 갖는 신경망"}}},parameters:{n_estimators:{nodeType:"translation",translation:{en:"Number of Trees",ko:"트리 수"}},contamination:{nodeType:"translation",translation:{en:"Contamination",ko:"오염도"}},n_neighbors:{nodeType:"translation",translation:{en:"Number of Neighbors",ko:"이웃 수"}},kernel:{nodeType:"translation",translation:{en:"Kernel",ko:"커널"}},nu:{nodeType:"translation",translation:{en:"Nu",ko:"Nu"}},eps:{nodeType:"translation",translation:{en:"Epsilon",ko:"엡실론"}},min_samples:{nodeType:"translation",translation:{en:"Minimum Samples",ko:"최소 샘플"}},method:{nodeType:"translation",translation:{en:"Method",ko:"방법"}},threshold:{nodeType:"translation",translation:{en:"Threshold",ko:"임계값"}},encoding_dim:{nodeType:"translation",translation:{en:"Encoding Dimension",ko:"인코딩 차원"}},epochs:{nodeType:"translation",translation:{en:"Epochs",ko:"에포크"}},threshold_percentile:{nodeType:"translation",translation:{en:"Threshold Percentile",ko:"임계값 백분위수"}}},anomaliesFound:{nodeType:"translation",translation:{en:"Anomalies Found",ko:"발견된 이상"}},anomalyRate:{nodeType:"translation",translation:{en:"Anomaly Rate",ko:"이상 비율"}},totalRows:{nodeType:"translation",translation:{en:"Total Rows",ko:"전체 행"}},columnsAnalyzed:{nodeType:"translation",translation:{en:"Columns Analyzed",ko:"분석된 컬럼"}},duration:{nodeType:"translation",translation:{en:"Duration",ko:"소요 시간"}},anomalyScore:{nodeType:"translation",translation:{en:"Anomaly Score",ko:"이상 점수"}},rowIndex:{nodeType:"translation",translation:{en:"Row Index",ko:"행 인덱스"}},columnSummary:{nodeType:"translation",translation:{en:"Column Summary",ko:"컬럼 요약"}},columnName:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},columnAnomalies:{nodeType:"translation",translation:{en:"Anomalies",ko:"이상"}},meanScore:{nodeType:"translation",translation:{en:"Mean Score",ko:"평균 점수"}},topAnomalies:{nodeType:"translation",translation:{en:"Top Anomalies",ko:"상위 이상치"}},status:{pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},running:{nodeType:"translation",translation:{en:"Running",ko:"실행 중"}},success:{nodeType:"translation",translation:{en:"Success",ko:"성공"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}}},noDetectionsYet:{nodeType:"translation",translation:{en:"No detections yet",ko:"탐지 기록 없음"}},noDetectionsDesc:{nodeType:"translation",translation:{en:"Run anomaly detection to find outliers in your data",ko:"이상 탐지를 실행하여 데이터에서 이상치를 찾으세요"}},noAnomaliesFound:{nodeType:"translation",translation:{en:"No anomalies detected",ko:"이상이 감지되지 않았습니다"}},detectionStarted:{nodeType:"translation",translation:{en:"Detection started",ko:"탐지가 시작되었습니다"}},detectionComplete:{nodeType:"translation",translation:{en:"Detection complete",ko:"탐지 완료"}},detectionFailed:{nodeType:"translation",translation:{en:"Detection failed",ko:"탐지 실패"}},errorLoadingHistory:{nodeType:"translation",translation:{en:"Failed to load detection history",ko:"탐지 이력 로드 실패"}},errorLoadingAlgorithms:{nodeType:"translation",translation:{en:"Failed to load algorithms",ko:"알고리즘 로드 실패"}},detectionHistory:{nodeType:"translation",translation:{en:"Detection History",ko:"탐지 이력"}},latestDetection:{nodeType:"translation",translation:{en:"Latest Detection",ko:"최근 탐지"}},previousDetections:{nodeType:"translation",translation:{en:"Previous Detections",ko:"이전 탐지"}},ranAt:{nodeType:"translation",translation:{en:"Ran at",ko:"실행 시간"}},pros:{nodeType:"translation",translation:{en:"Advantages",ko:"장점"}},cons:{nodeType:"translation",translation:{en:"Limitations",ko:"제한사항"}},bestFor:{nodeType:"translation",translation:{en:"Best for",ko:"최적 사용"}},requiresScaling:{nodeType:"translation",translation:{en:"Requires data scaling",ko:"데이터 스케일링 필요"}},selectColumns:{nodeType:"translation",translation:{en:"Select Columns",ko:"컬럼 선택"}},allNumericColumns:{nodeType:"translation",translation:{en:"All numeric columns",ko:"모든 숫자 컬럼"}},sampleSize:{nodeType:"translation",translation:{en:"Sample Size",ko:"샘플 크기"}},sampleSizeHint:{nodeType:"translation",translation:{en:"Leave empty to analyze all rows",ko:"비워두면 모든 행을 분석합니다"}},configTab:{nodeType:"translation",translation:{en:"Configuration",ko:"설정"}},resultsTab:{nodeType:"translation",translation:{en:"Results",ko:"결과"}},historyTab:{nodeType:"translation",translation:{en:"History",ko:"이력"}},results:{nodeType:"translation",translation:{en:"Results",ko:"결과"}},history:{nodeType:"translation",translation:{en:"History",ko:"이력"}},scoreDistribution:{nodeType:"translation",translation:{en:"Score Distribution",ko:"점수 분포"}},anomalyByColumn:{nodeType:"translation",translation:{en:"Anomalies by Column",ko:"컬럼별 이상"}},statusLabel:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},algorithm:{nodeType:"translation",translation:{en:"Algorithm",ko:"알고리즘"}},anomalyCount:{nodeType:"translation",translation:{en:"Anomalies",ko:"이상 수"}},runAt:{nodeType:"translation",translation:{en:"Run at",ko:"실행 시간"}},noHistory:{nodeType:"translation",translation:{en:"No detection history",ko:"탐지 이력 없음"}},noResults:{nodeType:"translation",translation:{en:"No results yet",ko:"결과 없음"}},runDetectionFirst:{nodeType:"translation",translation:{en:"Run detection to see results here",ko:"결과를 보려면 탐지를 실행하세요"}},configureParams:{nodeType:"translation",translation:{en:"Configure Parameters",ko:"파라미터 설정"}},anomalyRecords:{nodeType:"translation",translation:{en:"Anomaly Records",ko:"이상 기록"}},actions:{nodeType:"translation",translation:{en:"Actions",ko:"작업"}},explainTitle:{nodeType:"translation",translation:{en:"Anomaly Explanation",ko:"이상 설명"}},explainDescription:{nodeType:"translation",translation:{en:"SHAP-based feature importance analysis explains why this row is anomalous",ko:"SHAP 기반 특징 중요도 분석으로 이 행이 이상인 이유를 설명합니다"}},explainAnomaly:{nodeType:"translation",translation:{en:"Explain Anomaly",ko:"이상 설명"}},explainError:{nodeType:"translation",translation:{en:"Failed to generate explanation",ko:"설명 생성 실패"}},generatingExplanations:{nodeType:"translation",translation:{en:"Generating SHAP explanations...",ko:"SHAP 설명 생성 중..."}},noExplanationsYet:{nodeType:"translation",translation:{en:"No explanations generated yet",ko:"아직 설명이 생성되지 않았습니다"}},generateExplanations:{nodeType:"translation",translation:{en:"Generate Explanations",ko:"설명 생성"}},retry:{nodeType:"translation",translation:{en:"Retry",ko:"다시 시도"}},selectRow:{nodeType:"translation",translation:{en:"Select Row",ko:"행 선택"}},summaryTab:{nodeType:"translation",translation:{en:"Summary",ko:"요약"}},chartTab:{nodeType:"translation",translation:{en:"Chart",ko:"차트"}},tableTab:{nodeType:"translation",translation:{en:"Table",ko:"테이블"}},featureContributions:{nodeType:"translation",translation:{en:"Feature Contributions",ko:"특징 기여도"}},featureName:{nodeType:"translation",translation:{en:"Feature",ko:"특징"}},featureValue:{nodeType:"translation",translation:{en:"Value",ko:"값"}},shapValue:{nodeType:"translation",translation:{en:"SHAP Value",ko:"SHAP 값"}},contribution:{nodeType:"translation",translation:{en:"Contribution",ko:"기여도"}},comparison:{title:{nodeType:"translation",translation:{en:"Compare Algorithms",ko:"알고리즘 비교"}},description:{nodeType:"translation",translation:{en:"Select multiple algorithms to compare their anomaly detection results side-by-side.",ko:"여러 알고리즘을 선택하여 이상 탐지 결과를 나란히 비교하세요."}},compareAlgorithms:{nodeType:"translation",translation:{en:"Compare Algorithms",ko:"알고리즘 비교"}},selectTab:{nodeType:"translation",translation:{en:"Select",ko:"선택"}},resultsTab:{nodeType:"translation",translation:{en:"Results",ko:"결과"}},chartTab:{nodeType:"translation",translation:{en:"Chart",ko:"차트"}},agreementTab:{nodeType:"translation",translation:{en:"Agreement",ko:"합의"}},selectInstructions:{nodeType:"translation",translation:{en:"Select 2-6 algorithms to compare",ko:"비교할 알고리즘 2-6개를 선택하세요"}},selected:{nodeType:"translation",translation:{en:"selected",ko:"선택됨"}},minAlgorithmsRequired:{nodeType:"translation",translation:{en:"Select at least 2 algorithms",ko:"최소 2개 알고리즘을 선택하세요"}},runComparison:{nodeType:"translation",translation:{en:"Run Comparison",ko:"비교 실행"}},running:{nodeType:"translation",translation:{en:"Running...",ko:"실행 중..."}},close:{nodeType:"translation",translation:{en:"Close",ko:"닫기"}},algorithm:{nodeType:"translation",translation:{en:"Algorithm",ko:"알고리즘"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},anomalyCount:{nodeType:"translation",translation:{en:"Anomaly Count",ko:"이상 수"}},anomalyRate:{nodeType:"translation",translation:{en:"Anomaly Rate",ko:"이상 비율"}},duration:{nodeType:"translation",translation:{en:"Duration",ko:"소요 시간"}},success:{nodeType:"translation",translation:{en:"Success",ko:"성공"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},totalRows:{nodeType:"translation",translation:{en:"Total Rows",ko:"전체 행"}},algorithmsCompared:{nodeType:"translation",translation:{en:"Algorithms",ko:"알고리즘"}},columnsAnalyzed:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},totalDuration:{nodeType:"translation",translation:{en:"Total Duration",ko:"총 소요 시간"}},rateComparison:{nodeType:"translation",translation:{en:"Anomaly Rate Comparison",ko:"이상 비율 비교"}},durationComparison:{nodeType:"translation",translation:{en:"Execution Time Comparison",ko:"실행 시간 비교"}},agreementMatrix:{nodeType:"translation",translation:{en:"Agreement Matrix (Overlap)",ko:"합의 매트릭스 (겹침)"}},matrixDescription:{nodeType:"translation",translation:{en:"Diagonal shows total anomalies per algorithm. Other cells show overlap (anomalies detected by both algorithms).",ko:"대각선은 알고리즘당 총 이상치를 표시합니다. 다른 셀은 겹침(두 알고리즘 모두 감지한 이상치)을 표시합니다."}},agreementOverview:{nodeType:"translation",translation:{en:"Agreement Overview",ko:"합의 개요"}},totalUniqueAnomalies:{nodeType:"translation",translation:{en:"Total Unique Anomalies",ko:"총 고유 이상치"}},agreementDistribution:{nodeType:"translation",translation:{en:"Agreement Distribution",ko:"합의 분포"}},agreementLevels:{all:{nodeType:"translation",translation:{en:"All Agree",ko:"모두 동의"}},majority:{nodeType:"translation",translation:{en:"Majority",ko:"다수"}},some:{nodeType:"translation",translation:{en:"Some",ko:"일부"}},one:{nodeType:"translation",translation:{en:"One Only",ko:"단독"}}},noAgreementData:{nodeType:"translation",translation:{en:"No agreement data available",ko:"합의 데이터 없음"}},anomalyRecords:{nodeType:"translation",translation:{en:"Anomaly Records",ko:"이상 기록"}},records:{nodeType:"translation",translation:{en:"records",ko:"기록"}},rowIndex:{nodeType:"translation",translation:{en:"Row",ko:"행"}},detectedBy:{nodeType:"translation",translation:{en:"Detected By",ko:"감지 알고리즘"}},agreementLevel:{nodeType:"translation",translation:{en:"Agreement",ko:"합의"}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},noRecordsFound:{nodeType:"translation",translation:{en:"No records found",ko:"기록 없음"}},showingFirst50:{nodeType:"translation",translation:{en:"Showing first 50 records",ko:"처음 50개 기록 표시"}},comparisonComplete:{nodeType:"translation",translation:{en:"Comparison complete",ko:"비교 완료"}},comparisonFailed:{nodeType:"translation",translation:{en:"Comparison failed",ko:"비교 실패"}},errorLoadingAlgorithms:{nodeType:"translation",translation:{en:"Failed to load algorithms",ko:"알고리즘 로드 실패"}}},batch:{title:{nodeType:"translation",translation:{en:"Batch Anomaly Detection",ko:"일괄 이상 탐지"}},description:{nodeType:"translation",translation:{en:"Run anomaly detection across multiple data sources at once",ko:"여러 데이터 소스에 대해 한 번에 이상 탐지 실행"}},runBatch:{nodeType:"translation",translation:{en:"Run Batch Detection",ko:"일괄 탐지 실행"}},jobName:{nodeType:"translation",translation:{en:"Job Name",ko:"작업 이름"}},jobNamePlaceholder:{nodeType:"translation",translation:{en:"Enter a name for this batch job",ko:"일괄 작업 이름 입력"}},selectSources:{nodeType:"translation",translation:{en:"Select Data Sources",ko:"데이터 소스 선택"}},selectAll:{nodeType:"translation",translation:{en:"Select All",ko:"모두 선택"}},clearAll:{nodeType:"translation",translation:{en:"Clear All",ko:"모두 해제"}},sourcesSelected:{nodeType:"translation",translation:{en:"sources selected",ko:"개 소스 선택됨"}},noSourcesSelected:{nodeType:"translation",translation:{en:"No sources selected",ko:"선택된 소스 없음"}},jobCreated:{nodeType:"translation",translation:{en:"Batch job created",ko:"일괄 작업 생성됨"}},processingSources:{nodeType:"translation",translation:{en:"Processing",ko:"처리 중"}},singleSource:{nodeType:"translation",translation:{en:"Single Source",ko:"단일 소스"}},batchDetection:{nodeType:"translation",translation:{en:"Batch Detection",ko:"일괄 탐지"}},batchHistory:{nodeType:"translation",translation:{en:"Batch History",ko:"일괄 이력"}},batchHistoryDesc:{nodeType:"translation",translation:{en:"View previous batch detection jobs",ko:"이전 일괄 탐지 작업 보기"}},progress:{nodeType:"translation",translation:{en:"Progress",ko:"진행률"}},processing:{nodeType:"translation",translation:{en:"Currently processing",ko:"현재 처리 중"}},completed:{nodeType:"translation",translation:{en:"Completed",ko:"완료"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},sourceResults:{nodeType:"translation",translation:{en:"Source Results",ko:"소스 결과"}},status:{pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},running:{nodeType:"translation",translation:{en:"Running",ko:"실행 중"}},completed:{nodeType:"translation",translation:{en:"Completed",ko:"완료"}},partial:{nodeType:"translation",translation:{en:"Partial",ko:"부분 완료"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},cancelled:{nodeType:"translation",translation:{en:"Cancelled",ko:"취소됨"}}},cancel:{nodeType:"translation",translation:{en:"Cancel Job",ko:"작업 취소"}},cancelling:{nodeType:"translation",translation:{en:"Cancelling...",ko:"취소 중..."}},jobCancelled:{nodeType:"translation",translation:{en:"Batch job cancelled",ko:"일괄 작업 취소됨"}},untitledJob:{nodeType:"translation",translation:{en:"Untitled Batch Job",ko:"제목 없는 일괄 작업"}},sourcesTotal:{nodeType:"translation",translation:{en:"sources",ko:"개 소스"}},sourceName:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},avgAnomalyRate:{nodeType:"translation",translation:{en:"Avg Anomaly Rate",ko:"평균 이상 비율"}},noBatchJobs:{nodeType:"translation",translation:{en:"No batch jobs",ko:"일괄 작업 없음"}},noBatchJobsDesc:{nodeType:"translation",translation:{en:"Run batch detection to analyze multiple sources at once",ko:"일괄 탐지를 실행하여 여러 소스를 한 번에 분석하세요"}},noHistory:{nodeType:"translation",translation:{en:"No batch history",ko:"일괄 이력 없음"}},highAnomalyRateWarning:{nodeType:"translation",translation:{en:"High anomaly rates detected",ko:"높은 이상 비율 감지됨"}},highAnomalyRateDescription:{nodeType:"translation",translation:{en:"Some sources have anomaly rates above 15%. This may indicate data quality issues.",ko:"일부 소스의 이상 비율이 15%를 초과합니다. 데이터 품질 문제가 있을 수 있습니다."}}},streaming:{tab:{nodeType:"translation",translation:{en:"Streaming",ko:"스트리밍"}},title:{nodeType:"translation",translation:{en:"Real-time Streaming Detection",ko:"실시간 스트리밍 탐지"}},subtitle:{nodeType:"translation",translation:{en:"Monitor data streams in real-time and detect anomalies as they occur",ko:"데이터 스트림을 실시간으로 모니터링하고 발생하는 이상을 탐지합니다"}},controls:{nodeType:"translation",translation:{en:"Streaming Controls",ko:"스트리밍 제어"}},controlsDescription:{nodeType:"translation",translation:{en:"Configure and manage real-time anomaly detection",ko:"실시간 이상 탐지를 설정하고 관리합니다"}},algorithm:{nodeType:"translation",translation:{en:"Algorithm",ko:"알고리즘"}},windowSize:{nodeType:"translation",translation:{en:"Window Size",ko:"윈도우 크기"}},windowSizeHint:{nodeType:"translation",translation:{en:"Number of recent data points to analyze",ko:"분석할 최근 데이터 포인트 수"}},threshold:{nodeType:"translation",translation:{en:"Threshold",ko:"임계값"}},thresholdHint:{nodeType:"translation",translation:{en:"Standard deviations for anomaly detection",ko:"이상 탐지를 위한 표준 편차"}},columns:{nodeType:"translation",translation:{en:"Columns to Monitor",ko:"모니터링할 컬럼"}},allColumnsHint:{nodeType:"translation",translation:{en:"All numeric columns will be monitored",ko:"모든 숫자 컬럼이 모니터링됩니다"}},onlineLearning:{nodeType:"translation",translation:{en:"Online",ko:"온라인"}},startSession:{nodeType:"translation",translation:{en:"Start Streaming",ko:"스트리밍 시작"}},stopSession:{nodeType:"translation",translation:{en:"Stop Streaming",ko:"스트리밍 중지"}},sessionId:{nodeType:"translation",translation:{en:"Session ID",ko:"세션 ID"}},totalPoints:{nodeType:"translation",translation:{en:"Points",ko:"포인트"}},totalAlerts:{nodeType:"translation",translation:{en:"Alerts",ko:"알림"}},startedAt:{nodeType:"translation",translation:{en:"Started",ko:"시작 시간"}},sessionStarted:{nodeType:"translation",translation:{en:"Session Started",ko:"세션 시작됨"}},sessionStopped:{nodeType:"translation",translation:{en:"Session Stopped",ko:"세션 중지됨"}},connected:{nodeType:"translation",translation:{en:"Connected",ko:"연결됨"}},disconnected:{nodeType:"translation",translation:{en:"Disconnected",ko:"연결 끊김"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},statistics:{nodeType:"translation",translation:{en:"Statistics",ko:"통계"}},dataPoints:{nodeType:"translation",translation:{en:"Data Points",ko:"데이터 포인트"}},anomalies:{nodeType:"translation",translation:{en:"Anomalies",ko:"이상"}},bufferUtilization:{nodeType:"translation",translation:{en:"Buffer",ko:"버퍼"}},anomalyRate:{nodeType:"translation",translation:{en:"Anomaly Rate",ko:"이상 비율"}},startDemo:{nodeType:"translation",translation:{en:"Start Demo Data",ko:"데모 데이터 시작"}},simulatingData:{nodeType:"translation",translation:{en:"Simulating data...",ko:"데이터 시뮬레이션 중..."}},liveChart:{nodeType:"translation",translation:{en:"Live Data Stream",ko:"실시간 데이터 스트림"}},noColumns:{nodeType:"translation",translation:{en:"No columns to display",ko:"표시할 컬럼 없음"}},paused:{nodeType:"translation",translation:{en:"Paused",ko:"일시정지"}},recentAlerts:{nodeType:"translation",translation:{en:"Recent Alerts",ko:"최근 알림"}},alertsDescription:{nodeType:"translation",translation:{en:"Real-time anomaly alerts from the streaming session",ko:"스트리밍 세션의 실시간 이상 알림"}},noAlerts:{nodeType:"translation",translation:{en:"No anomalies detected yet",ko:"아직 이상이 감지되지 않았습니다"}},noAlertsHint:{nodeType:"translation",translation:{en:"Alerts will appear here when anomalies are detected",ko:"이상이 감지되면 여기에 알림이 표시됩니다"}},clearAlerts:{nodeType:"translation",translation:{en:"Clear",ko:"지우기"}},algorithms:{zscore_rolling:{nodeType:"translation",translation:{en:"Rolling Z-Score",ko:"롤링 Z-점수"}},ema:{nodeType:"translation",translation:{en:"Exponential Moving Average",ko:"지수 이동 평균"}},isolation_forest_incremental:{nodeType:"translation",translation:{en:"Incremental Isolation Forest",ko:"증분 고립 숲"}},half_space_trees:{nodeType:"translation",translation:{en:"Half-Space Trees",ko:"반공간 트리"}},rrcf:{nodeType:"translation",translation:{en:"Robust Random Cut Forest",ko:"강건 랜덤 컷 포레스트"}}}}},localId:"anomaly::local::src/content/anomaly.content.ts",location:"local",filePath:"src/content/anomaly.content.ts"}],t=[{key:"catalog",content:{title:{nodeType:"translation",translation:{en:"Data Catalog",ko:"데이터 카탈로그"}},subtitle:{nodeType:"translation",translation:{en:"Browse and manage data assets",ko:"데이터 자산 탐색 및 관리"}},assets:{nodeType:"translation",translation:{en:"Assets",ko:"자산"}},addAsset:{nodeType:"translation",translation:{en:"Add Asset",ko:"자산 추가"}},editAsset:{nodeType:"translation",translation:{en:"Edit Asset",ko:"자산 수정"}},deleteAsset:{nodeType:"translation",translation:{en:"Delete Asset",ko:"자산 삭제"}},addColumn:{nodeType:"translation",translation:{en:"Add Column",ko:"컬럼 추가"}},addTag:{nodeType:"translation",translation:{en:"Add Tag",ko:"태그 추가"}},assetName:{nodeType:"translation",translation:{en:"Asset Name",ko:"자산명"}},assetType:{nodeType:"translation",translation:{en:"Asset Type",ko:"자산 유형"}},dataSource:{nodeType:"translation",translation:{en:"Data Source",ko:"데이터 소스"}},columns:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},qualityScore:{nodeType:"translation",translation:{en:"Quality Score",ko:"품질 점수"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},owner:{nodeType:"translation",translation:{en:"Owner",ko:"담당자"}},selectSource:{nodeType:"translation",translation:{en:"Select data source",ko:"데이터 소스 선택"}},noSource:{nodeType:"translation",translation:{en:"No data source",ko:"데이터 소스 없음"}},assetTypes:{table:{nodeType:"translation",translation:{en:"Table",ko:"테이블"}},file:{nodeType:"translation",translation:{en:"File",ko:"파일"}},api:{nodeType:"translation",translation:{en:"API",ko:"API"}}},columnName:{nodeType:"translation",translation:{en:"Column Name",ko:"컬럼명"}},dataType:{nodeType:"translation",translation:{en:"Data Type",ko:"데이터 타입"}},nullable:{nodeType:"translation",translation:{en:"Nullable",ko:"Null 허용"}},primaryKey:{nodeType:"translation",translation:{en:"Primary Key",ko:"기본키"}},mappedTerm:{nodeType:"translation",translation:{en:"Mapped Term",ko:"매핑된 용어"}},columnMapping:{nodeType:"translation",translation:{en:"Column Mapping",ko:"컬럼 매핑"}},mapToTerm:{nodeType:"translation",translation:{en:"Map to Term",ko:"용어에 매핑"}},unmapTerm:{nodeType:"translation",translation:{en:"Remove Mapping",ko:"매핑 해제"}},searchTermToMap:{nodeType:"translation",translation:{en:"Search terms to map...",ko:"매핑할 용어 검색..."}},noTermSelected:{nodeType:"translation",translation:{en:"No term mapped",ko:"매핑된 용어 없음"}},tagName:{nodeType:"translation",translation:{en:"Tag Name",ko:"태그명"}},tagValue:{nodeType:"translation",translation:{en:"Tag Value",ko:"태그 값"}},noTags:{nodeType:"translation",translation:{en:"No tags",ko:"태그 없음"}},sensitivity:{title:{nodeType:"translation",translation:{en:"Sensitivity",ko:"민감도"}},public:{nodeType:"translation",translation:{en:"Public",ko:"공개"}},internal:{nodeType:"translation",translation:{en:"Internal",ko:"내부용"}},confidential:{nodeType:"translation",translation:{en:"Confidential",ko:"기밀"}},restricted:{nodeType:"translation",translation:{en:"Restricted",ko:"제한"}}},searchAssets:{nodeType:"translation",translation:{en:"Search assets...",ko:"자산 검색..."}},filterByType:{nodeType:"translation",translation:{en:"Filter by type",ko:"유형 필터"}},filterBySource:{nodeType:"translation",translation:{en:"Filter by source",ko:"소스 필터"}},allTypes:{nodeType:"translation",translation:{en:"All types",ko:"모든 유형"}},allSources:{nodeType:"translation",translation:{en:"All sources",ko:"모든 소스"}},noAssets:{nodeType:"translation",translation:{en:"No assets found",ko:"자산이 없습니다"}},noAssetsYet:{nodeType:"translation",translation:{en:"No assets yet",ko:"등록된 자산이 없습니다"}},noAssetsDesc:{nodeType:"translation",translation:{en:"Add your first data asset to start building your catalog",ko:"첫 번째 데이터 자산을 추가하여 카탈로그를 구축하세요"}},addFirstAsset:{nodeType:"translation",translation:{en:"Add Your First Asset",ko:"첫 번째 자산 추가"}},noColumns:{nodeType:"translation",translation:{en:"No columns defined",ko:"정의된 컬럼이 없습니다"}},confirmDelete:{nodeType:"translation",translation:{en:"Are you sure you want to delete this asset? All columns and tags will also be deleted.",ko:"이 자산을 삭제하시겠습니까? 모든 컬럼과 태그도 함께 삭제됩니다."}},loadError:{nodeType:"translation",translation:{en:"Failed to load assets",ko:"자산을 불러오지 못했습니다"}},createSuccess:{nodeType:"translation",translation:{en:"Asset created successfully",ko:"자산이 생성되었습니다"}},createError:{nodeType:"translation",translation:{en:"Failed to create asset",ko:"자산 생성에 실패했습니다"}},updateSuccess:{nodeType:"translation",translation:{en:"Asset updated successfully",ko:"자산이 수정되었습니다"}},updateError:{nodeType:"translation",translation:{en:"Failed to update asset",ko:"자산 수정에 실패했습니다"}},deleteSuccess:{nodeType:"translation",translation:{en:"Asset deleted successfully",ko:"자산이 삭제되었습니다"}},deleteError:{nodeType:"translation",translation:{en:"Failed to delete asset",ko:"자산 삭제에 실패했습니다"}},mappingSuccess:{nodeType:"translation",translation:{en:"Column mapped successfully",ko:"컬럼이 매핑되었습니다"}},mappingError:{nodeType:"translation",translation:{en:"Failed to map column",ko:"컬럼 매핑에 실패했습니다"}},unmappingSuccess:{nodeType:"translation",translation:{en:"Mapping removed",ko:"매핑이 해제되었습니다"}},tabs:{overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},columns:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},comments:{nodeType:"translation",translation:{en:"Comments",ko:"댓글"}}}},localId:"catalog::local::src/content/catalog.content.ts",location:"local",filePath:"src/content/catalog.content.ts"}],a=[{key:"collaboration",content:{comments:{nodeType:"translation",translation:{en:"Comments",ko:"댓글"}},addComment:{nodeType:"translation",translation:{en:"Add Comment",ko:"댓글 추가"}},editComment:{nodeType:"translation",translation:{en:"Edit",ko:"수정"}},deleteComment:{nodeType:"translation",translation:{en:"Delete",ko:"삭제"}},noComments:{nodeType:"translation",translation:{en:"No comments yet",ko:"댓글이 없습니다"}},writeComment:{nodeType:"translation",translation:{en:"Write a comment...",ko:"댓글을 작성하세요..."}},reply:{nodeType:"translation",translation:{en:"Reply",ko:"답글"}},replyTo:{nodeType:"translation",translation:{en:"Reply to comment",ko:"답글 작성"}},cancelReply:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}},postComment:{nodeType:"translation",translation:{en:"Post",ko:"등록"}},commentPosted:{nodeType:"translation",translation:{en:"Comment posted",ko:"댓글이 등록되었습니다"}},commentUpdated:{nodeType:"translation",translation:{en:"Comment updated",ko:"댓글이 수정되었습니다"}},commentDeleted:{nodeType:"translation",translation:{en:"Comment deleted",ko:"댓글이 삭제되었습니다"}},commentError:{nodeType:"translation",translation:{en:"Failed to post comment",ko:"댓글 등록에 실패했습니다"}},confirmDeleteComment:{nodeType:"translation",translation:{en:"Are you sure you want to delete this comment?",ko:"이 댓글을 삭제하시겠습니까?"}},activity:{nodeType:"translation",translation:{en:"Activity",ko:"활동"}},recentActivity:{nodeType:"translation",translation:{en:"Recent Activity",ko:"최근 활동"}},allActivity:{nodeType:"translation",translation:{en:"All Activity",ko:"모든 활동"}},noActivity:{nodeType:"translation",translation:{en:"No activity recorded",ko:"기록된 활동이 없습니다"}},loadMore:{nodeType:"translation",translation:{en:"Load more",ko:"더 보기"}},actions:{created:{nodeType:"translation",translation:{en:"created",ko:"생성됨"}},updated:{nodeType:"translation",translation:{en:"updated",ko:"수정됨"}},deleted:{nodeType:"translation",translation:{en:"deleted",ko:"삭제됨"}},commented:{nodeType:"translation",translation:{en:"commented on",ko:"댓글 작성"}}},resourceTypes:{term:{nodeType:"translation",translation:{en:"term",ko:"용어"}},asset:{nodeType:"translation",translation:{en:"asset",ko:"자산"}},column:{nodeType:"translation",translation:{en:"column",ko:"컬럼"}}},timeAgo:{justNow:{nodeType:"translation",translation:{en:"Just now",ko:"방금 전"}},minutesAgo:{nodeType:"translation",translation:{en:"{count} minutes ago",ko:"{count}분 전"}},hoursAgo:{nodeType:"translation",translation:{en:"{count} hours ago",ko:"{count}시간 전"}},daysAgo:{nodeType:"translation",translation:{en:"{count} days ago",ko:"{count}일 전"}},weeksAgo:{nodeType:"translation",translation:{en:"{count} weeks ago",ko:"{count}주 전"}},monthsAgo:{nodeType:"translation",translation:{en:"{count} months ago",ko:"{count}개월 전"}}},filterByResource:{nodeType:"translation",translation:{en:"Filter by resource",ko:"리소스 필터"}},allResources:{nodeType:"translation",translation:{en:"All resources",ko:"모든 리소스"}}},localId:"collaboration::local::src/content/collaboration.content.ts",location:"local",filePath:"src/content/collaboration.content.ts"}],o=[{key:"common",content:{save:{nodeType:"translation",translation:{en:"Save",ko:"저장",ja:"保存",zh:"保存",de:"Speichern",fr:"Enregistrer",es:"Guardar",pt:"Salvar",it:"Salva",ru:"Сохранить",ar:"حفظ",th:"บันทึก",vi:"Lưu",id:"Simpan",tr:"Kaydet"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소",ja:"キャンセル",zh:"取消",de:"Abbrechen",fr:"Annuler",es:"Cancelar",pt:"Cancelar",it:"Annulla",ru:"Отмена",ar:"إلغاء",th:"ยกเลิก",vi:"Hủy",id:"Batal",tr:"İptal"}},delete:{nodeType:"translation",translation:{en:"Delete",ko:"삭제",ja:"削除",zh:"删除",de:"Löschen",fr:"Supprimer",es:"Eliminar",pt:"Excluir",it:"Elimina",ru:"Удалить",ar:"حذف",th:"ลบ",vi:"Xóa",id:"Hapus",tr:"Sil"}},edit:{nodeType:"translation",translation:{en:"Edit",ko:"편집",ja:"編集",zh:"编辑",de:"Bearbeiten",fr:"Modifier",es:"Editar",pt:"Editar",it:"Modifica",ru:"Редактировать",ar:"تحرير",th:"แก้ไข",vi:"Chỉnh sửa",id:"Edit",tr:"Düzenle"}},add:{nodeType:"translation",translation:{en:"Add",ko:"추가",ja:"追加",zh:"添加",de:"Hinzufügen",fr:"Ajouter",es:"Añadir",pt:"Adicionar",it:"Aggiungi",ru:"Добавить",ar:"إضافة",th:"เพิ่ม",vi:"Thêm",id:"Tambah",tr:"Ekle"}},create:{nodeType:"translation",translation:{en:"Create",ko:"생성",ja:"作成",zh:"创建",de:"Erstellen",fr:"Créer",es:"Crear",pt:"Criar",it:"Crea",ru:"Создать",ar:"إنشاء",th:"สร้าง",vi:"Tạo",id:"Buat",tr:"Oluştur"}},update:{nodeType:"translation",translation:{en:"Update",ko:"수정",ja:"更新",zh:"更新",de:"Aktualisieren",fr:"Mettre à jour",es:"Actualizar",pt:"Atualizar",it:"Aggiorna",ru:"Обновить",ar:"تحديث",th:"อัปเดต",vi:"Cập nhật",id:"Perbarui",tr:"Güncelle"}},close:{nodeType:"translation",translation:{en:"Close",ko:"닫기",ja:"閉じる",zh:"关闭",de:"Schließen",fr:"Fermer",es:"Cerrar",pt:"Fechar",it:"Chiudi",ru:"Закрыть",ar:"إغلاق",th:"ปิด",vi:"Đóng",id:"Tutup",tr:"Kapat"}},confirm:{nodeType:"translation",translation:{en:"Confirm",ko:"확인",ja:"確認",zh:"确认",de:"Bestätigen",fr:"Confirmer",es:"Confirmar",pt:"Confirmar",it:"Conferma",ru:"Подтвердить",ar:"تأكيد",th:"ยืนยัน",vi:"Xác nhận",id:"Konfirmasi",tr:"Onayla"}},loading:{nodeType:"translation",translation:{en:"Loading...",ko:"로딩 중...",ja:"読み込み中...",zh:"加载中...",de:"Laden...",fr:"Chargement...",es:"Cargando...",pt:"Carregando...",it:"Caricamento...",ru:"Загрузка...",ar:"جاري التحميل...",th:"กำลังโหลด...",vi:"Đang tải...",id:"Memuat...",tr:"Yükleniyor..."}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류",ja:"エラー",zh:"错误",de:"Fehler",fr:"Erreur",es:"Error",pt:"Erro",it:"Errore",ru:"Ошибка",ar:"خطأ",th:"ข้อผิดพลาด",vi:"Lỗi",id:"Kesalahan",tr:"Hata"}},success:{nodeType:"translation",translation:{en:"Success",ko:"성공",ja:"成功",zh:"成功",de:"Erfolg",fr:"Succès",es:"Éxito",pt:"Sucesso",it:"Successo",ru:"Успех",ar:"نجاح",th:"สำเร็จ",vi:"Thành công",id:"Berhasil",tr:"Başarılı"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고",ja:"警告",zh:"警告",de:"Warnung",fr:"Avertissement",es:"Advertencia",pt:"Aviso",it:"Avviso",ru:"Предупреждение",ar:"تحذير",th:"คำเตือน",vi:"Cảnh báo",id:"Peringatan",tr:"Uyarı"}},info:{nodeType:"translation",translation:{en:"Info",ko:"정보",ja:"情報",zh:"信息",de:"Info",fr:"Info",es:"Info",pt:"Info",it:"Info",ru:"Инфо",ar:"معلومات",th:"ข้อมูล",vi:"Thông tin",id:"Info",tr:"Bilgi"}},search:{nodeType:"translation",translation:{en:"Search",ko:"검색",ja:"検索",zh:"搜索",de:"Suchen",fr:"Rechercher",es:"Buscar",pt:"Pesquisar",it:"Cerca",ru:"Поиск",ar:"بحث",th:"ค้นหา",vi:"Tìm kiếm",id:"Cari",tr:"Ara"}},filter:{nodeType:"translation",translation:{en:"Filter",ko:"필터",ja:"フィルター",zh:"筛选",de:"Filtern",fr:"Filtrer",es:"Filtrar",pt:"Filtrar",it:"Filtra",ru:"Фильтр",ar:"تصفية",th:"ตัวกรอง",vi:"Lọc",id:"Filter",tr:"Filtrele"}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침",ja:"更新",zh:"刷新",de:"Aktualisieren",fr:"Actualiser",es:"Actualizar",pt:"Atualizar",it:"Aggiorna",ru:"Обновить",ar:"تحديث",th:"รีเฟรช",vi:"Làm mới",id:"Segarkan",tr:"Yenile"}},back:{nodeType:"translation",translation:{en:"Back",ko:"뒤로",ja:"戻る",zh:"返回",de:"Zurück",fr:"Retour",es:"Volver",pt:"Voltar",it:"Indietro",ru:"Назад",ar:"رجوع",th:"กลับ",vi:"Quay lại",id:"Kembali",tr:"Geri"}},next:{nodeType:"translation",translation:{en:"Next",ko:"다음",ja:"次へ",zh:"下一步",de:"Weiter",fr:"Suivant",es:"Siguiente",pt:"Próximo",it:"Avanti",ru:"Далее",ar:"التالي",th:"ถัดไป",vi:"Tiếp theo",id:"Berikutnya",tr:"İleri"}},previous:{nodeType:"translation",translation:{en:"Previous",ko:"이전",ja:"前へ",zh:"上一步",de:"Zurück",fr:"Précédent",es:"Anterior",pt:"Anterior",it:"Precedente",ru:"Назад",ar:"السابق",th:"ก่อนหน้า",vi:"Trước",id:"Sebelumnya",tr:"Geri"}},showing:{nodeType:"translation",translation:{en:"Showing",ko:"표시 중"}},of:{nodeType:"translation",translation:{en:"of",ko:"중"}},yes:{nodeType:"translation",translation:{en:"Yes",ko:"예",ja:"はい",zh:"是",de:"Ja",fr:"Oui",es:"Sí",pt:"Sim",it:"Sì",ru:"Да",ar:"نعم",th:"ใช่",vi:"Có",id:"Ya",tr:"Evet"}},no:{nodeType:"translation",translation:{en:"No",ko:"아니오",ja:"いいえ",zh:"否",de:"Nein",fr:"Non",es:"No",pt:"Não",it:"No",ru:"Нет",ar:"لا",th:"ไม่",vi:"Không",id:"Tidak",tr:"Hayır"}},all:{nodeType:"translation",translation:{en:"All",ko:"전체",ja:"すべて",zh:"全部",de:"Alle",fr:"Tout",es:"Todo",pt:"Todos",it:"Tutto",ru:"Все",ar:"الكل",th:"ทั้งหมด",vi:"Tất cả",id:"Semua",tr:"Tümü"}},none:{nodeType:"translation",translation:{en:"None",ko:"없음",ja:"なし",zh:"无",de:"Keine",fr:"Aucun",es:"Ninguno",pt:"Nenhum",it:"Nessuno",ru:"Нет",ar:"لا شيء",th:"ไม่มี",vi:"Không có",id:"Tidak ada",tr:"Hiçbiri"}},actions:{nodeType:"translation",translation:{en:"Actions",ko:"작업",ja:"アクション",zh:"操作",de:"Aktionen",fr:"Actions",es:"Acciones",pt:"Ações",it:"Azioni",ru:"Действия",ar:"إجراءات",th:"การดำเนินการ",vi:"Hành động",id:"Tindakan",tr:"İşlemler"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태",ja:"ステータス",zh:"状态",de:"Status",fr:"Statut",es:"Estado",pt:"Status",it:"Stato",ru:"Статус",ar:"الحالة",th:"สถานะ",vi:"Trạng thái",id:"Status",tr:"Durum"}},name:{nodeType:"translation",translation:{en:"Name",ko:"이름",ja:"名前",zh:"名称",de:"Name",fr:"Nom",es:"Nombre",pt:"Nome",it:"Nome",ru:"Имя",ar:"الاسم",th:"ชื่อ",vi:"Tên",id:"Nama",tr:"Ad"}},type:{nodeType:"translation",translation:{en:"Type",ko:"유형",ja:"タイプ",zh:"类型",de:"Typ",fr:"Type",es:"Tipo",pt:"Tipo",it:"Tipo",ru:"Тип",ar:"النوع",th:"ประเภท",vi:"Loại",id:"Tipe",tr:"Tür"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명",ja:"説明",zh:"描述",de:"Beschreibung",fr:"Description",es:"Descripción",pt:"Descrição",it:"Descrizione",ru:"Описание",ar:"الوصف",th:"คำอธิบาย",vi:"Mô tả",id:"Deskripsi",tr:"Açıklama"}},createdAt:{nodeType:"translation",translation:{en:"Created At",ko:"생성일",ja:"作成日",zh:"创建时间",de:"Erstellt am",fr:"Créé le",es:"Creado el",pt:"Criado em",it:"Creato il",ru:"Создано",ar:"تاريخ الإنشاء",th:"สร้างเมื่อ",vi:"Ngày tạo",id:"Dibuat pada",tr:"Oluşturulma"}},updatedAt:{nodeType:"translation",translation:{en:"Updated At",ko:"수정일",ja:"更新日",zh:"更新时间",de:"Aktualisiert am",fr:"Mis à jour le",es:"Actualizado el",pt:"Atualizado em",it:"Aggiornato il",ru:"Обновлено",ar:"تاريخ التحديث",th:"อัปเดตเมื่อ",vi:"Ngày cập nhật",id:"Diperbarui pada",tr:"Güncelleme"}},active:{nodeType:"translation",translation:{en:"Active",ko:"활성",ja:"アクティブ",zh:"活跃",de:"Aktiv",fr:"Actif",es:"Activo",pt:"Ativo",it:"Attivo",ru:"Активный",ar:"نشط",th:"ใช้งาน",vi:"Hoạt động",id:"Aktif",tr:"Aktif"}},inactive:{nodeType:"translation",translation:{en:"Inactive",ko:"비활성",ja:"非アクティブ",zh:"不活跃",de:"Inaktiv",fr:"Inactif",es:"Inactivo",pt:"Inativo",it:"Inattivo",ru:"Неактивный",ar:"غير نشط",th:"ไม่ใช้งาน",vi:"Không hoạt động",id:"Tidak aktif",tr:"Pasif"}},enabled:{nodeType:"translation",translation:{en:"Enabled",ko:"활성화됨",ja:"有効",zh:"已启用",de:"Aktiviert",fr:"Activé",es:"Habilitado",pt:"Habilitado",it:"Abilitato",ru:"Включено",ar:"مفعل",th:"เปิดใช้งาน",vi:"Đã bật",id:"Diaktifkan",tr:"Etkin"}},disabled:{nodeType:"translation",translation:{en:"Disabled",ko:"비활성화됨",ja:"無効",zh:"已禁用",de:"Deaktiviert",fr:"Désactivé",es:"Deshabilitado",pt:"Desabilitado",it:"Disabilitato",ru:"Отключено",ar:"معطل",th:"ปิดใช้งาน",vi:"Đã tắt",id:"Dinonaktifkan",tr:"Devre dışı"}},noData:{nodeType:"translation",translation:{en:"No data available",ko:"데이터가 없습니다",ja:"データがありません",zh:"没有可用数据",de:"Keine Daten verfügbar",fr:"Aucune donnée disponible",es:"No hay datos disponibles",pt:"Nenhum dado disponível",it:"Nessun dato disponibile",ru:"Данные недоступны",ar:"لا توجد بيانات",th:"ไม่มีข้อมูล",vi:"Không có dữ liệu",id:"Tidak ada data",tr:"Veri yok"}},noResults:{nodeType:"translation",translation:{en:"No results found",ko:"검색 결과가 없습니다",ja:"結果が見つかりません",zh:"未找到结果",de:"Keine Ergebnisse gefunden",fr:"Aucun résultat trouvé",es:"No se encontraron resultados",pt:"Nenhum resultado encontrado",it:"Nessun risultato trovato",ru:"Результаты не найдены",ar:"لم يتم العثور على نتائج",th:"ไม่พบผลลัพธ์",vi:"Không tìm thấy kết quả",id:"Tidak ada hasil",tr:"Sonuç bulunamadı"}},retry:{nodeType:"translation",translation:{en:"Retry",ko:"다시 시도",ja:"再試行",zh:"重试",de:"Wiederholen",fr:"Réessayer",es:"Reintentar",pt:"Tentar novamente",it:"Riprova",ru:"Повторить",ar:"إعادة المحاولة",th:"ลองใหม่",vi:"Thử lại",id:"Coba lagi",tr:"Tekrar dene"}},source:{nodeType:"translation",translation:{en:"Source",ko:"소스",ja:"ソース",zh:"源",de:"Quelle",fr:"Source",es:"Fuente",pt:"Fonte",it:"Fonte",ru:"Источник",ar:"المصدر",th:"แหล่งข้อมูล",vi:"Nguồn",id:"Sumber",tr:"Kaynak"}},schedule:{nodeType:"translation",translation:{en:"Schedule",ko:"스케줄",ja:"スケジュール",zh:"计划",de:"Zeitplan",fr:"Planification",es:"Programación",pt:"Agendamento",it:"Pianificazione",ru:"Расписание",ar:"الجدول",th:"ตารางเวลา",vi:"Lịch trình",id:"Jadwal",tr:"Zamanlama"}},never:{nodeType:"translation",translation:{en:"Never",ko:"없음",ja:"なし",zh:"从不",de:"Nie",fr:"Jamais",es:"Nunca",pt:"Nunca",it:"Mai",ru:"Никогда",ar:"أبداً",th:"ไม่เคย",vi:"Không bao giờ",id:"Tidak pernah",tr:"Asla"}},saving:{nodeType:"translation",translation:{en:"Saving...",ko:"저장 중...",ja:"保存中...",zh:"保存中...",de:"Speichern...",fr:"Enregistrement...",es:"Guardando...",pt:"Salvando...",it:"Salvataggio...",ru:"Сохранение...",ar:"جاري الحفظ...",th:"กำลังบันทึก...",vi:"Đang lưu...",id:"Menyimpan...",tr:"Kaydediliyor..."}},unknownError:{nodeType:"translation",translation:{en:"An unknown error occurred",ko:"알 수 없는 오류가 발생했습니다"}},ago:{nodeType:"translation",translation:{en:"ago",ko:"전"}},seconds:{nodeType:"translation",translation:{en:"seconds",ko:"초"}},minutes:{nodeType:"translation",translation:{en:"minutes",ko:"분"}},hours:{nodeType:"translation",translation:{en:"hours",ko:"시간"}},days:{nodeType:"translation",translation:{en:"days",ko:"일"}}},localId:"common::local::src/content/common.content.ts",location:"local",filePath:"src/content/common.content.ts"}],i=[{key:"crossAlerts",content:{title:{nodeType:"translation",translation:{en:"Cross-Alert Correlations",ko:"교차 알림 상관관계"}},subtitle:{nodeType:"translation",translation:{en:"Correlations between anomaly and drift alerts",ko:"이상 탐지와 드리프트 알림 간의 상관관계"}},sections:{relatedDriftAlerts:{nodeType:"translation",translation:{en:"Related Drift Alerts",ko:"관련 드리프트 알림"}},relatedAnomalyAlerts:{nodeType:"translation",translation:{en:"Related Anomaly Alerts",ko:"관련 이상 탐지 알림"}},correlations:{nodeType:"translation",translation:{en:"Alert Correlations",ko:"알림 상관관계"}},autoTriggerConfig:{nodeType:"translation",translation:{en:"Auto-Trigger Configuration",ko:"자동 트리거 설정"}},recentEvents:{nodeType:"translation",translation:{en:"Recent Events",ko:"최근 이벤트"}}},strength:{strong:{nodeType:"translation",translation:{en:"Strong",ko:"강함"}},moderate:{nodeType:"translation",translation:{en:"Moderate",ko:"중간"}},weak:{nodeType:"translation",translation:{en:"Weak",ko:"약함"}},none:{nodeType:"translation",translation:{en:"None",ko:"없음"}}},alertType:{anomaly:{nodeType:"translation",translation:{en:"Anomaly",ko:"이상"}},drift:{nodeType:"translation",translation:{en:"Drift",ko:"드리프트"}}},labels:{sourceId:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},timeDelta:{nodeType:"translation",translation:{en:"Time Difference",ko:"시간 차이"}},commonColumns:{nodeType:"translation",translation:{en:"Common Columns",ko:"공통 컬럼"}},suggestedAction:{nodeType:"translation",translation:{en:"Suggested Action",ko:"권장 조치"}},anomalyRate:{nodeType:"translation",translation:{en:"Anomaly Rate",ko:"이상 비율"}},anomalyCount:{nodeType:"translation",translation:{en:"Anomaly Count",ko:"이상 수"}},driftPercentage:{nodeType:"translation",translation:{en:"Drift Percentage",ko:"드리프트 비율"}},driftedColumns:{nodeType:"translation",translation:{en:"Drifted Columns",ko:"드리프트 컬럼"}},createdAt:{nodeType:"translation",translation:{en:"Created",ko:"생성일"}},correlationStrength:{nodeType:"translation",translation:{en:"Correlation",ko:"상관관계"}}},config:{enabled:{nodeType:"translation",translation:{en:"Auto-Trigger Enabled",ko:"자동 트리거 활성화"}},triggerDriftOnAnomaly:{nodeType:"translation",translation:{en:"Trigger drift check on anomaly spike",ko:"이상 급증 시 드리프트 검사 트리거"}},triggerAnomalyOnDrift:{nodeType:"translation",translation:{en:"Trigger anomaly check on drift detection",ko:"드리프트 감지 시 이상 검사 트리거"}},notifyOnCorrelation:{nodeType:"translation",translation:{en:"Notify when correlation detected",ko:"상관관계 감지 시 알림"}},cooldownSeconds:{nodeType:"translation",translation:{en:"Cooldown (seconds)",ko:"쿨다운 (초)"}},thresholds:{title:{nodeType:"translation",translation:{en:"Trigger Thresholds",ko:"트리거 임계값"}},anomalyRateThreshold:{nodeType:"translation",translation:{en:"Anomaly Rate Threshold",ko:"이상 비율 임계값"}},anomalyCountThreshold:{nodeType:"translation",translation:{en:"Anomaly Count Threshold",ko:"이상 수 임계값"}},driftPercentageThreshold:{nodeType:"translation",translation:{en:"Drift Percentage Threshold",ko:"드리프트 비율 임계값"}},driftColumnsThreshold:{nodeType:"translation",translation:{en:"Drifted Columns Threshold",ko:"드리프트 컬럼 수 임계값"}}}},events:{triggerType:{anomaly_to_drift:{nodeType:"translation",translation:{en:"Anomaly -> Drift",ko:"이상 -> 드리프트"}},drift_to_anomaly:{nodeType:"translation",translation:{en:"Drift -> Anomaly",ko:"드리프트 -> 이상"}},bidirectional:{nodeType:"translation",translation:{en:"Bidirectional",ko:"양방향"}}},status:{pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},running:{nodeType:"translation",translation:{en:"Running",ko:"실행 중"}},completed:{nodeType:"translation",translation:{en:"Completed",ko:"완료"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},skipped:{nodeType:"translation",translation:{en:"Skipped",ko:"건너뜀"}}},correlationFound:{nodeType:"translation",translation:{en:"Correlation Found",ko:"상관관계 발견"}},noCorrelation:{nodeType:"translation",translation:{en:"No Correlation",ko:"상관관계 없음"}}},stats:{totalCorrelations:{nodeType:"translation",translation:{en:"Total Correlations",ko:"전체 상관관계"}},strongCorrelations:{nodeType:"translation",translation:{en:"Strong",ko:"강함"}},recentCorrelations:{nodeType:"translation",translation:{en:"Last 24h",ko:"최근 24시간"}},recentTriggers:{nodeType:"translation",translation:{en:"Auto-Triggers (24h)",ko:"자동 트리거 (24시간)"}}},actions:{viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},goToAnomaly:{nodeType:"translation",translation:{en:"Go to Anomaly Detection",ko:"이상 탐지로 이동"}},goToDrift:{nodeType:"translation",translation:{en:"Go to Drift Monitoring",ko:"드리프트 모니터링으로 이동"}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침"}},configure:{nodeType:"translation",translation:{en:"Configure",ko:"설정"}},triggerNow:{nodeType:"translation",translation:{en:"Trigger Now",ko:"지금 트리거"}},saveConfig:{nodeType:"translation",translation:{en:"Save Configuration",ko:"설정 저장"}}},messages:{configSaved:{nodeType:"translation",translation:{en:"Configuration saved",ko:"설정이 저장되었습니다"}},triggerStarted:{nodeType:"translation",translation:{en:"Trigger started",ko:"트리거가 시작되었습니다"}},triggerCompleted:{nodeType:"translation",translation:{en:"Trigger completed",ko:"트리거가 완료되었습니다"}},triggerFailed:{nodeType:"translation",translation:{en:"Trigger failed",ko:"트리거 실패"}},noCorrelationsFound:{nodeType:"translation",translation:{en:"No correlations found",ko:"상관관계를 찾을 수 없습니다"}},loadingCorrelations:{nodeType:"translation",translation:{en:"Loading correlations...",ko:"상관관계 로딩 중..."}},errorLoadingCorrelations:{nodeType:"translation",translation:{en:"Failed to load correlations",ko:"상관관계 로드 실패"}}},empty:{noCorrelations:{nodeType:"translation",translation:{en:"No correlations yet",ko:"상관관계 없음"}},noCorrelationsDesc:{nodeType:"translation",translation:{en:"Correlations will appear when both anomaly and drift alerts occur for the same source",ko:"동일 소스에서 이상 탐지와 드리프트 알림이 발생하면 상관관계가 표시됩니다"}},noRelatedAlerts:{nodeType:"translation",translation:{en:"No related alerts",ko:"관련 알림 없음"}},noRelatedAlertsDesc:{nodeType:"translation",translation:{en:"No correlated alerts found for this source in the selected time window",ko:"선택한 기간 내에 이 소스에 대한 연관된 알림이 없습니다"}},noEvents:{nodeType:"translation",translation:{en:"No auto-trigger events",ko:"자동 트리거 이벤트 없음"}},noEventsDesc:{nodeType:"translation",translation:{en:"Auto-trigger events will appear here when conditions are met",ko:"조건이 충족되면 자동 트리거 이벤트가 여기에 표시됩니다"}}},time:{seconds:{nodeType:"translation",translation:{en:"seconds",ko:"초"}},minutes:{nodeType:"translation",translation:{en:"minutes",ko:"분"}},hours:{nodeType:"translation",translation:{en:"hours",ko:"시간"}},ago:{nodeType:"translation",translation:{en:"ago",ko:"전"}},apart:{nodeType:"translation",translation:{en:"apart",ko:"차이"}}}},localId:"crossAlerts::local::src/content/cross-alerts.content.ts",location:"local",filePath:"src/content/cross-alerts.content.ts"}],r=[{key:"dashboard",content:{title:{nodeType:"translation",translation:{en:"Data Health Overview",ko:"데이터 품질 현황"}},subtitle:{nodeType:"translation",translation:{en:"Data quality overview and monitoring",ko:"데이터 품질 개요 및 모니터링"}},totalSources:{nodeType:"translation",translation:{en:"Total Sources",ko:"전체 소스"}},configuredSources:{nodeType:"translation",translation:{en:"Configured data sources",ko:"설정된 데이터 소스"}},passed:{nodeType:"translation",translation:{en:"Passed",ko:"통과"}},validationPassed:{nodeType:"translation",translation:{en:"Validation passed",ko:"검증 통과"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},validationFailed:{nodeType:"translation",translation:{en:"Validation failed",ko:"검증 실패"}},pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},notValidated:{nodeType:"translation",translation:{en:"Not yet validated",ko:"검증 전"}},recentSources:{nodeType:"translation",translation:{en:"Recent Sources",ko:"최근 소스"}},recentSourcesDesc:{nodeType:"translation",translation:{en:"Your configured data sources",ko:"설정된 데이터 소스 목록"}},viewAll:{nodeType:"translation",translation:{en:"View All",ko:"전체 보기"}},noSources:{nodeType:"translation",translation:{en:"No data sources configured yet",ko:"설정된 데이터 소스가 없습니다"}},addFirstSource:{nodeType:"translation",translation:{en:"Add Your First Source",ko:"첫 번째 소스 추가하기"}},lastValidated:{nodeType:"translation",translation:{en:"Last validated",ko:"마지막 검증"}},loadError:{nodeType:"translation",translation:{en:"Failed to load dashboard data",ko:"대시보드 데이터를 불러오지 못했습니다"}},sources:{nodeType:"translation",translation:{en:"Data Sources",ko:"데이터 소스"}},passRate:{nodeType:"translation",translation:{en:"Pass Rate",ko:"통과율"}},failedToday:{nodeType:"translation",translation:{en:"Failed Today",ko:"오늘 실패"}},scheduled:{nodeType:"translation",translation:{en:"Scheduled",ko:"스케줄됨"}},recentFailures:{nodeType:"translation",translation:{en:"Recent Failures",ko:"최근 실패"}},upcomingSchedules:{nodeType:"translation",translation:{en:"Upcoming Schedules",ko:"예정된 스케줄"}},noFailures:{nodeType:"translation",translation:{en:"No recent failures",ko:"최근 실패가 없습니다"}},noSchedules:{nodeType:"translation",translation:{en:"No upcoming schedules",ko:"예정된 스케줄이 없습니다"}}},localId:"dashboard::local::src/content/dashboard.content.ts",location:"local",filePath:"src/content/dashboard.content.ts"}],s=[{key:"drift",content:{title:{nodeType:"translation",translation:{en:"Drift Detection",ko:"드리프트 감지"}},subtitle:{nodeType:"translation",translation:{en:"Compare datasets to detect data drift",ko:"데이터셋을 비교하여 데이터 드리프트 감지"}},compare:{nodeType:"translation",translation:{en:"Compare",ko:"비교"}},comparing:{nodeType:"translation",translation:{en:"Comparing...",ko:"비교 중..."}},newComparison:{nodeType:"translation",translation:{en:"New Comparison",ko:"새 비교"}},compareDatasets:{nodeType:"translation",translation:{en:"Compare Datasets",ko:"데이터셋 비교"}},compareDescription:{nodeType:"translation",translation:{en:"Select baseline and current datasets to compare for drift",ko:"드리프트 비교를 위한 기준 및 현재 데이터셋을 선택하세요"}},baseline:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},selectSource:{nodeType:"translation",translation:{en:"Select source",ko:"소스 선택"}},baselineSource:{nodeType:"translation",translation:{en:"Baseline Source",ko:"기준 소스"}},currentSource:{nodeType:"translation",translation:{en:"Current Source",ko:"현재 소스"}},selectBaseline:{nodeType:"translation",translation:{en:"Select baseline...",ko:"기준 선택..."}},selectCurrent:{nodeType:"translation",translation:{en:"Select current...",ko:"현재 선택..."}},detectionMethod:{nodeType:"translation",translation:{en:"Detection Method",ko:"감지 방법"}},selectBothSources:{nodeType:"translation",translation:{en:"Please select both baseline and current sources",ko:"기준 소스와 현재 소스를 모두 선택하세요"}},mustBeDifferent:{nodeType:"translation",translation:{en:"Baseline and current sources must be different",ko:"기준 소스와 현재 소스가 서로 달라야 합니다"}},comparisonComplete:{nodeType:"translation",translation:{en:"Comparison complete",ko:"비교 완료"}},comparisonFailed:{nodeType:"translation",translation:{en:"Comparison failed",ko:"비교 실패"}},noDriftDetected:{nodeType:"translation",translation:{en:"No significant drift detected",ko:"유의미한 드리프트가 감지되지 않았습니다"}},noComparisonsYet:{nodeType:"translation",translation:{en:"No comparisons yet",ko:"비교 기록 없음"}},noComparisonsDesc:{nodeType:"translation",translation:{en:"Compare two datasets to detect data drift",ko:"두 데이터셋을 비교하여 데이터 드리프트를 감지하세요"}},highDrift:{nodeType:"translation",translation:{en:"High Drift",ko:"높은 드리프트"}},driftDetected:{nodeType:"translation",translation:{en:"Drift Detected",ko:"드리프트 감지됨"}},noDrift:{nodeType:"translation",translation:{en:"No Drift",ko:"드리프트 없음"}},columnsCompared:{nodeType:"translation",translation:{en:"Columns Compared",ko:"비교된 컬럼"}},driftedColumns:{nodeType:"translation",translation:{en:"Drifted Columns",ko:"드리프트 컬럼"}},driftPercentage:{nodeType:"translation",translation:{en:"Drift Percentage",ko:"드리프트 비율"}},columnDetails:{nodeType:"translation",translation:{en:"Column Details",ko:"컬럼 상세"}},methods:{auto:{nodeType:"translation",translation:{en:"Auto (recommended)",ko:"자동 (권장)"}},ks:{nodeType:"translation",translation:{en:"Kolmogorov-Smirnov",ko:"콜모고로프-스미르노프"}},psi:{nodeType:"translation",translation:{en:"Population Stability Index",ko:"모집단 안정성 지수"}},chi2:{nodeType:"translation",translation:{en:"Chi-Square",ko:"카이제곱"}},js:{nodeType:"translation",translation:{en:"Jensen-Shannon",ko:"젠슨-샤논"}},kl:{nodeType:"translation",translation:{en:"Kullback-Leibler",ko:"쿨백-라이블러"}},wasserstein:{nodeType:"translation",translation:{en:"Wasserstein (EMD)",ko:"바서슈타인 (EMD)"}},cvm:{nodeType:"translation",translation:{en:"Cramér-von Mises",ko:"크라메르-폰 미제스"}},anderson:{nodeType:"translation",translation:{en:"Anderson-Darling",ko:"앤더슨-달링"}}},methodDescriptions:{auto:{nodeType:"translation",translation:{en:"Automatically selects the best method based on data type",ko:"데이터 타입에 따라 최적의 방법을 자동 선택"}},ks:{nodeType:"translation",translation:{en:"Best for continuous distributions, compares cumulative distributions",ko:"연속 분포에 최적, 누적 분포 비교"}},psi:{nodeType:"translation",translation:{en:"Industry standard for model monitoring, works with any distribution",ko:"모델 모니터링의 업계 표준, 모든 분포에 적용 가능"}},chi2:{nodeType:"translation",translation:{en:"Statistical test for categorical data independence",ko:"범주형 데이터의 독립성 통계 검정"}},js:{nodeType:"translation",translation:{en:"Symmetric divergence measure, bounded between 0-1",ko:"대칭 발산 측정, 0-1 사이 값"}},kl:{nodeType:"translation",translation:{en:"Measures information loss between distributions",ko:"분포 간 정보 손실 측정"}},wasserstein:{nodeType:"translation",translation:{en:"Earth Mover's Distance, sensitive to distribution shape",ko:"분포 형태에 민감한 이동 거리 측정"}},cvm:{nodeType:"translation",translation:{en:"More sensitive to tail differences than KS test",ko:"KS 검정보다 꼬리 차이에 더 민감"}},anderson:{nodeType:"translation",translation:{en:"Weighted test emphasizing tail sensitivity",ko:"꼬리 민감성을 강조하는 가중 검정"}}},methodBestFor:{auto:{nodeType:"translation",translation:{en:"General use",ko:"일반 용도"}},ks:{nodeType:"translation",translation:{en:"Continuous data",ko:"연속형 데이터"}},psi:{nodeType:"translation",translation:{en:"Model monitoring",ko:"모델 모니터링"}},chi2:{nodeType:"translation",translation:{en:"Categorical data",ko:"범주형 데이터"}},js:{nodeType:"translation",translation:{en:"Bounded comparison",ko:"범위 제한 비교"}},kl:{nodeType:"translation",translation:{en:"Information theory",ko:"정보 이론"}},wasserstein:{nodeType:"translation",translation:{en:"Shape comparison",ko:"형태 비교"}},cvm:{nodeType:"translation",translation:{en:"Tail analysis",ko:"꼬리 분석"}},anderson:{nodeType:"translation",translation:{en:"Tail sensitivity",ko:"꼬리 민감도"}}},correctionMethods:{none:{nodeType:"translation",translation:{en:"None",ko:"없음"}},bonferroni:{nodeType:"translation",translation:{en:"Bonferroni",ko:"본페로니"}},holm:{nodeType:"translation",translation:{en:"Holm",ko:"홀름"}},bh:{nodeType:"translation",translation:{en:"Benjamini-Hochberg",ko:"벤자미니-호흐베르그"}}},correctionDescriptions:{none:{nodeType:"translation",translation:{en:"No correction - use with caution for multiple columns",ko:"보정 없음 - 다중 컬럼 시 주의 필요"}},bonferroni:{nodeType:"translation",translation:{en:"Conservative correction for independent tests",ko:"독립 검정을 위한 보수적 보정"}},holm:{nodeType:"translation",translation:{en:"Sequential adjustment, less conservative than Bonferroni",ko:"순차적 조정, 본페로니보다 덜 보수적"}},bh:{nodeType:"translation",translation:{en:"False Discovery Rate control (recommended for multiple columns)",ko:"위양성 발견율 제어 (다중 컬럼에 권장)"}}},config:{threshold:{nodeType:"translation",translation:{en:"Threshold",ko:"임계값"}},thresholdDescription:{nodeType:"translation",translation:{en:"Statistical significance level for drift detection",ko:"드리프트 감지를 위한 통계적 유의 수준"}},correctionMethod:{nodeType:"translation",translation:{en:"Correction Method",ko:"보정 방법"}},correctionDescription:{nodeType:"translation",translation:{en:"Multiple testing correction for comparing multiple columns",ko:"다중 컬럼 비교 시 다중 검정 보정"}},defaultThreshold:{nodeType:"translation",translation:{en:"Default for this method",ko:"이 방법의 기본값"}},columns:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},selectColumns:{nodeType:"translation",translation:{en:"Select columns to compare",ko:"비교할 컬럼 선택"}},allColumns:{nodeType:"translation",translation:{en:"All columns",ko:"모든 컬럼"}},selectedColumns:{nodeType:"translation",translation:{en:"Selected columns",ko:"선택된 컬럼"}},advancedOptions:{nodeType:"translation",translation:{en:"Advanced Options",ko:"고급 옵션"}}},methodSelector:{title:{nodeType:"translation",translation:{en:"Detection Method",ko:"감지 방법"}},subtitle:{nodeType:"translation",translation:{en:"Choose the statistical method for drift detection",ko:"드리프트 감지를 위한 통계 방법 선택"}},recommended:{nodeType:"translation",translation:{en:"Recommended",ko:"권장"}},bestFor:{nodeType:"translation",translation:{en:"Best for",ko:"적합 대상"}},defaultThreshold:{nodeType:"translation",translation:{en:"Default threshold",ko:"기본 임계값"}}},noChanges:{nodeType:"translation",translation:{en:"No changes detected",ko:"변경 사항이 없습니다"}},columnAdded:{nodeType:"translation",translation:{en:"Column Added",ko:"컬럼 추가됨"}},columnRemoved:{nodeType:"translation",translation:{en:"Column Removed",ko:"컬럼 제거됨"}},typeChanged:{nodeType:"translation",translation:{en:"Type Changed",ko:"타입 변경됨"}},statsChanged:{nodeType:"translation",translation:{en:"Statistics Changed",ko:"통계 변경됨"}}},localId:"drift::local::src/content/drift.content.ts",location:"local",filePath:"src/content/drift.content.ts"}],l=[{key:"driftMonitor",content:{title:{nodeType:"translation",translation:{en:"Drift Monitoring",ko:"드리프트 모니터링"}},subtitle:{nodeType:"translation",translation:{en:"Automatic drift detection with alerts",ko:"알림과 함께하는 자동 드리프트 감지"}},tabs:{monitors:{nodeType:"translation",translation:{en:"Monitors",ko:"모니터"}},alerts:{nodeType:"translation",translation:{en:"Alerts",ko:"알림"}},trends:{nodeType:"translation",translation:{en:"Trends",ko:"트렌드"}},basic:{nodeType:"translation",translation:{en:"Basic",ko:"기본"}},performance:{nodeType:"translation",translation:{en:"Performance",ko:"성능"}}},monitor:{createMonitor:{nodeType:"translation",translation:{en:"Create Monitor",ko:"모니터 생성"}},editMonitor:{nodeType:"translation",translation:{en:"Edit Monitor",ko:"모니터 편집"}},deleteMonitor:{nodeType:"translation",translation:{en:"Delete Monitor",ko:"모니터 삭제"}},runNow:{nodeType:"translation",translation:{en:"Run Now",ko:"지금 실행"}},pause:{nodeType:"translation",translation:{en:"Pause",ko:"일시정지"}},resume:{nodeType:"translation",translation:{en:"Resume",ko:"재개"}},name:{nodeType:"translation",translation:{en:"Monitor Name",ko:"모니터 이름"}},baselineSource:{nodeType:"translation",translation:{en:"Baseline Source",ko:"기준 소스"}},currentSource:{nodeType:"translation",translation:{en:"Current Source",ko:"현재 소스"}},schedule:{nodeType:"translation",translation:{en:"Schedule",ko:"스케줄"}},method:{nodeType:"translation",translation:{en:"Detection Method",ko:"탐지 방법"}},threshold:{nodeType:"translation",translation:{en:"Drift Threshold",ko:"드리프트 임계값"}},columns:{nodeType:"translation",translation:{en:"Columns to Monitor",ko:"모니터링할 컬럼"}},alertOnDrift:{nodeType:"translation",translation:{en:"Alert on Drift",ko:"드리프트 시 알림"}},criticalThreshold:{nodeType:"translation",translation:{en:"Critical Alert Threshold",ko:"심각 알림 임계값"}},highThreshold:{nodeType:"translation",translation:{en:"High Alert Threshold",ko:"높음 알림 임계값"}},notificationChannels:{nodeType:"translation",translation:{en:"Notification Channels",ko:"알림 채널"}}},status:{active:{nodeType:"translation",translation:{en:"Active",ko:"활성"}},paused:{nodeType:"translation",translation:{en:"Paused",ko:"일시정지"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}}},severity:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}}},alertStatus:{open:{nodeType:"translation",translation:{en:"Open",ko:"열림"}},acknowledged:{nodeType:"translation",translation:{en:"Acknowledged",ko:"확인됨"}},resolved:{nodeType:"translation",translation:{en:"Resolved",ko:"해결됨"}},ignored:{nodeType:"translation",translation:{en:"Ignored",ko:"무시됨"}}},alertActions:{acknowledge:{nodeType:"translation",translation:{en:"Acknowledge",ko:"확인"}},resolve:{nodeType:"translation",translation:{en:"Resolve",ko:"해결"}},ignore:{nodeType:"translation",translation:{en:"Ignore",ko:"무시"}},addNote:{nodeType:"translation",translation:{en:"Add Note",ko:"메모 추가"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}}},stats:{totalMonitors:{nodeType:"translation",translation:{en:"Total Monitors",ko:"전체 모니터"}},activeMonitors:{nodeType:"translation",translation:{en:"Active Monitors",ko:"활성 모니터"}},monitorsWithDrift:{nodeType:"translation",translation:{en:"With Drift",ko:"드리프트 발생"}},openAlerts:{nodeType:"translation",translation:{en:"Open Alerts",ko:"미해결 알림"}},criticalAlerts:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},driftRate:{nodeType:"translation",translation:{en:"Drift Rate",ko:"드리프트 비율"}},lastRun:{nodeType:"translation",translation:{en:"Last Run",ko:"마지막 실행"}},totalRuns:{nodeType:"translation",translation:{en:"Total Runs",ko:"전체 실행"}},consecutiveDrift:{nodeType:"translation",translation:{en:"Consecutive Drift",ko:"연속 드리프트"}}},schedulePresets:{hourly:{nodeType:"translation",translation:{en:"Every Hour",ko:"매시간"}},daily:{nodeType:"translation",translation:{en:"Daily",ko:"매일"}},weekly:{nodeType:"translation",translation:{en:"Weekly",ko:"매주"}},custom:{nodeType:"translation",translation:{en:"Custom",ko:"사용자 정의"}}},trend:{title:{nodeType:"translation",translation:{en:"Drift Trend",ko:"드리프트 트렌드"}},period:{nodeType:"translation",translation:{en:"Period",ko:"기간"}},last7Days:{nodeType:"translation",translation:{en:"Last 7 Days",ko:"최근 7일"}},last30Days:{nodeType:"translation",translation:{en:"Last 30 Days",ko:"최근 30일"}},last90Days:{nodeType:"translation",translation:{en:"Last 90 Days",ko:"최근 90일"}},avgDrift:{nodeType:"translation",translation:{en:"Avg. Drift",ko:"평균 드리프트"}},maxDrift:{nodeType:"translation",translation:{en:"Max Drift",ko:"최대 드리프트"}},driftOccurrence:{nodeType:"translation",translation:{en:"Drift Occurrence",ko:"드리프트 발생률"}}},empty:{noMonitors:{nodeType:"translation",translation:{en:"No drift monitors",ko:"드리프트 모니터 없음"}},noMonitorsDesc:{nodeType:"translation",translation:{en:"Create a monitor to automatically detect drift between data sources",ko:"데이터 소스 간 드리프트를 자동으로 감지하는 모니터를 생성하세요"}},noAlerts:{nodeType:"translation",translation:{en:"No alerts",ko:"알림 없음"}},noAlertsDesc:{nodeType:"translation",translation:{en:"No drift alerts have been triggered",ko:"발생한 드리프트 알림이 없습니다"}},noRunData:{nodeType:"translation",translation:{en:"No run data available",ko:"실행 데이터 없음"}},runMonitorFirst:{nodeType:"translation",translation:{en:"Run the monitor to see column details",ko:"컬럼 상세 정보를 보려면 모니터를 실행하세요"}}},messages:{monitorCreated:{nodeType:"translation",translation:{en:"Monitor created",ko:"모니터가 생성되었습니다"}},monitorUpdated:{nodeType:"translation",translation:{en:"Monitor updated",ko:"모니터가 업데이트되었습니다"}},monitorDeleted:{nodeType:"translation",translation:{en:"Monitor deleted",ko:"모니터가 삭제되었습니다"}},monitorRunStarted:{nodeType:"translation",translation:{en:"Monitor run started",ko:"모니터 실행이 시작되었습니다"}},alertAcknowledged:{nodeType:"translation",translation:{en:"Alert acknowledged",ko:"알림이 확인되었습니다"}},alertResolved:{nodeType:"translation",translation:{en:"Alert resolved",ko:"알림이 해결되었습니다"}},driftDetected:{nodeType:"translation",translation:{en:"Drift detected!",ko:"드리프트가 감지되었습니다!"}},noDriftDetected:{nodeType:"translation",translation:{en:"No drift detected",ko:"드리프트가 감지되지 않았습니다"}}},confirm:{deleteMonitor:{nodeType:"translation",translation:{en:"Are you sure you want to delete this monitor?",ko:"이 모니터를 삭제하시겠습니까?"}},pauseMonitor:{nodeType:"translation",translation:{en:"Are you sure you want to pause this monitor?",ko:"이 모니터를 일시정지하시겠습니까?"}}},table:{name:{nodeType:"translation",translation:{en:"Name",ko:"이름"}},sources:{nodeType:"translation",translation:{en:"Sources",ko:"소스"}},schedule:{nodeType:"translation",translation:{en:"Schedule",ko:"스케줄"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},lastRun:{nodeType:"translation",translation:{en:"Last Run",ko:"마지막 실행"}},driftStatus:{nodeType:"translation",translation:{en:"Drift Status",ko:"드리프트 상태"}},actions:{nodeType:"translation",translation:{en:"Actions",ko:"작업"}},severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},message:{nodeType:"translation",translation:{en:"Message",ko:"메시지"}},alertTime:{nodeType:"translation",translation:{en:"Alert Time",ko:"알림 시간"}}},columnDrilldown:{title:{nodeType:"translation",translation:{en:"Column Drift Analysis",ko:"컬럼 드리프트 분석"}},totalColumns:{nodeType:"translation",translation:{en:"columns",ko:"개 컬럼"}},drifted:{nodeType:"translation",translation:{en:"drifted",ko:"드리프트"}},selectColumn:{nodeType:"translation",translation:{en:"Select a column to view details",ko:"상세 정보를 보려면 컬럼을 선택하세요"}},noResults:{nodeType:"translation",translation:{en:"No columns match the filter criteria",ko:"필터 조건에 맞는 컬럼이 없습니다"}},searchPlaceholder:{nodeType:"translation",translation:{en:"Search columns...",ko:"컬럼 검색..."}},viewDetails:{nodeType:"translation",translation:{en:"View Column Details",ko:"컬럼 상세 보기"}},distribution:{nodeType:"translation",translation:{en:"Distribution Comparison",ko:"분포 비교"}},baseline:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},overlay:{nodeType:"translation",translation:{en:"Overlay",ko:"오버레이"}},smooth:{nodeType:"translation",translation:{en:"Smooth",ko:"스무딩"}},tabs:{distribution:{nodeType:"translation",translation:{en:"Distribution",ko:"분포"}},statistics:{nodeType:"translation",translation:{en:"Statistics",ko:"통계"}}},filter:{all:{nodeType:"translation",translation:{en:"All Columns",ko:"전체 컬럼"}},drifted:{nodeType:"translation",translation:{en:"Drifted Only",ko:"드리프트만"}},notDrifted:{nodeType:"translation",translation:{en:"Not Drifted",ko:"드리프트 없음"}},high:{nodeType:"translation",translation:{en:"High Level",ko:"높음 수준"}},medium:{nodeType:"translation",translation:{en:"Medium Level",ko:"중간 수준"}},low:{nodeType:"translation",translation:{en:"Low Level",ko:"낮음 수준"}}},sort:{drift:{nodeType:"translation",translation:{en:"By Drift",ko:"드리프트순"}},level:{nodeType:"translation",translation:{en:"By Level",ko:"수준순"}},pvalue:{nodeType:"translation",translation:{en:"By P-Value",ko:"P값순"}},name:{nodeType:"translation",translation:{en:"By Name",ko:"이름순"}}},levels:{high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},none:{nodeType:"translation",translation:{en:"None",ko:"없음"}}},testResults:{nodeType:"translation",translation:{en:"Statistical Test Results",ko:"통계 검정 결과"}},testMethod:{nodeType:"translation",translation:{en:"Test Method",ko:"검정 방법"}},driftLevel:{nodeType:"translation",translation:{en:"Drift Level",ko:"드리프트 수준"}},statistic:{nodeType:"translation",translation:{en:"Test Statistic",ko:"검정 통계량"}},pValue:{nodeType:"translation",translation:{en:"P-Value",ko:"P값"}}},columnStats:{statistic:{nodeType:"translation",translation:{en:"Statistic",ko:"통계"}},baseline:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},change:{nodeType:"translation",translation:{en:"Change",ko:"변화"}},mean:{nodeType:"translation",translation:{en:"Mean",ko:"평균"}},std:{nodeType:"translation",translation:{en:"Std Dev",ko:"표준편차"}},median:{nodeType:"translation",translation:{en:"Median",ko:"중앙값"}},min:{nodeType:"translation",translation:{en:"Min",ko:"최소값"}},max:{nodeType:"translation",translation:{en:"Max",ko:"최대값"}},q25:{nodeType:"translation",translation:{en:"25th %ile",ko:"25 백분위"}},q75:{nodeType:"translation",translation:{en:"75th %ile",ko:"75 백분위"}},count:{nodeType:"translation",translation:{en:"Count",ko:"건수"}},nullCount:{nodeType:"translation",translation:{en:"Null Count",ko:"Null 수"}},uniqueCount:{nodeType:"translation",translation:{en:"Unique Count",ko:"고유값 수"}}},preview:{title:{nodeType:"translation",translation:{en:"Preview Drift",ko:"드리프트 미리보기"}},previewDrift:{nodeType:"translation",translation:{en:"Preview Drift",ko:"드리프트 미리보기"}},description:{nodeType:"translation",translation:{en:"Compare two data sources to preview drift results before creating a monitor",ko:"모니터 생성 전 두 데이터 소스를 비교하여 드리프트 결과를 미리 확인하세요"}},runPreview:{nodeType:"translation",translation:{en:"Run Preview",ko:"미리보기 실행"}},previewResults:{nodeType:"translation",translation:{en:"Preview Results",ko:"미리보기 결과"}},reviewBeforeCreate:{nodeType:"translation",translation:{en:"Review drift results before creating the monitor",ko:"모니터 생성 전 드리프트 결과를 검토하세요"}},backToConfig:{nodeType:"translation",translation:{en:"Back to Configuration",ko:"설정으로 돌아가기"}},sameSourceWarning:{nodeType:"translation",translation:{en:"Baseline and current source must be different",ko:"기준 소스와 현재 소스가 달라야 합니다"}},driftStatus:{nodeType:"translation",translation:{en:"Drift Status",ko:"드리프트 상태"}},driftDetected:{nodeType:"translation",translation:{en:"Drift Detected",ko:"드리프트 감지됨"}},noDrift:{nodeType:"translation",translation:{en:"No Drift",ko:"드리프트 없음"}},driftPercentage:{nodeType:"translation",translation:{en:"Drift Percentage",ko:"드리프트 비율"}},columnsAffected:{nodeType:"translation",translation:{en:"columns affected",ko:"개 컬럼 영향"}},rowComparison:{nodeType:"translation",translation:{en:"Row Count",ko:"행 수"}},baseline:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},configuration:{nodeType:"translation",translation:{en:"Configuration",ko:"설정"}},mostAffected:{nodeType:"translation",translation:{en:"Most Affected Columns",ko:"가장 영향받은 컬럼"}},columnResults:{nodeType:"translation",translation:{en:"Column Results",ko:"컬럼별 결과"}},column:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},type:{nodeType:"translation",translation:{en:"Type",ko:"타입"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},level:{nodeType:"translation",translation:{en:"Level",ko:"수준"}},pValue:{nodeType:"translation",translation:{en:"P-Value",ko:"P값"}},statistic:{nodeType:"translation",translation:{en:"Statistic",ko:"통계량"}},testStatistic:{nodeType:"translation",translation:{en:"Test Statistic",ko:"검정 통계량"}},distributionComparison:{nodeType:"translation",translation:{en:"Distribution Comparison",ko:"분포 비교"}}},rootCause:{title:{nodeType:"translation",translation:{en:"Root Cause Analysis",ko:"근본 원인 분석"}},subtitle:{nodeType:"translation",translation:{en:"Detailed analysis of why drift is occurring",ko:"드리프트 발생 원인에 대한 상세 분석"}},analyzeRootCause:{nodeType:"translation",translation:{en:"Analyze Root Cause",ko:"근본 원인 분석"}},noData:{nodeType:"translation",translation:{en:"No root cause data available",ko:"근본 원인 데이터 없음"}},noAnalysis:{nodeType:"translation",translation:{en:"No analysis available",ko:"분석 결과 없음"}},noDrift:{nodeType:"translation",translation:{en:"No drift detected in any columns",ko:"어떤 컬럼에서도 드리프트가 감지되지 않았습니다"}},totalColumns:{nodeType:"translation",translation:{en:"Total Columns",ko:"전체 컬럼"}},driftedColumns:{nodeType:"translation",translation:{en:"Drifted Columns",ko:"드리프트 컬럼"}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},analysisTime:{nodeType:"translation",translation:{en:"Analysis Time",ko:"분석 시간"}},volumeChange:{nodeType:"translation",translation:{en:"Data Volume Change",ko:"데이터 볼륨 변화"}},causeDistribution:{nodeType:"translation",translation:{en:"Cause Distribution",ko:"원인 분포"}},columnAnalysis:{nodeType:"translation",translation:{en:"Column Analysis",ko:"컬럼 분석"}},columnAnalysisDesc:{nodeType:"translation",translation:{en:"Detailed breakdown by column",ko:"컬럼별 상세 분석"}},detectedCauses:{nodeType:"translation",translation:{en:"Detected Causes",ko:"감지된 원인"}},statisticalShifts:{nodeType:"translation",translation:{en:"Statistical Shifts",ko:"통계적 변화"}},causes:{mean_shift:{nodeType:"translation",translation:{en:"Mean Shift",ko:"평균 변화"}},variance_change:{nodeType:"translation",translation:{en:"Variance Change",ko:"분산 변화"}},new_categories:{nodeType:"translation",translation:{en:"New Categories",ko:"신규 카테고리"}},missing_categories:{nodeType:"translation",translation:{en:"Missing Categories",ko:"누락된 카테고리"}},outlier_introduction:{nodeType:"translation",translation:{en:"Outlier Introduction",ko:"이상치 유입"}},data_volume_change:{nodeType:"translation",translation:{en:"Data Volume Change",ko:"데이터 볼륨 변화"}},temporal_pattern:{nodeType:"translation",translation:{en:"Temporal Pattern",ko:"시계열 패턴"}},distribution_shape_change:{nodeType:"translation",translation:{en:"Distribution Shape Change",ko:"분포 형태 변화"}},null_rate_change:{nodeType:"translation",translation:{en:"Null Rate Change",ko:"Null 비율 변화"}}},remediations:{nodeType:"translation",translation:{en:"Suggested Actions",ko:"권장 조치"}},remediationsDesc:{nodeType:"translation",translation:{en:"Recommended steps to address drift issues",ko:"드리프트 문제 해결을 위한 권장 단계"}},noRemediations:{nodeType:"translation",translation:{en:"No actions needed",ko:"조치 필요 없음"}},noRemediationsDesc:{nodeType:"translation",translation:{en:"No remediation suggestions at this time",ko:"현재 권장 조치 사항이 없습니다"}},affectedColumns:{nodeType:"translation",translation:{en:"Affected Columns",ko:"영향받는 컬럼"}},manualReview:{nodeType:"translation",translation:{en:"Requires manual review",ko:"수동 검토 필요"}},automationAvailable:{nodeType:"translation",translation:{en:"Automation available",ko:"자동화 가능"}},runAutomation:{nodeType:"translation",translation:{en:"Run Automation",ko:"자동화 실행"}},investigate:{nodeType:"translation",translation:{en:"Investigate",ko:"조사"}},dismiss:{nodeType:"translation",translation:{en:"Dismiss",ko:"무시"}},quickSummary:{nodeType:"translation",translation:{en:"Quick Summary",ko:"빠른 요약"}},totalSuggestions:{nodeType:"translation",translation:{en:"Total suggestions",ko:"전체 제안"}},highPriority:{nodeType:"translation",translation:{en:"High priority",ko:"높은 우선순위"}},automatable:{nodeType:"translation",translation:{en:"Automatable",ko:"자동화 가능"}},actions:{investigate_upstream:{nodeType:"translation",translation:{en:"Investigate Upstream",ko:"업스트림 조사"}},update_baseline:{nodeType:"translation",translation:{en:"Update Baseline",ko:"기준 업데이트"}},adjust_threshold:{nodeType:"translation",translation:{en:"Adjust Threshold",ko:"임계값 조정"}},review_data_pipeline:{nodeType:"translation",translation:{en:"Review Data Pipeline",ko:"데이터 파이프라인 검토"}},check_data_source:{nodeType:"translation",translation:{en:"Check Data Source",ko:"데이터 소스 확인"}},normalize_values:{nodeType:"translation",translation:{en:"Normalize Values",ko:"값 정규화"}},filter_outliers:{nodeType:"translation",translation:{en:"Filter Outliers",ko:"이상치 필터링"}},retrain_model:{nodeType:"translation",translation:{en:"Retrain Model",ko:"모델 재학습"}},acknowledge_expected_change:{nodeType:"translation",translation:{en:"Acknowledge Expected Change",ko:"예상된 변경 확인"}}}},sampling:{title:{nodeType:"translation",translation:{en:"Sampling Configuration",ko:"샘플링 설정"}},description:{nodeType:"translation",translation:{en:"Enable sampling for faster processing of large datasets",ko:"대용량 데이터셋의 빠른 처리를 위해 샘플링을 활성화하세요"}},method:{nodeType:"translation",translation:{en:"Sampling Method",ko:"샘플링 방법"}},sampleSize:{nodeType:"translation",translation:{en:"Sample Size",ko:"샘플 크기"}},confidenceLevel:{nodeType:"translation",translation:{en:"Confidence Level",ko:"신뢰 수준"}},marginOfError:{nodeType:"translation",translation:{en:"Margin of Error",ko:"오차 범위"}},strataColumn:{nodeType:"translation",translation:{en:"Stratification Column",ko:"계층화 컬럼"}},estimatedTime:{nodeType:"translation",translation:{en:"Est. Time",ko:"예상 시간"}},speedup:{nodeType:"translation",translation:{en:"Speedup",ko:"속도 향상"}},autoEstimate:{nodeType:"translation",translation:{en:"Auto-estimated",ko:"자동 추정"}},advancedSettings:{nodeType:"translation",translation:{en:"Advanced Settings",ko:"고급 설정"}},earlyStopThreshold:{nodeType:"translation",translation:{en:"Early Stop Threshold",ko:"조기 중단 임계값"}},earlyStopDescription:{nodeType:"translation",translation:{en:"Stop processing when this percentage of columns show drift",ko:"이 비율의 컬럼에서 드리프트가 감지되면 처리를 중단합니다"}},maxWorkers:{nodeType:"translation",translation:{en:"Max Parallel Workers",ko:"최대 병렬 워커"}},largeDatasetNotice:{nodeType:"translation",translation:{en:"Large Dataset Detected",ko:"대용량 데이터셋 감지됨"}},largeDatasetDescription:{nodeType:"translation",translation:{en:"This dataset has {rows} rows. Sampling is recommended for optimal performance.",ko:"이 데이터셋은 {rows} 행을 포함합니다. 최적의 성능을 위해 샘플링을 권장합니다."}}},largeDataset:{title:{nodeType:"translation",translation:{en:"Large Dataset Warning",ko:"대용량 데이터셋 경고"}},rows:{nodeType:"translation",translation:{en:"rows",ko:"행"}},description:{nodeType:"translation",translation:{en:"Processing this dataset without sampling may take a long time. We recommend enabling sampling for better performance.",ko:"샘플링 없이 이 데이터셋을 처리하면 오랜 시간이 걸릴 수 있습니다. 더 나은 성능을 위해 샘플링을 활성화하는 것을 권장합니다."}},fullScan:{nodeType:"translation",translation:{en:"Full Scan",ko:"전체 스캔"}},withSampling:{nodeType:"translation",translation:{en:"With Sampling",ko:"샘플링 사용"}},estimatedTime:{nodeType:"translation",translation:{en:"Estimated Time",ko:"예상 시간"}},faster:{nodeType:"translation",translation:{en:"faster",ko:"더 빠름"}},recommendations:{nodeType:"translation",translation:{en:"Recommendations",ko:"권장 사항"}},recommendation1:{nodeType:"translation",translation:{en:"Enable sampling to process only a statistically significant subset",ko:"통계적으로 유의미한 부분집합만 처리하도록 샘플링을 활성화하세요"}},recommendation2:{nodeType:"translation",translation:{en:"Use stratified sampling if you need to ensure category coverage",ko:"카테고리 커버리지를 보장해야 한다면 계층화 샘플링을 사용하세요"}},recommendation3:{nodeType:"translation",translation:{en:"Consider increasing the threshold for faster processing",ko:"더 빠른 처리를 위해 임계값을 높이는 것을 고려하세요"}},enableSampling:{nodeType:"translation",translation:{en:"Enable Sampling",ko:"샘플링 활성화"}},enableSamplingShort:{nodeType:"translation",translation:{en:"Enable",ko:"활성화"}},inlineWarning:{nodeType:"translation",translation:{en:"Dataset has {rows} rows. Sampling recommended.",ko:"데이터셋에 {rows} 행이 있습니다. 샘플링을 권장합니다."}}},progress:{running:{nodeType:"translation",translation:{en:"Processing...",ko:"처리 중..."}},completed:{nodeType:"translation",translation:{en:"Completed",ko:"완료됨"}},cancelled:{nodeType:"translation",translation:{en:"Cancelled",ko:"취소됨"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},progress:{nodeType:"translation",translation:{en:"Progress",ko:"진행률"}},chunks:{nodeType:"translation",translation:{en:"Chunks",ko:"청크"}},rowsProcessed:{nodeType:"translation",translation:{en:"Rows Processed",ko:"처리된 행"}},elapsed:{nodeType:"translation",translation:{en:"Elapsed",ko:"경과 시간"}},eta:{nodeType:"translation",translation:{en:"ETA",ko:"남은 시간"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}},earlyStopTriggered:{nodeType:"translation",translation:{en:"Early Stop Triggered",ko:"조기 중단 활성화됨"}},earlyStopReason:{nodeType:"translation",translation:{en:"Sufficient drift detected to conclude analysis",ko:"분석 결론을 내리기에 충분한 드리프트가 감지되었습니다"}},driftedColumnsFound:{nodeType:"translation",translation:{en:"Drifted Columns Found",ko:"드리프트 컬럼 발견"}},showDetails:{nodeType:"translation",translation:{en:"Show Details",ko:"상세 보기"}},hideDetails:{nodeType:"translation",translation:{en:"Hide Details",ko:"숨기기"}}}},localId:"driftMonitor::local::src/content/drift-monitor.content.ts",location:"local",filePath:"src/content/drift-monitor.content.ts"}],d=[{key:"errors",content:{generic:{nodeType:"translation",translation:{en:"An error occurred. Please try again.",ko:"오류가 발생했습니다. 다시 시도해 주세요.",ja:"エラーが発生しました。もう一度お試しください。",zh:"发生错误。请重试。",de:"Ein Fehler ist aufgetreten. Bitte versuchen Sie es erneut.",fr:"Une erreur s'est produite. Veuillez réessayer.",es:"Se produjo un error. Por favor, inténtelo de nuevo.",pt:"Ocorreu um erro. Por favor, tente novamente.",it:"Si è verificato un errore. Per favore riprova.",ru:"Произошла ошибка. Пожалуйста, попробуйте снова.",ar:"حدث خطأ. يرجى المحاولة مرة أخرى.",th:"เกิดข้อผิดพลาด กรุณาลองอีกครั้ง",vi:"Đã xảy ra lỗi. Vui lòng thử lại.",id:"Terjadi kesalahan. Silakan coba lagi.",tr:"Bir hata oluştu. Lütfen tekrar deneyin."}},notFound:{nodeType:"translation",translation:{en:"The requested resource was not found.",ko:"요청한 리소스를 찾을 수 없습니다.",ja:"リクエストされたリソースが見つかりませんでした。",zh:"找不到请求的资源。",de:"Die angeforderte Ressource wurde nicht gefunden.",fr:"La ressource demandée n'a pas été trouvée.",es:"No se encontró el recurso solicitado.",pt:"O recurso solicitado não foi encontrado.",it:"La risorsa richiesta non è stata trovata.",ru:"Запрошенный ресурс не найден.",ar:"لم يتم العثور على المورد المطلوب.",th:"ไม่พบทรัพยากรที่ร้องขอ",vi:"Không tìm thấy tài nguyên được yêu cầu.",id:"Sumber daya yang diminta tidak ditemukan.",tr:"İstenen kaynak bulunamadı."}},unauthorized:{nodeType:"translation",translation:{en:"You are not authorized to perform this action.",ko:"이 작업을 수행할 권한이 없습니다.",ja:"この操作を実行する権限がありません。",zh:"您无权执行此操作。",de:"Sie sind nicht berechtigt, diese Aktion auszuführen.",fr:"Vous n'êtes pas autorisé à effectuer cette action.",es:"No está autorizado para realizar esta acción.",pt:"Você não está autorizado a realizar esta ação.",it:"Non sei autorizzato a eseguire questa azione.",ru:"У вас нет прав для выполнения этого действия.",ar:"ليس لديك صلاحية لتنفيذ هذا الإجراء.",th:"คุณไม่ได้รับอนุญาตให้ดำเนินการนี้",vi:"Bạn không có quyền thực hiện hành động này.",id:"Anda tidak diizinkan untuk melakukan tindakan ini.",tr:"Bu işlemi gerçekleştirme yetkiniz yok."}},validation:{nodeType:"translation",translation:{en:"Please check your input and try again.",ko:"입력을 확인하고 다시 시도해 주세요.",ja:"入力内容を確認して、もう一度お試しください。",zh:"请检查您的输入并重试。",de:"Bitte überprüfen Sie Ihre Eingabe und versuchen Sie es erneut.",fr:"Veuillez vérifier votre saisie et réessayer.",es:"Por favor, verifique su entrada e inténtelo de nuevo.",pt:"Por favor, verifique sua entrada e tente novamente.",it:"Per favore controlla il tuo input e riprova.",ru:"Пожалуйста, проверьте введенные данные и попробуйте снова.",ar:"يرجى التحقق من إدخالك والمحاولة مرة أخرى.",th:"กรุณาตรวจสอบข้อมูลที่ป้อนและลองอีกครั้ง",vi:"Vui lòng kiểm tra đầu vào của bạn và thử lại.",id:"Silakan periksa input Anda dan coba lagi.",tr:"Lütfen girişinizi kontrol edin ve tekrar deneyin."}},network:{nodeType:"translation",translation:{en:"Network error. Please check your connection.",ko:"네트워크 오류입니다. 연결을 확인해 주세요.",ja:"ネットワークエラーです。接続を確認してください。",zh:"网络错误。请检查您的连接。",de:"Netzwerkfehler. Bitte überprüfen Sie Ihre Verbindung.",fr:"Erreur réseau. Veuillez vérifier votre connexion.",es:"Error de red. Por favor, verifique su conexión.",pt:"Erro de rede. Por favor, verifique sua conexão.",it:"Errore di rete. Per favore controlla la tua connessione.",ru:"Ошибка сети. Пожалуйста, проверьте подключение.",ar:"خطأ في الشبكة. يرجى التحقق من اتصالك.",th:"ข้อผิดพลาดเครือข่าย กรุณาตรวจสอบการเชื่อมต่อของคุณ",vi:"Lỗi mạng. Vui lòng kiểm tra kết nối của bạn.",id:"Kesalahan jaringan. Silakan periksa koneksi Anda.",tr:"Ağ hatası. Lütfen bağlantınızı kontrol edin."}},serverError:{nodeType:"translation",translation:{en:"Server error. Please try again later.",ko:"서버 오류입니다. 나중에 다시 시도해 주세요.",ja:"サーバーエラーです。後でもう一度お試しください。",zh:"服务器错误。请稍后重试。",de:"Serverfehler. Bitte versuchen Sie es später erneut.",fr:"Erreur du serveur. Veuillez réessayer plus tard.",es:"Error del servidor. Por favor, inténtelo más tarde.",pt:"Erro do servidor. Por favor, tente novamente mais tarde.",it:"Errore del server. Per favore riprova più tardi.",ru:"Ошибка сервера. Пожалуйста, попробуйте позже.",ar:"خطأ في الخادم. يرجى المحاولة مرة أخرى لاحقاً.",th:"ข้อผิดพลาดเซิร์ฟเวอร์ กรุณาลองอีกครั้งภายหลัง",vi:"Lỗi máy chủ. Vui lòng thử lại sau.",id:"Kesalahan server. Silakan coba lagi nanti.",tr:"Sunucu hatası. Lütfen daha sonra tekrar deneyin."}},loadFailed:{nodeType:"translation",translation:{en:"Failed to load data",ko:"데이터를 불러오지 못했습니다",ja:"データの読み込みに失敗しました",zh:"加载数据失败",de:"Daten konnten nicht geladen werden",fr:"Échec du chargement des données",es:"Error al cargar los datos",pt:"Falha ao carregar os dados",it:"Impossibile caricare i dati",ru:"Не удалось загрузить данные",ar:"فشل في تحميل البيانات",th:"ไม่สามารถโหลดข้อมูลได้",vi:"Không tải được dữ liệu",id:"Gagal memuat data",tr:"Veri yüklenemedi"}}},localId:"errors::local::src/content/errors.content.ts",location:"local",filePath:"src/content/errors.content.ts"}],p=[{key:"glossary",content:{title:{nodeType:"translation",translation:{en:"Business Glossary",ko:"비즈니스 용어집"}},subtitle:{nodeType:"translation",translation:{en:"Manage business terms and definitions",ko:"비즈니스 용어와 정의 관리"}},terms:{nodeType:"translation",translation:{en:"Terms",ko:"용어"}},categories:{nodeType:"translation",translation:{en:"Categories",ko:"카테고리"}},addTerm:{nodeType:"translation",translation:{en:"Add Term",ko:"용어 추가"}},editTerm:{nodeType:"translation",translation:{en:"Edit Term",ko:"용어 수정"}},deleteTerm:{nodeType:"translation",translation:{en:"Delete Term",ko:"용어 삭제"}},addCategory:{nodeType:"translation",translation:{en:"Add Category",ko:"카테고리 추가"}},termName:{nodeType:"translation",translation:{en:"Term Name",ko:"용어명"}},definition:{nodeType:"translation",translation:{en:"Definition",ko:"정의"}},category:{nodeType:"translation",translation:{en:"Category",ko:"카테고리"}},owner:{nodeType:"translation",translation:{en:"Owner",ko:"담당자"}},selectCategory:{nodeType:"translation",translation:{en:"Select category",ko:"카테고리 선택"}},noCategory:{nodeType:"translation",translation:{en:"No category",ko:"카테고리 없음"}},relationships:{nodeType:"translation",translation:{en:"Relationships",ko:"관계"}},synonyms:{nodeType:"translation",translation:{en:"Synonyms",ko:"동의어"}},relatedTerms:{nodeType:"translation",translation:{en:"Related Terms",ko:"관련 용어"}},addRelationship:{nodeType:"translation",translation:{en:"Add Relationship",ko:"관계 추가"}},selectTerm:{nodeType:"translation",translation:{en:"Select term",ko:"용어 선택"}},history:{nodeType:"translation",translation:{en:"History",ko:"변경 이력"}},noHistory:{nodeType:"translation",translation:{en:"No changes recorded",ko:"기록된 변경 이력 없음"}},changedBy:{nodeType:"translation",translation:{en:"Changed by",ko:"변경자"}},changedFrom:{nodeType:"translation",translation:{en:"From",ko:"이전"}},changedTo:{nodeType:"translation",translation:{en:"To",ko:"이후"}},status:{label:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},draft:{nodeType:"translation",translation:{en:"Draft",ko:"임시저장"}},approved:{nodeType:"translation",translation:{en:"Approved",ko:"승인됨"}},deprecated:{nodeType:"translation",translation:{en:"Deprecated",ko:"폐기됨"}}},relationshipTypes:{synonym:{nodeType:"translation",translation:{en:"Synonym",ko:"동의어"}},related:{nodeType:"translation",translation:{en:"Related",ko:"관련"}},parent:{nodeType:"translation",translation:{en:"Parent",ko:"상위"}},child:{nodeType:"translation",translation:{en:"Child",ko:"하위"}}},searchTerms:{nodeType:"translation",translation:{en:"Search terms...",ko:"용어 검색..."}},filterByCategory:{nodeType:"translation",translation:{en:"Filter by category",ko:"카테고리 필터"}},filterByStatus:{nodeType:"translation",translation:{en:"Filter by status",ko:"상태 필터"}},allCategories:{nodeType:"translation",translation:{en:"All categories",ko:"모든 카테고리"}},allStatuses:{nodeType:"translation",translation:{en:"All statuses",ko:"모든 상태"}},noTerms:{nodeType:"translation",translation:{en:"No terms found",ko:"용어가 없습니다"}},noTermsYet:{nodeType:"translation",translation:{en:"No terms yet",ko:"등록된 용어가 없습니다"}},noTermsDesc:{nodeType:"translation",translation:{en:"Add your first business term to start building your glossary",ko:"첫 번째 비즈니스 용어를 추가하여 용어집을 구축하세요"}},addFirstTerm:{nodeType:"translation",translation:{en:"Add Your First Term",ko:"첫 번째 용어 추가"}},confirmDelete:{nodeType:"translation",translation:{en:"Are you sure you want to delete this term? This action cannot be undone.",ko:"이 용어를 삭제하시겠습니까? 이 작업은 취소할 수 없습니다."}},loadError:{nodeType:"translation",translation:{en:"Failed to load terms",ko:"용어를 불러오지 못했습니다"}},createSuccess:{nodeType:"translation",translation:{en:"Term created successfully",ko:"용어가 생성되었습니다"}},createError:{nodeType:"translation",translation:{en:"Failed to create term",ko:"용어 생성에 실패했습니다"}},updateSuccess:{nodeType:"translation",translation:{en:"Term updated successfully",ko:"용어가 수정되었습니다"}},updateError:{nodeType:"translation",translation:{en:"Failed to update term",ko:"용어 수정에 실패했습니다"}},deleteSuccess:{nodeType:"translation",translation:{en:"Term deleted successfully",ko:"용어가 삭제되었습니다"}},deleteError:{nodeType:"translation",translation:{en:"Failed to delete term",ko:"용어 삭제에 실패했습니다"}},tabs:{overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},relationships:{nodeType:"translation",translation:{en:"Relationships",ko:"관계"}},history:{nodeType:"translation",translation:{en:"History",ko:"이력"}},comments:{nodeType:"translation",translation:{en:"Comments",ko:"댓글"}}}},localId:"glossary::local::src/content/glossary.content.ts",location:"local",filePath:"src/content/glossary.content.ts"}],y=[{key:"lineage",content:{title:{nodeType:"translation",translation:{en:"Data Lineage",ko:"데이터 계보"}},subtitle:{nodeType:"translation",translation:{en:"Visualize data flow and dependencies",ko:"데이터 흐름 및 종속성 시각화"}},addNode:{nodeType:"translation",translation:{en:"Add Node",ko:"노드 추가"}},addEdge:{nodeType:"translation",translation:{en:"Add Edge",ko:"엣지 추가"}},deleteNode:{nodeType:"translation",translation:{en:"Delete Node",ko:"노드 삭제"}},deleteEdge:{nodeType:"translation",translation:{en:"Delete Edge",ko:"엣지 삭제"}},fitView:{nodeType:"translation",translation:{en:"Fit View",ko:"화면 맞춤"}},autoLayout:{nodeType:"translation",translation:{en:"Auto Layout",ko:"자동 배치"}},autoDiscover:{nodeType:"translation",translation:{en:"Auto Discover",ko:"자동 탐색"}},savePositions:{nodeType:"translation",translation:{en:"Save Positions",ko:"위치 저장"}},analyzeImpact:{nodeType:"translation",translation:{en:"Analyze Impact",ko:"영향 분석"}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침"}},nodeTypes:{source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},transform:{nodeType:"translation",translation:{en:"Transform",ko:"변환"}},sink:{nodeType:"translation",translation:{en:"Sink",ko:"싱크"}}},edgeTypes:{derives_from:{nodeType:"translation",translation:{en:"Derives From",ko:"파생됨"}},transforms_to:{nodeType:"translation",translation:{en:"Transforms To",ko:"변환됨"}},feeds_into:{nodeType:"translation",translation:{en:"Feeds Into",ko:"공급됨"}}},nodeName:{nodeType:"translation",translation:{en:"Node Name",ko:"노드 이름"}},nodeType:{nodeType:"translation",translation:{en:"Node Type",ko:"노드 유형"}},linkedSource:{nodeType:"translation",translation:{en:"Linked Source",ko:"연결된 소스"}},sourceNode:{nodeType:"translation",translation:{en:"Source Node",ko:"소스 노드"}},targetNode:{nodeType:"translation",translation:{en:"Target Node",ko:"대상 노드"}},edgeType:{nodeType:"translation",translation:{en:"Edge Type",ko:"엣지 유형"}},selectNode:{nodeType:"translation",translation:{en:"Select a node",ko:"노드 선택"}},selectType:{nodeType:"translation",translation:{en:"Select a type",ko:"유형 선택"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},metadata:{nodeType:"translation",translation:{en:"Metadata",ko:"메타데이터"}},nodeDetails:{nodeType:"translation",translation:{en:"Node Details",ko:"노드 상세"}},noNodeSelected:{nodeType:"translation",translation:{en:"Select a node to view details",ko:"상세 정보를 보려면 노드를 선택하세요"}},connectedNodes:{nodeType:"translation",translation:{en:"Connected Nodes",ko:"연결된 노드"}},upstream:{nodeType:"translation",translation:{en:"Upstream",ko:"상위"}},downstream:{nodeType:"translation",translation:{en:"Downstream",ko:"하위"}},createdAt:{nodeType:"translation",translation:{en:"Created",ko:"생성일"}},updatedAt:{nodeType:"translation",translation:{en:"Updated",ko:"수정일"}},impactAnalysis:{nodeType:"translation",translation:{en:"Impact Analysis",ko:"영향 분석"}},impactDescription:{nodeType:"translation",translation:{en:"View upstream and downstream dependencies",ko:"상위 및 하위 종속성 확인"}},affectedUpstream:{nodeType:"translation",translation:{en:"Affected Upstream",ko:"영향받는 상위"}},affectedDownstream:{nodeType:"translation",translation:{en:"Affected Downstream",ko:"영향받는 하위"}},analysisDepth:{nodeType:"translation",translation:{en:"Analysis Depth",ko:"분석 깊이"}},discovering:{nodeType:"translation",translation:{en:"Discovering...",ko:"탐색 중..."}},discoveryComplete:{nodeType:"translation",translation:{en:"Discovery complete",ko:"탐색 완료"}},discoveryFailed:{nodeType:"translation",translation:{en:"Discovery failed",ko:"탐색 실패"}},nodesDiscovered:{nodeType:"translation",translation:{en:"nodes discovered",ko:"개의 노드 발견"}},edgesDiscovered:{nodeType:"translation",translation:{en:"edges discovered",ko:"개의 엣지 발견"}},noLineageYet:{nodeType:"translation",translation:{en:"No lineage data yet",ko:"계보 데이터 없음"}},noLineageDesc:{nodeType:"translation",translation:{en:"Add nodes manually or use auto-discovery to map your data flow",ko:"노드를 직접 추가하거나 자동 탐색을 사용하여 데이터 흐름을 매핑하세요"}},confirmDeleteNode:{nodeType:"translation",translation:{en:"Are you sure you want to delete this node? This will also remove all connected edges.",ko:"이 노드를 삭제하시겠습니까? 연결된 모든 엣지도 함께 삭제됩니다."}},confirmDeleteEdge:{nodeType:"translation",translation:{en:"Are you sure you want to delete this edge?",ko:"이 엣지를 삭제하시겠습니까?"}},nodeCreated:{nodeType:"translation",translation:{en:"Node created successfully",ko:"노드가 생성되었습니다"}},nodeUpdated:{nodeType:"translation",translation:{en:"Node updated successfully",ko:"노드가 수정되었습니다"}},nodeDeleted:{nodeType:"translation",translation:{en:"Node deleted successfully",ko:"노드가 삭제되었습니다"}},edgeCreated:{nodeType:"translation",translation:{en:"Edge created successfully",ko:"엣지가 생성되었습니다"}},edgeDeleted:{nodeType:"translation",translation:{en:"Edge deleted successfully",ko:"엣지가 삭제되었습니다"}},positionsSaved:{nodeType:"translation",translation:{en:"Positions saved",ko:"위치가 저장되었습니다"}},errorLoadingLineage:{nodeType:"translation",translation:{en:"Failed to load lineage",ko:"계보 로드 실패"}},errorCreatingNode:{nodeType:"translation",translation:{en:"Failed to create node",ko:"노드 생성 실패"}},errorDeletingNode:{nodeType:"translation",translation:{en:"Failed to delete node",ko:"노드 삭제 실패"}},errorCreatingEdge:{nodeType:"translation",translation:{en:"Failed to create edge",ko:"엣지 생성 실패"}},errorDeletingEdge:{nodeType:"translation",translation:{en:"Failed to delete edge",ko:"엣지 삭제 실패"}},errorSavingPositions:{nodeType:"translation",translation:{en:"Failed to save positions",ko:"위치 저장 실패"}},totalNodes:{nodeType:"translation",translation:{en:"Total Nodes",ko:"전체 노드"}},totalEdges:{nodeType:"translation",translation:{en:"Total Edges",ko:"전체 엣지"}},sources:{nodeType:"translation",translation:{en:"Sources",ko:"소스"}},transforms:{nodeType:"translation",translation:{en:"Transforms",ko:"변환"}},sinks:{nodeType:"translation",translation:{en:"Sinks",ko:"싱크"}},zoomIn:{nodeType:"translation",translation:{en:"Zoom In",ko:"확대"}},zoomOut:{nodeType:"translation",translation:{en:"Zoom Out",ko:"축소"}},resetZoom:{nodeType:"translation",translation:{en:"Reset Zoom",ko:"줌 초기화"}},toggleMinimap:{nodeType:"translation",translation:{en:"Toggle Minimap",ko:"미니맵 토글"}},toggleControls:{nodeType:"translation",translation:{en:"Toggle Controls",ko:"컨트롤 토글"}},renderers:{selectRenderer:{nodeType:"translation",translation:{en:"Select Renderer",ko:"렌더러 선택"}},reactflow:{nodeType:"translation",translation:{en:"React Flow",ko:"React Flow"}},cytoscape:{nodeType:"translation",translation:{en:"Cytoscape",ko:"Cytoscape"}},mermaid:{nodeType:"translation",translation:{en:"Mermaid",ko:"Mermaid"}},reactflowDesc:{nodeType:"translation",translation:{en:"Interactive, drag & drop",ko:"인터랙티브, 드래그 앤 드롭"}},cytoscapeDesc:{nodeType:"translation",translation:{en:"High performance, large graphs",ko:"고성능, 대규모 그래프"}},mermaidDesc:{nodeType:"translation",translation:{en:"Export, documentation",ko:"내보내기, 문서화"}}},layouts:{selectLayout:{nodeType:"translation",translation:{en:"Select Layout",ko:"레이아웃 선택"}},dagre:{nodeType:"translation",translation:{en:"Dagre (Hierarchical)",ko:"Dagre (계층형)"}},breadthfirst:{nodeType:"translation",translation:{en:"Breadth First",ko:"너비 우선"}},cose:{nodeType:"translation",translation:{en:"CoSE (Force-directed)",ko:"CoSE (힘 기반)"}},circle:{nodeType:"translation",translation:{en:"Circle",ko:"원형"}},grid:{nodeType:"translation",translation:{en:"Grid",ko:"그리드"}},concentric:{nodeType:"translation",translation:{en:"Concentric",ko:"동심원"}}},mermaid:{direction:{nodeType:"translation",translation:{en:"Direction",ko:"방향"}},leftToRight:{nodeType:"translation",translation:{en:"Left to Right",ko:"좌에서 우로"}},topToBottom:{nodeType:"translation",translation:{en:"Top to Bottom",ko:"위에서 아래로"}},rightToLeft:{nodeType:"translation",translation:{en:"Right to Left",ko:"우에서 좌로"}},bottomToTop:{nodeType:"translation",translation:{en:"Bottom to Top",ko:"아래에서 위로"}},style:{nodeType:"translation",translation:{en:"Style",ko:"스타일"}},grouped:{nodeType:"translation",translation:{en:"Grouped",ko:"그룹화"}},simple:{nodeType:"translation",translation:{en:"Simple",ko:"단순"}},showCode:{nodeType:"translation",translation:{en:"Show Mermaid Code",ko:"Mermaid 코드 보기"}},hideCode:{nodeType:"translation",translation:{en:"Hide Mermaid Code",ko:"Mermaid 코드 숨기기"}},copy:{nodeType:"translation",translation:{en:"Copy",ko:"복사"}},copyCode:{nodeType:"translation",translation:{en:"Copy Mermaid Code",ko:"Mermaid 코드 복사"}},downloadMermaid:{nodeType:"translation",translation:{en:"Download Mermaid (.mmd)",ko:"Mermaid 다운로드 (.mmd)"}},downloadSvg:{nodeType:"translation",translation:{en:"Download SVG",ko:"SVG 다운로드"}},codeCopied:{nodeType:"translation",translation:{en:"Mermaid code copied to clipboard",ko:"Mermaid 코드가 클립보드에 복사되었습니다"}},copyFailed:{nodeType:"translation",translation:{en:"Failed to copy to clipboard",ko:"클립보드 복사 실패"}},fileDownloaded:{nodeType:"translation",translation:{en:"File downloaded",ko:"파일이 다운로드되었습니다"}},svgDownloaded:{nodeType:"translation",translation:{en:"SVG downloaded",ko:"SVG가 다운로드되었습니다"}},renderError:{nodeType:"translation",translation:{en:"Failed to render diagram",ko:"다이어그램 렌더링 실패"}}},export:{export:{nodeType:"translation",translation:{en:"Export",ko:"내보내기"}},copyMermaid:{nodeType:"translation",translation:{en:"Copy as Mermaid",ko:"Mermaid로 복사"}},copyJson:{nodeType:"translation",translation:{en:"Copy as JSON",ko:"JSON으로 복사"}},downloadMermaid:{nodeType:"translation",translation:{en:"Download Mermaid (.mmd)",ko:"Mermaid 다운로드 (.mmd)"}},downloadJson:{nodeType:"translation",translation:{en:"Download JSON (.json)",ko:"JSON 다운로드 (.json)"}},downloadSvg:{nodeType:"translation",translation:{en:"Download SVG (.svg)",ko:"SVG 다운로드 (.svg)"}},downloadPng:{nodeType:"translation",translation:{en:"Download PNG (.png)",ko:"PNG 다운로드 (.png)"}},mermaidCopied:{nodeType:"translation",translation:{en:"Mermaid code copied",ko:"Mermaid 코드가 복사되었습니다"}},jsonCopied:{nodeType:"translation",translation:{en:"JSON data copied",ko:"JSON 데이터가 복사되었습니다"}},copyFailed:{nodeType:"translation",translation:{en:"Failed to copy",ko:"복사 실패"}},fileDownloaded:{nodeType:"translation",translation:{en:"File downloaded",ko:"파일이 다운로드되었습니다"}},svgDownloaded:{nodeType:"translation",translation:{en:"SVG downloaded",ko:"SVG가 다운로드되었습니다"}},pngDownloaded:{nodeType:"translation",translation:{en:"PNG downloaded",ko:"PNG가 다운로드되었습니다"}},noSvgFound:{nodeType:"translation",translation:{en:"No diagram found to export",ko:"내보낼 다이어그램을 찾을 수 없습니다"}},exportFailed:{nodeType:"translation",translation:{en:"Export failed",ko:"내보내기 실패"}}},rendererPreference:{nodeType:"translation",translation:{en:"Renderer Preference",ko:"렌더러 기본 설정"}},savedRendererPreference:{nodeType:"translation",translation:{en:"Renderer preference saved",ko:"렌더러 기본 설정이 저장되었습니다"}},openLineageSettings:{nodeType:"translation",translation:{en:"OpenLineage Settings",ko:"OpenLineage 설정"}},webhooks:{nodeType:"translation",translation:{en:"Webhooks",ko:"웹훅"}},webhookConfig:{nodeType:"translation",translation:{en:"Webhook Configuration",ko:"웹훅 설정"}},webhookConfigDesc:{nodeType:"translation",translation:{en:"Configure webhooks to emit OpenLineage events to external systems",ko:"외부 시스템에 OpenLineage 이벤트를 전송할 웹훅 설정"}},addWebhook:{nodeType:"translation",translation:{en:"Add Webhook",ko:"웹훅 추가"}},editWebhook:{nodeType:"translation",translation:{en:"Edit Webhook",ko:"웹훅 수정"}},webhookName:{nodeType:"translation",translation:{en:"Webhook Name",ko:"웹훅 이름"}},webhookUrl:{nodeType:"translation",translation:{en:"Webhook URL",ko:"웹훅 URL"}},webhookUrlPlaceholder:{nodeType:"translation",translation:{en:"https://api.example.com/v1/lineage",ko:"https://api.example.com/v1/lineage"}},apiKey:{nodeType:"translation",translation:{en:"API Key",ko:"API 키"}},apiKeyOptional:{nodeType:"translation",translation:{en:"API Key (Optional)",ko:"API 키 (선택)"}},apiKeyPlaceholder:{nodeType:"translation",translation:{en:"Bearer token for authentication",ko:"인증용 Bearer 토큰"}},customHeaders:{nodeType:"translation",translation:{en:"Custom Headers",ko:"사용자 정의 헤더"}},headerKey:{nodeType:"translation",translation:{en:"Header Key",ko:"헤더 키"}},headerValue:{nodeType:"translation",translation:{en:"Header Value",ko:"헤더 값"}},addHeader:{nodeType:"translation",translation:{en:"Add Header",ko:"헤더 추가"}},eventTypes:{nodeType:"translation",translation:{en:"Event Types",ko:"이벤트 유형"}},eventTypesDesc:{nodeType:"translation",translation:{en:"Types of OpenLineage events to emit",ko:"전송할 OpenLineage 이벤트 유형"}},allEvents:{nodeType:"translation",translation:{en:"All Events",ko:"모든 이벤트"}},jobEventsOnly:{nodeType:"translation",translation:{en:"Job Events Only",ko:"작업 이벤트만"}},datasetEventsOnly:{nodeType:"translation",translation:{en:"Dataset Events Only",ko:"데이터셋 이벤트만"}},batchSize:{nodeType:"translation",translation:{en:"Batch Size",ko:"배치 크기"}},batchSizeDesc:{nodeType:"translation",translation:{en:"Number of events per HTTP request",ko:"HTTP 요청당 이벤트 수"}},timeout:{nodeType:"translation",translation:{en:"Timeout (seconds)",ko:"타임아웃 (초)"}},timeoutDesc:{nodeType:"translation",translation:{en:"Request timeout in seconds",ko:"요청 타임아웃 (초)"}},activeWebhook:{nodeType:"translation",translation:{en:"Active",ko:"활성화"}},inactiveWebhook:{nodeType:"translation",translation:{en:"Inactive",ko:"비활성화"}},testConnection:{nodeType:"translation",translation:{en:"Test Connection",ko:"연결 테스트"}},testing:{nodeType:"translation",translation:{en:"Testing...",ko:"테스트 중..."}},webhookStatus:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},lastSent:{nodeType:"translation",translation:{en:"Last Sent",ko:"마지막 전송"}},neverSent:{nodeType:"translation",translation:{en:"Never sent",ko:"전송된 적 없음"}},successCount:{nodeType:"translation",translation:{en:"Success",ko:"성공"}},failureCount:{nodeType:"translation",translation:{en:"Failures",ko:"실패"}},successRate:{nodeType:"translation",translation:{en:"Success Rate",ko:"성공률"}},lastError:{nodeType:"translation",translation:{en:"Last Error",ko:"마지막 오류"}},responseTime:{nodeType:"translation",translation:{en:"Response Time",ko:"응답 시간"}},statusCode:{nodeType:"translation",translation:{en:"Status Code",ko:"상태 코드"}},webhookCreated:{nodeType:"translation",translation:{en:"Webhook created successfully",ko:"웹훅이 생성되었습니다"}},webhookUpdated:{nodeType:"translation",translation:{en:"Webhook updated successfully",ko:"웹훅이 수정되었습니다"}},webhookDeleted:{nodeType:"translation",translation:{en:"Webhook deleted successfully",ko:"웹훅이 삭제되었습니다"}},webhookTestSuccess:{nodeType:"translation",translation:{en:"Connection successful",ko:"연결 성공"}},webhookTestFailed:{nodeType:"translation",translation:{en:"Connection failed",ko:"연결 실패"}},confirmDeleteWebhook:{nodeType:"translation",translation:{en:"Are you sure you want to delete this webhook?",ko:"이 웹훅을 삭제하시겠습니까?"}},noWebhooks:{nodeType:"translation",translation:{en:"No webhooks configured",ko:"설정된 웹훅 없음"}},noWebhooksDesc:{nodeType:"translation",translation:{en:"Add a webhook to emit OpenLineage events to external systems like Marquez or DataHub",ko:"Marquez나 DataHub 같은 외부 시스템에 OpenLineage 이벤트를 전송하려면 웹훅을 추가하세요"}},errorLoadingWebhooks:{nodeType:"translation",translation:{en:"Failed to load webhooks",ko:"웹훅 로드 실패"}},errorCreatingWebhook:{nodeType:"translation",translation:{en:"Failed to create webhook",ko:"웹훅 생성 실패"}},errorUpdatingWebhook:{nodeType:"translation",translation:{en:"Failed to update webhook",ko:"웹훅 수정 실패"}},errorDeletingWebhook:{nodeType:"translation",translation:{en:"Failed to delete webhook",ko:"웹훅 삭제 실패"}},errorTestingWebhook:{nodeType:"translation",translation:{en:"Failed to test webhook",ko:"웹훅 테스트 실패"}},performanceMode:{nodeType:"translation",translation:{en:"Performance Mode",ko:"성능 모드"}},performanceInfo:{nodeType:"translation",translation:{en:"Performance",ko:"성능"}},performanceOptimizations:{nodeType:"translation",translation:{en:"Performance Optimizations",ko:"성능 최적화"}},performanceOptimizationsDesc:{nodeType:"translation",translation:{en:"Automatic optimizations for large graphs including node clustering, viewport culling, and lazy loading.",ko:"노드 클러스터링, 뷰포트 컬링, 지연 로딩을 포함한 대규모 그래프를 위한 자동 최적화."}},clusteringThreshold:{nodeType:"translation",translation:{en:"Clustering Threshold",ko:"클러스터링 임계값"}},virtualizationThreshold:{nodeType:"translation",translation:{en:"Virtualization Threshold",ko:"가상화 임계값"}},warningThreshold:{nodeType:"translation",translation:{en:"Warning Threshold",ko:"경고 임계값"}},forcePerformanceMode:{nodeType:"translation",translation:{en:"Force Performance Mode",ko:"성능 모드 강제 적용"}},largeGraphWarning:{nodeType:"translation",translation:{en:"Large graph detected. Performance optimizations have been automatically enabled.",ko:"대규모 그래프가 감지되었습니다. 성능 최적화가 자동으로 활성화되었습니다."}},enablePerformanceMode:{nodeType:"translation",translation:{en:"Consider enabling performance mode for smoother interaction.",ko:"더 부드러운 상호작용을 위해 성능 모드 활성화를 고려하세요."}},cluster:{nodeType:"translation",translation:{en:"Cluster",ko:"클러스터"}},nodesClustered:{nodeType:"translation",translation:{en:"nodes clustered",ko:"개의 노드 클러스터링됨"}},expandCluster:{nodeType:"translation",translation:{en:"Expand cluster",ko:"클러스터 확장"}},collapseCluster:{nodeType:"translation",translation:{en:"Collapse cluster",ko:"클러스터 축소"}},clickToExpand:{nodeType:"translation",translation:{en:"Click to expand",ko:"클릭하여 확장"}},clickToCollapse:{nodeType:"translation",translation:{en:"Click to collapse",ko:"클릭하여 축소"}},minimap:{nodeType:"translation",translation:{en:"Minimap",ko:"미니맵"}},minimapClickToNavigate:{nodeType:"translation",translation:{en:"Click to navigate",ko:"클릭하여 이동"}},minimapDoubleClickToFit:{nodeType:"translation",translation:{en:"Double-click to fit view",ko:"더블클릭하여 화면에 맞춤"}},visibleNodes:{nodeType:"translation",translation:{en:"Visible Nodes",ko:"표시된 노드"}},fps:{nodeType:"translation",translation:{en:"FPS",ko:"FPS"}},renderTime:{nodeType:"translation",translation:{en:"Render Time",ko:"렌더링 시간"}},memoryUsage:{nodeType:"translation",translation:{en:"Memory Usage",ko:"메모리 사용량"}},columnLineage:{title:{nodeType:"translation",translation:{en:"Column Lineage",ko:"컬럼 계보"}},showColumnLineage:{nodeType:"translation",translation:{en:"Show Columns",ko:"컬럼 표시"}},hideColumnLineage:{nodeType:"translation",translation:{en:"Hide Columns",ko:"컬럼 숨기기"}},errorLoadingData:{nodeType:"translation",translation:{en:"Failed to load column lineage data",ko:"컬럼 계보 데이터 로드 실패"}},impactMode:{nodeType:"translation",translation:{en:"Impact Mode",ko:"영향 모드"}},columnLevel:{nodeType:"translation",translation:{en:"Column Level",ko:"컬럼 수준"}},tableLevel:{nodeType:"translation",translation:{en:"Table Level",ko:"테이블 수준"}},impactAnalysisActive:{nodeType:"translation",translation:{en:"Impact Analysis Active",ko:"영향 분석 활성화"}},graphView:{nodeType:"translation",translation:{en:"Graph View",ko:"그래프 보기"}},tableView:{nodeType:"translation",translation:{en:"Table View",ko:"테이블 보기"}},searchPlaceholder:{nodeType:"translation",translation:{en:"Search columns...",ko:"컬럼 검색..."}},filterByType:{nodeType:"translation",translation:{en:"Filter by type",ko:"유형별 필터"}},allTypes:{nodeType:"translation",translation:{en:"All types",ko:"모든 유형"}},mappingsCount:{nodeType:"translation",translation:{en:"mappings",ko:"개 매핑"}},typesCount:{nodeType:"translation",translation:{en:"types",ko:"개 유형"}},noMappings:{nodeType:"translation",translation:{en:"No column mappings found",ko:"컬럼 매핑을 찾을 수 없습니다"}},transformationTypes:{direct:{nodeType:"translation",translation:{en:"Direct",ko:"직접"}},derived:{nodeType:"translation",translation:{en:"Derived",ko:"파생"}},aggregated:{nodeType:"translation",translation:{en:"Aggregated",ko:"집계"}},filtered:{nodeType:"translation",translation:{en:"Filtered",ko:"필터링"}},joined:{nodeType:"translation",translation:{en:"Joined",ko:"조인"}},renamed:{nodeType:"translation",translation:{en:"Renamed",ko:"이름 변경"}},cast:{nodeType:"translation",translation:{en:"Cast",ko:"형변환"}},computed:{nodeType:"translation",translation:{en:"Computed",ko:"계산됨"}}},columnMappings:{nodeType:"translation",translation:{en:"column mappings",ko:"개 컬럼 매핑"}},noColumnMappings:{nodeType:"translation",translation:{en:"No column mappings",ko:"컬럼 매핑 없음"}},moreMappings:{nodeType:"translation",translation:{en:"more mappings",ko:"개 더 보기"}},searchColumns:{nodeType:"translation",translation:{en:"Search columns...",ko:"컬럼 검색..."}},sourceColumn:{nodeType:"translation",translation:{en:"Source Column",ko:"소스 컬럼"}},targetColumn:{nodeType:"translation",translation:{en:"Target Column",ko:"대상 컬럼"}},transformation:{nodeType:"translation",translation:{en:"Transformation",ko:"변환"}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},noResults:{nodeType:"translation",translation:{en:"No results found",ko:"결과를 찾을 수 없습니다"}},ofTotal:{nodeType:"translation",translation:{en:"of",ko:"/"}},mappings:{nodeType:"translation",translation:{en:"mappings",ko:"개 매핑"}},impactAnalysis:{nodeType:"translation",translation:{en:"Column Impact Analysis",ko:"컬럼 영향 분석"}},impactDescription:{nodeType:"translation",translation:{en:"View all downstream columns affected by changes",ko:"변경으로 영향받는 모든 하위 컬럼 확인"}},selectColumnToAnalyze:{nodeType:"translation",translation:{en:"Select a column to analyze its downstream impact",ko:"하위 영향을 분석할 컬럼을 선택하세요"}},analyzing:{nodeType:"translation",translation:{en:"Analyzing impact...",ko:"영향 분석 중..."}},affected:{nodeType:"translation",translation:{en:"affected",ko:"개 영향"}},affectedColumns:{nodeType:"translation",translation:{en:"Affected Columns",ko:"영향받는 컬럼"}},affectedTables:{nodeType:"translation",translation:{en:"Affected Tables",ko:"영향받는 테이블"}},searchAffected:{nodeType:"translation",translation:{en:"Search affected columns...",ko:"영향받는 컬럼 검색..."}},columns:{nodeType:"translation",translation:{en:"columns",ko:"개 컬럼"}},depth:{nodeType:"translation",translation:{en:"Depth",ko:"깊이"}},impactPath:{nodeType:"translation",translation:{en:"Impact Path",ko:"영향 경로"}},morePaths:{nodeType:"translation",translation:{en:"more paths",ko:"개 추가 경로"}},noMatchingColumns:{nodeType:"translation",translation:{en:"No matching columns found",ko:"일치하는 컬럼을 찾을 수 없습니다"}},noDownstreamImpact:{nodeType:"translation",translation:{en:"No downstream columns are affected",ko:"영향받는 하위 컬럼이 없습니다"}},criticalImpactWarning:{nodeType:"translation",translation:{en:"Critical: Changes to this column may affect many downstream systems. Review all dependencies carefully.",ko:"중요: 이 컬럼을 변경하면 많은 하위 시스템에 영향을 줄 수 있습니다. 모든 종속성을 신중하게 검토하세요."}},highImpactWarning:{nodeType:"translation",translation:{en:"Changes to this column may affect multiple downstream columns. Review dependencies before making changes.",ko:"이 컬럼을 변경하면 여러 하위 컬럼에 영향을 줄 수 있습니다. 변경하기 전에 종속성을 검토하세요."}},detailsTab:{nodeType:"translation",translation:{en:"Details",ko:"상세"}},columnsTab:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},lineageTab:{nodeType:"translation",translation:{en:"Lineage",ko:"계보"}},noColumnsAvailable:{nodeType:"translation",translation:{en:"No columns available",ko:"사용 가능한 컬럼이 없습니다"}},incomingMappings:{nodeType:"translation",translation:{en:"Incoming Mappings",ko:"들어오는 매핑"}},outgoingMappings:{nodeType:"translation",translation:{en:"Outgoing Mappings",ko:"나가는 매핑"}}},anomaly:{showAnomalies:{nodeType:"translation",translation:{en:"Show Anomalies",ko:"이상 징후 표시"}},hideAnomalies:{nodeType:"translation",translation:{en:"Hide Anomalies",ko:"이상 징후 숨기기"}},legend:{nodeType:"translation",translation:{en:"Anomaly Legend",ko:"이상 징후 범례"}},showLegend:{nodeType:"translation",translation:{en:"Show Legend",ko:"범례 표시"}},hideLegend:{nodeType:"translation",translation:{en:"Hide Legend",ko:"범례 숨기기"}},filterByStatus:{nodeType:"translation",translation:{en:"Filter by Status",ko:"상태별 필터"}},selectAll:{nodeType:"translation",translation:{en:"Select All",ko:"모두 선택"}},deselectAll:{nodeType:"translation",translation:{en:"Deselect All",ko:"모두 해제"}},nodeStatus:{nodeType:"translation",translation:{en:"Node Anomaly Status",ko:"노드 이상 상태"}},noNodesVisible:{nodeType:"translation",translation:{en:"All nodes hidden by filter",ko:"필터로 모든 노드가 숨겨짐"}},impactPaths:{nodeType:"translation",translation:{en:"Impact Paths",ko:"영향 경로"}},showPaths:{nodeType:"translation",translation:{en:"Show",ko:"표시"}},hidePaths:{nodeType:"translation",translation:{en:"Hide",ko:"숨기기"}},statusLevels:{unknown:{nodeType:"translation",translation:{en:"Unknown",ko:"알 수 없음"}},clean:{nodeType:"translation",translation:{en:"Clean",ko:"정상"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}}},statusDescriptions:{unknown:{nodeType:"translation",translation:{en:"No anomaly detection run",ko:"이상 탐지 미실행"}},clean:{nodeType:"translation",translation:{en:"No anomalies detected",ko:"이상 없음"}},low:{nodeType:"translation",translation:{en:"0-5% anomaly rate",ko:"0-5% 이상률"}},medium:{nodeType:"translation",translation:{en:"5-15% anomaly rate",ko:"5-15% 이상률"}},high:{nodeType:"translation",translation:{en:"15%+ anomaly rate",ko:"15% 이상 이상률"}}},severityLevels:{unknown:{nodeType:"translation",translation:{en:"Unknown",ko:"알 수 없음"}},none:{nodeType:"translation",translation:{en:"None",ko:"없음"}},low:{nodeType:"translation",translation:{en:"Low Impact",ko:"낮은 영향"}},medium:{nodeType:"translation",translation:{en:"Medium Impact",ko:"중간 영향"}},high:{nodeType:"translation",translation:{en:"High Impact",ko:"높은 영향"}},critical:{nodeType:"translation",translation:{en:"Critical Impact",ko:"심각한 영향"}}},anomalyRate:{nodeType:"translation",translation:{en:"Anomaly Rate",ko:"이상률"}},anomalyCount:{nodeType:"translation",translation:{en:"Anomaly Count",ko:"이상 수"}},algorithm:{nodeType:"translation",translation:{en:"Algorithm",ko:"알고리즘"}},lastScan:{nodeType:"translation",translation:{en:"Last Scan",ko:"마지막 스캔"}},never:{nodeType:"translation",translation:{en:"Never",ko:"없음"}},impactedByUpstream:{nodeType:"translation",translation:{en:"Potentially impacted by upstream anomalies",ko:"상위 이상 징후로 잠재적 영향"}},analyzeAnomalyImpact:{nodeType:"translation",translation:{en:"Analyze Anomaly Impact",ko:"이상 영향 분석"}},anomalyImpactAnalysis:{nodeType:"translation",translation:{en:"Anomaly Impact Analysis",ko:"이상 영향 분석"}},sourceAnomaly:{nodeType:"translation",translation:{en:"Source Anomaly",ko:"소스 이상"}},impactedDownstream:{nodeType:"translation",translation:{en:"Impacted Downstream",ko:"영향받는 하위"}},overallSeverity:{nodeType:"translation",translation:{en:"Overall Severity",ko:"전체 심각도"}},propagationPath:{nodeType:"translation",translation:{en:"Propagation Path",ko:"전파 경로"}},noImpactedNodes:{nodeType:"translation",translation:{en:"No downstream nodes impacted",ko:"영향받는 하위 노드 없음"}},analysisRequiresSource:{nodeType:"translation",translation:{en:"Anomaly impact analysis requires a node linked to a data source",ko:"이상 영향 분석은 데이터 소스에 연결된 노드가 필요합니다"}},errorLoadingAnomalies:{nodeType:"translation",translation:{en:"Failed to load anomaly data",ko:"이상 데이터 로드 실패"}},errorAnalyzingImpact:{nodeType:"translation",translation:{en:"Failed to analyze anomaly impact",ko:"이상 영향 분석 실패"}}}},localId:"lineage::local::src/content/lineage.content.ts",location:"local",filePath:"src/content/lineage.content.ts"}],c=[{key:"maintenance",content:{title:{nodeType:"translation",translation:{en:"Maintenance",ko:"유지보수"}},subtitle:{nodeType:"translation",translation:{en:"Configure retention policies and manage database maintenance",ko:"리텐션 정책 구성 및 데이터베이스 유지보수 관리"}},statusTitle:{nodeType:"translation",translation:{en:"Maintenance Status",ko:"유지보수 상태"}},statusDescription:{nodeType:"translation",translation:{en:"Current status of automated maintenance tasks",ko:"자동 유지보수 작업의 현재 상태"}},autoMaintenance:{nodeType:"translation",translation:{en:"Auto Maintenance",ko:"자동 유지보수"}},lastRun:{nodeType:"translation",translation:{en:"Last Run",ko:"마지막 실행"}},nextRun:{nodeType:"translation",translation:{en:"Next Run",ko:"다음 실행"}},runCleanup:{nodeType:"translation",translation:{en:"Run Cleanup",ko:"정리 실행"}},runVacuum:{nodeType:"translation",translation:{en:"Run VACUUM",ko:"VACUUM 실행"}},retentionTitle:{nodeType:"translation",translation:{en:"Retention Policy",ko:"리텐션 정책"}},retentionDescription:{nodeType:"translation",translation:{en:"Configure how long data is retained before automatic cleanup",ko:"자동 정리 전 데이터 보관 기간 설정"}},enableAutoMaintenance:{nodeType:"translation",translation:{en:"Enable Auto Maintenance",ko:"자동 유지보수 활성화"}},enableAutoMaintenanceDescription:{nodeType:"translation",translation:{en:"Automatically run cleanup tasks daily at 3:00 AM",ko:"매일 오전 3시에 자동으로 정리 작업 실행"}},validationRetentionDays:{nodeType:"translation",translation:{en:"Validation Retention (days)",ko:"검증 결과 보관 기간 (일)"}},validationRetentionDaysDescription:{nodeType:"translation",translation:{en:"Number of days to keep validation results",ko:"검증 결과를 보관할 일수"}},profileKeepPerSource:{nodeType:"translation",translation:{en:"Profiles per Source",ko:"소스당 프로파일 수"}},profileKeepPerSourceDescription:{nodeType:"translation",translation:{en:"Number of profiles to keep per data source",ko:"데이터 소스당 보관할 프로파일 수"}},notificationLogRetentionDays:{nodeType:"translation",translation:{en:"Notification Log Retention (days)",ko:"알림 로그 보관 기간 (일)"}},notificationLogRetentionDaysDescription:{nodeType:"translation",translation:{en:"Number of days to keep notification logs",ko:"알림 로그를 보관할 일수"}},runVacuumOnCleanup:{nodeType:"translation",translation:{en:"Run VACUUM on Cleanup",ko:"정리 시 VACUUM 실행"}},runVacuumOnCleanupDescription:{nodeType:"translation",translation:{en:"Reclaim disk space after cleanup",ko:"정리 후 디스크 공간 회수"}},cacheTitle:{nodeType:"translation",translation:{en:"Cache Statistics",ko:"캐시 통계"}},cacheDescription:{nodeType:"translation",translation:{en:"Monitor and manage application cache",ko:"애플리케이션 캐시 모니터링 및 관리"}},totalEntries:{nodeType:"translation",translation:{en:"Total Entries",ko:"총 항목"}},validEntries:{nodeType:"translation",translation:{en:"Valid",ko:"유효"}},expiredEntries:{nodeType:"translation",translation:{en:"Expired",ko:"만료됨"}},hitRate:{nodeType:"translation",translation:{en:"Hit Rate",ko:"적중률"}},clearCache:{nodeType:"translation",translation:{en:"Clear Cache",ko:"캐시 삭제"}},loadFailed:{nodeType:"translation",translation:{en:"Failed to load maintenance data",ko:"유지보수 데이터 로드 실패"}},configSaved:{nodeType:"translation",translation:{en:"Configuration saved successfully",ko:"설정이 저장되었습니다"}},saveFailed:{nodeType:"translation",translation:{en:"Failed to save configuration",ko:"설정 저장 실패"}},cleanupComplete:{nodeType:"translation",translation:{en:"Cleanup completed.",ko:"정리 완료."}},recordsDeleted:{nodeType:"translation",translation:{en:"records deleted",ko:"개 레코드 삭제됨"}},cleanupFailed:{nodeType:"translation",translation:{en:"Failed to run cleanup",ko:"정리 실행 실패"}},vacuumComplete:{nodeType:"translation",translation:{en:"VACUUM completed successfully",ko:"VACUUM이 성공적으로 완료됨"}},vacuumFailed:{nodeType:"translation",translation:{en:"Failed to run VACUUM",ko:"VACUUM 실행 실패"}},cacheCleared:{nodeType:"translation",translation:{en:"Cache cleared successfully",ko:"캐시가 삭제되었습니다"}},cacheClearFailed:{nodeType:"translation",translation:{en:"Failed to clear cache",ko:"캐시 삭제 실패"}}},localId:"maintenance::local::src/content/maintenance.content.ts",location:"local",filePath:"src/content/maintenance.content.ts"}],T=[{key:"modelMonitoring",content:{title:{nodeType:"translation",translation:{en:"Model Monitoring",ko:"모델 모니터링"}},subtitle:{nodeType:"translation",translation:{en:"Monitor ML model performance, drift, and data quality",ko:"ML 모델 성능, 드리프트, 데이터 품질 모니터링"}},tabs:{overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},models:{nodeType:"translation",translation:{en:"Models",ko:"모델"}},metrics:{nodeType:"translation",translation:{en:"Metrics",ko:"메트릭"}},alerts:{nodeType:"translation",translation:{en:"Alerts",ko:"알림"}},rules:{nodeType:"translation",translation:{en:"Alert Rules",ko:"알림 규칙"}},handlers:{nodeType:"translation",translation:{en:"Handlers",ko:"핸들러"}}},overview:{totalModels:{nodeType:"translation",translation:{en:"Total Models",ko:"전체 모델"}},activeModels:{nodeType:"translation",translation:{en:"Active Models",ko:"활성 모델"}},degradedModels:{nodeType:"translation",translation:{en:"Degraded",ko:"성능 저하"}},predictions24h:{nodeType:"translation",translation:{en:"Predictions (24h)",ko:"예측 (24시간)"}},activeAlerts:{nodeType:"translation",translation:{en:"Active Alerts",ko:"활성 알림"}},modelsWithDrift:{nodeType:"translation",translation:{en:"Models with Drift",ko:"드리프트 감지"}},avgLatency:{nodeType:"translation",translation:{en:"Avg Latency",ko:"평균 지연"}}},models:{title:{nodeType:"translation",translation:{en:"Registered Models",ko:"등록된 모델"}},registerModel:{nodeType:"translation",translation:{en:"Register Model",ko:"모델 등록"}},editModel:{nodeType:"translation",translation:{en:"Edit Model",ko:"모델 편집"}},noModels:{nodeType:"translation",translation:{en:"No models registered yet",ko:"등록된 모델이 없습니다"}},name:{nodeType:"translation",translation:{en:"Model Name",ko:"모델 이름"}},version:{nodeType:"translation",translation:{en:"Version",ko:"버전"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},predictions:{nodeType:"translation",translation:{en:"Predictions",ko:"예측 수"}},lastPrediction:{nodeType:"translation",translation:{en:"Last Prediction",ko:"마지막 예측"}},driftScore:{nodeType:"translation",translation:{en:"Drift Score",ko:"드리프트 점수"}},healthScore:{nodeType:"translation",translation:{en:"Health Score",ko:"헬스 점수"}}},status:{active:{nodeType:"translation",translation:{en:"Active",ko:"활성"}},paused:{nodeType:"translation",translation:{en:"Paused",ko:"일시중지"}},degraded:{nodeType:"translation",translation:{en:"Degraded",ko:"성능 저하"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}}},config:{title:{nodeType:"translation",translation:{en:"Monitoring Configuration",ko:"모니터링 설정"}},enableDrift:{nodeType:"translation",translation:{en:"Enable Drift Detection",ko:"드리프트 감지 활성화"}},enableQuality:{nodeType:"translation",translation:{en:"Enable Quality Metrics",ko:"품질 메트릭 활성화"}},enablePerformance:{nodeType:"translation",translation:{en:"Enable Performance Metrics",ko:"성능 메트릭 활성화"}},sampleRate:{nodeType:"translation",translation:{en:"Sample Rate",ko:"샘플링 비율"}},driftThreshold:{nodeType:"translation",translation:{en:"Drift Threshold",ko:"드리프트 임계값"}},driftWindowSize:{nodeType:"translation",translation:{en:"Drift Window Size",ko:"드리프트 윈도우 크기"}}},metrics:{title:{nodeType:"translation",translation:{en:"Model Metrics",ko:"모델 메트릭"}},selectModel:{nodeType:"translation",translation:{en:"Select Model",ko:"모델 선택"}},timeRange:{nodeType:"translation",translation:{en:"Time Range",ko:"시간 범위"}},latency:{nodeType:"translation",translation:{en:"Latency",ko:"지연 시간"}},throughput:{nodeType:"translation",translation:{en:"Throughput",ko:"처리량"}},errorRate:{nodeType:"translation",translation:{en:"Error Rate",ko:"오류율"}},nullRate:{nodeType:"translation",translation:{en:"Null Rate",ko:"Null 비율"}},typeViolation:{nodeType:"translation",translation:{en:"Type Violations",ko:"타입 위반"}},driftScore:{nodeType:"translation",translation:{en:"Drift Score",ko:"드리프트 점수"}},min:{nodeType:"translation",translation:{en:"Min",ko:"최소"}},max:{nodeType:"translation",translation:{en:"Max",ko:"최대"}},avg:{nodeType:"translation",translation:{en:"Avg",ko:"평균"}},p50:{nodeType:"translation",translation:{en:"P50",ko:"P50"}},p95:{nodeType:"translation",translation:{en:"P95",ko:"P95"}},p99:{nodeType:"translation",translation:{en:"P99",ko:"P99"}}},timeRanges:{"1h":{nodeType:"translation",translation:{en:"Last 1 Hour",ko:"최근 1시간"}},"6h":{nodeType:"translation",translation:{en:"Last 6 Hours",ko:"최근 6시간"}},"24h":{nodeType:"translation",translation:{en:"Last 24 Hours",ko:"최근 24시간"}},"7d":{nodeType:"translation",translation:{en:"Last 7 Days",ko:"최근 7일"}}},alerts:{title:{nodeType:"translation",translation:{en:"Active Alerts",ko:"활성 알림"}},noAlerts:{nodeType:"translation",translation:{en:"No active alerts",ko:"활성 알림이 없습니다"}},acknowledge:{nodeType:"translation",translation:{en:"Acknowledge",ko:"확인"}},resolve:{nodeType:"translation",translation:{en:"Resolve",ko:"해결"}},severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},message:{nodeType:"translation",translation:{en:"Message",ko:"메시지"}},triggeredAt:{nodeType:"translation",translation:{en:"Triggered At",ko:"발생 시간"}},acknowledgedBy:{nodeType:"translation",translation:{en:"Acknowledged By",ko:"확인자"}}},severity:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고"}},info:{nodeType:"translation",translation:{en:"Info",ko:"정보"}}},rules:{title:{nodeType:"translation",translation:{en:"Alert Rules",ko:"알림 규칙"}},addRule:{nodeType:"translation",translation:{en:"Add Rule",ko:"규칙 추가"}},editRule:{nodeType:"translation",translation:{en:"Edit Rule",ko:"규칙 편집"}},noRules:{nodeType:"translation",translation:{en:"No alert rules configured",ko:"설정된 알림 규칙이 없습니다"}},ruleType:{nodeType:"translation",translation:{en:"Rule Type",ko:"규칙 유형"}},triggerCount:{nodeType:"translation",translation:{en:"Triggers",ko:"트리거 횟수"}},lastTriggered:{nodeType:"translation",translation:{en:"Last Triggered",ko:"마지막 트리거"}}},ruleTypes:{threshold:{nodeType:"translation",translation:{en:"Threshold",ko:"임계값"}},statistical:{nodeType:"translation",translation:{en:"Statistical",ko:"통계적"}},trend:{nodeType:"translation",translation:{en:"Trend",ko:"추세"}}},thresholdConfig:{metric:{nodeType:"translation",translation:{en:"Metric",ko:"메트릭"}},threshold:{nodeType:"translation",translation:{en:"Threshold",ko:"임계값"}},comparison:{nodeType:"translation",translation:{en:"Comparison",ko:"비교 연산"}},duration:{nodeType:"translation",translation:{en:"Duration (seconds)",ko:"지속 시간 (초)"}},gt:{nodeType:"translation",translation:{en:"Greater than",ko:"초과"}},lt:{nodeType:"translation",translation:{en:"Less than",ko:"미만"}},gte:{nodeType:"translation",translation:{en:"Greater or equal",ko:"이상"}},lte:{nodeType:"translation",translation:{en:"Less or equal",ko:"이하"}},eq:{nodeType:"translation",translation:{en:"Equal",ko:"같음"}}},handlers:{title:{nodeType:"translation",translation:{en:"Alert Handlers",ko:"알림 핸들러"}},addHandler:{nodeType:"translation",translation:{en:"Add Handler",ko:"핸들러 추가"}},editHandler:{nodeType:"translation",translation:{en:"Edit Handler",ko:"핸들러 편집"}},noHandlers:{nodeType:"translation",translation:{en:"No handlers configured",ko:"설정된 핸들러가 없습니다"}},handlerType:{nodeType:"translation",translation:{en:"Handler Type",ko:"핸들러 유형"}},sendCount:{nodeType:"translation",translation:{en:"Sent",ko:"전송 수"}},failureCount:{nodeType:"translation",translation:{en:"Failures",ko:"실패 수"}},lastSent:{nodeType:"translation",translation:{en:"Last Sent",ko:"마지막 전송"}}},handlerTypes:{slack:{nodeType:"translation",translation:{en:"Slack",ko:"Slack"}},webhook:{nodeType:"translation",translation:{en:"Webhook",ko:"Webhook"}},email:{nodeType:"translation",translation:{en:"Email",ko:"이메일"}}},handlerConfig:{webhookUrl:{nodeType:"translation",translation:{en:"Webhook URL",ko:"Webhook URL"}},channel:{nodeType:"translation",translation:{en:"Channel",ko:"채널"}},username:{nodeType:"translation",translation:{en:"Username",ko:"사용자명"}},url:{nodeType:"translation",translation:{en:"URL",ko:"URL"}},method:{nodeType:"translation",translation:{en:"HTTP Method",ko:"HTTP 메서드"}},headers:{nodeType:"translation",translation:{en:"Custom Headers",ko:"커스텀 헤더"}}},empty:{noData:{nodeType:"translation",translation:{en:"No data available",ko:"데이터가 없습니다"}},noMetrics:{nodeType:"translation",translation:{en:"No metrics recorded yet",ko:"기록된 메트릭이 없습니다"}}},messages:{modelRegistered:{nodeType:"translation",translation:{en:"Model registered successfully",ko:"모델이 등록되었습니다"}},modelUpdated:{nodeType:"translation",translation:{en:"Model updated successfully",ko:"모델이 수정되었습니다"}},modelDeleted:{nodeType:"translation",translation:{en:"Model deleted successfully",ko:"모델이 삭제되었습니다"}},ruleCreated:{nodeType:"translation",translation:{en:"Alert rule created",ko:"알림 규칙이 생성되었습니다"}},ruleUpdated:{nodeType:"translation",translation:{en:"Alert rule updated",ko:"알림 규칙이 수정되었습니다"}},ruleDeleted:{nodeType:"translation",translation:{en:"Alert rule deleted",ko:"알림 규칙이 삭제되었습니다"}},handlerCreated:{nodeType:"translation",translation:{en:"Handler created",ko:"핸들러가 생성되었습니다"}},handlerUpdated:{nodeType:"translation",translation:{en:"Handler updated",ko:"핸들러가 수정되었습니다"}},handlerDeleted:{nodeType:"translation",translation:{en:"Handler deleted",ko:"핸들러가 삭제되었습니다"}},alertAcknowledged:{nodeType:"translation",translation:{en:"Alert acknowledged",ko:"알림이 확인되었습니다"}},alertResolved:{nodeType:"translation",translation:{en:"Alert resolved",ko:"알림이 해결되었습니다"}}},errors:{loadFailed:{nodeType:"translation",translation:{en:"Failed to load data",ko:"데이터 로드에 실패했습니다"}},createFailed:{nodeType:"translation",translation:{en:"Failed to create",ko:"생성에 실패했습니다"}},updateFailed:{nodeType:"translation",translation:{en:"Failed to update",ko:"수정에 실패했습니다"}},deleteFailed:{nodeType:"translation",translation:{en:"Failed to delete",ko:"삭제에 실패했습니다"}}},confirm:{deleteModel:{nodeType:"translation",translation:{en:"Are you sure you want to delete this model? This action cannot be undone.",ko:"이 모델을 삭제하시겠습니까? 이 작업은 취소할 수 없습니다."}},deleteRule:{nodeType:"translation",translation:{en:"Are you sure you want to delete this rule?",ko:"이 규칙을 삭제하시겠습니까?"}},deleteHandler:{nodeType:"translation",translation:{en:"Are you sure you want to delete this handler?",ko:"이 핸들러를 삭제하시겠습니까?"}}}},localId:"modelMonitoring::local::src/content/model-monitoring.content.ts",location:"local",filePath:"src/content/model-monitoring.content.ts"}],k=[{key:"nav",content:{dashboard:{nodeType:"translation",translation:{en:"Dashboard",ko:"대시보드",ja:"ダッシュボード",zh:"仪表板",de:"Dashboard",fr:"Tableau de bord",es:"Panel",pt:"Painel",it:"Dashboard",ru:"Панель",ar:"لوحة التحكم",th:"แดชบอร์ด",vi:"Bảng điều khiển",id:"Dasbor",tr:"Gösterge Paneli"}},sources:{nodeType:"translation",translation:{en:"Data Sources",ko:"데이터 소스",ja:"データソース",zh:"数据源",de:"Datenquellen",fr:"Sources de données",es:"Fuentes de datos",pt:"Fontes de dados",it:"Origini dati",ru:"Источники данных",ar:"مصادر البيانات",th:"แหล่งข้อมูล",vi:"Nguồn dữ liệu",id:"Sumber Data",tr:"Veri Kaynakları"}},catalog:{nodeType:"translation",translation:{en:"Catalog",ko:"카탈로그",ja:"カタログ",zh:"目录",de:"Katalog",fr:"Catalogue",es:"Catálogo",pt:"Catálogo",it:"Catalogo",ru:"Каталог",ar:"الكتالوج",th:"แคตาล็อก",vi:"Danh mục",id:"Katalog",tr:"Katalog"}},glossary:{nodeType:"translation",translation:{en:"Glossary",ko:"용어집",ja:"用語集",zh:"术语表",de:"Glossar",fr:"Glossaire",es:"Glosario",pt:"Glossário",it:"Glossario",ru:"Глоссарий",ar:"قاموس المصطلحات",th:"อภิธานศัพท์",vi:"Từ điển thuật ngữ",id:"Glosarium",tr:"Sözlük"}},rules:{nodeType:"translation",translation:{en:"Rules",ko:"규칙",ja:"ルール",zh:"规则",de:"Regeln",fr:"Règles",es:"Reglas",pt:"Regras",it:"Regole",ru:"Правила",ar:"القواعد",th:"กฎ",vi:"Quy tắc",id:"Aturan",tr:"Kurallar"}},validations:{nodeType:"translation",translation:{en:"Validations",ko:"검증",ja:"検証",zh:"验证",de:"Validierungen",fr:"Validations",es:"Validaciones",pt:"Validações",it:"Validazioni",ru:"Валидации",ar:"التحققات",th:"การตรวจสอบ",vi:"Xác thực",id:"Validasi",tr:"Doğrulamalar"}},history:{nodeType:"translation",translation:{en:"History",ko:"히스토리",ja:"履歴",zh:"历史",de:"Verlauf",fr:"Historique",es:"Historial",pt:"Histórico",it:"Cronologia",ru:"История",ar:"السجل",th:"ประวัติ",vi:"Lịch sử",id:"Riwayat",tr:"Geçmiş"}},schedules:{nodeType:"translation",translation:{en:"Schedules",ko:"스케줄",ja:"スケジュール",zh:"计划",de:"Zeitpläne",fr:"Planifications",es:"Programaciones",pt:"Agendamentos",it:"Pianificazioni",ru:"Расписания",ar:"الجداول",th:"ตารางเวลา",vi:"Lịch trình",id:"Jadwal",tr:"Zamanlamalar"}},activity:{nodeType:"translation",translation:{en:"Activity",ko:"활동",ja:"アクティビティ",zh:"活动",de:"Aktivität",fr:"Activité",es:"Actividad",pt:"Atividade",it:"Attività",ru:"Активность",ar:"النشاط",th:"กิจกรรม",vi:"Hoạt động",id:"Aktivitas",tr:"Etkinlik"}},notifications:{nodeType:"translation",translation:{en:"Notifications",ko:"알림",ja:"通知",zh:"通知",de:"Benachrichtigungen",fr:"Notifications",es:"Notificaciones",pt:"Notificações",it:"Notifiche",ru:"Уведомления",ar:"الإشعارات",th:"การแจ้งเตือน",vi:"Thông báo",id:"Notifikasi",tr:"Bildirimler"}},profile:{nodeType:"translation",translation:{en:"Profile",ko:"프로필",ja:"プロフィール",zh:"配置文件",de:"Profil",fr:"Profil",es:"Perfil",pt:"Perfil",it:"Profilo",ru:"Профиль",ar:"الملف الشخصي",th:"โปรไฟล์",vi:"Hồ sơ",id:"Profil",tr:"Profil"}},drift:{nodeType:"translation",translation:{en:"Drift",ko:"드리프트",ja:"ドリフト",zh:"漂移",de:"Drift",fr:"Dérive",es:"Deriva",pt:"Drift",it:"Deriva",ru:"Дрейф",ar:"الانحراف",th:"Drift",vi:"Trôi dạt",id:"Drift",tr:"Sapma"}},driftMonitoring:{nodeType:"translation",translation:{en:"Drift Monitoring",ko:"드리프트 모니터링",ja:"ドリフトモニタリング",zh:"漂移监控",de:"Drift-Überwachung",fr:"Surveillance de dérive",es:"Monitoreo de deriva",pt:"Monitoramento de drift",it:"Monitoraggio deriva",ru:"Мониторинг дрейфа",ar:"مراقبة الانحراف",th:"การตรวจสอบ Drift",vi:"Giám sát trôi dạt",id:"Pemantauan Drift",tr:"Sapma İzleme"}},lineage:{nodeType:"translation",translation:{en:"Lineage",ko:"리니지",ja:"リネージ",zh:"血统",de:"Abstammung",fr:"Lignage",es:"Linaje",pt:"Linhagem",it:"Lineage",ru:"Происхождение",ar:"النسب",th:"Lineage",vi:"Dòng dõi",id:"Garis Keturunan",tr:"Soy Ağacı"}},anomaly:{nodeType:"translation",translation:{en:"Anomaly Detection",ko:"이상 탐지",ja:"異常検出",zh:"异常检测",de:"Anomalieerkennung",fr:"Détection d'anomalies",es:"Detección de anomalías",pt:"Detecção de anomalias",it:"Rilevamento anomalie",ru:"Обнаружение аномалий",ar:"اكتشاف الشذوذ",th:"การตรวจจับความผิดปกติ",vi:"Phát hiện bất thường",id:"Deteksi Anomali",tr:"Anomali Tespiti"}},privacy:{nodeType:"translation",translation:{en:"Privacy",ko:"프라이버시",ja:"プライバシー",zh:"隐私",de:"Datenschutz",fr:"Confidentialité",es:"Privacidad",pt:"Privacidade",it:"Privacy",ru:"Конфиденциальность",ar:"الخصوصية",th:"ความเป็นส่วนตัว",vi:"Quyền riêng tư",id:"Privasi",tr:"Gizlilik"}},modelMonitoring:{nodeType:"translation",translation:{en:"Model Monitoring",ko:"모델 모니터링",ja:"モデルモニタリング",zh:"模型监控",de:"Modellüberwachung",fr:"Surveillance de modèle",es:"Monitoreo de modelo",pt:"Monitoramento de modelo",it:"Monitoraggio modello",ru:"Мониторинг модели",ar:"مراقبة النموذج",th:"การตรวจสอบโมเดล",vi:"Giám sát mô hình",id:"Pemantauan Model",tr:"Model İzleme"}},notificationsAdvanced:{nodeType:"translation",translation:{en:"Advanced Notifications",ko:"고급 알림",ja:"高度な通知",zh:"高级通知",de:"Erweiterte Benachrichtigungen",fr:"Notifications avancées",es:"Notificaciones avanzadas",pt:"Notificações avançadas",it:"Notifiche avanzate",ru:"Расширенные уведомления",ar:"إشعارات متقدمة",th:"การแจ้งเตือนขั้นสูง",vi:"Thông báo nâng cao",id:"Notifikasi Lanjutan",tr:"Gelişmiş Bildirimler"}},alerts:{nodeType:"translation",translation:{en:"Alerts",ko:"알림 센터",ja:"アラート",zh:"警报",de:"Warnungen",fr:"Alertes",es:"Alertas",pt:"Alertas",it:"Avvisi",ru:"Оповещения",ar:"التنبيهات",th:"การแจ้งเตือน",vi:"Cảnh báo",id:"Peringatan",tr:"Uyarılar"}},settings:{nodeType:"translation",translation:{en:"Settings",ko:"설정",ja:"設定",zh:"设置",de:"Einstellungen",fr:"Paramètres",es:"Configuración",pt:"Configurações",it:"Impostazioni",ru:"Настройки",ar:"الإعدادات",th:"การตั้งค่า",vi:"Cài đặt",id:"Pengaturan",tr:"Ayarlar"}},maintenance:{nodeType:"translation",translation:{en:"Maintenance",ko:"유지보수",ja:"メンテナンス",zh:"维护",de:"Wartung",fr:"Maintenance",es:"Mantenimiento",pt:"Manutenção",it:"Manutenzione",ru:"Обслуживание",ar:"الصيانة",th:"การบำรุงรักษา",vi:"Bảo trì",id:"Pemeliharaan",tr:"Bakım"}},reports:{nodeType:"translation",translation:{en:"Reports",ko:"리포트",ja:"レポート",zh:"报告",de:"Berichte",fr:"Rapports",es:"Informes",pt:"Relatórios",it:"Report",ru:"Отчёты",ar:"التقارير",th:"รายงาน",vi:"Báo cáo",id:"Laporan",tr:"Raporlar"}},plugins:{nodeType:"translation",translation:{en:"Plugins",ko:"플러그인",ja:"プラグイン",zh:"插件",de:"Plugins",fr:"Plugins",es:"Plugins",pt:"Plugins",it:"Plugin",ru:"Плагины",ar:"الإضافات",th:"ปลั๊กอิน",vi:"Plugin",id:"Plugin",tr:"Eklentiler"}},sections:{dataManagement:{nodeType:"translation",translation:{en:"Data Management",ko:"데이터 관리",ja:"データ管理",zh:"数据管理",de:"Datenverwaltung",fr:"Gestion des données",es:"Gestión de datos",pt:"Gestão de dados",it:"Gestione dati",ru:"Управление данными",ar:"إدارة البيانات",th:"การจัดการข้อมูล",vi:"Quản lý dữ liệu",id:"Manajemen Data",tr:"Veri Yönetimi"}},dataQuality:{nodeType:"translation",translation:{en:"Data Quality",ko:"데이터 품질",ja:"データ品質",zh:"数据质量",de:"Datenqualität",fr:"Qualité des données",es:"Calidad de datos",pt:"Qualidade de dados",it:"Qualità dei dati",ru:"Качество данных",ar:"جودة البيانات",th:"คุณภาพข้อมูล",vi:"Chất lượng dữ liệu",id:"Kualitas Data",tr:"Veri Kalitesi"}},mlMonitoring:{nodeType:"translation",translation:{en:"ML & Monitoring",ko:"ML & 모니터링",ja:"MLとモニタリング",zh:"ML与监控",de:"ML & Überwachung",fr:"ML et surveillance",es:"ML y monitoreo",pt:"ML e monitoramento",it:"ML e monitoraggio",ru:"ML и мониторинг",ar:"ML والمراقبة",th:"ML และการตรวจสอบ",vi:"ML & Giám sát",id:"ML & Pemantauan",tr:"ML ve İzleme"}},system:{nodeType:"translation",translation:{en:"System",ko:"시스템",ja:"システム",zh:"系统",de:"System",fr:"Système",es:"Sistema",pt:"Sistema",it:"Sistema",ru:"Система",ar:"النظام",th:"ระบบ",vi:"Hệ thống",id:"Sistem",tr:"Sistem"}}}},localId:"nav::local::src/content/nav.content.ts",location:"local",filePath:"src/content/nav.content.ts"}],u=[{key:"notifications",content:{title:{nodeType:"translation",translation:{en:"Notifications",ko:"알림"}},subtitle:{nodeType:"translation",translation:{en:"Configure notification channels and rules",ko:"알림 채널 및 규칙 설정"}},channels:{nodeType:"translation",translation:{en:"Channels",ko:"채널"}},rules:{nodeType:"translation",translation:{en:"Rules",ko:"규칙"}},logs:{nodeType:"translation",translation:{en:"Logs",ko:"로그"}},addChannel:{nodeType:"translation",translation:{en:"Add Channel",ko:"채널 추가"}},addRule:{nodeType:"translation",translation:{en:"Add Rule",ko:"규칙 추가"}},editChannel:{nodeType:"translation",translation:{en:"Edit Channel",ko:"채널 편집"}},editRule:{nodeType:"translation",translation:{en:"Edit Rule",ko:"규칙 편집"}},testChannel:{nodeType:"translation",translation:{en:"Test",ko:"테스트"}},noChannels:{nodeType:"translation",translation:{en:"No notification channels configured",ko:"설정된 알림 채널이 없습니다"}},noRules:{nodeType:"translation",translation:{en:"No notification rules configured",ko:"설정된 알림 규칙이 없습니다"}},noLogs:{nodeType:"translation",translation:{en:"No notification logs",ko:"알림 로그가 없습니다"}},channelTypes:{slack:{nodeType:"translation",translation:{en:"Slack",ko:"Slack"}},email:{nodeType:"translation",translation:{en:"Email",ko:"이메일"}},webhook:{nodeType:"translation",translation:{en:"Webhook",ko:"웹훅"}},discord:{nodeType:"translation",translation:{en:"Discord",ko:"Discord"}},telegram:{nodeType:"translation",translation:{en:"Telegram",ko:"Telegram"}},pagerduty:{nodeType:"translation",translation:{en:"PagerDuty",ko:"PagerDuty"}},opsgenie:{nodeType:"translation",translation:{en:"OpsGenie",ko:"OpsGenie"}},teams:{nodeType:"translation",translation:{en:"Microsoft Teams",ko:"Microsoft Teams"}},github:{nodeType:"translation",translation:{en:"GitHub",ko:"GitHub"}}},channelDescriptions:{slack:{nodeType:"translation",translation:{en:"Send notifications to Slack channels via webhooks",ko:"Slack 웹훅을 통해 채널에 알림 전송"}},email:{nodeType:"translation",translation:{en:"Send notifications via SMTP email",ko:"SMTP 이메일로 알림 전송"}},webhook:{nodeType:"translation",translation:{en:"Send notifications to custom HTTP endpoints",ko:"커스텀 HTTP 엔드포인트로 알림 전송"}},discord:{nodeType:"translation",translation:{en:"Send notifications to Discord channels via webhooks",ko:"Discord 웹훅을 통해 채널에 알림 전송"}},telegram:{nodeType:"translation",translation:{en:"Send notifications via Telegram Bot API",ko:"Telegram Bot API로 알림 전송"}},pagerduty:{nodeType:"translation",translation:{en:"Create incidents in PagerDuty for critical alerts",ko:"PagerDuty에 인시던트 생성"}},opsgenie:{nodeType:"translation",translation:{en:"Create alerts in OpsGenie for incident management",ko:"OpsGenie에 알림 생성"}},teams:{nodeType:"translation",translation:{en:"Send notifications to Microsoft Teams channels",ko:"Microsoft Teams 채널에 알림 전송"}},github:{nodeType:"translation",translation:{en:"Create issues in GitHub repositories for tracking",ko:"GitHub 저장소에 이슈 생성"}}},channelCategories:{basic:{nodeType:"translation",translation:{en:"Basic",ko:"기본"}},chat:{nodeType:"translation",translation:{en:"Chat",ko:"채팅"}},incident:{nodeType:"translation",translation:{en:"Incident Management",ko:"인시던트 관리"}},devops:{nodeType:"translation",translation:{en:"DevOps",ko:"DevOps"}}},channelFields:{webhookUrl:{nodeType:"translation",translation:{en:"Webhook URL",ko:"웹훅 URL"}},apiKey:{nodeType:"translation",translation:{en:"API Key",ko:"API 키"}},token:{nodeType:"translation",translation:{en:"Token",ko:"토큰"}},slackChannel:{nodeType:"translation",translation:{en:"Channel",ko:"채널"}},slackUsername:{nodeType:"translation",translation:{en:"Bot Username",ko:"봇 사용자명"}},slackIconEmoji:{nodeType:"translation",translation:{en:"Icon Emoji",ko:"아이콘 이모지"}},smtpHost:{nodeType:"translation",translation:{en:"SMTP Host",ko:"SMTP 호스트"}},smtpPort:{nodeType:"translation",translation:{en:"SMTP Port",ko:"SMTP 포트"}},smtpUser:{nodeType:"translation",translation:{en:"SMTP Username",ko:"SMTP 사용자명"}},smtpPassword:{nodeType:"translation",translation:{en:"SMTP Password",ko:"SMTP 비밀번호"}},fromEmail:{nodeType:"translation",translation:{en:"From Email",ko:"발신자 이메일"}},recipients:{nodeType:"translation",translation:{en:"Recipients",ko:"수신자"}},useTls:{nodeType:"translation",translation:{en:"Use TLS",ko:"TLS 사용"}},url:{nodeType:"translation",translation:{en:"URL",ko:"URL"}},method:{nodeType:"translation",translation:{en:"HTTP Method",ko:"HTTP 메서드"}},headers:{nodeType:"translation",translation:{en:"Custom Headers",ko:"커스텀 헤더"}},includeEventData:{nodeType:"translation",translation:{en:"Include Event Data",ko:"이벤트 데이터 포함"}},discordUsername:{nodeType:"translation",translation:{en:"Bot Username",ko:"봇 사용자명"}},avatarUrl:{nodeType:"translation",translation:{en:"Avatar URL",ko:"아바타 URL"}},botToken:{nodeType:"translation",translation:{en:"Bot Token",ko:"봇 토큰"}},chatId:{nodeType:"translation",translation:{en:"Chat ID",ko:"채팅 ID"}},parseMode:{nodeType:"translation",translation:{en:"Parse Mode",ko:"파싱 모드"}},disableNotification:{nodeType:"translation",translation:{en:"Silent Mode",ko:"무음 모드"}},routingKey:{nodeType:"translation",translation:{en:"Routing Key",ko:"라우팅 키"}},severity:{nodeType:"translation",translation:{en:"Default Severity",ko:"기본 심각도"}},component:{nodeType:"translation",translation:{en:"Component",ko:"컴포넌트"}},group:{nodeType:"translation",translation:{en:"Group",ko:"그룹"}},classType:{nodeType:"translation",translation:{en:"Class Type",ko:"클래스 타입"}},priority:{nodeType:"translation",translation:{en:"Default Priority",ko:"기본 우선순위"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},team:{nodeType:"translation",translation:{en:"Team",ko:"팀"}},responders:{nodeType:"translation",translation:{en:"Responders",ko:"응답자"}},themeColor:{nodeType:"translation",translation:{en:"Theme Color",ko:"테마 색상"}},owner:{nodeType:"translation",translation:{en:"Repository Owner",ko:"저장소 소유자"}},repo:{nodeType:"translation",translation:{en:"Repository Name",ko:"저장소 이름"}},labels:{nodeType:"translation",translation:{en:"Labels",ko:"레이블"}},assignees:{nodeType:"translation",translation:{en:"Assignees",ko:"담당자"}}},conditions:{validation_failed:{nodeType:"translation",translation:{en:"Validation Failed",ko:"검증 실패"}},critical_issues:{nodeType:"translation",translation:{en:"Critical Issues Detected",ko:"심각한 이슈 발견"}},high_issues:{nodeType:"translation",translation:{en:"High Severity Issues",ko:"높은 심각도 이슈"}},schedule_failed:{nodeType:"translation",translation:{en:"Schedule Failed",ko:"스케줄 실패"}},drift_detected:{nodeType:"translation",translation:{en:"Drift Detected",ko:"드리프트 감지"}},schema_changed:{nodeType:"translation",translation:{en:"Schema Changed",ko:"스키마 변경"}}},testSuccess:{nodeType:"translation",translation:{en:"Test notification sent successfully",ko:"테스트 알림이 성공적으로 전송되었습니다"}},testFailed:{nodeType:"translation",translation:{en:"Failed to send test notification",ko:"테스트 알림 전송에 실패했습니다"}},sent:{nodeType:"translation",translation:{en:"Sent",ko:"전송됨"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},channelCreated:{nodeType:"translation",translation:{en:"Channel created successfully",ko:"채널이 생성되었습니다"}},channelUpdated:{nodeType:"translation",translation:{en:"Channel updated successfully",ko:"채널이 업데이트되었습니다"}},channelDeleted:{nodeType:"translation",translation:{en:"Channel deleted successfully",ko:"채널이 삭제되었습니다"}},createChannelFailed:{nodeType:"translation",translation:{en:"Failed to create channel",ko:"채널 생성에 실패했습니다"}},updateChannelFailed:{nodeType:"translation",translation:{en:"Failed to update channel",ko:"채널 업데이트에 실패했습니다"}},deleteChannelFailed:{nodeType:"translation",translation:{en:"Failed to delete channel",ko:"채널 삭제에 실패했습니다"}},deleteChannel:{nodeType:"translation",translation:{en:"Delete Channel",ko:"채널 삭제"}},deleteChannelConfirm:{nodeType:"translation",translation:{en:"Are you sure you want to delete this channel? This action cannot be undone.",ko:"이 채널을 삭제하시겠습니까? 이 작업은 되돌릴 수 없습니다."}},ruleCreated:{nodeType:"translation",translation:{en:"Rule created successfully",ko:"규칙이 생성되었습니다"}},ruleUpdated:{nodeType:"translation",translation:{en:"Rule updated successfully",ko:"규칙이 업데이트되었습니다"}},ruleDeleted:{nodeType:"translation",translation:{en:"Rule deleted successfully",ko:"규칙이 삭제되었습니다"}},createRuleFailed:{nodeType:"translation",translation:{en:"Failed to create rule",ko:"규칙 생성에 실패했습니다"}},updateRuleFailed:{nodeType:"translation",translation:{en:"Failed to update rule",ko:"규칙 업데이트에 실패했습니다"}},deleteRuleFailed:{nodeType:"translation",translation:{en:"Failed to delete rule",ko:"규칙 삭제에 실패했습니다"}},deleteRule:{nodeType:"translation",translation:{en:"Delete Rule",ko:"규칙 삭제"}},deleteRuleConfirm:{nodeType:"translation",translation:{en:"Are you sure you want to delete this rule? This action cannot be undone.",ko:"이 규칙을 삭제하시겠습니까? 이 작업은 되돌릴 수 없습니다."}},selectChannelType:{nodeType:"translation",translation:{en:"Select a notification channel type",ko:"알림 채널 유형을 선택하세요"}},configureChannel:{nodeType:"translation",translation:{en:"Configure your channel settings",ko:"채널 설정을 구성하세요"}},channelName:{nodeType:"translation",translation:{en:"Channel Name",ko:"채널 이름"}},ruleName:{nodeType:"translation",translation:{en:"Rule Name",ko:"규칙 이름"}},triggerCondition:{nodeType:"translation",translation:{en:"Trigger Condition",ko:"트리거 조건"}},sendToChannels:{nodeType:"translation",translation:{en:"Send To Channels",ko:"알림 전송 채널"}},severityLevels:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고"}},info:{nodeType:"translation",translation:{en:"Info",ko:"정보"}}},priorityLevels:{p1:{nodeType:"translation",translation:{en:"P1 - Critical",ko:"P1 - 심각"}},p2:{nodeType:"translation",translation:{en:"P2 - High",ko:"P2 - 높음"}},p3:{nodeType:"translation",translation:{en:"P3 - Moderate",ko:"P3 - 보통"}},p4:{nodeType:"translation",translation:{en:"P4 - Low",ko:"P4 - 낮음"}},p5:{nodeType:"translation",translation:{en:"P5 - Informational",ko:"P5 - 정보"}}},parseModes:{html:{nodeType:"translation",translation:{en:"HTML",ko:"HTML"}},markdown:{nodeType:"translation",translation:{en:"Markdown V2",ko:"Markdown V2"}}},httpMethods:{post:{nodeType:"translation",translation:{en:"POST",ko:"POST"}},put:{nodeType:"translation",translation:{en:"PUT",ko:"PUT"}},get:{nodeType:"translation",translation:{en:"GET",ko:"GET"}}},required:{nodeType:"translation",translation:{en:"Required",ko:"필수"}},optional:{nodeType:"translation",translation:{en:"Optional",ko:"선택"}},invalidFormat:{nodeType:"translation",translation:{en:"Invalid format",ko:"잘못된 형식"}},fieldRequired:{nodeType:"translation",translation:{en:"This field is required",ko:"이 필드는 필수입니다"}},helpText:{slack:{webhookUrl:{nodeType:"translation",translation:{en:"Slack Incoming Webhook URL from your app settings",ko:"Slack 앱 설정의 수신 웹훅 URL"}},channel:{nodeType:"translation",translation:{en:"Override the default channel (e.g., #alerts)",ko:"기본 채널 재정의 (예: #alerts)"}}},email:{recipients:{nodeType:"translation",translation:{en:"One email address per line",ko:"한 줄에 하나의 이메일 주소"}}},pagerduty:{routingKey:{nodeType:"translation",translation:{en:"Events API v2 Integration Key from your service",ko:"서비스의 Events API v2 통합 키"}}},opsgenie:{responders:{nodeType:"translation",translation:{en:"JSON array of responders",ko:"응답자 JSON 배열"}}},telegram:{botToken:{nodeType:"translation",translation:{en:"Token from @BotFather",ko:"@BotFather에서 받은 토큰"}},chatId:{nodeType:"translation",translation:{en:"User, group, or channel ID",ko:"사용자, 그룹 또는 채널 ID"}}},github:{token:{nodeType:"translation",translation:{en:"Personal Access Token with repo scope",ko:"repo 권한이 있는 개인 액세스 토큰"}}},webhook:{headers:{nodeType:"translation",translation:{en:"Custom headers in JSON format",ko:"JSON 형식의 커스텀 헤더"}}}}},localId:"notifications::local::src/content/notifications.content.ts",location:"local",filePath:"src/content/notifications.content.ts"}],m=[{key:"notificationsAdvanced",content:{tabs:{routing:{nodeType:"translation",translation:{en:"Routing",ko:"라우팅"}},routingRules:{nodeType:"translation",translation:{en:"Routing Rules",ko:"라우팅 규칙"}},deduplication:{nodeType:"translation",translation:{en:"Deduplication",ko:"중복 제거"}},throttling:{nodeType:"translation",translation:{en:"Throttling",ko:"스로틀링"}},escalation:{nodeType:"translation",translation:{en:"Escalation",ko:"에스컬레이션"}},incidents:{nodeType:"translation",translation:{en:"Incidents",ko:"인시던트"}}},routing:{title:{nodeType:"translation",translation:{en:"Routing Rules",ko:"라우팅 규칙"}},subtitle:{nodeType:"translation",translation:{en:"Define rules to route notifications to specific channels",ko:"알림을 특정 채널로 라우팅하는 규칙 정의"}},addRule:{nodeType:"translation",translation:{en:"Add Routing Rule",ko:"라우팅 규칙 추가"}},editRule:{nodeType:"translation",translation:{en:"Edit Routing Rule",ko:"라우팅 규칙 편집"}},noRules:{nodeType:"translation",translation:{en:"No routing rules configured",ko:"설정된 라우팅 규칙이 없습니다"}},priority:{nodeType:"translation",translation:{en:"Priority",ko:"우선순위"}},stopOnMatch:{nodeType:"translation",translation:{en:"Stop on Match",ko:"매칭 시 중단"}},actions:{nodeType:"translation",translation:{en:"Target Channels",ko:"대상 채널"}},ruleConfig:{nodeType:"translation",translation:{en:"Rule Configuration",ko:"규칙 설정"}}},ruleTypes:{severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},issue_count:{nodeType:"translation",translation:{en:"Issue Count",ko:"이슈 수"}},pass_rate:{nodeType:"translation",translation:{en:"Pass Rate",ko:"통과율"}},time_window:{nodeType:"translation",translation:{en:"Time Window",ko:"시간 윈도우"}},tag:{nodeType:"translation",translation:{en:"Tag",ko:"태그"}},data_asset:{nodeType:"translation",translation:{en:"Data Asset",ko:"데이터 자산"}},metadata:{nodeType:"translation",translation:{en:"Metadata",ko:"메타데이터"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},error:{nodeType:"translation",translation:{en:"Error Pattern",ko:"에러 패턴"}},always:{nodeType:"translation",translation:{en:"Always Match",ko:"항상 매칭"}},never:{nodeType:"translation",translation:{en:"Never Match",ko:"절대 아님"}},all_of:{nodeType:"translation",translation:{en:"All Of (AND)",ko:"All Of (AND)"}},any_of:{nodeType:"translation",translation:{en:"Any Of (OR)",ko:"Any Of (OR)"}},not:{nodeType:"translation",translation:{en:"Not (Negate)",ko:"Not (부정)"}}},ruleTypeDescriptions:{severity:{nodeType:"translation",translation:{en:"Match notifications by minimum severity level",ko:"최소 심각도 수준으로 알림 매칭"}},issue_count:{nodeType:"translation",translation:{en:"Match when issue count exceeds threshold",ko:"이슈 수가 임계값을 초과할 때 매칭"}},pass_rate:{nodeType:"translation",translation:{en:"Match when pass rate is below threshold",ko:"통과율이 임계값 미만일 때 매칭"}},time_window:{nodeType:"translation",translation:{en:"Match during specific hours and days",ko:"특정 시간과 요일에 매칭"}},tag:{nodeType:"translation",translation:{en:"Match by notification tags",ko:"알림 태그로 매칭"}},data_asset:{nodeType:"translation",translation:{en:"Match by data asset name or pattern",ko:"데이터 자산 이름 또는 패턴으로 매칭"}},metadata:{nodeType:"translation",translation:{en:"Match by metadata field value",ko:"메타데이터 필드 값으로 매칭"}},status:{nodeType:"translation",translation:{en:"Match by validation status",ko:"검증 상태로 매칭"}},error:{nodeType:"translation",translation:{en:"Match by error message pattern",ko:"에러 메시지 패턴으로 매칭"}},always:{nodeType:"translation",translation:{en:"Always matches (catch-all rule)",ko:"항상 매칭 (기본 규칙)"}},never:{nodeType:"translation",translation:{en:"Never matches (disabled rule)",ko:"매칭하지 않음 (비활성화 규칙)"}},all_of:{nodeType:"translation",translation:{en:"Match when ALL sub-rules match",ko:"모든 하위 규칙이 매칭될 때 매칭"}},any_of:{nodeType:"translation",translation:{en:"Match when ANY sub-rule matches",ko:"하나의 하위 규칙이라도 매칭될 때 매칭"}},not:{nodeType:"translation",translation:{en:"Negate the sub-rule result",ko:"하위 규칙 결과를 반전"}}},ruleBuilder:{ruleType:{nodeType:"translation",translation:{en:"Rule Type",ko:"규칙 유형"}},ruleConfiguration:{nodeType:"translation",translation:{en:"Rule Configuration",ko:"규칙 설정"}},subRules:{nodeType:"translation",translation:{en:"Sub-rules",ko:"하위 규칙"}},ruleToNegate:{nodeType:"translation",translation:{en:"Rule to Negate",ko:"반전할 규칙"}},addRule:{nodeType:"translation",translation:{en:"Add Rule",ko:"규칙 추가"}},noSubRules:{nodeType:"translation",translation:{en:'No sub-rules. Click "Add Rule" to add at least one rule.',ko:'하위 규칙이 없습니다. "규칙 추가"를 클릭하여 규칙을 추가하세요.'}},maxDepthReached:{nodeType:"translation",translation:{en:"Maximum nesting depth reached. Cannot add more combinators.",ko:"최대 중첩 깊이에 도달했습니다. 더 이상 조합기를 추가할 수 없습니다."}},configurationIncomplete:{nodeType:"translation",translation:{en:"Configuration incomplete",ko:"설정이 불완전합니다"}},copyRuleConfiguration:{nodeType:"translation",translation:{en:"Copy rule configuration",ko:"규칙 설정 복사"}},alwaysMatchMessage:{nodeType:"translation",translation:{en:"This rule always matches. Use as a catch-all or fallback rule.",ko:"이 규칙은 항상 매칭됩니다. 기본 규칙으로 사용하세요."}},neverMatchMessage:{nodeType:"translation",translation:{en:"This rule never matches. Use to temporarily disable routing without deleting.",ko:"이 규칙은 매칭되지 않습니다. 삭제하지 않고 일시적으로 비활성화할 때 사용하세요."}},visualMode:{nodeType:"translation",translation:{en:"Visual",ko:"시각적"}},jsonMode:{nodeType:"translation",translation:{en:"JSON",ko:"JSON"}},copyJson:{nodeType:"translation",translation:{en:"Copy JSON",ko:"JSON 복사"}},invalidJson:{nodeType:"translation",translation:{en:"Invalid JSON",ko:"유효하지 않은 JSON"}},categories:{basic:{nodeType:"translation",translation:{en:"Basic",ko:"기본"}},condition:{nodeType:"translation",translation:{en:"Condition",ko:"조건"}},combinator:{nodeType:"translation",translation:{en:"Combinator",ko:"조합기"}},static:{nodeType:"translation",translation:{en:"Static",ko:"정적"}}}},ruleParams:{minSeverity:{nodeType:"translation",translation:{en:"Minimum Severity",ko:"최소 심각도"}},minCount:{nodeType:"translation",translation:{en:"Minimum Count",ko:"최소 개수"}},maxPassRate:{nodeType:"translation",translation:{en:"Maximum Pass Rate",ko:"최대 통과율"}},startHour:{nodeType:"translation",translation:{en:"Start Hour",ko:"시작 시간"}},endHour:{nodeType:"translation",translation:{en:"End Hour",ko:"종료 시간"}},weekdays:{nodeType:"translation",translation:{en:"Weekdays",ko:"요일"}},timezone:{nodeType:"translation",translation:{en:"Timezone",ko:"시간대"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},matchAll:{nodeType:"translation",translation:{en:"Match All",ko:"모두 매칭"}},pattern:{nodeType:"translation",translation:{en:"Asset Pattern",ko:"자산 패턴"}},fieldName:{nodeType:"translation",translation:{en:"Field Name",ko:"필드명"}},expectedValue:{nodeType:"translation",translation:{en:"Expected Value",ko:"기대값"}},operator:{nodeType:"translation",translation:{en:"Operator",ko:"연산자"}},statuses:{nodeType:"translation",translation:{en:"Statuses",ko:"상태"}},errorPattern:{nodeType:"translation",translation:{en:"Error Pattern",ko:"에러 패턴"}},operators:{eq:{nodeType:"translation",translation:{en:"Equals (=)",ko:"같음 (=)"}},ne:{nodeType:"translation",translation:{en:"Not Equals (!=)",ko:"같지 않음 (!=)"}},contains:{nodeType:"translation",translation:{en:"Contains",ko:"포함"}},regex:{nodeType:"translation",translation:{en:"Regex Match",ko:"정규식 매칭"}},gt:{nodeType:"translation",translation:{en:"Greater Than (>)",ko:"보다 큼 (>)"}},lt:{nodeType:"translation",translation:{en:"Less Than (<)",ko:"보다 작음 (<)"}},gte:{nodeType:"translation",translation:{en:"Greater or Equal (>=)",ko:"크거나 같음 (>=)"}},lte:{nodeType:"translation",translation:{en:"Less or Equal (<=)",ko:"작거나 같음 (<=)"}}},severityLevels:{info:{nodeType:"translation",translation:{en:"Info",ko:"정보"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}}},statusValues:{success:{nodeType:"translation",translation:{en:"Success",ko:"성공"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고"}},failure:{nodeType:"translation",translation:{en:"Failure",ko:"실패"}},error:{nodeType:"translation",translation:{en:"Error",ko:"에러"}}},weekdayNames:{mon:{nodeType:"translation",translation:{en:"Mon",ko:"월"}},tue:{nodeType:"translation",translation:{en:"Tue",ko:"화"}},wed:{nodeType:"translation",translation:{en:"Wed",ko:"수"}},thu:{nodeType:"translation",translation:{en:"Thu",ko:"목"}},fri:{nodeType:"translation",translation:{en:"Fri",ko:"금"}},sat:{nodeType:"translation",translation:{en:"Sat",ko:"토"}},sun:{nodeType:"translation",translation:{en:"Sun",ko:"일"}}},weekdayFullNames:{mon:{nodeType:"translation",translation:{en:"Monday",ko:"월요일"}},tue:{nodeType:"translation",translation:{en:"Tuesday",ko:"화요일"}},wed:{nodeType:"translation",translation:{en:"Wednesday",ko:"수요일"}},thu:{nodeType:"translation",translation:{en:"Thursday",ko:"목요일"}},fri:{nodeType:"translation",translation:{en:"Friday",ko:"금요일"}},sat:{nodeType:"translation",translation:{en:"Saturday",ko:"토요일"}},sun:{nodeType:"translation",translation:{en:"Sunday",ko:"일요일"}}},timeRange:{nodeType:"translation",translation:{en:"Time Range",ko:"시간 범위"}},to:{nodeType:"translation",translation:{en:"to",ko:"~"}},optional:{nodeType:"translation",translation:{en:"optional",ko:"선택사항"}},weekdaysOnly:{nodeType:"translation",translation:{en:"Weekdays",ko:"평일"}},weekendsOnly:{nodeType:"translation",translation:{en:"Weekend",ko:"주말"}},allDays:{nodeType:"translation",translation:{en:"All",ko:"전체"}},clearDays:{nodeType:"translation",translation:{en:"Clear",ko:"초기화"}},noDaysSelected:{nodeType:"translation",translation:{en:"No days selected",ko:"선택된 요일 없음"}},everyDay:{nodeType:"translation",translation:{en:"Every day",ko:"매일"}},daysSelected:{nodeType:"translation",translation:{en:"days selected",ko:"일 선택됨"}},activeHours:{nodeType:"translation",translation:{en:"Active hours",ko:"활성 시간"}},overnightRange:{nodeType:"translation",translation:{en:"Overnight range",ko:"야간 범위"}},nextDay:{nodeType:"translation",translation:{en:"next day",ko:"다음 날"}},browserTimezone:{nodeType:"translation",translation:{en:"Browser timezone",ko:"브라우저 시간대"}},timezoneNote:{nodeType:"translation",translation:{en:"Times will be evaluated in the selected timezone",ko:"시간은 선택한 시간대로 평가됩니다"}},timezoneGroups:{utc:{nodeType:"translation",translation:{en:"UTC",ko:"UTC"}},americas:{nodeType:"translation",translation:{en:"Americas",ko:"아메리카"}},europe:{nodeType:"translation",translation:{en:"Europe",ko:"유럽"}},asia:{nodeType:"translation",translation:{en:"Asia",ko:"아시아"}},pacific:{nodeType:"translation",translation:{en:"Pacific",ko:"태평양"}}}},deduplication:{title:{nodeType:"translation",translation:{en:"Deduplication",ko:"중복 제거"}},subtitle:{nodeType:"translation",translation:{en:"Configure notification deduplication to reduce noise",ko:"노이즈 감소를 위한 알림 중복 제거 설정"}},addConfig:{nodeType:"translation",translation:{en:"Add Config",ko:"설정 추가"}},editConfig:{nodeType:"translation",translation:{en:"Edit Config",ko:"설정 편집"}},noConfigs:{nodeType:"translation",translation:{en:"No deduplication configs",ko:"설정된 중복 제거 설정이 없습니다"}},strategy:{nodeType:"translation",translation:{en:"Strategy",ko:"전략"}},policy:{nodeType:"translation",translation:{en:"Policy",ko:"정책"}},windowSeconds:{nodeType:"translation",translation:{en:"Window (seconds)",ko:"윈도우 (초)"}},stats:{title:{nodeType:"translation",translation:{en:"Deduplication Stats",ko:"중복 제거 통계"}},totalReceived:{nodeType:"translation",translation:{en:"Total Received",ko:"총 수신"}},totalDeduplicated:{nodeType:"translation",translation:{en:"Deduplicated",ko:"중복 제거됨"}},totalPassed:{nodeType:"translation",translation:{en:"Passed Through",ko:"통과됨"}},dedupRate:{nodeType:"translation",translation:{en:"Dedup Rate",ko:"중복 제거율"}},activeFingerprints:{nodeType:"translation",translation:{en:"Active Fingerprints",ko:"활성 핑거프린트"}}}},strategies:{sliding:{nodeType:"translation",translation:{en:"Sliding Window",ko:"슬라이딩 윈도우"}},tumbling:{nodeType:"translation",translation:{en:"Tumbling Window",ko:"텀블링 윈도우"}},session:{nodeType:"translation",translation:{en:"Session Window",ko:"세션 윈도우"}},adaptive:{nodeType:"translation",translation:{en:"Adaptive Window",ko:"적응형 윈도우"}}},policies:{none:{nodeType:"translation",translation:{en:"None",ko:"없음"}},basic:{nodeType:"translation",translation:{en:"Basic",ko:"기본"}},severity:{nodeType:"translation",translation:{en:"By Severity",ko:"심각도 기반"}},issue_based:{nodeType:"translation",translation:{en:"Issue Based",ko:"이슈 기반"}},strict:{nodeType:"translation",translation:{en:"Strict",ko:"엄격"}},custom:{nodeType:"translation",translation:{en:"Custom",ko:"사용자 정의"}}},throttling:{title:{nodeType:"translation",translation:{en:"Throttling",ko:"스로틀링"}},subtitle:{nodeType:"translation",translation:{en:"Control notification rate limits",ko:"알림 속도 제한 설정"}},addConfig:{nodeType:"translation",translation:{en:"Add Config",ko:"설정 추가"}},editConfig:{nodeType:"translation",translation:{en:"Edit Config",ko:"설정 편집"}},noConfigs:{nodeType:"translation",translation:{en:"No throttling configs",ko:"설정된 스로틀링 설정이 없습니다"}},perMinute:{nodeType:"translation",translation:{en:"Per Minute",ko:"분당"}},perHour:{nodeType:"translation",translation:{en:"Per Hour",ko:"시간당"}},perDay:{nodeType:"translation",translation:{en:"Per Day",ko:"일당"}},burstAllowance:{nodeType:"translation",translation:{en:"Burst Allowance",ko:"버스트 허용치"}},global:{nodeType:"translation",translation:{en:"Global",ko:"전역"}},stats:{title:{nodeType:"translation",translation:{en:"Throttling Stats",ko:"스로틀링 통계"}},totalReceived:{nodeType:"translation",translation:{en:"Total Received",ko:"총 수신"}},totalThrottled:{nodeType:"translation",translation:{en:"Throttled",ko:"스로틀됨"}},totalPassed:{nodeType:"translation",translation:{en:"Passed Through",ko:"통과됨"}},throttleRate:{nodeType:"translation",translation:{en:"Throttle Rate",ko:"스로틀률"}},currentWindowCount:{nodeType:"translation",translation:{en:"Current Window",ko:"현재 윈도우"}}}},escalation:{title:{nodeType:"translation",translation:{en:"Escalation Policies",ko:"에스컬레이션 정책"}},subtitle:{nodeType:"translation",translation:{en:"Configure multi-level escalation for critical alerts",ko:"중요 알림에 대한 다단계 에스컬레이션 설정"}},addPolicy:{nodeType:"translation",translation:{en:"Add Policy",ko:"정책 추가"}},editPolicy:{nodeType:"translation",translation:{en:"Edit Policy",ko:"정책 편집"}},noPolicies:{nodeType:"translation",translation:{en:"No escalation policies",ko:"설정된 에스컬레이션 정책이 없습니다"}},levels:{nodeType:"translation",translation:{en:"Levels",ko:"레벨"}},addLevel:{nodeType:"translation",translation:{en:"Add Level",ko:"레벨 추가"}},delayMinutes:{nodeType:"translation",translation:{en:"Delay (minutes)",ko:"지연 (분)"}},targets:{nodeType:"translation",translation:{en:"Targets",ko:"대상"}},addTarget:{nodeType:"translation",translation:{en:"Add Target",ko:"대상 추가"}},autoResolve:{nodeType:"translation",translation:{en:"Auto-resolve on Success",ko:"성공 시 자동 해결"}},maxEscalations:{nodeType:"translation",translation:{en:"Max Escalations",ko:"최대 에스컬레이션"}},stats:{title:{nodeType:"translation",translation:{en:"Escalation Stats",ko:"에스컬레이션 통계"}},totalIncidents:{nodeType:"translation",translation:{en:"Total Incidents",ko:"전체 인시던트"}},activeCount:{nodeType:"translation",translation:{en:"Active",ko:"활성"}},avgResolutionTime:{nodeType:"translation",translation:{en:"Avg Resolution Time",ko:"평균 해결 시간"}}},levelBuilder:{description:{nodeType:"translation",translation:{en:"Configure notification targets and delays for each escalation level",ko:"각 에스컬레이션 레벨에 대한 알림 대상 및 지연 시간 설정"}},levelLabel:{nodeType:"translation",translation:{en:"Level",ko:"레벨"}},noLevels:{nodeType:"translation",translation:{en:"No escalation levels configured. Add at least one level.",ko:"에스컬레이션 레벨이 설정되지 않았습니다. 최소 하나의 레벨을 추가하세요."}},addFirstLevel:{nodeType:"translation",translation:{en:"Add First Level",ko:"첫 번째 레벨 추가"}},noTargets:{nodeType:"translation",translation:{en:"No notification targets. Add users, groups, on-call schedules, or channels.",ko:"알림 대상이 없습니다. 사용자, 그룹, 온콜 스케줄 또는 채널을 추가하세요."}},immediate:{nodeType:"translation",translation:{en:"Immediate",ko:"즉시"}},minutes:{nodeType:"translation",translation:{en:"minutes",ko:"분"}},immediateNote:{nodeType:"translation",translation:{en:"This level will trigger immediately when an incident is created",ko:"이 레벨은 인시던트 생성 시 즉시 트리거됩니다"}},selectChannel:{nodeType:"translation",translation:{en:"Channel",ko:"채널"}},noChannels:{nodeType:"translation",translation:{en:"No channels configured",ko:"설정된 채널이 없습니다"}},messageTemplate:{nodeType:"translation",translation:{en:"Custom Message Template",ko:"사용자 정의 메시지 템플릿"}},messageTemplatePlaceholder:{nodeType:"translation",translation:{en:"Optional: Custom message template for this level. Use {incident_ref}, {level}, {policy_name} as variables.",ko:"선택사항: 이 레벨에 대한 사용자 정의 메시지 템플릿. {incident_ref}, {level}, {policy_name}을 변수로 사용하세요."}},timelinePreview:{nodeType:"translation",translation:{en:"Escalation Timeline Preview",ko:"에스컬레이션 타임라인 미리보기"}},totalTime:{nodeType:"translation",translation:{en:"Total escalation time",ko:"총 에스컬레이션 시간"}},validationWarning:{nodeType:"translation",translation:{en:"Some levels have no targets or empty identifiers",ko:"일부 레벨에 대상이 없거나 식별자가 비어 있습니다"}},placeholders:{user:{nodeType:"translation",translation:{en:"user@example.com",ko:"user@example.com"}},group:{nodeType:"translation",translation:{en:"Group name or ID",ko:"그룹 이름 또는 ID"}},oncall:{nodeType:"translation",translation:{en:"On-call schedule ID",ko:"온콜 스케줄 ID"}},channel:{nodeType:"translation",translation:{en:"#channel-name",ko:"#채널-이름"}}},moveUp:{nodeType:"translation",translation:{en:"Move up",ko:"위로 이동"}},moveDown:{nodeType:"translation",translation:{en:"Move down",ko:"아래로 이동"}}}},targetTypes:{user:{nodeType:"translation",translation:{en:"User",ko:"사용자"}},group:{nodeType:"translation",translation:{en:"Group",ko:"그룹"}},oncall:{nodeType:"translation",translation:{en:"On-Call",ko:"온콜"}},channel:{nodeType:"translation",translation:{en:"Channel",ko:"채널"}}},incidents:{title:{nodeType:"translation",translation:{en:"Escalation Incidents",ko:"에스컬레이션 인시던트"}},subtitle:{nodeType:"translation",translation:{en:"Active and recent escalation incidents",ko:"활성 및 최근 에스컬레이션 인시던트"}},noIncidents:{nodeType:"translation",translation:{en:"No incidents",ko:"인시던트가 없습니다"}},incidentRef:{nodeType:"translation",translation:{en:"Reference",ko:"참조"}},currentLevel:{nodeType:"translation",translation:{en:"Current Level",ko:"현재 레벨"}},escalationCount:{nodeType:"translation",translation:{en:"Escalation Count",ko:"에스컬레이션 횟수"}},nextEscalation:{nodeType:"translation",translation:{en:"Next Escalation",ko:"다음 에스컬레이션"}},acknowledgedBy:{nodeType:"translation",translation:{en:"Acknowledged By",ko:"확인자"}},resolvedBy:{nodeType:"translation",translation:{en:"Resolved By",ko:"해결자"}},timeline:{nodeType:"translation",translation:{en:"Timeline",ko:"타임라인"}},actions:{acknowledge:{nodeType:"translation",translation:{en:"Acknowledge",ko:"확인"}},resolve:{nodeType:"translation",translation:{en:"Resolve",ko:"해결"}}}},states:{pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},triggered:{nodeType:"translation",translation:{en:"Triggered",ko:"트리거됨"}},acknowledged:{nodeType:"translation",translation:{en:"Acknowledged",ko:"확인됨"}},escalated:{nodeType:"translation",translation:{en:"Escalated",ko:"에스컬레이션됨"}},resolved:{nodeType:"translation",translation:{en:"Resolved",ko:"해결됨"}}},timeline:{created:{nodeType:"translation",translation:{en:"Created",ko:"생성됨"}},noEvents:{nodeType:"translation",translation:{en:"No events recorded",ko:"기록된 이벤트가 없습니다"}},events:{nodeType:"translation",translation:{en:"events",ko:"개 이벤트"}},currentState:{nodeType:"translation",translation:{en:"Current State",ko:"현재 상태"}},incidentDetails:{nodeType:"translation",translation:{en:"Incident Details",ko:"인시던트 상세"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},policySummary:{nodeType:"translation",translation:{en:"Escalation Policy",ko:"에스컬레이션 정책"}},technicalDetails:{nodeType:"translation",translation:{en:"Technical Details",ko:"기술적 세부사항"}},close:{nodeType:"translation",translation:{en:"Close",ko:"닫기"}},currentLevel:{nodeType:"translation",translation:{en:"Current Level",ko:"현재 레벨"}},maxLevel:{nodeType:"translation",translation:{en:"Max",ko:"최대"}},escalationLevels:{nodeType:"translation",translation:{en:"Escalation Levels",ko:"에스컬레이션 레벨"}},toLevel:{nodeType:"translation",translation:{en:"To Level",ko:"레벨로"}},remaining:{nodeType:"translation",translation:{en:"remaining",ko:"남음"}},quickActions:{nodeType:"translation",translation:{en:"Quick Actions",ko:"빠른 작업"}},acknowledging:{nodeType:"translation",translation:{en:"Acknowledging...",ko:"확인 중..."}},acknowledgeHint:{nodeType:"translation",translation:{en:"Mark this incident as seen and being handled",ko:"이 인시던트를 확인하고 처리 중으로 표시"}},resolveHint:{nodeType:"translation",translation:{en:"Mark this incident as resolved",ko:"이 인시던트를 해결됨으로 표시"}},resolutionNote:{nodeType:"translation",translation:{en:"Resolution Note (optional)",ko:"해결 메모 (선택사항)"}},resolutionPlaceholder:{nodeType:"translation",translation:{en:"Describe how the incident was resolved...",ko:"인시던트가 어떻게 해결되었는지 설명..."}},cancelResolve:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}},confirmResolve:{nodeType:"translation",translation:{en:"Confirm Resolve",ko:"해결 확인"}},resolving:{nodeType:"translation",translation:{en:"Resolving...",ko:"해결 중..."}},incidentId:{nodeType:"translation",translation:{en:"Incident ID",ko:"인시던트 ID"}},policyId:{nodeType:"translation",translation:{en:"Policy ID",ko:"정책 ID"}},notificationId:{nodeType:"translation",translation:{en:"Notification ID",ko:"알림 ID"}},duration:{nodeType:"translation",translation:{en:"Duration",ko:"소요 시간"}},timeBetween:{nodeType:"translation",translation:{en:"Time between events",ko:"이벤트 간 시간"}}},configExport:{title:{nodeType:"translation",translation:{en:"Config Import/Export",ko:"설정 가져오기/내보내기"}},description:{nodeType:"translation",translation:{en:"Export or import notification configurations as JSON files",ko:"알림 설정을 JSON 파일로 내보내거나 가져오기"}},exportTitle:{nodeType:"translation",translation:{en:"Export Configuration",ko:"설정 내보내기"}},exportButton:{nodeType:"translation",translation:{en:"Export as JSON",ko:"JSON으로 내보내기"}},exporting:{nodeType:"translation",translation:{en:"Exporting...",ko:"내보내는 중..."}},exportSuccess:{nodeType:"translation",translation:{en:"Configuration exported",ko:"설정이 내보내졌습니다"}},exportSuccessDesc:{nodeType:"translation",translation:{en:"Download started successfully",ko:"다운로드가 시작되었습니다"}},exportError:{nodeType:"translation",translation:{en:"Export failed",ko:"내보내기 실패"}}},configImport:{importTitle:{nodeType:"translation",translation:{en:"Import Configuration",ko:"설정 가져오기"}},importDescription:{nodeType:"translation",translation:{en:"Import notification configurations from a previously exported JSON file",ko:"이전에 내보낸 JSON 파일에서 알림 설정 가져오기"}},importButton:{nodeType:"translation",translation:{en:"Import from File",ko:"파일에서 가져오기"}},dialogTitle:{nodeType:"translation",translation:{en:"Import Configuration",ko:"설정 가져오기"}},dialogDescriptionSelect:{nodeType:"translation",translation:{en:"Select a JSON configuration file to import",ko:"가져올 JSON 설정 파일을 선택하세요"}},dialogDescriptionPreview:{nodeType:"translation",translation:{en:"Review the configurations before importing",ko:"가져오기 전에 설정을 검토하세요"}},dialogDescriptionImporting:{nodeType:"translation",translation:{en:"Importing configurations...",ko:"설정을 가져오는 중..."}},dialogDescriptionComplete:{nodeType:"translation",translation:{en:"Import operation completed",ko:"가져오기 작업이 완료되었습니다"}},selectFile:{nodeType:"translation",translation:{en:"Select Configuration File",ko:"설정 파일 선택"}},supportedFormats:{nodeType:"translation",translation:{en:"JSON files only",ko:"JSON 파일만 지원"}},browseFiles:{nodeType:"translation",translation:{en:"Browse Files",ko:"파일 찾아보기"}},parsing:{nodeType:"translation",translation:{en:"Parsing...",ko:"분석 중..."}},newConfigs:{nodeType:"translation",translation:{en:"new",ko:"새로운"}},conflicts:{nodeType:"translation",translation:{en:"conflicts",ko:"충돌"}},conflictsDetected:{nodeType:"translation",translation:{en:"Conflicts Detected",ko:"충돌 감지됨"}},configType:{nodeType:"translation",translation:{en:"Type",ko:"유형"}},importingName:{nodeType:"translation",translation:{en:"Importing",ko:"가져올 항목"}},existingName:{nodeType:"translation",translation:{en:"Existing",ko:"기존 항목"}},conflictResolution:{nodeType:"translation",translation:{en:"Conflict Resolution",ko:"충돌 해결 방법"}},resolutionSkip:{nodeType:"translation",translation:{en:"Skip existing",ko:"기존 항목 건너뛰기"}},resolutionOverwrite:{nodeType:"translation",translation:{en:"Overwrite existing",ko:"기존 항목 덮어쓰기"}},resolutionRename:{nodeType:"translation",translation:{en:"Create with new ID",ko:"새 ID로 생성"}},skipDescription:{nodeType:"translation",translation:{en:"Skip configurations that already exist (safest option)",ko:"이미 존재하는 설정은 건너뜁니다 (가장 안전한 옵션)"}},overwriteDescription:{nodeType:"translation",translation:{en:"Replace existing configurations with imported ones",ko:"기존 설정을 가져온 설정으로 대체합니다"}},renameDescription:{nodeType:"translation",translation:{en:"Create new configurations with modified IDs and names",ko:"변경된 ID와 이름으로 새 설정을 생성합니다"}},backToSelect:{nodeType:"translation",translation:{en:"Back",ko:"뒤로"}},startImport:{nodeType:"translation",translation:{en:"Import",ko:"가져오기"}},importing:{nodeType:"translation",translation:{en:"Importing...",ko:"가져오는 중..."}},pleaseWait:{nodeType:"translation",translation:{en:"Please wait...",ko:"잠시 기다려주세요..."}},importComplete:{nodeType:"translation",translation:{en:"Import Complete",ko:"가져오기 완료"}},importFailed:{nodeType:"translation",translation:{en:"Import Failed",ko:"가져오기 실패"}},importSuccess:{nodeType:"translation",translation:{en:"Configuration imported successfully",ko:"설정을 성공적으로 가져왔습니다"}},importPartial:{nodeType:"translation",translation:{en:"Import completed with errors",ko:"가져오기가 오류와 함께 완료되었습니다"}},created:{nodeType:"translation",translation:{en:"Created",ko:"생성됨"}},skipped:{nodeType:"translation",translation:{en:"Skipped",ko:"건너뜀"}},overwritten:{nodeType:"translation",translation:{en:"Overwritten",ko:"덮어씀"}}},common:{active:{nodeType:"translation",translation:{en:"Active",ko:"활성"}},inactive:{nodeType:"translation",translation:{en:"Inactive",ko:"비활성"}},name:{nodeType:"translation",translation:{en:"Name",ko:"이름"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},enabled:{nodeType:"translation",translation:{en:"Enabled",ko:"활성화"}},created:{nodeType:"translation",translation:{en:"Created",ko:"생성됨"}},updated:{nodeType:"translation",translation:{en:"Updated",ko:"수정됨"}}},success:{configCreated:{nodeType:"translation",translation:{en:"Configuration created successfully",ko:"설정이 생성되었습니다"}},configUpdated:{nodeType:"translation",translation:{en:"Configuration updated successfully",ko:"설정이 수정되었습니다"}},configDeleted:{nodeType:"translation",translation:{en:"Configuration deleted successfully",ko:"설정이 삭제되었습니다"}},incidentAcknowledged:{nodeType:"translation",translation:{en:"Incident acknowledged",ko:"인시던트가 확인되었습니다"}},incidentResolved:{nodeType:"translation",translation:{en:"Incident resolved",ko:"인시던트가 해결되었습니다"}}},expressionEditor:{title:{nodeType:"translation",translation:{en:"Expression Editor",ko:"표현식 에디터"}},expressionLabel:{nodeType:"translation",translation:{en:"Expression",ko:"표현식"}},placeholder:{nodeType:"translation",translation:{en:"Enter a Python-like expression, e.g., severity == 'critical' and pass_rate < 0.9",ko:"Python 스타일 표현식을 입력하세요, 예: severity == 'critical' and pass_rate < 0.9"}},helperText:{nodeType:"translation",translation:{en:"Write a Python-like boolean expression. Click variables on the right to insert them.",ko:"Python 스타일 불리언 표현식을 작성하세요. 오른쪽의 변수를 클릭하여 삽입할 수 있습니다."}},contextVariables:{nodeType:"translation",translation:{en:"Context Variables",ko:"컨텍스트 변수"}},builtinFunctions:{nodeType:"translation",translation:{en:"Built-in Functions",ko:"내장 함수"}},selectExample:{nodeType:"translation",translation:{en:"Select example...",ko:"예제 선택..."}},livePreview:{nodeType:"translation",translation:{en:"Live Preview",ko:"실시간 미리보기"}},result:{nodeType:"translation",translation:{en:"Result",ko:"결과"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},matches:{nodeType:"translation",translation:{en:"Matches",ko:"매칭됨"}},noMatch:{nodeType:"translation",translation:{en:"No Match",ko:"매칭 안됨"}},sampleData:{nodeType:"translation",translation:{en:"Sample Data",ko:"샘플 데이터"}},valid:{nodeType:"translation",translation:{en:"Valid",ko:"유효"}},invalid:{nodeType:"translation",translation:{en:"Invalid",ko:"무효"}},advancedSettings:{nodeType:"translation",translation:{en:"Advanced Settings",ko:"고급 설정"}},timeoutLabel:{nodeType:"translation",translation:{en:"Evaluation Timeout",ko:"평가 타임아웃"}},timeoutDescription:{nodeType:"translation",translation:{en:"Maximum time allowed for expression evaluation (seconds)",ko:"표현식 평가에 허용되는 최대 시간 (초)"}},validating:{nodeType:"translation",translation:{en:"Validating...",ko:"검증 중..."}},syntaxError:{nodeType:"translation",translation:{en:"Syntax Error",ko:"구문 오류"}},securityError:{nodeType:"translation",translation:{en:"Security Error",ko:"보안 오류"}},timeoutError:{nodeType:"translation",translation:{en:"Timeout Error",ko:"타임아웃 오류"}},variables:{severity:{nodeType:"translation",translation:{en:"Highest severity level (critical, high, medium, low, info)",ko:"최고 심각도 수준 (critical, high, medium, low, info)"}},issue_count:{nodeType:"translation",translation:{en:"Number of validation issues found",ko:"발견된 검증 이슈 수"}},status:{nodeType:"translation",translation:{en:"Validation status (success, warning, failure, error)",ko:"검증 상태 (success, warning, failure, error)"}},pass_rate:{nodeType:"translation",translation:{en:"Validation pass rate (0.0 to 1.0)",ko:"검증 통과율 (0.0 ~ 1.0)"}},tags:{nodeType:"translation",translation:{en:"List of tags associated with the notification",ko:"알림에 연결된 태그 목록"}},metadata:{nodeType:"translation",translation:{en:"Custom metadata dictionary",ko:"사용자 정의 메타데이터 딕셔너리"}},timestamp:{nodeType:"translation",translation:{en:"When the validation occurred",ko:"검증이 발생한 시간"}},checkpoint_name:{nodeType:"translation",translation:{en:"Name of the validation checkpoint",ko:"검증 체크포인트 이름"}},action_type:{nodeType:"translation",translation:{en:"Type of action (check, learn, profile, compare, scan, mask)",ko:"액션 유형 (check, learn, profile, compare, scan, mask)"}},issues:{nodeType:"translation",translation:{en:"List of issue identifiers",ko:"이슈 식별자 목록"}}},examples:{criticalSeverity:{nodeType:"translation",translation:{en:"Critical severity",ko:"심각도 Critical"}},highOrCritical:{nodeType:"translation",translation:{en:"High or critical severity",ko:"심각도 High 또는 Critical"}},lowPassRate:{nodeType:"translation",translation:{en:"Low pass rate",ko:"낮은 통과율"}},manyIssues:{nodeType:"translation",translation:{en:"Many issues",ko:"이슈가 많음"}},productionTag:{nodeType:"translation",translation:{en:"Production tag",ko:"Production 태그"}},complexCondition:{nodeType:"translation",translation:{en:"Complex condition",ko:"복합 조건"}}}},jinja2Editor:{title:{nodeType:"translation",translation:{en:"Jinja2 Template Editor",ko:"Jinja2 템플릿 에디터"}},templateEditor:{nodeType:"translation",translation:{en:"Template",ko:"템플릿"}},templatePlaceholder:{nodeType:"translation",translation:{en:"Enter Jinja2 template (e.g., {{ severity == 'critical' }})",ko:"Jinja2 템플릿을 입력하세요 (예: {{ severity == 'critical' }})"}},preview:{nodeType:"translation",translation:{en:"Preview",ko:"미리보기"}},output:{nodeType:"translation",translation:{en:"Output",ko:"출력"}},noOutput:{nodeType:"translation",translation:{en:"No output",ko:"출력 없음"}},expectedResult:{nodeType:"translation",translation:{en:"Expected Result",ko:"예상 결과"}},expectedResultHint:{nodeType:"translation",translation:{en:"The template output is compared against this value",ko:"템플릿 출력이 이 값과 비교됩니다"}},sampleData:{nodeType:"translation",translation:{en:"Sample Event Data",ko:"샘플 이벤트 데이터"}},variables:{nodeType:"translation",translation:{en:"Variables",ko:"변수"}},snippets:{nodeType:"translation",translation:{en:"Snippets",ko:"스니펫"}},filters:{nodeType:"translation",translation:{en:"Filters",ko:"필터"}},validate:{nodeType:"translation",translation:{en:"Validate",ko:"검증"}},valid:{nodeType:"translation",translation:{en:"Valid",ko:"유효"}},invalid:{nodeType:"translation",translation:{en:"Invalid",ko:"무효"}},variableDescriptions:{eventSeverity:{nodeType:"translation",translation:{en:"Issue severity level (critical, high, medium, low, info)",ko:"이슈 심각도 수준 (critical, high, medium, low, info)"}},eventIssueCount:{nodeType:"translation",translation:{en:"Number of validation issues found",ko:"발견된 검증 이슈 수"}},eventStatus:{nodeType:"translation",translation:{en:"Validation status (success, warning, failure, error)",ko:"검증 상태 (success, warning, failure, error)"}},eventPassRate:{nodeType:"translation",translation:{en:"Validation pass rate (0.0 - 1.0)",ko:"검증 통과율 (0.0 - 1.0)"}},eventTags:{nodeType:"translation",translation:{en:"Tags associated with the event",ko:"이벤트에 연결된 태그"}},eventMetadata:{nodeType:"translation",translation:{en:"Additional metadata dictionary",ko:"추가 메타데이터 딕셔너리"}},eventSourceName:{nodeType:"translation",translation:{en:"Name of the data source",ko:"데이터 소스 이름"}},eventValidationName:{nodeType:"translation",translation:{en:"Name of the validation that ran",ko:"실행된 검증 이름"}}},snippetCategories:{expressions:{nodeType:"translation",translation:{en:"Expressions",ko:"표현식"}},controlFlow:{nodeType:"translation",translation:{en:"Control Flow",ko:"제어 흐름"}},filters:{nodeType:"translation",translation:{en:"Filters",ko:"필터"}},comments:{nodeType:"translation",translation:{en:"Comments",ko:"주석"}}},snippetDescriptions:{ifElse:{nodeType:"translation",translation:{en:"Conditional block",ko:"조건부 블록"}},ifElifElse:{nodeType:"translation",translation:{en:"Multiple conditions",ko:"다중 조건"}},forLoop:{nodeType:"translation",translation:{en:"Iterate over items",ko:"항목 반복"}},variable:{nodeType:"translation",translation:{en:"Output a variable",ko:"변수 출력"}},filter:{nodeType:"translation",translation:{en:"Apply a filter",ko:"필터 적용"}},comment:{nodeType:"translation",translation:{en:"Add a comment",ko:"주석 추가"}},severityCheck:{nodeType:"translation",translation:{en:"Check if severity is critical",ko:"심각도가 critical인지 확인"}},highSeverity:{nodeType:"translation",translation:{en:"Check high or critical",ko:"high 또는 critical 확인"}},issueThreshold:{nodeType:"translation",translation:{en:"Check issue count threshold",ko:"이슈 수 임계값 확인"}},passRateCheck:{nodeType:"translation",translation:{en:"Check pass rate below threshold",ko:"통과율 임계값 미만 확인"}},tagContains:{nodeType:"translation",translation:{en:"Check if tag exists",ko:"태그 존재 확인"}},combinedCondition:{nodeType:"translation",translation:{en:"Multiple conditions combined",ko:"다중 조건 결합"}}},filterDescriptions:{severityLevel:{nodeType:"translation",translation:{en:"Convert severity string to numeric level (5=critical to 1=info)",ko:"심각도 문자열을 숫자 레벨로 변환 (5=critical ~ 1=info)"}},isCritical:{nodeType:"translation",translation:{en:"Check if severity is critical",ko:"심각도가 critical인지 확인"}},isHighOrCritical:{nodeType:"translation",translation:{en:"Check if severity is high or critical",ko:"심각도가 high 또는 critical인지 확인"}},formatPercentage:{nodeType:"translation",translation:{en:"Format number as percentage",ko:"숫자를 백분율로 포맷"}},formatIssues:{nodeType:"translation",translation:{en:"Format issue list for display",ko:"이슈 목록을 표시용으로 포맷"}},truncateText:{nodeType:"translation",translation:{en:"Truncate text to max length",ko:"텍스트를 최대 길이로 자르기"}},pluralize:{nodeType:"translation",translation:{en:"Return singular or plural form",ko:"단수 또는 복수 형태 반환"}},upper:{nodeType:"translation",translation:{en:"Convert to uppercase",ko:"대문자로 변환"}},lower:{nodeType:"translation",translation:{en:"Convert to lowercase",ko:"소문자로 변환"}},title:{nodeType:"translation",translation:{en:"Convert to title case",ko:"제목 케이스로 변환"}},default:{nodeType:"translation",translation:{en:"Provide default value if undefined",ko:"미정의 시 기본값 제공"}},length:{nodeType:"translation",translation:{en:"Get length of string or list",ko:"문자열 또는 리스트의 길이 가져오기"}},join:{nodeType:"translation",translation:{en:"Join list items with separator",ko:"구분자로 리스트 항목 결합"}},first:{nodeType:"translation",translation:{en:"Get first item of list",ko:"리스트의 첫 번째 항목 가져오기"}},last:{nodeType:"translation",translation:{en:"Get last item of list",ko:"리스트의 마지막 항목 가져오기"}},round:{nodeType:"translation",translation:{en:"Round number to decimal places",ko:"숫자를 소수점 자리로 반올림"}},int:{nodeType:"translation",translation:{en:"Convert to integer",ko:"정수로 변환"}}},validationMessages:{templateEmpty:{nodeType:"translation",translation:{en:"Template cannot be empty",ko:"템플릿은 비워둘 수 없습니다"}},syntaxError:{nodeType:"translation",translation:{en:"Template syntax error",ko:"템플릿 구문 오류"}},renderError:{nodeType:"translation",translation:{en:"Template rendering error",ko:"템플릿 렌더링 오류"}},matchesExpected:{nodeType:"translation",translation:{en:"Output matches expected result",ko:"출력이 예상 결과와 일치합니다"}},doesNotMatchExpected:{nodeType:"translation",translation:{en:"Output does not match expected result",ko:"출력이 예상 결과와 일치하지 않습니다"}}}},errors:{loadFailed:{nodeType:"translation",translation:{en:"Failed to load data",ko:"데이터 로드에 실패했습니다"}},createFailed:{nodeType:"translation",translation:{en:"Failed to create configuration",ko:"설정 생성에 실패했습니다"}},updateFailed:{nodeType:"translation",translation:{en:"Failed to update configuration",ko:"설정 수정에 실패했습니다"}},deleteFailed:{nodeType:"translation",translation:{en:"Failed to delete configuration",ko:"설정 삭제에 실패했습니다"}},acknowledgeFailed:{nodeType:"translation",translation:{en:"Failed to acknowledge incident",ko:"인시던트 확인에 실패했습니다"}},resolveFailed:{nodeType:"translation",translation:{en:"Failed to resolve incident",ko:"인시던트 해결에 실패했습니다"}}}},localId:"notificationsAdvanced::local::src/content/notifications-advanced.content.ts",location:"local",filePath:"src/content/notifications-advanced.content.ts"}],g=[{key:"plugins",content:{title:{nodeType:"translation",translation:{en:"Plugin Marketplace",ko:"플러그인 마켓플레이스"}},description:{nodeType:"translation",translation:{en:"Discover and install plugins to extend dashboard functionality",ko:"대시보드 기능을 확장하는 플러그인을 찾아 설치하세요"}},tabs:{marketplace:{nodeType:"translation",translation:{en:"Marketplace",ko:"마켓플레이스"}},installed:{nodeType:"translation",translation:{en:"Installed",ko:"설치됨"}},validators:{nodeType:"translation",translation:{en:"Custom Validators",ko:"커스텀 검증기"}},reporters:{nodeType:"translation",translation:{en:"Custom Reporters",ko:"커스텀 리포터"}},settings:{nodeType:"translation",translation:{en:"Settings",ko:"설정"}}},types:{validator:{nodeType:"translation",translation:{en:"Validator",ko:"검증기"}},reporter:{nodeType:"translation",translation:{en:"Reporter",ko:"리포터"}},connector:{nodeType:"translation",translation:{en:"Connector",ko:"커넥터"}},transformer:{nodeType:"translation",translation:{en:"Transformer",ko:"변환기"}}},status:{available:{nodeType:"translation",translation:{en:"Available",ko:"사용 가능"}},installed:{nodeType:"translation",translation:{en:"Installed",ko:"설치됨"}},enabled:{nodeType:"translation",translation:{en:"Enabled",ko:"활성화됨"}},disabled:{nodeType:"translation",translation:{en:"Disabled",ko:"비활성화됨"}},updateAvailable:{nodeType:"translation",translation:{en:"Update Available",ko:"업데이트 가능"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}}},security:{trusted:{nodeType:"translation",translation:{en:"Trusted",ko:"신뢰됨"}},verified:{nodeType:"translation",translation:{en:"Verified",ko:"검증됨"}},unverified:{nodeType:"translation",translation:{en:"Unverified",ko:"미검증"}},sandboxed:{nodeType:"translation",translation:{en:"Sandboxed",ko:"샌드박스"}}},sources:{official:{nodeType:"translation",translation:{en:"Official",ko:"공식"}},community:{nodeType:"translation",translation:{en:"Community",ko:"커뮤니티"}},local:{nodeType:"translation",translation:{en:"Local",ko:"로컬"}},private:{nodeType:"translation",translation:{en:"Private",ko:"비공개"}}},actions:{install:{nodeType:"translation",translation:{en:"Install",ko:"설치"}},uninstall:{nodeType:"translation",translation:{en:"Uninstall",ko:"제거"}},enable:{nodeType:"translation",translation:{en:"Enable",ko:"활성화"}},disable:{nodeType:"translation",translation:{en:"Disable",ko:"비활성화"}},update:{nodeType:"translation",translation:{en:"Update",ko:"업데이트"}},configure:{nodeType:"translation",translation:{en:"Configure",ko:"설정"}},test:{nodeType:"translation",translation:{en:"Test",ko:"테스트"}},preview:{nodeType:"translation",translation:{en:"Preview",ko:"미리보기"}},create:{nodeType:"translation",translation:{en:"Create",ko:"생성"}},edit:{nodeType:"translation",translation:{en:"Edit",ko:"수정"}},delete:{nodeType:"translation",translation:{en:"Delete",ko:"삭제"}},save:{nodeType:"translation",translation:{en:"Save",ko:"저장"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}},generate:{nodeType:"translation",translation:{en:"Generate Report",ko:"리포트 생성"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}}},search:{placeholder:{nodeType:"translation",translation:{en:"Search plugins...",ko:"플러그인 검색..."}},filterByType:{nodeType:"translation",translation:{en:"Filter by Type",ko:"타입별 필터"}},filterByStatus:{nodeType:"translation",translation:{en:"Filter by Status",ko:"상태별 필터"}},filterByCategory:{nodeType:"translation",translation:{en:"Filter by Category",ko:"카테고리별 필터"}},sortBy:{nodeType:"translation",translation:{en:"Sort by",ko:"정렬"}},relevance:{nodeType:"translation",translation:{en:"Relevance",ko:"관련성"}},rating:{nodeType:"translation",translation:{en:"Rating",ko:"평점"}},installs:{nodeType:"translation",translation:{en:"Installs",ko:"설치 수"}},updated:{nodeType:"translation",translation:{en:"Recently Updated",ko:"최근 업데이트"}},name:{nodeType:"translation",translation:{en:"Name",ko:"이름"}}},card:{by:{nodeType:"translation",translation:{en:"by",ko:"제작"}},version:{nodeType:"translation",translation:{en:"Version",ko:"버전"}},installs:{nodeType:"translation",translation:{en:"installs",ko:"설치"}},rating:{nodeType:"translation",translation:{en:"rating",ko:"평점"}},lastUpdated:{nodeType:"translation",translation:{en:"Last updated",ko:"마지막 업데이트"}},permissions:{nodeType:"translation",translation:{en:"Permissions",ko:"권한"}},dependencies:{nodeType:"translation",translation:{en:"Dependencies",ko:"의존성"}}},details:{overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},readme:{nodeType:"translation",translation:{en:"README",ko:"README"}},changelog:{nodeType:"translation",translation:{en:"Changelog",ko:"변경 로그"}},reviews:{nodeType:"translation",translation:{en:"Reviews",ko:"리뷰"}},author:{nodeType:"translation",translation:{en:"Author",ko:"작성자"}},license:{nodeType:"translation",translation:{en:"License",ko:"라이선스"}},homepage:{nodeType:"translation",translation:{en:"Homepage",ko:"홈페이지"}},repository:{nodeType:"translation",translation:{en:"Repository",ko:"저장소"}},keywords:{nodeType:"translation",translation:{en:"Keywords",ko:"키워드"}},categories:{nodeType:"translation",translation:{en:"Categories",ko:"카테고리"}}},validator:{title:{nodeType:"translation",translation:{en:"Custom Validators",ko:"커스텀 검증기"}},description:{nodeType:"translation",translation:{en:"Create and manage custom validation rules",ko:"커스텀 검증 규칙을 생성하고 관리합니다"}},createNew:{nodeType:"translation",translation:{en:"Create Validator",ko:"검증기 생성"}},name:{nodeType:"translation",translation:{en:"Validator Name",ko:"검증기 이름"}},displayName:{nodeType:"translation",translation:{en:"Display Name",ko:"표시 이름"}},category:{nodeType:"translation",translation:{en:"Category",ko:"카테고리"}},severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},parameters:{nodeType:"translation",translation:{en:"Parameters",ko:"파라미터"}},code:{nodeType:"translation",translation:{en:"Validator Code",ko:"검증기 코드"}},testCases:{nodeType:"translation",translation:{en:"Test Cases",ko:"테스트 케이스"}},testData:{nodeType:"translation",translation:{en:"Test Data",ko:"테스트 데이터"}},testResult:{nodeType:"translation",translation:{en:"Test Result",ko:"테스트 결과"}},passed:{nodeType:"translation",translation:{en:"Passed",ko:"통과"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},usageCount:{nodeType:"translation",translation:{en:"Usage Count",ko:"사용 횟수"}},lastUsed:{nodeType:"translation",translation:{en:"Last Used",ko:"마지막 사용"}},verified:{nodeType:"translation",translation:{en:"Verified",ko:"검증됨"}},unverified:{nodeType:"translation",translation:{en:"Not Verified",ko:"미검증"}}},reporter:{title:{nodeType:"translation",translation:{en:"Custom Reporters",ko:"커스텀 리포터"}},description:{nodeType:"translation",translation:{en:"Create and manage custom report templates",ko:"커스텀 리포트 템플릿을 생성하고 관리합니다"}},createNew:{nodeType:"translation",translation:{en:"Create Reporter",ko:"리포터 생성"}},name:{nodeType:"translation",translation:{en:"Reporter Name",ko:"리포터 이름"}},displayName:{nodeType:"translation",translation:{en:"Display Name",ko:"표시 이름"}},outputFormats:{nodeType:"translation",translation:{en:"Output Formats",ko:"출력 포맷"}},configFields:{nodeType:"translation",translation:{en:"Configuration Fields",ko:"설정 필드"}},template:{nodeType:"translation",translation:{en:"Jinja2 Template",ko:"Jinja2 템플릿"}},code:{nodeType:"translation",translation:{en:"Reporter Code",ko:"리포터 코드"}},preview:{nodeType:"translation",translation:{en:"Preview",ko:"미리보기"}},usageCount:{nodeType:"translation",translation:{en:"Usage Count",ko:"사용 횟수"}}},paramTypes:{string:{nodeType:"translation",translation:{en:"Text",ko:"텍스트"}},integer:{nodeType:"translation",translation:{en:"Integer",ko:"정수"}},float:{nodeType:"translation",translation:{en:"Decimal",ko:"소수"}},boolean:{nodeType:"translation",translation:{en:"Boolean",ko:"불리언"}},column:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},columnList:{nodeType:"translation",translation:{en:"Column List",ko:"컬럼 목록"}},select:{nodeType:"translation",translation:{en:"Select",ko:"선택"}},multiSelect:{nodeType:"translation",translation:{en:"Multi-Select",ko:"다중 선택"}},regex:{nodeType:"translation",translation:{en:"Regex Pattern",ko:"정규표현식 패턴"}},json:{nodeType:"translation",translation:{en:"JSON",ko:"JSON"}}},outputFormats:{pdf:{nodeType:"translation",translation:{en:"PDF",ko:"PDF"}},html:{nodeType:"translation",translation:{en:"HTML",ko:"HTML"}},json:{nodeType:"translation",translation:{en:"JSON",ko:"JSON"}},csv:{nodeType:"translation",translation:{en:"CSV",ko:"CSV"}},excel:{nodeType:"translation",translation:{en:"Excel",ko:"Excel"}},markdown:{nodeType:"translation",translation:{en:"Markdown",ko:"Markdown"}}},messages:{installSuccess:{nodeType:"translation",translation:{en:"Plugin installed successfully",ko:"플러그인이 성공적으로 설치되었습니다"}},installFailed:{nodeType:"translation",translation:{en:"Failed to install plugin",ko:"플러그인 설치에 실패했습니다"}},uninstallSuccess:{nodeType:"translation",translation:{en:"Plugin uninstalled successfully",ko:"플러그인이 성공적으로 제거되었습니다"}},uninstallFailed:{nodeType:"translation",translation:{en:"Failed to uninstall plugin",ko:"플러그인 제거에 실패했습니다"}},enableSuccess:{nodeType:"translation",translation:{en:"Plugin enabled successfully",ko:"플러그인이 성공적으로 활성화되었습니다"}},disableSuccess:{nodeType:"translation",translation:{en:"Plugin disabled successfully",ko:"플러그인이 성공적으로 비활성화되었습니다"}},createSuccess:{nodeType:"translation",translation:{en:"Created successfully",ko:"성공적으로 생성되었습니다"}},updateSuccess:{nodeType:"translation",translation:{en:"Updated successfully",ko:"성공적으로 업데이트되었습니다"}},deleteSuccess:{nodeType:"translation",translation:{en:"Deleted successfully",ko:"성공적으로 삭제되었습니다"}},testSuccess:{nodeType:"translation",translation:{en:"Test completed successfully",ko:"테스트가 성공적으로 완료되었습니다"}},testFailed:{nodeType:"translation",translation:{en:"Test failed",ko:"테스트에 실패했습니다"}},codeValidationError:{nodeType:"translation",translation:{en:"Code validation failed",ko:"코드 검증에 실패했습니다"}},confirmDelete:{nodeType:"translation",translation:{en:"Are you sure you want to delete this?",ko:"정말 삭제하시겠습니까?"}},confirmUninstall:{nodeType:"translation",translation:{en:"Are you sure you want to uninstall this plugin?",ko:"정말 이 플러그인을 제거하시겠습니까?"}},noPlugins:{nodeType:"translation",translation:{en:"No plugins found",ko:"플러그인을 찾을 수 없습니다"}},noValidators:{nodeType:"translation",translation:{en:"No custom validators found",ko:"커스텀 검증기를 찾을 수 없습니다"}},noReporters:{nodeType:"translation",translation:{en:"No custom reporters found",ko:"커스텀 리포터를 찾을 수 없습니다"}},validatorCreated:{nodeType:"translation",translation:{en:"Validator created successfully",ko:"검증기가 성공적으로 생성되었습니다"}},validatorUpdated:{nodeType:"translation",translation:{en:"Validator updated successfully",ko:"검증기가 성공적으로 업데이트되었습니다"}},validatorDeleted:{nodeType:"translation",translation:{en:"Validator deleted successfully",ko:"검증기가 성공적으로 삭제되었습니다"}},validatorCreateFailed:{nodeType:"translation",translation:{en:"Failed to create validator",ko:"검증기 생성에 실패했습니다"}},validatorUpdateFailed:{nodeType:"translation",translation:{en:"Failed to update validator",ko:"검증기 업데이트에 실패했습니다"}},validatorDeleteFailed:{nodeType:"translation",translation:{en:"Failed to delete validator",ko:"검증기 삭제에 실패했습니다"}},reporterCreated:{nodeType:"translation",translation:{en:"Reporter created successfully",ko:"리포터가 성공적으로 생성되었습니다"}},reporterUpdated:{nodeType:"translation",translation:{en:"Reporter updated successfully",ko:"리포터가 성공적으로 업데이트되었습니다"}},reporterDeleted:{nodeType:"translation",translation:{en:"Reporter deleted successfully",ko:"리포터가 성공적으로 삭제되었습니다"}},reporterCreateFailed:{nodeType:"translation",translation:{en:"Failed to create reporter",ko:"리포터 생성에 실패했습니다"}},reporterUpdateFailed:{nodeType:"translation",translation:{en:"Failed to update reporter",ko:"리포터 업데이트에 실패했습니다"}},reporterDeleteFailed:{nodeType:"translation",translation:{en:"Failed to delete reporter",ko:"리포터 삭제에 실패했습니다"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세보기"}}},stats:{totalPlugins:{nodeType:"translation",translation:{en:"Total Plugins",ko:"전체 플러그인"}},totalValidators:{nodeType:"translation",translation:{en:"Total Validators",ko:"전체 검증기"}},totalReporters:{nodeType:"translation",translation:{en:"Total Reporters",ko:"전체 리포터"}},installedPlugins:{nodeType:"translation",translation:{en:"Installed",ko:"설치됨"}},enabledPlugins:{nodeType:"translation",translation:{en:"Enabled",ko:"활성화됨"}}},securityWarnings:{unverifiedPlugin:{nodeType:"translation",translation:{en:"This plugin is not verified. Install at your own risk.",ko:"이 플러그인은 검증되지 않았습니다. 설치 시 주의하세요."}},unverifiedDescription:{nodeType:"translation",translation:{en:"Unverified plugins have not been reviewed by the security team. They may contain bugs or vulnerabilities.",ko:"미검증 플러그인은 보안 팀의 검토를 거치지 않았습니다. 버그나 취약점이 포함되어 있을 수 있습니다."}},sandboxedExecution:{nodeType:"translation",translation:{en:"This plugin will run in a sandboxed environment.",ko:"이 플러그인은 샌드박스 환경에서 실행됩니다."}},permissionsRequired:{nodeType:"translation",translation:{en:"This plugin requires the following permissions:",ko:"이 플러그인은 다음 권한이 필요합니다:"}}},permissions:{readData:{nodeType:"translation",translation:{en:"Read Data",ko:"데이터 읽기"}},writeData:{nodeType:"translation",translation:{en:"Write Data",ko:"데이터 쓰기"}},networkAccess:{nodeType:"translation",translation:{en:"Network Access",ko:"네트워크 접근"}},fileSystem:{nodeType:"translation",translation:{en:"File System Access",ko:"파일 시스템 접근"}},executeCode:{nodeType:"translation",translation:{en:"Execute Code",ko:"코드 실행"}},sendNotifications:{nodeType:"translation",translation:{en:"Send Notifications",ko:"알림 전송"}},accessSecrets:{nodeType:"translation",translation:{en:"Access Secrets",ko:"시크릿 접근"}}},editor:{basicInfo:{nodeType:"translation",translation:{en:"Basic Information",ko:"기본 정보"}},codeEditor:{nodeType:"translation",translation:{en:"Code Editor",ko:"코드 에디터"}},parametersEditor:{nodeType:"translation",translation:{en:"Parameters",ko:"파라미터"}},testPanel:{nodeType:"translation",translation:{en:"Test Panel",ko:"테스트 패널"}},addParameter:{nodeType:"translation",translation:{en:"Add Parameter",ko:"파라미터 추가"}},removeParameter:{nodeType:"translation",translation:{en:"Remove",ko:"제거"}},paramName:{nodeType:"translation",translation:{en:"Parameter Name",ko:"파라미터 이름"}},paramType:{nodeType:"translation",translation:{en:"Type",ko:"타입"}},paramDescription:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},paramRequired:{nodeType:"translation",translation:{en:"Required",ko:"필수"}},paramDefault:{nodeType:"translation",translation:{en:"Default Value",ko:"기본값"}},loadTemplate:{nodeType:"translation",translation:{en:"Load Template",ko:"템플릿 불러오기"}},runTest:{nodeType:"translation",translation:{en:"Run Test",ko:"테스트 실행"}},clearOutput:{nodeType:"translation",translation:{en:"Clear Output",ko:"출력 지우기"}},createValidator:{nodeType:"translation",translation:{en:"Create Validator",ko:"검증기 생성"}},editValidator:{nodeType:"translation",translation:{en:"Edit Validator",ko:"검증기 수정"}},createValidatorDescription:{nodeType:"translation",translation:{en:"Create a new custom validator with Python code",ko:"Python 코드로 새 커스텀 검증기를 생성합니다"}},editValidatorDescription:{nodeType:"translation",translation:{en:"Edit the custom validator code and settings",ko:"커스텀 검증기 코드와 설정을 수정합니다"}},codeTab:{nodeType:"translation",translation:{en:"Code",ko:"코드"}},settingsTab:{nodeType:"translation",translation:{en:"Settings",ko:"설정"}},testTab:{nodeType:"translation",translation:{en:"Test",ko:"테스트"}},validatorCode:{nodeType:"translation",translation:{en:"Validator Code (Python)",ko:"검증기 코드 (Python)"}},codePlaceholder:{nodeType:"translation",translation:{en:"Enter your validator code here...",ko:"검증기 코드를 입력하세요..."}},parameters:{nodeType:"translation",translation:{en:"Parameters",ko:"파라미터"}},noParameters:{nodeType:"translation",translation:{en:"No parameters defined. Click 'Add Parameter' to define custom parameters.",ko:"정의된 파라미터가 없습니다. '파라미터 추가'를 클릭하여 커스텀 파라미터를 정의하세요."}},displayName:{nodeType:"translation",translation:{en:"Display Name",ko:"표시 이름"}},name:{nodeType:"translation",translation:{en:"Name (identifier)",ko:"이름 (식별자)"}},nameHint:{nodeType:"translation",translation:{en:"Lowercase with underscores, e.g., my_validator",ko:"소문자와 언더스코어 사용, 예: my_validator"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},descriptionPlaceholder:{nodeType:"translation",translation:{en:"Describe what this validator does...",ko:"이 검증기가 하는 일을 설명하세요..."}},category:{nodeType:"translation",translation:{en:"Category",ko:"카테고리"}},severity:{nodeType:"translation",translation:{en:"Severity",ko:"심각도"}},tags:{nodeType:"translation",translation:{en:"Tags",ko:"태그"}},tagPlaceholder:{nodeType:"translation",translation:{en:"Add a tag and press Enter",ko:"태그를 입력하고 Enter를 누르세요"}},addTag:{nodeType:"translation",translation:{en:"Add Tag",ko:"태그 추가"}},enabled:{nodeType:"translation",translation:{en:"Enabled",ko:"활성화"}},testParams:{nodeType:"translation",translation:{en:"Parameter Values",ko:"파라미터 값"}},testData:{nodeType:"translation",translation:{en:"Test Data (JSON)",ko:"테스트 데이터 (JSON)"}},testDataPlaceholder:{nodeType:"translation",translation:{en:"Enter test data in JSON format...",ko:"JSON 형식으로 테스트 데이터를 입력하세요..."}},testDataHint:{nodeType:"translation",translation:{en:"Provide column_name, values, schema, and row_count",ko:"column_name, values, schema, row_count를 제공하세요"}},running:{nodeType:"translation",translation:{en:"Running...",ko:"실행 중..."}},testResults:{nodeType:"translation",translation:{en:"Test Results",ko:"테스트 결과"}},passed:{nodeType:"translation",translation:{en:"Passed",ko:"통과"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},testNoCode:{nodeType:"translation",translation:{en:"Please write some validator code first",ko:"먼저 검증기 코드를 작성하세요"}},testInvalidJson:{nodeType:"translation",translation:{en:"Invalid JSON in test data",ko:"테스트 데이터의 JSON이 유효하지 않습니다"}},testError:{nodeType:"translation",translation:{en:"An error occurred during testing",ko:"테스트 중 오류가 발생했습니다"}},createReporter:{nodeType:"translation",translation:{en:"Create Reporter",ko:"리포터 생성"}},editReporter:{nodeType:"translation",translation:{en:"Edit Reporter",ko:"리포터 수정"}},createReporterDescription:{nodeType:"translation",translation:{en:"Create a new custom reporter with Jinja2 template or Python code",ko:"Jinja2 템플릿 또는 Python 코드로 새 커스텀 리포터를 생성합니다"}},editReporterDescription:{nodeType:"translation",translation:{en:"Edit the custom reporter template and settings",ko:"커스텀 리포터 템플릿과 설정을 수정합니다"}},editorTab:{nodeType:"translation",translation:{en:"Editor",ko:"에디터"}},previewTab:{nodeType:"translation",translation:{en:"Preview",ko:"미리보기"}},jinja2Template:{nodeType:"translation",translation:{en:"Jinja2 Template",ko:"Jinja2 템플릿"}},pythonCode:{nodeType:"translation",translation:{en:"Python Code",ko:"Python 코드"}},templatePlaceholder:{nodeType:"translation",translation:{en:"Enter your Jinja2 template here...",ko:"Jinja2 템플릿을 입력하세요..."}},templateHint:{nodeType:"translation",translation:{en:"Use {{ variable }} for variable interpolation",ko:"변수 보간에 {{ variable }}을 사용하세요"}},codeHint:{nodeType:"translation",translation:{en:"Define a generate_report(data, config, format, metadata) function",ko:"generate_report(data, config, format, metadata) 함수를 정의하세요"}},outputFormats:{nodeType:"translation",translation:{en:"Output Formats",ko:"출력 포맷"}},configFields:{nodeType:"translation",translation:{en:"Configuration Fields",ko:"설정 필드"}},noConfigFields:{nodeType:"translation",translation:{en:"No configuration fields defined",ko:"정의된 설정 필드가 없습니다"}},addField:{nodeType:"translation",translation:{en:"Add Field",ko:"필드 추가"}},fieldName:{nodeType:"translation",translation:{en:"Field Name",ko:"필드 이름"}},fieldType:{nodeType:"translation",translation:{en:"Field Type",ko:"필드 타입"}},fieldLabel:{nodeType:"translation",translation:{en:"Label",ko:"라벨"}},fieldDescription:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},fieldOptionsHint:{nodeType:"translation",translation:{en:"Format: Label:value, or just Label for both",ko:"형식: 라벨:값, 또는 동일할 경우 라벨만"}},required:{nodeType:"translation",translation:{en:"Required",ko:"필수"}},defaultValue:{nodeType:"translation",translation:{en:"Default Value",ko:"기본값"}},minValue:{nodeType:"translation",translation:{en:"Min Value",ko:"최소값"}},maxValue:{nodeType:"translation",translation:{en:"Max Value",ko:"최대값"}},options:{nodeType:"translation",translation:{en:"Options",ko:"옵션"}},optionsHint:{nodeType:"translation",translation:{en:"Comma-separated values",ko:"쉼표로 구분된 값"}},reporterConfig:{nodeType:"translation",translation:{en:"Configuration",ko:"설정"}},sampleData:{nodeType:"translation",translation:{en:"Sample Data (JSON)",ko:"샘플 데이터 (JSON)"}},sampleDataPlaceholder:{nodeType:"translation",translation:{en:"Enter sample data for preview...",ko:"미리보기용 샘플 데이터를 입력하세요..."}},sampleDataHint:{nodeType:"translation",translation:{en:"Data available in template via {{ variable }}",ko:"{{ variable }}을 통해 템플릿에서 사용 가능한 데이터"}},generating:{nodeType:"translation",translation:{en:"Generating...",ko:"생성 중..."}},preview:{nodeType:"translation",translation:{en:"Preview",ko:"미리보기"}},previewResult:{nodeType:"translation",translation:{en:"Preview Result",ko:"미리보기 결과"}},previewNoTemplate:{nodeType:"translation",translation:{en:"Please write a template or code first",ko:"먼저 템플릿 또는 코드를 작성하세요"}},previewInvalidJson:{nodeType:"translation",translation:{en:"Invalid JSON in sample data",ko:"샘플 데이터의 JSON이 유효하지 않습니다"}},previewError:{nodeType:"translation",translation:{en:"An error occurred during preview",ko:"미리보기 중 오류가 발생했습니다"}},validationError:{nodeType:"translation",translation:{en:"Validation Error",ko:"유효성 오류"}},nameRequired:{nodeType:"translation",translation:{en:"Name is required",ko:"이름은 필수입니다"}},displayNameRequired:{nodeType:"translation",translation:{en:"Display name is required",ko:"표시 이름은 필수입니다"}},codeRequired:{nodeType:"translation",translation:{en:"Code is required",ko:"코드는 필수입니다"}},templateOrCodeRequired:{nodeType:"translation",translation:{en:"Template or code is required",ko:"템플릿 또는 코드가 필요합니다"}},saving:{nodeType:"translation",translation:{en:"Saving...",ko:"저장 중..."}}},detail:{overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},changelog:{nodeType:"translation",translation:{en:"Changelog",ko:"변경 로그"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},permissions:{nodeType:"translation",translation:{en:"Permissions Required",ko:"필요한 권한"}},dependencies:{nodeType:"translation",translation:{en:"Dependencies",ko:"의존성"}},contents:{nodeType:"translation",translation:{en:"Plugin Contents",ko:"플러그인 내용"}},validatorsIncluded:{nodeType:"translation",translation:{en:"Custom validators included",ko:"포함된 커스텀 검증기"}},reportersIncluded:{nodeType:"translation",translation:{en:"Custom reporters included",ko:"포함된 커스텀 리포터"}},type:{nodeType:"translation",translation:{en:"Type",ko:"타입"}},source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},license:{nodeType:"translation",translation:{en:"License",ko:"라이선스"}},version:{nodeType:"translation",translation:{en:"Version",ko:"버전"}},homepage:{nodeType:"translation",translation:{en:"Homepage",ko:"홈페이지"}},documentation:{nodeType:"translation",translation:{en:"Documentation",ko:"문서"}},noReadme:{nodeType:"translation",translation:{en:"No README available",ko:"README가 없습니다"}},noChangelog:{nodeType:"translation",translation:{en:"No changelog available",ko:"변경 로그가 없습니다"}}}},localId:"plugins::local::src/content/plugins.content.ts",location:"local",filePath:"src/content/plugins.content.ts"}],h=[{key:"privacy",content:{title:{nodeType:"translation",translation:{en:"Privacy & Compliance",ko:"프라이버시 & 컴플라이언스"}},subtitle:{nodeType:"translation",translation:{en:"Detect and protect sensitive personal information",ko:"민감한 개인정보 탐지 및 보호"}},tabs:{scan:{nodeType:"translation",translation:{en:"PII Scan",ko:"PII 스캔"}},mask:{nodeType:"translation",translation:{en:"Data Masking",ko:"데이터 마스킹"}},history:{nodeType:"translation",translation:{en:"History",ko:"이력"}}},scan:{title:{nodeType:"translation",translation:{en:"PII Detection",ko:"PII 탐지"}},subtitle:{nodeType:"translation",translation:{en:"Scan data sources to detect personally identifiable information",ko:"데이터 소스를 스캔하여 개인 식별 정보 탐지"}},runScan:{nodeType:"translation",translation:{en:"Run Scan",ko:"스캔 실행"}},scanning:{nodeType:"translation",translation:{en:"Scanning...",ko:"스캔 중..."}},scanComplete:{nodeType:"translation",translation:{en:"Scan complete",ko:"스캔 완료"}},scanFailed:{nodeType:"translation",translation:{en:"Scan failed",ko:"스캔 실패"}},columnsScanned:{nodeType:"translation",translation:{en:"Columns Scanned",ko:"스캔된 컬럼"}},columnsWithPII:{nodeType:"translation",translation:{en:"Columns with PII",ko:"PII 포함 컬럼"}},totalFindings:{nodeType:"translation",translation:{en:"Total Findings",ko:"총 발견"}},avgConfidence:{nodeType:"translation",translation:{en:"Avg. Confidence",ko:"평균 신뢰도"}}},piiTypes:{email:{nodeType:"translation",translation:{en:"Email",ko:"이메일"}},phone:{nodeType:"translation",translation:{en:"Phone Number",ko:"전화번호"}},ssn:{nodeType:"translation",translation:{en:"SSN",ko:"주민등록번호"}},credit_card:{nodeType:"translation",translation:{en:"Credit Card",ko:"신용카드"}},ip_address:{nodeType:"translation",translation:{en:"IP Address",ko:"IP 주소"}},date_of_birth:{nodeType:"translation",translation:{en:"Date of Birth",ko:"생년월일"}},address:{nodeType:"translation",translation:{en:"Address",ko:"주소"}},name:{nodeType:"translation",translation:{en:"Name",ko:"이름"}},passport:{nodeType:"translation",translation:{en:"Passport",ko:"여권번호"}},driver_license:{nodeType:"translation",translation:{en:"Driver License",ko:"운전면허"}}},regulations:{title:{nodeType:"translation",translation:{en:"Regulations",ko:"규정"}},gdpr:{nodeType:"translation",translation:{en:"GDPR",ko:"GDPR"}},ccpa:{nodeType:"translation",translation:{en:"CCPA",ko:"CCPA"}},lgpd:{nodeType:"translation",translation:{en:"LGPD",ko:"LGPD"}},hipaa:{nodeType:"translation",translation:{en:"HIPAA",ko:"HIPAA"}},pci_dss:{nodeType:"translation",translation:{en:"PCI-DSS",ko:"PCI-DSS"}}},mask:{title:{nodeType:"translation",translation:{en:"Data Masking",ko:"데이터 마스킹"}},subtitle:{nodeType:"translation",translation:{en:"Apply masking strategies to protect sensitive data",ko:"민감한 데이터 보호를 위한 마스킹 전략 적용"}},runMask:{nodeType:"translation",translation:{en:"Apply Masking",ko:"마스킹 적용"}},masking:{nodeType:"translation",translation:{en:"Masking...",ko:"마스킹 중..."}},maskComplete:{nodeType:"translation",translation:{en:"Masking complete",ko:"마스킹 완료"}},maskFailed:{nodeType:"translation",translation:{en:"Masking failed",ko:"마스킹 실패"}},columnsMasked:{nodeType:"translation",translation:{en:"Columns Masked",ko:"마스킹된 컬럼"}},outputPath:{nodeType:"translation",translation:{en:"Output Path",ko:"출력 경로"}},downloadMasked:{nodeType:"translation",translation:{en:"Download Masked Data",ko:"마스킹된 데이터 다운로드"}}},strategies:{title:{nodeType:"translation",translation:{en:"Masking Strategy",ko:"마스킹 전략"}},redact:{nodeType:"translation",translation:{en:"Redact",ko:"삭제"}},redactDesc:{nodeType:"translation",translation:{en:"Replace sensitive values with asterisks or placeholder text",ko:"민감한 값을 별표 또는 플레이스홀더 텍스트로 대체"}},hash:{nodeType:"translation",translation:{en:"Hash",ko:"해시"}},hashDesc:{nodeType:"translation",translation:{en:"Apply one-way hashing to preserve referential integrity",ko:"참조 무결성 유지를 위한 단방향 해싱 적용"}},fake:{nodeType:"translation",translation:{en:"Fake",ko:"가짜 데이터"}},fakeDesc:{nodeType:"translation",translation:{en:"Generate realistic fake data while preserving format",ko:"형식을 유지하면서 현실적인 가짜 데이터 생성"}}},config:{selectSource:{nodeType:"translation",translation:{en:"Select Data Source",ko:"데이터 소스 선택"}},selectColumns:{nodeType:"translation",translation:{en:"Select Columns",ko:"컬럼 선택"}},allColumns:{nodeType:"translation",translation:{en:"All Columns",ko:"모든 컬럼"}},minConfidence:{nodeType:"translation",translation:{en:"Minimum Confidence",ko:"최소 신뢰도"}},minConfidenceDesc:{nodeType:"translation",translation:{en:"Minimum confidence threshold for PII detection",ko:"PII 탐지를 위한 최소 신뢰도 임계값"}},selectRegulations:{nodeType:"translation",translation:{en:"Select Regulations",ko:"규정 선택"}}},table:{column:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},piiType:{nodeType:"translation",translation:{en:"PII Type",ko:"PII 유형"}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},sampleCount:{nodeType:"translation",translation:{en:"Sample Count",ko:"샘플 수"}},regulation:{nodeType:"translation",translation:{en:"Regulation",ko:"규정"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},actions:{nodeType:"translation",translation:{en:"Actions",ko:"작업"}}},risk:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}}},empty:{noScans:{nodeType:"translation",translation:{en:"No scans yet",ko:"스캔 기록 없음"}},noScansDesc:{nodeType:"translation",translation:{en:"Run a PII scan to detect sensitive data in your sources",ko:"소스에서 민감한 데이터를 탐지하려면 PII 스캔을 실행하세요"}},noMasks:{nodeType:"translation",translation:{en:"No masking operations yet",ko:"마스킹 작업 없음"}},noMasksDesc:{nodeType:"translation",translation:{en:"Apply masking to protect sensitive data",ko:"민감한 데이터 보호를 위해 마스킹을 적용하세요"}},noPIIFound:{nodeType:"translation",translation:{en:"No PII detected",ko:"PII가 감지되지 않았습니다"}},noPIIFoundDesc:{nodeType:"translation",translation:{en:"Great! No personally identifiable information was found",ko:"좋습니다! 개인 식별 정보가 발견되지 않았습니다"}}},history:{scanHistory:{nodeType:"translation",translation:{en:"Scan History",ko:"스캔 이력"}},maskHistory:{nodeType:"translation",translation:{en:"Masking History",ko:"마스킹 이력"}},ranAt:{nodeType:"translation",translation:{en:"Ran at",ko:"실행 시간"}},duration:{nodeType:"translation",translation:{en:"Duration",ko:"소요 시간"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}}},actions:{maskColumn:{nodeType:"translation",translation:{en:"Mask Column",ko:"컬럼 마스킹"}},ignoreColumn:{nodeType:"translation",translation:{en:"Ignore",ko:"무시"}},markSafe:{nodeType:"translation",translation:{en:"Mark as Safe",ko:"안전으로 표시"}},exportReport:{nodeType:"translation",translation:{en:"Export Report",ko:"보고서 내보내기"}}},messages:{selectSourceFirst:{nodeType:"translation",translation:{en:"Please select a data source first",ko:"먼저 데이터 소스를 선택하세요"}},scanStarted:{nodeType:"translation",translation:{en:"Scan started",ko:"스캔이 시작되었습니다"}},maskingStarted:{nodeType:"translation",translation:{en:"Masking started",ko:"마스킹이 시작되었습니다"}}}},localId:"privacy::local::src/content/privacy.content.ts",location:"local",filePath:"src/content/privacy.content.ts"}],f=[{key:"profileComparison",content:{comparisonSummary:{nodeType:"translation",translation:{en:"Comparison Summary",ko:"비교 요약"}},columnDetails:{nodeType:"translation",translation:{en:"Column Details",ko:"컬럼 상세"}},profileHistory:{nodeType:"translation",translation:{en:"Profile History",ko:"프로파일 이력"}},profileTrends:{nodeType:"translation",translation:{en:"Profile Trends",ko:"프로파일 추이"}},comparingProfiles:{nodeType:"translation",translation:{en:"Comparing profiles from",ko:"프로파일 비교:"}},to:{nodeType:"translation",translation:{en:"to",ko:"에서"}},totalColumns:{nodeType:"translation",translation:{en:"Total Columns",ko:"전체 컬럼"}},withChanges:{nodeType:"translation",translation:{en:"With Changes",ko:"변경됨"}},significantChanges:{nodeType:"translation",translation:{en:"Significant",ko:"중요 변경"}},improved:{nodeType:"translation",translation:{en:"Improved",ko:"개선됨"}},degraded:{nodeType:"translation",translation:{en:"Degraded",ko:"악화됨"}},rowCountChange:{nodeType:"translation",translation:{en:"Row Count Change",ko:"행 수 변화"}},column:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},metric:{nodeType:"translation",translation:{en:"Metric",ko:"지표"}},baseline:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},change:{nodeType:"translation",translation:{en:"Change",ko:"변화"}},trend:{nodeType:"translation",translation:{en:"Trend",ko:"추이"}},profilesAvailable:{nodeType:"translation",translation:{en:"profiles available",ko:"개의 프로파일 사용 가능"}},selectProfiles:{nodeType:"translation",translation:{en:"Select 2 profiles to compare",ko:"비교할 2개의 프로파일을 선택하세요"}},selectOneMore:{nodeType:"translation",translation:{en:"Select 1 more profile",ko:"1개의 프로파일을 더 선택하세요"}},readyToCompare:{nodeType:"translation",translation:{en:"Ready to compare",ko:"비교 준비 완료"}},compareSelected:{nodeType:"translation",translation:{en:"Compare Selected",ko:"선택 항목 비교"}},comparing:{nodeType:"translation",translation:{en:"Comparing...",ko:"비교 중..."}},baselineLabel:{nodeType:"translation",translation:{en:"Baseline",ko:"기준"}},currentLabel:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},latest:{nodeType:"translation",translation:{en:"Latest",ko:"최신"}},date:{nodeType:"translation",translation:{en:"Date",ko:"날짜"}},rows:{nodeType:"translation",translation:{en:"Rows",ko:"행"}},columns:{nodeType:"translation",translation:{en:"Columns",ko:"컬럼"}},size:{nodeType:"translation",translation:{en:"Size",ko:"크기"}},nullPct:{nodeType:"translation",translation:{en:"Null %",ko:"Null %"}},uniquePct:{nodeType:"translation",translation:{en:"Unique %",ko:"고유 %"}},granularity:{nodeType:"translation",translation:{en:"Granularity",ko:"단위"}},daily:{nodeType:"translation",translation:{en:"Daily",ko:"일별"}},weekly:{nodeType:"translation",translation:{en:"Weekly",ko:"주별"}},monthly:{nodeType:"translation",translation:{en:"Monthly",ko:"월별"}},rowCountOverTime:{nodeType:"translation",translation:{en:"Row Count Over Time",ko:"시간별 행 수"}},dataQualityMetrics:{nodeType:"translation",translation:{en:"Data Quality Metrics",ko:"데이터 품질 지표"}},avgNullAndUnique:{nodeType:"translation",translation:{en:"Average null and unique percentages over time",ko:"시간별 평균 null 및 고유 비율"}},rowCount:{nodeType:"translation",translation:{en:"Row Count",ko:"행 수"}},avgNullPct:{nodeType:"translation",translation:{en:"Avg Null %",ko:"평균 Null %"}},avgUniquePct:{nodeType:"translation",translation:{en:"Avg Unique %",ko:"평균 고유 %"}},up:{nodeType:"translation",translation:{en:"up",ko:"증가"}},down:{nodeType:"translation",translation:{en:"down",ko:"감소"}},stable:{nodeType:"translation",translation:{en:"stable",ko:"안정"}},dataPoints:{nodeType:"translation",translation:{en:"data points",ko:"개의 데이터 포인트"}},noProfileHistory:{nodeType:"translation",translation:{en:"No profile history available.",ko:"프로파일 이력이 없습니다."}},runProfilingFirst:{nodeType:"translation",translation:{en:"Run profiling to create the first snapshot.",ko:"프로파일링을 실행하여 첫 스냅샷을 생성하세요."}},loadingHistory:{nodeType:"translation",translation:{en:"Loading profile history...",ko:"프로파일 이력 로딩 중..."}},notEnoughProfiles:{nodeType:"translation",translation:{en:"Not enough profiles to compare. Need at least 2 profiles.",ko:"비교할 프로파일이 부족합니다. 최소 2개의 프로파일이 필요합니다."}},periodFrom:{nodeType:"translation",translation:{en:"from",ko:"시작"}},periodTo:{nodeType:"translation",translation:{en:"to",ko:"종료"}}},localId:"profileComparison::local::src/content/profile-comparison.content.ts",location:"local",filePath:"src/content/profile-comparison.content.ts"}],v=[{key:"profiler",content:{samplingConfig:{nodeType:"translation",translation:{en:"Sampling Configuration",ko:"샘플링 설정"}},patternDetection:{nodeType:"translation",translation:{en:"Pattern Detection",ko:"패턴 감지"}},advancedOptions:{nodeType:"translation",translation:{en:"Advanced Options",ko:"고급 옵션"}},profilingResults:{nodeType:"translation",translation:{en:"Profiling Results",ko:"프로파일링 결과"}},samplingStrategy:{nodeType:"translation",translation:{en:"Sampling Strategy",ko:"샘플링 전략"}},sampleSize:{nodeType:"translation",translation:{en:"Sample Size",ko:"샘플 크기"}},confidenceLevel:{nodeType:"translation",translation:{en:"Confidence Level",ko:"신뢰 수준"}},marginOfError:{nodeType:"translation",translation:{en:"Margin of Error",ko:"오차 범위"}},strataColumn:{nodeType:"translation",translation:{en:"Stratification Column",ko:"계층화 컬럼"}},randomSeed:{nodeType:"translation",translation:{en:"Random Seed",ko:"랜덤 시드"}},strategies:{none:{nodeType:"translation",translation:{en:"None (Profile All Data)",ko:"없음 (전체 데이터 프로파일링)"}},head:{nodeType:"translation",translation:{en:"Head (First N Rows)",ko:"헤드 (첫 N개 행)"}},random:{nodeType:"translation",translation:{en:"Random Sampling",ko:"랜덤 샘플링"}},systematic:{nodeType:"translation",translation:{en:"Systematic (Every Nth Row)",ko:"체계적 샘플링 (N번째 행마다)"}},stratified:{nodeType:"translation",translation:{en:"Stratified (Maintain Distribution)",ko:"계층적 샘플링 (분포 유지)"}},reservoir:{nodeType:"translation",translation:{en:"Reservoir (Streaming)",ko:"저수지 샘플링 (스트리밍)"}},adaptive:{nodeType:"translation",translation:{en:"Adaptive (Auto-Select)",ko:"적응형 (자동 선택)"}},hash:{nodeType:"translation",translation:{en:"Hash (Deterministic)",ko:"해시 (결정적)"}}},strategyDescriptions:{none:{nodeType:"translation",translation:{en:"Profile all rows. Best for small datasets (<100K rows).",ko:"모든 행을 프로파일링합니다. 소규모 데이터셋(<100K 행)에 적합합니다."}},head:{nodeType:"translation",translation:{en:"Use first N rows. Fast but may not represent full distribution.",ko:"첫 N개 행을 사용합니다. 빠르지만 전체 분포를 대표하지 않을 수 있습니다."}},random:{nodeType:"translation",translation:{en:"Random selection of rows. Good general-purpose strategy.",ko:"무작위로 행을 선택합니다. 범용적으로 좋은 전략입니다."}},systematic:{nodeType:"translation",translation:{en:"Select every Nth row. Good for ordered datasets.",ko:"N번째마다 행을 선택합니다. 정렬된 데이터셋에 적합합니다."}},stratified:{nodeType:"translation",translation:{en:"Maintain category distribution. Best for categorical data.",ko:"카테고리 분포를 유지합니다. 범주형 데이터에 적합합니다."}},reservoir:{nodeType:"translation",translation:{en:"Single-pass streaming algorithm. Good for very large datasets.",ko:"단일 패스 스트리밍 알고리즘. 매우 큰 데이터셋에 적합합니다."}},adaptive:{nodeType:"translation",translation:{en:"Automatically selects best strategy based on data characteristics.",ko:"데이터 특성에 따라 자동으로 최적 전략을 선택합니다."}},hash:{nodeType:"translation",translation:{en:"Deterministic selection using hash. Reproducible results.",ko:"해시를 사용한 결정적 선택. 재현 가능한 결과."}}},enablePatternDetection:{nodeType:"translation",translation:{en:"Enable Pattern Detection",ko:"패턴 감지 활성화"}},patternSampleSize:{nodeType:"translation",translation:{en:"Pattern Sample Size",ko:"패턴 샘플 크기"}},minPatternConfidence:{nodeType:"translation",translation:{en:"Minimum Confidence",ko:"최소 신뢰도"}},patternsToDetect:{nodeType:"translation",translation:{en:"Patterns to Detect",ko:"감지할 패턴"}},allPatterns:{nodeType:"translation",translation:{en:"All Patterns",ko:"모든 패턴"}},patterns:{email:{nodeType:"translation",translation:{en:"Email",ko:"이메일"}},phone:{nodeType:"translation",translation:{en:"Phone",ko:"전화번호"}},uuid:{nodeType:"translation",translation:{en:"UUID",ko:"UUID"}},url:{nodeType:"translation",translation:{en:"URL",ko:"URL"}},ip_address:{nodeType:"translation",translation:{en:"IP Address",ko:"IP 주소"}},credit_card:{nodeType:"translation",translation:{en:"Credit Card",ko:"신용카드"}},date:{nodeType:"translation",translation:{en:"Date",ko:"날짜"}},datetime:{nodeType:"translation",translation:{en:"DateTime",ko:"날짜시간"}},korean_rrn:{nodeType:"translation",translation:{en:"Korean RRN",ko:"주민등록번호"}},korean_phone:{nodeType:"translation",translation:{en:"Korean Phone",ko:"한국 전화번호"}},ssn:{nodeType:"translation",translation:{en:"SSN",ko:"사회보장번호"}},postal_code:{nodeType:"translation",translation:{en:"Postal Code",ko:"우편번호"}},currency:{nodeType:"translation",translation:{en:"Currency",ko:"통화"}},percentage:{nodeType:"translation",translation:{en:"Percentage",ko:"백분율"}}},includeHistograms:{nodeType:"translation",translation:{en:"Include Histograms",ko:"히스토그램 포함"}},includeCorrelations:{nodeType:"translation",translation:{en:"Include Correlations",ko:"상관관계 포함"}},includeCardinality:{nodeType:"translation",translation:{en:"Include Cardinality Estimates",ko:"카디널리티 추정 포함"}},samplingUsed:{nodeType:"translation",translation:{en:"Sampling Used",ko:"사용된 샘플링"}},totalRows:{nodeType:"translation",translation:{en:"Total Rows",ko:"전체 행 수"}},sampledRows:{nodeType:"translation",translation:{en:"Sampled Rows",ko:"샘플링된 행"}},samplingRatio:{nodeType:"translation",translation:{en:"Sampling Ratio",ko:"샘플링 비율"}},seedUsed:{nodeType:"translation",translation:{en:"Seed Used",ko:"사용된 시드"}},detectedPatterns:{nodeType:"translation",translation:{en:"Detected Patterns",ko:"감지된 패턴"}},primaryPattern:{nodeType:"translation",translation:{en:"Primary Pattern",ko:"주요 패턴"}},patternConfidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},matchCount:{nodeType:"translation",translation:{en:"Matches",ko:"일치 수"}},matchPercentage:{nodeType:"translation",translation:{en:"Match %",ko:"일치율"}},sampleMatches:{nodeType:"translation",translation:{en:"Sample Matches",ko:"샘플 일치"}},inferredType:{nodeType:"translation",translation:{en:"Inferred Type",ko:"추론된 타입"}},columnStatistics:{nodeType:"translation",translation:{en:"Column Statistics",ko:"컬럼 통계"}},basicStats:{nodeType:"translation",translation:{en:"Basic Statistics",ko:"기본 통계"}},distributionStats:{nodeType:"translation",translation:{en:"Distribution",ko:"분포"}},stringStats:{nodeType:"translation",translation:{en:"String Statistics",ko:"문자열 통계"}},nullCount:{nodeType:"translation",translation:{en:"Null Count",ko:"Null 개수"}},distinctCount:{nodeType:"translation",translation:{en:"Distinct Count",ko:"고유값 개수"}},isUnique:{nodeType:"translation",translation:{en:"Is Unique",ko:"고유 여부"}},median:{nodeType:"translation",translation:{en:"Median",ko:"중앙값"}},q1:{nodeType:"translation",translation:{en:"Q1 (25%)",ko:"Q1 (25%)"}},q3:{nodeType:"translation",translation:{en:"Q3 (75%)",ko:"Q3 (75%)"}},skewness:{nodeType:"translation",translation:{en:"Skewness",ko:"왜도"}},kurtosis:{nodeType:"translation",translation:{en:"Kurtosis",ko:"첨도"}},minLength:{nodeType:"translation",translation:{en:"Min Length",ko:"최소 길이"}},maxLength:{nodeType:"translation",translation:{en:"Max Length",ko:"최대 길이"}},avgLength:{nodeType:"translation",translation:{en:"Avg Length",ko:"평균 길이"}},cardinalityEstimate:{nodeType:"translation",translation:{en:"Cardinality Estimate",ko:"카디널리티 추정"}},histogram:{nodeType:"translation",translation:{en:"Value Distribution",ko:"값 분포"}},bucket:{nodeType:"translation",translation:{en:"Range",ko:"범위"}},count:{nodeType:"translation",translation:{en:"Count",ko:"개수"}},percentage:{nodeType:"translation",translation:{en:"Percentage",ko:"비율"}},runProfileWithConfig:{nodeType:"translation",translation:{en:"Run Profile with Configuration",ko:"설정으로 프로파일 실행"}},useDefaultSettings:{nodeType:"translation",translation:{en:"Use Default Settings",ko:"기본 설정 사용"}},resetToDefaults:{nodeType:"translation",translation:{en:"Reset to Defaults",ko:"기본값으로 재설정"}},tooltips:{confidenceLevel:{nodeType:"translation",translation:{en:"Higher confidence requires larger samples but gives more reliable results.",ko:"높은 신뢰 수준은 더 큰 샘플을 필요로 하지만 더 신뢰할 수 있는 결과를 제공합니다."}},marginOfError:{nodeType:"translation",translation:{en:"Smaller margin of error requires larger samples for statistical accuracy.",ko:"작은 오차 범위는 통계적 정확성을 위해 더 큰 샘플을 필요로 합니다."}},strataColumn:{nodeType:"translation",translation:{en:"Select a categorical column to ensure proportional sampling from each category.",ko:"각 카테고리에서 비례 샘플링을 보장하려면 범주형 컬럼을 선택하세요."}},randomSeed:{nodeType:"translation",translation:{en:"Set a seed for reproducible sampling results across runs.",ko:"실행 간에 재현 가능한 샘플링 결과를 위해 시드를 설정하세요."}}},presets:{label:{nodeType:"translation",translation:{en:"Presets",ko:"프리셋"}},quick:{nodeType:"translation",translation:{en:"Quick Scan",ko:"빠른 스캔"}},quickDesc:{nodeType:"translation",translation:{en:"Fast profiling with head sampling",ko:"헤드 샘플링으로 빠른 프로파일링"}},balanced:{nodeType:"translation",translation:{en:"Balanced",ko:"균형"}},balancedDesc:{nodeType:"translation",translation:{en:"Good balance of speed and accuracy",ko:"속도와 정확성의 적절한 균형"}},thorough:{nodeType:"translation",translation:{en:"Thorough",ko:"철저함"}},thoroughDesc:{nodeType:"translation",translation:{en:"Complete profiling with all features",ko:"모든 기능을 포함한 완전한 프로파일링"}},custom:{nodeType:"translation",translation:{en:"Custom",ko:"사용자 정의"}}},profilingDuration:{nodeType:"translation",translation:{en:"Profiling Duration",ko:"프로파일링 소요 시간"}},profiledAt:{nodeType:"translation",translation:{en:"Profiled At",ko:"프로파일링 시간"}},patternsSummary:{nodeType:"translation",translation:{en:"Patterns Detected Summary",ko:"감지된 패턴 요약"}},columnsWithPatterns:{nodeType:"translation",translation:{en:"Columns with Patterns",ko:"패턴이 있는 컬럼"}}},localId:"profiler::local::src/content/profiler.content.ts",location:"local",filePath:"src/content/profiler.content.ts"}],C=[{key:"reports",content:{pageTitle:{nodeType:"translation",translation:{en:"Reports",ko:"리포트"}},pageDescription:{nodeType:"translation",translation:{en:"View and manage generated validation reports",ko:"생성된 검증 리포트 조회 및 관리"}},downloadReport:{nodeType:"translation",translation:{en:"Download Report",ko:"리포트 다운로드"}},selectFormat:{nodeType:"translation",translation:{en:"Select Format",ko:"형식 선택"}},selectTheme:{nodeType:"translation",translation:{en:"Select Theme",ko:"테마 선택"}},selectLanguage:{nodeType:"translation",translation:{en:"Report Language",ko:"리포트 언어"}},formatHtml:{nodeType:"translation",translation:{en:"HTML",ko:"HTML"}},formatCsv:{nodeType:"translation",translation:{en:"CSV",ko:"CSV"}},formatJson:{nodeType:"translation",translation:{en:"JSON",ko:"JSON"}},formatMarkdown:{nodeType:"translation",translation:{en:"Markdown",ko:"Markdown"}},formatPdf:{nodeType:"translation",translation:{en:"PDF",ko:"PDF"}},formatJunit:{nodeType:"translation",translation:{en:"JUnit XML (CI/CD)",ko:"JUnit XML (CI/CD)"}},formatExcel:{nodeType:"translation",translation:{en:"Excel",ko:"Excel"}},themeLight:{nodeType:"translation",translation:{en:"Light",ko:"라이트"}},themeDark:{nodeType:"translation",translation:{en:"Dark",ko:"다크"}},themeProfessional:{nodeType:"translation",translation:{en:"Professional",ko:"프로페셔널"}},themeMinimal:{nodeType:"translation",translation:{en:"Minimal",ko:"미니멀"}},themeHighContrast:{nodeType:"translation",translation:{en:"High Contrast",ko:"고대비"}},languageEnglish:{nodeType:"translation",translation:{en:"English",ko:"영어"}},languageKorean:{nodeType:"translation",translation:{en:"Korean",ko:"한국어"}},languageJapanese:{nodeType:"translation",translation:{en:"Japanese",ko:"일본어"}},languageChinese:{nodeType:"translation",translation:{en:"Chinese",ko:"중국어"}},languageGerman:{nodeType:"translation",translation:{en:"German",ko:"독일어"}},languageFrench:{nodeType:"translation",translation:{en:"French",ko:"프랑스어"}},languageSpanish:{nodeType:"translation",translation:{en:"Spanish",ko:"스페인어"}},languagePortuguese:{nodeType:"translation",translation:{en:"Portuguese",ko:"포르투갈어"}},languageItalian:{nodeType:"translation",translation:{en:"Italian",ko:"이탈리아어"}},languageRussian:{nodeType:"translation",translation:{en:"Russian",ko:"러시아어"}},languageArabic:{nodeType:"translation",translation:{en:"Arabic",ko:"아랍어"}},languageThai:{nodeType:"translation",translation:{en:"Thai",ko:"태국어"}},languageVietnamese:{nodeType:"translation",translation:{en:"Vietnamese",ko:"베트남어"}},languageIndonesian:{nodeType:"translation",translation:{en:"Indonesian",ko:"인도네시아어"}},languageTurkish:{nodeType:"translation",translation:{en:"Turkish",ko:"터키어"}},downloadSuccess:{nodeType:"translation",translation:{en:"Download Started",ko:"다운로드 시작됨"}},reportDownloaded:{nodeType:"translation",translation:{en:"report downloaded",ko:"리포트 다운로드됨"}},downloadFailed:{nodeType:"translation",translation:{en:"Failed to download report",ko:"리포트 다운로드 실패"}},previewReport:{nodeType:"translation",translation:{en:"Preview Report",ko:"리포트 미리보기"}},customReporters:{nodeType:"translation",translation:{en:"Custom Reporters",ko:"커스텀 리포터"}},noConfigRequired:{nodeType:"translation",translation:{en:"No configuration required.",ko:"설정이 필요하지 않습니다."}},generateReport:{nodeType:"translation",translation:{en:"Generate Report",ko:"리포트 생성"}},generating:{nodeType:"translation",translation:{en:"Generating...",ko:"생성 중..."}},customReportDownloaded:{nodeType:"translation",translation:{en:"Custom report downloaded",ko:"커스텀 리포트 다운로드됨"}},configureReporter:{nodeType:"translation",translation:{en:"Configure and generate custom report",ko:"커스텀 리포트 설정 및 생성"}},clickToGenerate:{nodeType:"translation",translation:{en:"Click generate to create the report",ko:"생성 버튼을 클릭하여 리포트 생성"}},languageSelectionHint:{nodeType:"translation",translation:{en:"Select the language for report content (15 languages supported)",ko:"리포트 콘텐츠 언어 선택 (15개 언어 지원)"}},defaultLanguage:{nodeType:"translation",translation:{en:"Default (English)",ko:"기본값 (영어)"}},reportHistory:{nodeType:"translation",translation:{en:"Report History",ko:"리포트 이력"}},historyDescription:{nodeType:"translation",translation:{en:"Browse and download previously generated reports",ko:"이전에 생성된 리포트 조회 및 다운로드"}},noReports:{nodeType:"translation",translation:{en:"No reports found",ko:"리포트가 없습니다"}},noReportsDescription:{nodeType:"translation",translation:{en:"Generate a report from a validation result to see it here",ko:"검증 결과에서 리포트를 생성하면 여기에 표시됩니다"}},statistics:{nodeType:"translation",translation:{en:"Statistics",ko:"통계"}},totalReports:{nodeType:"translation",translation:{en:"Total Reports",ko:"총 리포트"}},totalSize:{nodeType:"translation",translation:{en:"Total Size",ko:"총 용량"}},totalDownloads:{nodeType:"translation",translation:{en:"Total Downloads",ko:"총 다운로드"}},avgGenerationTime:{nodeType:"translation",translation:{en:"Avg. Generation Time",ko:"평균 생성 시간"}},expiredReports:{nodeType:"translation",translation:{en:"Expired Reports",ko:"만료된 리포트"}},reportersUsed:{nodeType:"translation",translation:{en:"Reporters Used",ko:"사용된 리포터"}},statusPending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},statusGenerating:{nodeType:"translation",translation:{en:"Generating",ko:"생성 중"}},statusCompleted:{nodeType:"translation",translation:{en:"Completed",ko:"완료"}},statusFailed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},statusExpired:{nodeType:"translation",translation:{en:"Expired",ko:"만료"}},filterByFormat:{nodeType:"translation",translation:{en:"Filter by Format",ko:"형식별 필터"}},filterByStatus:{nodeType:"translation",translation:{en:"Filter by Status",ko:"상태별 필터"}},filterBySource:{nodeType:"translation",translation:{en:"Filter by Source",ko:"소스별 필터"}},includeExpired:{nodeType:"translation",translation:{en:"Include Expired",ko:"만료된 항목 포함"}},searchPlaceholder:{nodeType:"translation",translation:{en:"Search reports...",ko:"리포트 검색..."}},allFormats:{nodeType:"translation",translation:{en:"All Formats",ko:"모든 형식"}},allStatuses:{nodeType:"translation",translation:{en:"All Statuses",ko:"모든 상태"}},allSources:{nodeType:"translation",translation:{en:"All Sources",ko:"모든 소스"}},download:{nodeType:"translation",translation:{en:"Download",ko:"다운로드"}},delete:{nodeType:"translation",translation:{en:"Delete",ko:"삭제"}},regenerate:{nodeType:"translation",translation:{en:"Regenerate",ko:"재생성"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},bulkGenerate:{nodeType:"translation",translation:{en:"Bulk Generate",ko:"일괄 생성"}},cleanupExpired:{nodeType:"translation",translation:{en:"Cleanup Expired",ko:"만료 정리"}},manageReporters:{nodeType:"translation",translation:{en:"Manage Reporters",ko:"리포터 관리"}},reportName:{nodeType:"translation",translation:{en:"Report Name",ko:"리포트 이름"}},format:{nodeType:"translation",translation:{en:"Format",ko:"형식"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},source:{nodeType:"translation",translation:{en:"Source",ko:"소스"}},validation:{nodeType:"translation",translation:{en:"Validation",ko:"검증"}},reporter:{nodeType:"translation",translation:{en:"Reporter",ko:"리포터"}},theme:{nodeType:"translation",translation:{en:"Theme",ko:"테마"}},locale:{nodeType:"translation",translation:{en:"Language",ko:"언어"}},fileSize:{nodeType:"translation",translation:{en:"File Size",ko:"파일 크기"}},generationTime:{nodeType:"translation",translation:{en:"Generation Time",ko:"생성 시간"}},downloadCount:{nodeType:"translation",translation:{en:"Download Count",ko:"다운로드 횟수"}},createdAt:{nodeType:"translation",translation:{en:"Created At",ko:"생성일"}},expiresAt:{nodeType:"translation",translation:{en:"Expires At",ko:"만료일"}},errorMessage:{nodeType:"translation",translation:{en:"Error Message",ko:"오류 메시지"}},neverExpires:{nodeType:"translation",translation:{en:"Never Expires",ko:"만료 없음"}},noSource:{nodeType:"translation",translation:{en:"No Source",ko:"소스 없음"}},noReporter:{nodeType:"translation",translation:{en:"Standard Reporter",ko:"기본 리포터"}},bulkGenerateTitle:{nodeType:"translation",translation:{en:"Bulk Generate Reports",ko:"리포트 일괄 생성"}},bulkGenerateDescription:{nodeType:"translation",translation:{en:"Generate reports for multiple validations at once",ko:"여러 검증에 대한 리포트를 한 번에 생성"}},selectValidations:{nodeType:"translation",translation:{en:"Select Validations",ko:"검증 선택"}},selectedCount:{nodeType:"translation",translation:{en:"selected",ko:"개 선택됨"}},generateSelected:{nodeType:"translation",translation:{en:"Generate Selected",ko:"선택 항목 생성"}},bulkSuccess:{nodeType:"translation",translation:{en:"Bulk generation completed",ko:"일괄 생성 완료"}},bulkPartialSuccess:{nodeType:"translation",translation:{en:"Bulk generation partially completed",ko:"일괄 생성 부분 완료"}},cleanupTitle:{nodeType:"translation",translation:{en:"Cleanup Expired Reports",ko:"만료된 리포트 정리"}},cleanupDescription:{nodeType:"translation",translation:{en:"Delete all expired reports to free up storage",ko:"저장 공간 확보를 위해 만료된 모든 리포트 삭제"}},cleanupConfirm:{nodeType:"translation",translation:{en:"Are you sure you want to delete all expired reports?",ko:"만료된 모든 리포트를 삭제하시겠습니까?"}},cleanupSuccess:{nodeType:"translation",translation:{en:"reports deleted",ko:"개 리포트 삭제됨"}},deleteConfirmTitle:{nodeType:"translation",translation:{en:"Delete Report",ko:"리포트 삭제"}},deleteConfirmMessage:{nodeType:"translation",translation:{en:"Are you sure you want to delete this report? This action cannot be undone.",ko:"이 리포트를 삭제하시겠습니까? 이 작업은 되돌릴 수 없습니다."}},deleteSuccess:{nodeType:"translation",translation:{en:"Report deleted successfully",ko:"리포트가 삭제되었습니다"}}},localId:"reports::local::src/content/reports.content.ts",location:"local",filePath:"src/content/reports.content.ts"}],S=[{key:"ruleSuggestions",content:{title:{nodeType:"translation",translation:{en:"Suggested Validation Rules",ko:"제안된 검증 규칙"}},description:{nodeType:"translation",translation:{en:"Based on profile analysis, we suggest the following validation rules.",ko:"프로파일 분석을 기반으로 다음 검증 규칙을 제안합니다."}},selectRulesDesc:{nodeType:"translation",translation:{en:"Select the rules you want to apply.",ko:"적용할 규칙을 선택하세요."}},suggestions:{nodeType:"translation",translation:{en:"suggestions",ko:"제안"}},highConfidence:{nodeType:"translation",translation:{en:"high confidence",ko:"높은 신뢰도"}},selectAll:{nodeType:"translation",translation:{en:"Select All",ko:"전체 선택"}},deselectAll:{nodeType:"translation",translation:{en:"Deselect All",ko:"전체 해제"}},selected:{nodeType:"translation",translation:{en:"selected",ko:"선택됨"}},generateRules:{nodeType:"translation",translation:{en:"Generate Rules",ko:"규칙 생성"}},applyRules:{nodeType:"translation",translation:{en:"Apply Rules",ko:"규칙 적용"}},applying:{nodeType:"translation",translation:{en:"Applying...",ko:"적용 중..."}},analyzingProfile:{nodeType:"translation",translation:{en:"Analyzing profile data...",ko:"프로파일 데이터 분석 중..."}},searchSuggestions:{nodeType:"translation",translation:{en:"Search suggestions...",ko:"제안 검색..."}},allCategories:{nodeType:"translation",translation:{en:"All Categories",ko:"모든 카테고리"}},noSuggestionsMatch:{nodeType:"translation",translation:{en:"No suggestions match your filters.",ko:"필터에 맞는 제안이 없습니다."}},noSuggestionsAvailable:{nodeType:"translation",translation:{en:"No suggestions available. Run profiling first.",ko:"제안이 없습니다. 먼저 프로파일링을 실행하세요."}},confidence:{nodeType:"translation",translation:{en:"Confidence",ko:"신뢰도"}},highConfidenceLabel:{nodeType:"translation",translation:{en:"High confidence",ko:"높은 신뢰도"}},mediumConfidenceLabel:{nodeType:"translation",translation:{en:"Medium confidence",ko:"중간 신뢰도"}},lowConfidenceLabel:{nodeType:"translation",translation:{en:"Low confidence",ko:"낮은 신뢰도"}},completeness:{nodeType:"translation",translation:{en:"Completeness",ko:"완전성"}},uniqueness:{nodeType:"translation",translation:{en:"Uniqueness",ko:"고유성"}},distribution:{nodeType:"translation",translation:{en:"Distribution",ko:"분포"}},string:{nodeType:"translation",translation:{en:"String",ko:"문자열"}},datetime:{nodeType:"translation",translation:{en:"Datetime",ko:"날짜/시간"}},schema:{nodeType:"translation",translation:{en:"Schema",ko:"스키마"}},stats:{nodeType:"translation",translation:{en:"Statistics",ko:"통계"}},pattern:{nodeType:"translation",translation:{en:"Pattern",ko:"패턴"}},rulesApplied:{nodeType:"translation",translation:{en:"Rules applied successfully",ko:"규칙이 성공적으로 적용되었습니다"}},appliedCount:{nodeType:"translation",translation:{en:"rules applied",ko:"개의 규칙 적용됨"}},lowNulls:{nodeType:"translation",translation:{en:"Column has less than 1% null values",ko:"컬럼의 null 값이 1% 미만입니다"}},noNulls:{nodeType:"translation",translation:{en:"Column has 0% null values",ko:"컬럼에 null 값이 없습니다"}},highUniqueness:{nodeType:"translation",translation:{en:"Column has 100% unique values",ko:"컬럼의 모든 값이 고유합니다"}},lowCardinality:{nodeType:"translation",translation:{en:"Column has low cardinality with limited distinct values",ko:"컬럼의 카디널리티가 낮습니다"}},numericRange:{nodeType:"translation",translation:{en:"Column values fall within a defined numeric range",ko:"컬럼 값이 정의된 숫자 범위 내에 있습니다"}},emailPattern:{nodeType:"translation",translation:{en:"Column name suggests email format",ko:"컬럼 이름이 이메일 형식을 암시합니다"}},phonePattern:{nodeType:"translation",translation:{en:"Column name suggests phone number format",ko:"컬럼 이름이 전화번호 형식을 암시합니다"}},advancedOptions:{nodeType:"translation",translation:{en:"Advanced Options",ko:"고급 옵션"}},generationSettings:{nodeType:"translation",translation:{en:"Generation Settings",ko:"생성 설정"}},exportOptions:{nodeType:"translation",translation:{en:"Export Options",ko:"내보내기 옵션"}},strictness:{nodeType:"translation",translation:{en:"Strictness",ko:"엄격도"}},strictnessLoose:{nodeType:"translation",translation:{en:"Loose",ko:"느슨함"}},strictnessMedium:{nodeType:"translation",translation:{en:"Medium",ko:"보통"}},strictnessStrict:{nodeType:"translation",translation:{en:"Strict",ko:"엄격"}},strictnessLooseDesc:{nodeType:"translation",translation:{en:"Permissive thresholds for development/testing",ko:"개발/테스트용 허용적인 임계값"}},strictnessMediumDesc:{nodeType:"translation",translation:{en:"Balanced defaults (recommended)",ko:"균형잡힌 기본값 (권장)"}},strictnessStrictDesc:{nodeType:"translation",translation:{en:"Tight thresholds for production data",ko:"프로덕션 데이터용 엄격한 임계값"}},preset:{nodeType:"translation",translation:{en:"Preset",ko:"프리셋"}},presetNone:{nodeType:"translation",translation:{en:"No preset",ko:"프리셋 없음"}},presetDefault:{nodeType:"translation",translation:{en:"Default",ko:"기본"}},presetStrict:{nodeType:"translation",translation:{en:"Strict",ko:"엄격"}},presetLoose:{nodeType:"translation",translation:{en:"Loose",ko:"느슨함"}},presetMinimal:{nodeType:"translation",translation:{en:"Minimal",ko:"최소"}},presetComprehensive:{nodeType:"translation",translation:{en:"Comprehensive",ko:"종합"}},presetCiCd:{nodeType:"translation",translation:{en:"CI/CD",ko:"CI/CD"}},presetSchemaOnly:{nodeType:"translation",translation:{en:"Schema Only",ko:"스키마만"}},presetFormatOnly:{nodeType:"translation",translation:{en:"Format Only",ko:"포맷만"}},presetDefaultDesc:{nodeType:"translation",translation:{en:"General purpose validation rules",ko:"범용 검증 규칙"}},presetStrictDesc:{nodeType:"translation",translation:{en:"Production data pipelines, data quality gates",ko:"프로덕션 데이터 파이프라인, 품질 게이트"}},presetLooseDesc:{nodeType:"translation",translation:{en:"Development, testing, exploratory analysis",ko:"개발, 테스트, 탐색적 분석"}},presetMinimalDesc:{nodeType:"translation",translation:{en:"Essential rules only, minimal overhead",ko:"필수 규칙만, 최소 오버헤드"}},presetComprehensiveDesc:{nodeType:"translation",translation:{en:"Full data audit, compliance checks",ko:"전체 데이터 감사, 규정 준수 검사"}},presetCiCdDesc:{nodeType:"translation",translation:{en:"Fast execution, clear failures",ko:"빠른 실행, 명확한 실패"}},presetSchemaOnlyDesc:{nodeType:"translation",translation:{en:"Schema drift detection, structure validation",ko:"스키마 드리프트 감지, 구조 검증"}},presetFormatOnlyDesc:{nodeType:"translation",translation:{en:"Data format validation, PII detection",ko:"데이터 형식 검증, PII 탐지"}},exportFormat:{nodeType:"translation",translation:{en:"Export Format",ko:"내보내기 형식"}},exportYaml:{nodeType:"translation",translation:{en:"YAML",ko:"YAML"}},exportJson:{nodeType:"translation",translation:{en:"JSON",ko:"JSON"}},exportPython:{nodeType:"translation",translation:{en:"Python",ko:"Python"}},exportToml:{nodeType:"translation",translation:{en:"TOML",ko:"TOML"}},exportYamlDesc:{nodeType:"translation",translation:{en:"Human-readable configuration format",ko:"사람이 읽기 쉬운 설정 형식"}},exportJsonDesc:{nodeType:"translation",translation:{en:"Machine-readable format",ko:"기계가 읽기 쉬운 형식"}},exportPythonDesc:{nodeType:"translation",translation:{en:"Executable Python code",ko:"실행 가능한 Python 코드"}},exportTomlDesc:{nodeType:"translation",translation:{en:"Configuration-friendly format",ko:"설정에 적합한 형식"}},exportRules:{nodeType:"translation",translation:{en:"Export Rules",ko:"규칙 내보내기"}},downloadRules:{nodeType:"translation",translation:{en:"Download",ko:"다운로드"}},copyToClipboard:{nodeType:"translation",translation:{en:"Copy to Clipboard",ko:"클립보드에 복사"}},copied:{nodeType:"translation",translation:{en:"Copied!",ko:"복사됨!"}},exporting:{nodeType:"translation",translation:{en:"Exporting...",ko:"내보내는 중..."}},exportSuccess:{nodeType:"translation",translation:{en:"Rules exported successfully",ko:"규칙을 성공적으로 내보냈습니다"}},categoryFilter:{nodeType:"translation",translation:{en:"Categories",ko:"카테고리"}},includedCategories:{nodeType:"translation",translation:{en:"Included Categories",ko:"포함된 카테고리"}},excludedCategories:{nodeType:"translation",translation:{en:"Excluded Categories",ko:"제외된 카테고리"}},byCategory:{nodeType:"translation",translation:{en:"By Category",ko:"카테고리별"}},ruleCount:{nodeType:"translation",translation:{en:"rules",ko:"규칙"}},minConfidence:{nodeType:"translation",translation:{en:"Min Confidence",ko:"최소 신뢰도"}},minConfidenceDesc:{nodeType:"translation",translation:{en:"Only suggest rules with confidence above this threshold",ko:"이 임계값 이상의 신뢰도를 가진 규칙만 제안"}},crossColumnRules:{nodeType:"translation",translation:{en:"Cross-Column Rules",ko:"크로스 컬럼 규칙"}},singleColumnRules:{nodeType:"translation",translation:{en:"Single-Column Rules",ko:"단일 컬럼 규칙"}},crossColumnDescription:{nodeType:"translation",translation:{en:"Rules that validate relationships between multiple columns",ko:"여러 컬럼 간의 관계를 검증하는 규칙"}},crossColumnCount:{nodeType:"translation",translation:{en:"cross-column",ko:"크로스 컬럼"}},relationships:{nodeType:"translation",translation:{en:"relationships",ko:"관계"}},relationship:{nodeType:"translation",translation:{en:"Relationship",ko:"관계"}},multiColumn:{nodeType:"translation",translation:{en:"Multi-Column",ko:"다중 컬럼"}},compositeKey:{nodeType:"translation",translation:{en:"Composite Key",ko:"복합 키"}},compositeKeyDesc:{nodeType:"translation",translation:{en:"Multi-column uniqueness constraint",ko:"다중 컬럼 고유성 제약"}},columnComparison:{nodeType:"translation",translation:{en:"Column Comparison",ko:"컬럼 비교"}},columnComparisonDesc:{nodeType:"translation",translation:{en:"Validates comparison relationships (>, <, >=, <=)",ko:"비교 관계 검증 (>, <, >=, <=)"}},columnSum:{nodeType:"translation",translation:{en:"Column Sum",ko:"컬럼 합계"}},columnSumDesc:{nodeType:"translation",translation:{en:"Validates that columns sum to a target",ko:"컬럼 합이 목표 값과 일치하는지 검증"}},columnDependency:{nodeType:"translation",translation:{en:"Column Dependency",ko:"컬럼 종속성"}},columnDependencyDesc:{nodeType:"translation",translation:{en:"Validates functional dependencies between columns",ko:"컬럼 간 함수적 종속성 검증"}},columnImplication:{nodeType:"translation",translation:{en:"Column Implication",ko:"컬럼 함축"}},columnImplicationDesc:{nodeType:"translation",translation:{en:"If condition A, then B must be true",ko:"조건 A이면 B가 참이어야 함"}},columnCoexistence:{nodeType:"translation",translation:{en:"Column Coexistence",ko:"컬럼 공존"}},columnCoexistenceDesc:{nodeType:"translation",translation:{en:"All columns must be null or all non-null",ko:"모든 컬럼이 null이거나 모두 non-null"}},columnMutualExclusivity:{nodeType:"translation",translation:{en:"Mutual Exclusivity",ko:"상호 배제"}},columnMutualExclusivityDesc:{nodeType:"translation",translation:{en:"At most one column can be non-null",ko:"최대 하나의 컬럼만 non-null일 수 있음"}},columnRatio:{nodeType:"translation",translation:{en:"Column Ratio",ko:"컬럼 비율"}},columnRatioDesc:{nodeType:"translation",translation:{en:"Validates ratio between columns",ko:"컬럼 간 비율 검증"}},columnCorrelation:{nodeType:"translation",translation:{en:"Column Correlation",ko:"컬럼 상관관계"}},columnCorrelationDesc:{nodeType:"translation",translation:{en:"Validates correlation between numeric columns",ko:"숫자 컬럼 간 상관관계 검증"}},columnProduct:{nodeType:"translation",translation:{en:"Column Product",ko:"컬럼 곱셈"}},columnProductDesc:{nodeType:"translation",translation:{en:"Validates multiplication relationship (A × B = C)",ko:"곱셈 관계 검증 (A × B = C)"}},columnDifference:{nodeType:"translation",translation:{en:"Column Difference",ko:"컬럼 차이"}},columnDifferenceDesc:{nodeType:"translation",translation:{en:"Validates difference relationship (A - B = C)",ko:"차이 관계 검증 (A - B = C)"}},columnPercentage:{nodeType:"translation",translation:{en:"Column Percentage",ko:"컬럼 백분율"}},columnPercentageDesc:{nodeType:"translation",translation:{en:"Validates percentage calculation (Base × Pct% = Result)",ko:"백분율 계산 검증 (기준 × 백분율% = 결과)"}},columnChainComparison:{nodeType:"translation",translation:{en:"Chain Comparison",ko:"체인 비교"}},columnChainComparisonDesc:{nodeType:"translation",translation:{en:"Validates ordered chain (A ≤ B ≤ C)",ko:"순서 체인 검증 (A ≤ B ≤ C)"}},referentialIntegrity:{nodeType:"translation",translation:{en:"Referential Integrity",ko:"참조 무결성"}},referentialIntegrityDesc:{nodeType:"translation",translation:{en:"Validates foreign key relationships between tables",ko:"테이블 간 외래 키 관계 검증"}},involvedColumns:{nodeType:"translation",translation:{en:"Involved Columns",ko:"관련 컬럼"}},ruleType:{nodeType:"translation",translation:{en:"Rule Type",ko:"규칙 유형"}},evidence:{nodeType:"translation",translation:{en:"Evidence",ko:"근거"}},sampleViolations:{nodeType:"translation",translation:{en:"Sample Violations",ko:"위반 샘플"}},noViolationsFound:{nodeType:"translation",translation:{en:"No violations found in sample data",ko:"샘플 데이터에서 위반 사항 없음"}},presetCrossColumn:{nodeType:"translation",translation:{en:"Cross-Column",ko:"크로스 컬럼"}},presetCrossColumnDesc:{nodeType:"translation",translation:{en:"Focus on cross-column relationships and constraints",ko:"크로스 컬럼 관계 및 제약에 집중"}},presetDataIntegrity:{nodeType:"translation",translation:{en:"Data Integrity",ko:"데이터 무결성"}},presetDataIntegrityDesc:{nodeType:"translation",translation:{en:"Comprehensive data integrity including cross-column rules",ko:"크로스 컬럼 규칙을 포함한 종합 데이터 무결성"}},enableCrossColumn:{nodeType:"translation",translation:{en:"Enable Cross-Column Rules",ko:"크로스 컬럼 규칙 활성화"}},enableCrossColumnDesc:{nodeType:"translation",translation:{en:"Analyze relationships between columns to suggest cross-column validation rules",ko:"컬럼 간 관계를 분석하여 크로스 컬럼 검증 규칙 제안"}},crossColumnTypes:{nodeType:"translation",translation:{en:"Cross-Column Types",ko:"크로스 컬럼 유형"}},byCrossColumnType:{nodeType:"translation",translation:{en:"By Type",ko:"유형별"}}},localId:"ruleSuggestions::local::src/content/rule-suggestions.content.ts",location:"local",filePath:"src/content/rule-suggestions.content.ts"}],D=[{key:"schedules",content:{title:{nodeType:"translation",translation:{en:"Schedules",ko:"스케줄"}},subtitle:{nodeType:"translation",translation:{en:"Manage scheduled validation runs",ko:"예약된 검증 실행 관리"}},addSchedule:{nodeType:"translation",translation:{en:"Add Schedule",ko:"스케줄 추가"}},newSchedule:{nodeType:"translation",translation:{en:"New Schedule",ko:"새 스케줄"}},editSchedule:{nodeType:"translation",translation:{en:"Edit Schedule",ko:"스케줄 편집"}},createSchedule:{nodeType:"translation",translation:{en:"Create Schedule",ko:"스케줄 생성"}},createScheduleDesc:{nodeType:"translation",translation:{en:"Set up automated validation runs for a data source",ko:"데이터 소스의 자동 검증 실행 설정"}},noSchedules:{nodeType:"translation",translation:{en:"No schedules configured",ko:"설정된 스케줄이 없습니다"}},noSchedulesYet:{nodeType:"translation",translation:{en:"No schedules yet",ko:"스케줄이 없습니다"}},noSchedulesDesc:{nodeType:"translation",translation:{en:"Create a schedule to automate validation runs",ko:"검증 자동화를 위해 스케줄을 생성하세요"}},cronExpression:{nodeType:"translation",translation:{en:"Cron Expression",ko:"Cron 표현식"}},cronFormat:{nodeType:"translation",translation:{en:"Format: minute hour day month weekday",ko:"형식: 분 시 일 월 요일"}},customCron:{nodeType:"translation",translation:{en:"Custom cron expression",ko:"사용자 정의 Cron 표현식"}},selectSource:{nodeType:"translation",translation:{en:"Select source...",ko:"소스 선택..."}},lastRun:{nodeType:"translation",translation:{en:"Last Run",ko:"마지막 실행"}},nextRun:{nodeType:"translation",translation:{en:"Next Run",ko:"다음 실행"}},notifyOnFailure:{nodeType:"translation",translation:{en:"Notify on Failure",ko:"실패 시 알림"}},pause:{nodeType:"translation",translation:{en:"Pause",ko:"일시정지"}},resume:{nodeType:"translation",translation:{en:"Resume",ko:"재개"}},runNow:{nodeType:"translation",translation:{en:"Run Now",ko:"지금 실행"}},paused:{nodeType:"translation",translation:{en:"Paused",ko:"일시정지됨"}},active:{nodeType:"translation",translation:{en:"Active",ko:"활성"}},scheduleCreated:{nodeType:"translation",translation:{en:"Schedule created",ko:"스케줄 생성됨"}},createFailed:{nodeType:"translation",translation:{en:"Failed to create schedule",ko:"스케줄 생성 실패"}},deleted:{nodeType:"translation",translation:{en:"Schedule deleted",ko:"스케줄 삭제됨"}},deleteFailed:{nodeType:"translation",translation:{en:"Failed to delete",ko:"삭제 실패"}},schedulePaused:{nodeType:"translation",translation:{en:"Schedule paused",ko:"스케줄 일시정지됨"}},pauseFailed:{nodeType:"translation",translation:{en:"Failed to pause",ko:"일시정지 실패"}},scheduleResumed:{nodeType:"translation",translation:{en:"Schedule resumed",ko:"스케줄 재개됨"}},resumeFailed:{nodeType:"translation",translation:{en:"Failed to resume",ko:"재개 실패"}},validationTriggered:{nodeType:"translation",translation:{en:"Validation triggered",ko:"검증 실행됨"}},runFailed:{nodeType:"translation",translation:{en:"Failed to run",ko:"실행 실패"}},fillRequired:{nodeType:"translation",translation:{en:"Please fill in all required fields",ko:"필수 항목을 모두 입력해주세요"}},creating:{nodeType:"translation",translation:{en:"Creating...",ko:"생성 중..."}},cronPresets:{everyHour:{nodeType:"translation",translation:{en:"Every hour",ko:"매시간"}},every6Hours:{nodeType:"translation",translation:{en:"Every 6 hours",ko:"6시간마다"}},dailyMidnight:{nodeType:"translation",translation:{en:"Daily at midnight",ko:"매일 자정"}},daily8am:{nodeType:"translation",translation:{en:"Daily at 8 AM",ko:"매일 오전 8시"}},everyMonday:{nodeType:"translation",translation:{en:"Every Monday",ko:"매주 월요일"}},everyMonth:{nodeType:"translation",translation:{en:"Every month",ko:"매월"}}}},localId:"schedules::local::src/content/schedules.content.ts",location:"local",filePath:"src/content/schedules.content.ts"}],b=[{key:"schemaEvolution",content:{title:{nodeType:"translation",translation:{en:"Schema Evolution",ko:"스키마 변경 이력"}},description:{nodeType:"translation",translation:{en:"Track schema changes over time",ko:"시간에 따른 스키마 변경 추적"}},versionHistory:{nodeType:"translation",translation:{en:"Version History",ko:"버전 이력"}},currentVersion:{nodeType:"translation",translation:{en:"Current Version",ko:"현재 버전"}},totalVersions:{nodeType:"translation",translation:{en:"Total Versions",ko:"전체 버전"}},version:{nodeType:"translation",translation:{en:"Version",ko:"버전"}},columns:{nodeType:"translation",translation:{en:"columns",ko:"컬럼"}},totalChanges:{nodeType:"translation",translation:{en:"Total Changes",ko:"총 변경"}},breakingChanges:{nodeType:"translation",translation:{en:"Breaking Changes",ko:"호환성 손상 변경"}},changesInVersion:{nodeType:"translation",translation:{en:"Changes in this version",ko:"이 버전의 변경 사항"}},noChangesDetected:{nodeType:"translation",translation:{en:"No changes detected in this version.",ko:"이 버전에서 변경 사항이 감지되지 않았습니다."}},columnAdded:{nodeType:"translation",translation:{en:"Added",ko:"추가됨"}},columnRemoved:{nodeType:"translation",translation:{en:"Removed",ko:"삭제됨"}},typeChanged:{nodeType:"translation",translation:{en:"Type Changed",ko:"타입 변경"}},breaking:{nodeType:"translation",translation:{en:"Breaking",ko:"호환성 손상"}},safe:{nodeType:"translation",translation:{en:"Safe",ko:"안전"}},nonBreaking:{nodeType:"translation",translation:{en:"Non-breaking",ko:"호환됨"}},detectChanges:{nodeType:"translation",translation:{en:"Detect Changes",ko:"변경 감지"}},detecting:{nodeType:"translation",translation:{en:"Detecting...",ko:"감지 중..."}},loadingHistory:{nodeType:"translation",translation:{en:"Loading schema history...",ko:"스키마 이력 로딩 중..."}},noVersionsFound:{nodeType:"translation",translation:{en:"No schema versions found. Run schema learning to create the first version.",ko:"스키마 버전이 없습니다. 스키마 학습을 실행하여 첫 버전을 생성하세요."}},lastChange:{nodeType:"translation",translation:{en:"Last change",ko:"마지막 변경"}},detectedAt:{nodeType:"translation",translation:{en:"Detected at",ko:"감지 시각"}},type:{nodeType:"translation",translation:{en:"Type",ko:"타입"}},was:{nodeType:"translation",translation:{en:"Was",ko:"이전"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},latest:{nodeType:"translation",translation:{en:"Latest",ko:"최신"}},columnName:{nodeType:"translation",translation:{en:"Column",ko:"컬럼"}},oldValue:{nodeType:"translation",translation:{en:"Old Value",ko:"이전 값"}},newValue:{nodeType:"translation",translation:{en:"New Value",ko:"새 값"}},compatibility:{nodeType:"translation",translation:{en:"Compatibility",ko:"호환성"}},compatible:{nodeType:"translation",translation:{en:"Compatible",ko:"호환됨"}},incompatible:{nodeType:"translation",translation:{en:"Incompatible",ko:"호환되지 않음"}},reason:{nodeType:"translation",translation:{en:"Reason",ko:"사유"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고"}},nullableChanged:{nodeType:"translation",translation:{en:"Nullable Changed",ko:"Nullable 변경"}},constraintChanged:{nodeType:"translation",translation:{en:"Constraint Changed",ko:"제약조건 변경"}},columnRenamed:{nodeType:"translation",translation:{en:"Renamed",ko:"이름 변경"}},compareVersions:{nodeType:"translation",translation:{en:"Compare Versions",ko:"버전 비교"}},schemaHash:{nodeType:"translation",translation:{en:"Schema Hash",ko:"스키마 해시"}},selectSource:{nodeType:"translation",translation:{en:"Select a source...",ko:"소스 선택..."}},selectVersion:{nodeType:"translation",translation:{en:"Select version...",ko:"버전 선택..."}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침"}},viewDiff:{nodeType:"translation",translation:{en:"View Diff",ko:"변경 비교"}},summary:{nodeType:"translation",translation:{en:"Summary",ko:"요약"}},noSources:{nodeType:"translation",translation:{en:"No data sources available",ko:"데이터 소스가 없습니다"}},fetchError:{nodeType:"translation",translation:{en:"Failed to fetch schema evolution data",ko:"스키마 변경 데이터 가져오기 실패"}},timeSinceCreation:{nodeType:"translation",translation:{en:"Time since creation",ko:"생성 이후 시간"}}},localId:"schemaEvolution::local::src/content/schema-evolution.content.ts",location:"local",filePath:"src/content/schema-evolution.content.ts"}],A=[{key:"settings",content:{title:{nodeType:"translation",translation:{en:"Settings",ko:"설정"}},general:{nodeType:"translation",translation:{en:"General",ko:"일반"}},appearance:{nodeType:"translation",translation:{en:"Appearance",ko:"외관"}},theme:{nodeType:"translation",translation:{en:"Theme",ko:"테마"}},language:{nodeType:"translation",translation:{en:"Language",ko:"언어"}},light:{nodeType:"translation",translation:{en:"Light",ko:"라이트"}},dark:{nodeType:"translation",translation:{en:"Dark",ko:"다크"}},system:{nodeType:"translation",translation:{en:"System",ko:"시스템"}}},localId:"settings::local::src/content/settings.content.ts",location:"local",filePath:"src/content/settings.content.ts"}],w=[{key:"sources",content:{title:{nodeType:"translation",translation:{en:"Data Sources",ko:"데이터 소스"}},subtitle:{nodeType:"translation",translation:{en:"Manage your data sources and validations",ko:"데이터 소스 및 검증 관리"}},addSource:{nodeType:"translation",translation:{en:"Add Source",ko:"소스 추가"}},addFirstSource:{nodeType:"translation",translation:{en:"Add Your First Source",ko:"첫 번째 소스 추가하기"}},editSource:{nodeType:"translation",translation:{en:"Edit Source",ko:"소스 편집"}},deleteSource:{nodeType:"translation",translation:{en:"Delete Source",ko:"소스 삭제"}},noSources:{nodeType:"translation",translation:{en:"No data sources configured",ko:"설정된 데이터 소스가 없습니다"}},noSourcesYet:{nodeType:"translation",translation:{en:"No sources yet",ko:"소스가 없습니다"}},noSourcesDesc:{nodeType:"translation",translation:{en:"Add your first data source to start monitoring data quality",ko:"데이터 품질 모니터링을 시작하려면 첫 번째 소스를 추가하세요"}},sourceName:{nodeType:"translation",translation:{en:"Source Name",ko:"소스 이름"}},sourceType:{nodeType:"translation",translation:{en:"Source Type",ko:"소스 유형"}},sourcePath:{nodeType:"translation",translation:{en:"Path / Connection",ko:"경로 / 연결"}},lastValidated:{nodeType:"translation",translation:{en:"Last validated",ko:"마지막 검증"}},never:{nodeType:"translation",translation:{en:"Never",ko:"없음"}},validate:{nodeType:"translation",translation:{en:"Validate",ko:"검증"}},loadError:{nodeType:"translation",translation:{en:"Failed to load sources",ko:"소스를 불러오지 못했습니다"}},deleteSuccess:{nodeType:"translation",translation:{en:"Source deleted successfully",ko:"소스가 삭제되었습니다"}},deleteFailed:{nodeType:"translation",translation:{en:"Failed to delete source",ko:"소스 삭제에 실패했습니다"}},validationStarted:{nodeType:"translation",translation:{en:"Validation Started",ko:"검증 시작"}},runningValidation:{nodeType:"translation",translation:{en:"Running validation...",ko:"검증 실행 중..."}},validationPassed:{nodeType:"translation",translation:{en:"Validation Passed",ko:"검증 통과"}},validationFailed:{nodeType:"translation",translation:{en:"Validation Failed",ko:"검증 실패"}},validationError:{nodeType:"translation",translation:{en:"Failed to run validation",ko:"검증 실행에 실패했습니다"}},confirmDelete:{nodeType:"translation",translation:{en:"Are you sure you want to delete this source? This will also delete all related schemas, rules, and validations.",ko:"이 소스를 삭제하시겠습니까? 관련된 모든 스키마, 규칙, 검증 결과도 함께 삭제됩니다."}},types:{file:{nodeType:"translation",translation:{en:"File",ko:"파일"}},csv:{nodeType:"translation",translation:{en:"CSV File",ko:"CSV 파일"}},parquet:{nodeType:"translation",translation:{en:"Parquet File",ko:"Parquet 파일"}},json:{nodeType:"translation",translation:{en:"JSON File",ko:"JSON 파일"}},database:{nodeType:"translation",translation:{en:"Database",ko:"데이터베이스"}},postgresql:{nodeType:"translation",translation:{en:"PostgreSQL",ko:"PostgreSQL"}},mysql:{nodeType:"translation",translation:{en:"MySQL",ko:"MySQL"}},sqlite:{nodeType:"translation",translation:{en:"SQLite",ko:"SQLite"}},oracle:{nodeType:"translation",translation:{en:"Oracle",ko:"Oracle"}},sqlserver:{nodeType:"translation",translation:{en:"SQL Server",ko:"SQL Server"}},snowflake:{nodeType:"translation",translation:{en:"Snowflake",ko:"Snowflake"}},bigquery:{nodeType:"translation",translation:{en:"BigQuery",ko:"BigQuery"}},redshift:{nodeType:"translation",translation:{en:"Amazon Redshift",ko:"Amazon Redshift"}},databricks:{nodeType:"translation",translation:{en:"Databricks",ko:"Databricks"}},spark:{nodeType:"translation",translation:{en:"Apache Spark",ko:"Apache Spark"}}},categories:{all:{nodeType:"translation",translation:{en:"All",ko:"전체"}},file:{nodeType:"translation",translation:{en:"Files",ko:"파일"}},database:{nodeType:"translation",translation:{en:"Databases",ko:"데이터베이스"}},warehouse:{nodeType:"translation",translation:{en:"Data Warehouses",ko:"데이터 웨어하우스"}},bigdata:{nodeType:"translation",translation:{en:"Big Data",ko:"빅데이터"}}},dialog:{title:{nodeType:"translation",translation:{en:"Add Data Source",ko:"데이터 소스 추가"}},description:{nodeType:"translation",translation:{en:"Connect to a new data source for validation and monitoring.",ko:"검증 및 모니터링을 위해 새로운 데이터 소스에 연결합니다."}},selectType:{nodeType:"translation",translation:{en:"Select Type",ko:"유형 선택"}},configure:{nodeType:"translation",translation:{en:"Configure",ko:"구성"}},testCreate:{nodeType:"translation",translation:{en:"Test & Create",ko:"테스트 및 생성"}},sourceName:{nodeType:"translation",translation:{en:"Source Name",ko:"소스 이름"}},sourceNamePlaceholder:{nodeType:"translation",translation:{en:"e.g., Production Database",ko:"예: 프로덕션 데이터베이스"}},sourceDescription:{nodeType:"translation",translation:{en:"Description",ko:"설명"}},sourceDescriptionPlaceholder:{nodeType:"translation",translation:{en:"Optional description",ko:"선택적 설명"}},required:{nodeType:"translation",translation:{en:"Required",ko:"필수"}},optional:{nodeType:"translation",translation:{en:"Optional",ko:"선택"}},next:{nodeType:"translation",translation:{en:"Next",ko:"다음"}},back:{nodeType:"translation",translation:{en:"Back",ko:"이전"}},cancel:{nodeType:"translation",translation:{en:"Cancel",ko:"취소"}},createSource:{nodeType:"translation",translation:{en:"Create Source",ko:"소스 생성"}},creating:{nodeType:"translation",translation:{en:"Creating...",ko:"생성 중..."}},docs:{nodeType:"translation",translation:{en:"Docs",ko:"문서"}}},testConnection:{title:{nodeType:"translation",translation:{en:"Test Connection",ko:"연결 테스트"}},description:{nodeType:"translation",translation:{en:"Verify the connection before creating the source.",ko:"소스를 생성하기 전에 연결을 확인합니다."}},test:{nodeType:"translation",translation:{en:"Test Connection",ko:"연결 테스트"}},testing:{nodeType:"translation",translation:{en:"Testing...",ko:"테스트 중..."}},success:{nodeType:"translation",translation:{en:"Connection successful!",ko:"연결 성공!"}},failed:{nodeType:"translation",translation:{en:"Connection failed",ko:"연결 실패"}}},summary:{title:{nodeType:"translation",translation:{en:"Connection Summary",ko:"연결 요약"}},name:{nodeType:"translation",translation:{en:"Name",ko:"이름"}},type:{nodeType:"translation",translation:{en:"Type",ko:"유형"}},description:{nodeType:"translation",translation:{en:"Description",ko:"설명"}}},createSuccess:{nodeType:"translation",translation:{en:"Source created successfully",ko:"소스가 성공적으로 생성되었습니다"}},createFailed:{nodeType:"translation",translation:{en:"Failed to create source",ko:"소스 생성에 실패했습니다"}},loadTypesError:{nodeType:"translation",translation:{en:"Failed to load source types",ko:"소스 유형을 불러오지 못했습니다"}},validationErrorMsg:{nodeType:"translation",translation:{en:"Please select a source type",ko:"소스 유형을 선택하세요"}},nameRequired:{nodeType:"translation",translation:{en:"Name is required",ko:"이름은 필수입니다"}},fieldRequired:{nodeType:"translation",translation:{en:"is required",ko:"필수 항목입니다"}},edit:{description:{nodeType:"translation",translation:{en:"Edit source configuration and connection settings.",ko:"소스 구성 및 연결 설정을 편집합니다."}},generalTab:{nodeType:"translation",translation:{en:"General",ko:"일반"}},connectionTab:{nodeType:"translation",translation:{en:"Connection",ko:"연결"}},sourceInfo:{nodeType:"translation",translation:{en:"Source Information",ko:"소스 정보"}},createdAt:{nodeType:"translation",translation:{en:"Created",ko:"생성일"}},sensitiveFieldsNotice:{nodeType:"translation",translation:{en:"Sensitive fields are masked for security.",ko:"보안을 위해 민감한 필드는 마스킹됩니다."}},sensitiveFieldsHint:{nodeType:"translation",translation:{en:"Leave password fields empty to keep the existing value.",ko:"기존 값을 유지하려면 비밀번호 필드를 비워두세요."}},testConnectionHint:{nodeType:"translation",translation:{en:"Test the connection with current settings.",ko:"현재 설정으로 연결을 테스트합니다."}},sensitiveFieldsModified:{nodeType:"translation",translation:{en:"{count} sensitive field(s) modified",ko:"{count}개의 민감한 필드가 수정됨"}},saving:{nodeType:"translation",translation:{en:"Saving...",ko:"저장 중..."}},updateSuccess:{nodeType:"translation",translation:{en:"Source updated successfully",ko:"소스가 성공적으로 업데이트되었습니다"}},updateFailed:{nodeType:"translation",translation:{en:"Failed to update source",ko:"소스 업데이트에 실패했습니다"}},unsupportedType:{nodeType:"translation",translation:{en:"Unable to load configuration for this source type.",ko:"이 소스 유형의 구성을 불러올 수 없습니다."}}},connectionInfo:{title:{nodeType:"translation",translation:{en:"Connection Details",ko:"연결 세부 정보"}},showValue:{nodeType:"translation",translation:{en:"Show",ko:"표시"}},hideValue:{nodeType:"translation",translation:{en:"Hide",ko:"숨기기"}},masked:{nodeType:"translation",translation:{en:"(masked)",ko:"(마스킹됨)"}},notSet:{nodeType:"translation",translation:{en:"Not set",ko:"설정되지 않음"}}}},localId:"sources::local::src/content/sources.content.ts",location:"local",filePath:"src/content/sources.content.ts"}],R=[{key:"triggers",content:{title:{nodeType:"translation",translation:{en:"Trigger Monitoring",ko:"트리거 모니터링"}},subtitle:{nodeType:"translation",translation:{en:"Monitor data change, composite, and webhook triggers",ko:"데이터 변경, 복합, 웹훅 트리거 모니터링"}},overview:{nodeType:"translation",translation:{en:"Overview",ko:"개요"}},schedules:{nodeType:"translation",translation:{en:"Schedules",ko:"스케줄"}},webhooks:{nodeType:"translation",translation:{en:"Webhooks",ko:"웹훅"}},composite:{nodeType:"translation",translation:{en:"Composite",ko:"복합"}},totalSchedules:{nodeType:"translation",translation:{en:"Total Schedules",ko:"전체 스케줄"}},dataChangeTriggers:{nodeType:"translation",translation:{en:"Data Change Triggers",ko:"데이터 변경 트리거"}},webhookTriggers:{nodeType:"translation",translation:{en:"Webhook Triggers",ko:"웹훅 트리거"}},compositeTriggers:{nodeType:"translation",translation:{en:"Composite Triggers",ko:"복합 트리거"}},checksLastHour:{nodeType:"translation",translation:{en:"Checks (Last Hour)",ko:"확인 (최근 1시간)"}},triggersLastHour:{nodeType:"translation",translation:{en:"Triggers (Last Hour)",ko:"트리거 (최근 1시간)"}},checkerStatus:{nodeType:"translation",translation:{en:"Checker Status",ko:"체커 상태"}},checkerRunning:{nodeType:"translation",translation:{en:"Running",ko:"실행 중"}},checkerStopped:{nodeType:"translation",translation:{en:"Stopped",ko:"중지됨"}},lastCheckerRun:{nodeType:"translation",translation:{en:"Last Checker Run",ko:"마지막 체커 실행"}},checkerInterval:{nodeType:"translation",translation:{en:"Check Interval",ko:"확인 간격"}},nextScheduledCheck:{nodeType:"translation",translation:{en:"Next Scheduled Check",ko:"다음 예정 확인"}},triggerType:{nodeType:"translation",translation:{en:"Trigger Type",ko:"트리거 유형"}},cron:{nodeType:"translation",translation:{en:"Cron",ko:"Cron"}},interval:{nodeType:"translation",translation:{en:"Interval",ko:"간격"}},dataChange:{nodeType:"translation",translation:{en:"Data Change",ko:"데이터 변경"}},compositeType:{nodeType:"translation",translation:{en:"Composite",ko:"복합"}},event:{nodeType:"translation",translation:{en:"Event",ko:"이벤트"}},manual:{nodeType:"translation",translation:{en:"Manual",ko:"수동"}},webhook:{nodeType:"translation",translation:{en:"Webhook",ko:"웹훅"}},scheduleName:{nodeType:"translation",translation:{en:"Schedule Name",ko:"스케줄 이름"}},lastCheck:{nodeType:"translation",translation:{en:"Last Check",ko:"마지막 확인"}},lastTriggered:{nodeType:"translation",translation:{en:"Last Triggered",ko:"마지막 트리거"}},nextCheck:{nodeType:"translation",translation:{en:"Next Check",ko:"다음 확인"}},checkCount:{nodeType:"translation",translation:{en:"Checks",ko:"확인 횟수"}},triggerCount:{nodeType:"translation",translation:{en:"Triggers",ko:"트리거 횟수"}},priority:{nodeType:"translation",translation:{en:"Priority",ko:"우선순위"}},cooldown:{nodeType:"translation",translation:{en:"Cooldown",ko:"쿨다운"}},cooldownRemaining:{nodeType:"translation",translation:{en:"Cooldown Remaining",ko:"남은 쿨다운"}},status:{nodeType:"translation",translation:{en:"Status",ko:"상태"}},dueForCheck:{nodeType:"translation",translation:{en:"Due for Check",ko:"확인 대기"}},inCooldown:{nodeType:"translation",translation:{en:"In Cooldown",ko:"쿨다운 중"}},ready:{nodeType:"translation",translation:{en:"Ready",ko:"준비됨"}},disabled:{nodeType:"translation",translation:{en:"Disabled",ko:"비활성화"}},lastEvaluation:{nodeType:"translation",translation:{en:"Last Evaluation",ko:"마지막 평가"}},shouldTrigger:{nodeType:"translation",translation:{en:"Should Trigger",ko:"트리거 여부"}},reason:{nodeType:"translation",translation:{en:"Reason",ko:"사유"}},details:{nodeType:"translation",translation:{en:"Details",ko:"상세"}},changeThreshold:{nodeType:"translation",translation:{en:"Change Threshold",ko:"변경 임계값"}},monitoredMetrics:{nodeType:"translation",translation:{en:"Monitored Metrics",ko:"모니터링 메트릭"}},baselineProfile:{nodeType:"translation",translation:{en:"Baseline Profile",ko:"기준 프로파일"}},checkIntervalMinutes:{nodeType:"translation",translation:{en:"Check Interval (min)",ko:"확인 간격 (분)"}},cooldownMinutes:{nodeType:"translation",translation:{en:"Cooldown (min)",ko:"쿨다운 (분)"}},autoProfile:{nodeType:"translation",translation:{en:"Auto Profile",ko:"자동 프로파일"}},operator:{nodeType:"translation",translation:{en:"Operator",ko:"연산자"}},andOperator:{nodeType:"translation",translation:{en:"AND (All conditions)",ko:"AND (모든 조건)"}},orOperator:{nodeType:"translation",translation:{en:"OR (Any condition)",ko:"OR (조건 중 하나)"}},nestedTriggers:{nodeType:"translation",translation:{en:"Nested Triggers",ko:"중첩 트리거"}},addTrigger:{nodeType:"translation",translation:{en:"Add Trigger",ko:"트리거 추가"}},removeTrigger:{nodeType:"translation",translation:{en:"Remove Trigger",ko:"트리거 제거"}},webhookEndpoint:{nodeType:"translation",translation:{en:"Webhook Endpoint",ko:"웹훅 엔드포인트"}},webhookSecret:{nodeType:"translation",translation:{en:"Webhook Secret",ko:"웹훅 시크릿"}},allowedSources:{nodeType:"translation",translation:{en:"Allowed Sources",ko:"허용된 소스"}},requireSignature:{nodeType:"translation",translation:{en:"Require Signature",ko:"서명 필요"}},testWebhook:{nodeType:"translation",translation:{en:"Test Webhook",ko:"웹훅 테스트"}},webhookUrl:{nodeType:"translation",translation:{en:"Webhook URL",ko:"웹훅 URL"}},copyWebhookUrl:{nodeType:"translation",translation:{en:"Copy Webhook URL",ko:"웹훅 URL 복사"}},refresh:{nodeType:"translation",translation:{en:"Refresh",ko:"새로고침"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},editTrigger:{nodeType:"translation",translation:{en:"Edit Trigger",ko:"트리거 편집"}},forceCheck:{nodeType:"translation",translation:{en:"Force Check",ko:"강제 확인"}},resetCooldown:{nodeType:"translation",translation:{en:"Reset Cooldown",ko:"쿨다운 초기화"}},noTriggers:{nodeType:"translation",translation:{en:"No triggers configured",ko:"설정된 트리거가 없습니다"}},noTriggersDesc:{nodeType:"translation",translation:{en:"Data change and composite triggers will appear here when configured in schedules",ko:"스케줄에서 설정된 데이터 변경 및 복합 트리거가 여기에 표시됩니다"}},noWebhooks:{nodeType:"translation",translation:{en:"No webhook triggers",ko:"웹훅 트리거 없음"}},noWebhooksDesc:{nodeType:"translation",translation:{en:"Create a schedule with webhook trigger to enable external triggers",ko:"외부 트리거를 활성화하려면 웹훅 트리거가 있는 스케줄을 생성하세요"}},refreshed:{nodeType:"translation",translation:{en:"Trigger status refreshed",ko:"트리거 상태 새로고침됨"}},refreshFailed:{nodeType:"translation",translation:{en:"Failed to refresh",ko:"새로고침 실패"}},webhookSent:{nodeType:"translation",translation:{en:"Webhook sent successfully",ko:"웹훅 전송 성공"}},webhookFailed:{nodeType:"translation",translation:{en:"Webhook failed",ko:"웹훅 실패"}},urlCopied:{nodeType:"translation",translation:{en:"URL copied to clipboard",ko:"URL이 클립보드에 복사됨"}},seconds:{nodeType:"translation",translation:{en:"seconds",ko:"초"}},minutes:{nodeType:"translation",translation:{en:"minutes",ko:"분"}},never:{nodeType:"translation",translation:{en:"Never",ko:"없음"}},ago:{nodeType:"translation",translation:{en:"ago",ko:"전"}}},localId:"triggers::local::src/content/triggers.content.ts",location:"local",filePath:"src/content/triggers.content.ts"}],P=[{key:"validation",content:{title:{nodeType:"translation",translation:{en:"Validations",ko:"검증"}},run:{nodeType:"translation",translation:{en:"Run Validation",ko:"검증 실행"}},running:{nodeType:"translation",translation:{en:"Running...",ko:"실행 중..."}},passed:{nodeType:"translation",translation:{en:"Passed",ko:"통과"}},failed:{nodeType:"translation",translation:{en:"Failed",ko:"실패"}},error:{nodeType:"translation",translation:{en:"Error",ko:"오류"}},pending:{nodeType:"translation",translation:{en:"Pending",ko:"대기 중"}},success:{nodeType:"translation",translation:{en:"Passed",ko:"통과"}},warning:{nodeType:"translation",translation:{en:"Warning",ko:"경고"}},passRate:{nodeType:"translation",translation:{en:"Pass Rate",ko:"통과율"}},totalRules:{nodeType:"translation",translation:{en:"Total Rules",ko:"전체 규칙"}},duration:{nodeType:"translation",translation:{en:"Duration",ko:"소요 시간"}},totalIssues:{nodeType:"translation",translation:{en:"Total Issues",ko:"전체 이슈"}},criticalIssues:{nodeType:"translation",translation:{en:"Critical Issues",ko:"심각한 이슈"}},highIssues:{nodeType:"translation",translation:{en:"High Issues",ko:"높은 이슈"}},mediumIssues:{nodeType:"translation",translation:{en:"Medium Issues",ko:"중간 이슈"}},lowIssues:{nodeType:"translation",translation:{en:"Low Issues",ko:"낮은 이슈"}},noIssues:{nodeType:"translation",translation:{en:"No issues found",ko:"발견된 이슈가 없습니다"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},severity:{critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}}}},localId:"validation::local::src/content/validation.content.ts",location:"local",filePath:"src/content/validation.content.ts"}],N=[{key:"validators",content:{title:{nodeType:"translation",translation:{en:"Validators",ko:"검증기"}},selectValidators:{nodeType:"translation",translation:{en:"Select Validators",ko:"검증기 선택"}},configureValidators:{nodeType:"translation",translation:{en:"Configure Validators",ko:"검증기 설정"}},categories:{schema:{nodeType:"translation",translation:{en:"Schema",ko:"스키마"}},completeness:{nodeType:"translation",translation:{en:"Completeness",ko:"완전성"}},uniqueness:{nodeType:"translation",translation:{en:"Uniqueness",ko:"유일성"}},distribution:{nodeType:"translation",translation:{en:"Distribution",ko:"분포"}},string:{nodeType:"translation",translation:{en:"String",ko:"문자열"}},datetime:{nodeType:"translation",translation:{en:"Datetime",ko:"날짜/시간"}},aggregate:{nodeType:"translation",translation:{en:"Aggregate",ko:"집계"}},crossTable:{nodeType:"translation",translation:{en:"Cross-Table",ko:"테이블 간"}},query:{nodeType:"translation",translation:{en:"Query",ko:"쿼리"}},multiColumn:{nodeType:"translation",translation:{en:"Multi-Column",ko:"다중 열"}},table:{nodeType:"translation",translation:{en:"Table",ko:"테이블"}},geospatial:{nodeType:"translation",translation:{en:"Geospatial",ko:"지리공간"}},drift:{nodeType:"translation",translation:{en:"Drift",ko:"드리프트"}},anomaly:{nodeType:"translation",translation:{en:"Anomaly",ko:"이상 탐지"}},privacy:{nodeType:"translation",translation:{en:"Privacy",ko:"프라이버시"}},timeSeries:{nodeType:"translation",translation:{en:"Time Series",ko:"시계열"}},referential:{nodeType:"translation",translation:{en:"Referential",ko:"참조"}},streaming:{nodeType:"translation",translation:{en:"Streaming",ko:"스트리밍"}},business:{nodeType:"translation",translation:{en:"Business",ko:"비즈니스"}}},categoryDescriptions:{schema:{nodeType:"translation",translation:{en:"Validate structure, columns, and data types",ko:"구조, 열, 데이터 타입 검증"}},completeness:{nodeType:"translation",translation:{en:"Check for null values and missing data",ko:"Null 값 및 누락 데이터 확인"}},uniqueness:{nodeType:"translation",translation:{en:"Detect duplicates and validate keys",ko:"중복 탐지 및 키 검증"}},distribution:{nodeType:"translation",translation:{en:"Validate value ranges and distributions",ko:"값 범위 및 분포 검증"}},string:{nodeType:"translation",translation:{en:"Pattern matching and format validation",ko:"패턴 매칭 및 형식 검증"}},datetime:{nodeType:"translation",translation:{en:"Date/time format and range validation",ko:"날짜/시간 형식 및 범위 검증"}},aggregate:{nodeType:"translation",translation:{en:"Statistical aggregate checks (mean, sum, etc.)",ko:"통계적 집계 검사 (평균, 합계 등)"}},crossTable:{nodeType:"translation",translation:{en:"Multi-table relationships and foreign keys",ko:"다중 테이블 관계 및 외래 키"}},multiColumn:{nodeType:"translation",translation:{en:"Column relationships and calculations",ko:"열 간 관계 및 계산"}},query:{nodeType:"translation",translation:{en:"Expression-based custom validation",ko:"표현식 기반 사용자 정의 검증"}},table:{nodeType:"translation",translation:{en:"Table metadata and structure validation",ko:"테이블 메타데이터 및 구조 검증"}},geospatial:{nodeType:"translation",translation:{en:"Geographic coordinate validation",ko:"지리적 좌표 검증"}},drift:{nodeType:"translation",translation:{en:"Distribution change detection between datasets",ko:"데이터셋 간 분포 변화 감지"}},anomaly:{nodeType:"translation",translation:{en:"ML-based outlier and anomaly detection",ko:"ML 기반 이상치 및 이상 탐지"}},privacy:{nodeType:"translation",translation:{en:"PII detection and compliance (GDPR, CCPA)",ko:"PII 탐지 및 규정 준수 (GDPR, CCPA)"}},timeSeries:{nodeType:"translation",translation:{en:"Time series data validation",ko:"시계열 데이터 검증"}},referential:{nodeType:"translation",translation:{en:"Referential integrity validation",ko:"참조 무결성 검증"}},streaming:{nodeType:"translation",translation:{en:"Streaming data validation",ko:"스트리밍 데이터 검증"}},business:{nodeType:"translation",translation:{en:"Business rule validation",ko:"비즈니스 규칙 검증"}}},presets:{custom:{nodeType:"translation",translation:{en:"Custom",ko:"사용자 정의"}},allValidators:{nodeType:"translation",translation:{en:"All Validators",ko:"모든 검증기"}},quickCheck:{nodeType:"translation",translation:{en:"Quick Check",ko:"빠른 검사"}},schemaOnly:{nodeType:"translation",translation:{en:"Schema Only",ko:"스키마만"}},dataQuality:{nodeType:"translation",translation:{en:"Data Quality",ko:"데이터 품질"}}},presetDescriptions:{allValidators:{nodeType:"translation",translation:{en:"Run all available validators",ko:"모든 사용 가능한 검증기 실행"}},quickCheck:{nodeType:"translation",translation:{en:"Fast validation for common issues",ko:"일반적인 문제에 대한 빠른 검증"}},schemaOnly:{nodeType:"translation",translation:{en:"Structure and type validation",ko:"구조 및 타입 검증"}},dataQuality:{nodeType:"translation",translation:{en:"Completeness and uniqueness checks",ko:"완전성 및 유일성 검사"}}},enableAll:{nodeType:"translation",translation:{en:"Enable All",ko:"모두 활성화"}},disableAll:{nodeType:"translation",translation:{en:"Disable All",ko:"모두 비활성화"}},configured:{nodeType:"translation",translation:{en:"Configured",ko:"설정됨"}},enabled:{nodeType:"translation",translation:{en:"enabled",ko:"활성화"}},validators:{nodeType:"translation",translation:{en:"validators",ko:"검증기"}},noValidatorsMatch:{nodeType:"translation",translation:{en:"No validators match your search criteria.",ko:"검색 조건에 맞는 검증기가 없습니다."}},parameters:{column:{nodeType:"translation",translation:{en:"Column",ko:"열"}},columns:{nodeType:"translation",translation:{en:"Columns",ko:"열 목록"}},addColumn:{nodeType:"translation",translation:{en:"Add column...",ko:"열 추가..."}},addValue:{nodeType:"translation",translation:{en:"Add value...",ko:"값 추가..."}},selectColumn:{nodeType:"translation",translation:{en:"Select column...",ko:"열 선택..."}},requiredField:{nodeType:"translation",translation:{en:"This field is required",ko:"필수 입력 항목입니다"}}},severity:{low:{nodeType:"translation",translation:{en:"Low",ko:"낮음"}},medium:{nodeType:"translation",translation:{en:"Medium",ko:"중간"}},high:{nodeType:"translation",translation:{en:"High",ko:"높음"}},critical:{nodeType:"translation",translation:{en:"Critical",ko:"심각"}}},parameterTypes:{string:{nodeType:"translation",translation:{en:"Text",ko:"텍스트"}},integer:{nodeType:"translation",translation:{en:"Integer",ko:"정수"}},float:{nodeType:"translation",translation:{en:"Number",ko:"숫자"}},boolean:{nodeType:"translation",translation:{en:"Yes/No",ko:"예/아니오"}},select:{nodeType:"translation",translation:{en:"Select",ko:"선택"}},multiSelect:{nodeType:"translation",translation:{en:"Multi-select",ko:"다중 선택"}},regex:{nodeType:"translation",translation:{en:"Regex Pattern",ko:"정규식 패턴"}},expression:{nodeType:"translation",translation:{en:"Expression",ko:"표현식"}},schema:{nodeType:"translation",translation:{en:"Schema (JSON)",ko:"스키마 (JSON)"}}},tooltips:{mostly:{nodeType:"translation",translation:{en:"Acceptable ratio (0.0-1.0). E.g., 0.95 means 5% exceptions allowed.",ko:"허용 비율 (0.0-1.0). 예: 0.95는 5% 예외 허용을 의미합니다."}},strict:{nodeType:"translation",translation:{en:"If enabled, validation fails strictly on any violation.",ko:"활성화하면 모든 위반에 대해 엄격하게 검증에 실패합니다."}}},errors:{loadFailed:{nodeType:"translation",translation:{en:"Failed to load validators",ko:"검증기 로드 실패"}},invalidRegex:{nodeType:"translation",translation:{en:"Invalid regular expression",ko:"잘못된 정규식"}},invalidJson:{nodeType:"translation",translation:{en:"Invalid JSON format",ko:"잘못된 JSON 형식"}},minValue:{nodeType:"translation",translation:{en:"Value must be at least",ko:"값은 최소"}},maxValue:{nodeType:"translation",translation:{en:"Value must be at most",ko:"값은 최대"}}}},localId:"validators::local::src/content/validators.content.ts",location:"local",filePath:"src/content/validators.content.ts"}],M=[{key:"versioning",content:{title:{nodeType:"translation",translation:{en:"Version History",ko:"버전 히스토리"}},subtitle:{nodeType:"translation",translation:{en:"Track validation result changes over time",ko:"시간에 따른 검증 결과 변경 추적"}},versionList:{nodeType:"translation",translation:{en:"Version List",ko:"버전 목록"}},noVersions:{nodeType:"translation",translation:{en:"No versions available yet. Run a validation to create the first version.",ko:"아직 버전이 없습니다. 검증을 실행하여 첫 번째 버전을 생성하세요."}},latestVersion:{nodeType:"translation",translation:{en:"Latest Version",ko:"최신 버전"}},version:{nodeType:"translation",translation:{en:"Version",ko:"버전"}},validationId:{nodeType:"translation",translation:{en:"Validation ID",ko:"검증 ID"}},versionNumber:{nodeType:"translation",translation:{en:"Version Number",ko:"버전 번호"}},strategy:{nodeType:"translation",translation:{en:"Strategy",ko:"전략"}},createdAt:{nodeType:"translation",translation:{en:"Created At",ko:"생성 시간"}},parentVersion:{nodeType:"translation",translation:{en:"Parent Version",ko:"상위 버전"}},contentHash:{nodeType:"translation",translation:{en:"Content Hash",ko:"콘텐츠 해시"}},noParent:{nodeType:"translation",translation:{en:"No parent (initial version)",ko:"상위 버전 없음 (초기 버전)"}},strategies:{incremental:{nodeType:"translation",translation:{en:"Incremental",ko:"증분"}},semantic:{nodeType:"translation",translation:{en:"Semantic",ko:"시맨틱"}},timestamp:{nodeType:"translation",translation:{en:"Timestamp",ko:"타임스탬프"}},gitlike:{nodeType:"translation",translation:{en:"Git-like",ko:"Git 스타일"}}},compare:{nodeType:"translation",translation:{en:"Compare",ko:"비교"}},compareVersions:{nodeType:"translation",translation:{en:"Compare Versions",ko:"버전 비교"}},selectVersions:{nodeType:"translation",translation:{en:"Select two versions to compare",ko:"비교할 두 버전을 선택하세요"}},fromVersion:{nodeType:"translation",translation:{en:"From Version",ko:"이전 버전"}},toVersion:{nodeType:"translation",translation:{en:"To Version",ko:"최신 버전"}},noChanges:{nodeType:"translation",translation:{en:"No changes between versions",ko:"버전 간 변경 사항이 없습니다"}},hasChanges:{nodeType:"translation",translation:{en:"Changes detected",ko:"변경 사항 감지됨"}},issuesAdded:{nodeType:"translation",translation:{en:"Issues Added",ko:"추가된 이슈"}},issuesRemoved:{nodeType:"translation",translation:{en:"Issues Removed",ko:"제거된 이슈"}},issuesChanged:{nodeType:"translation",translation:{en:"Issues Changed",ko:"변경된 이슈"}},changeSummary:{nodeType:"translation",translation:{en:"Change Summary",ko:"변경 요약"}},addedCount:{nodeType:"translation",translation:{en:"Added",ko:"추가됨"}},removedCount:{nodeType:"translation",translation:{en:"Removed",ko:"제거됨"}},changedCount:{nodeType:"translation",translation:{en:"Changed",ko:"변경됨"}},viewHistory:{nodeType:"translation",translation:{en:"View History",ko:"히스토리 보기"}},historyChain:{nodeType:"translation",translation:{en:"Version History Chain",ko:"버전 히스토리 체인"}},showHistory:{nodeType:"translation",translation:{en:"Show Version History",ko:"버전 히스토리 표시"}},hideHistory:{nodeType:"translation",translation:{en:"Hide Version History",ko:"버전 히스토리 숨기기"}},createVersion:{nodeType:"translation",translation:{en:"Create Version",ko:"버전 생성"}},viewDetails:{nodeType:"translation",translation:{en:"View Details",ko:"상세 보기"}},backToSource:{nodeType:"translation",translation:{en:"Back to Source",ko:"소스로 돌아가기"}},versionCreated:{nodeType:"translation",translation:{en:"Version created successfully",ko:"버전이 성공적으로 생성되었습니다"}},loadError:{nodeType:"translation",translation:{en:"Failed to load versions",ko:"버전 로드 실패"}},compareError:{nodeType:"translation",translation:{en:"Failed to compare versions",ko:"버전 비교 실패"}},timeline:{nodeType:"translation",translation:{en:"Timeline",ko:"타임라인"}},current:{nodeType:"translation",translation:{en:"Current",ko:"현재"}},initial:{nodeType:"translation",translation:{en:"Initial",ko:"초기"}}},localId:"versioning::local::src/content/versioning.content.ts",location:"local",filePath:"src/content/versioning.content.ts"}],E={alerts:n,anomaly:e,catalog:t,collaboration:a,common:o,crossAlerts:i,dashboard:r,drift:s,driftMonitor:l,errors:d,glossary:p,lineage:y,maintenance:c,modelMonitoring:T,nav:k,notifications:u,notificationsAdvanced:m,plugins:g,privacy:h,profileComparison:f,profiler:v,reports:C,ruleSuggestions:S,schedules:D,schemaEvolution:b,settings:A,sources:w,triggers:R,validation:P,validators:N,versioning:M},F=()=>E;export{E as default,F as getUnmergedDictionaries};