Merge pull request #134 from didi/dev_2.2.0

merge dev 2.2.0
This commit is contained in:
EricZeng
2021-01-25 17:30:26 +08:00
committed by GitHub
84 changed files with 791 additions and 414 deletions

View File

@@ -4,8 +4,9 @@ cd $workspace
## constant ## constant
OUTPUT_DIR=./output OUTPUT_DIR=./output
KM_VERSION=2.1.0 KM_VERSION=2.2.0
APP_NAME=kafka-manager-$KM_VERSION APP_NAME=kafka-manager
APP_DIR=${APP_NAME}-${KM_VERSION}
MYSQL_TABLE_SQL_FILE=./docs/install_guide/create_mysql_table.sql MYSQL_TABLE_SQL_FILE=./docs/install_guide/create_mysql_table.sql
CONFIG_FILE=./kafka-manager-web/src/main/resources/application.yml CONFIG_FILE=./kafka-manager-web/src/main/resources/application.yml
@@ -28,15 +29,15 @@ function build() {
function make_output() { function make_output() {
# 新建output目录 # 新建output目录
rm -rf ${OUTPUT_DIR} &>/dev/null rm -rf ${OUTPUT_DIR} &>/dev/null
mkdir -p ${OUTPUT_DIR}/${APP_NAME} &>/dev/null mkdir -p ${OUTPUT_DIR}/${APP_DIR} &>/dev/null
# 填充output目录, output内的内容 # 填充output目录, output内的内容
( (
cp -rf ${MYSQL_TABLE_SQL_FILE} ${OUTPUT_DIR}/${APP_NAME} && # 拷贝 sql 初始化脚本 至output目录 cp -rf ${MYSQL_TABLE_SQL_FILE} ${OUTPUT_DIR}/${APP_DIR} && # 拷贝 sql 初始化脚本 至output目录
cp -rf ${CONFIG_FILE} ${OUTPUT_DIR}/${APP_NAME} && # 拷贝 application.yml 至output目录 cp -rf ${CONFIG_FILE} ${OUTPUT_DIR}/${APP_DIR} && # 拷贝 application.yml 至output目录
# 拷贝程序包到output路径 # 拷贝程序包到output路径
cp kafka-manager-web/target/kafka-manager-web-${KM_VERSION}-SNAPSHOT.jar ${OUTPUT_DIR}/${APP_NAME}/${APP_NAME}-SNAPSHOT.jar cp kafka-manager-web/target/kafka-manager-web-${KM_VERSION}-SNAPSHOT.jar ${OUTPUT_DIR}/${APP_DIR}/${APP_NAME}.jar
echo -e "make output ok." echo -e "make output ok."
) || { echo -e "make output error"; exit 2; } # 填充output目录失败后, 退出码为 非0 ) || { echo -e "make output error"; exit 2; } # 填充output目录失败后, 退出码为 非0
} }
@@ -44,7 +45,7 @@ function make_output() {
function make_package() { function make_package() {
# 压缩output目录 # 压缩output目录
( (
cd ${OUTPUT_DIR} && tar cvzf ${APP_NAME}.tar.gz ${APP_NAME} cd ${OUTPUT_DIR} && tar cvzf ${APP_DIR}.tar.gz ${APP_DIR}
echo -e "make package ok." echo -e "make package ok."
) || { echo -e "make package error"; exit 2; } # 压缩output目录失败后, 退出码为 非0 ) || { echo -e "make package error"; exit 2; } # 压缩output目录失败后, 退出码为 非0
} }

Binary file not shown.

Before

Width:  |  Height:  |  Size: 150 KiB

View File

@@ -0,0 +1,27 @@
---
![kafka-manager-logo](../../assets/images/common/logo_name.png)
**一站式`Apache Kafka`集群指标监控与运维管控平台**
---
# 升级至`2.2.0`版本
`2.2.0`版本在`cluster`表及`logical_cluster`各增加了一个字段因此需要执行下面的sql进行字段的增加。
```sql
# cluster表中增加jmx_properties字段, 这个字段会用于存储jmx相关的认证以及配置信息
ALTER TABLE `cluster` ADD COLUMN `jmx_properties` TEXT NULL COMMENT 'JMX配置' AFTER `security_properties`;
# logical_cluster中增加identification字段, 同时数据和原先name数据相同, 最后增加一个唯一键.
# 此后, name字段还是表示集群名称, identification字段表示的是集群标识, 只能是字母数字及下划线组成,
# 数据上报到监控系统时, 集群这个标识采用的字段就是identification字段, 之前使用的是name字段.
ALTER TABLE `logical_cluster` ADD COLUMN `identification` VARCHAR(192) NOT NULL DEFAULT '' COMMENT '逻辑集群标识' AFTER `name`;
UPDATE `logical_cluster` SET `identification`=`name` WHERE id>=0;
ALTER TABLE `logical_cluster` ADD INDEX `uniq_identification` (`identification` ASC);
```

View File

@@ -1,3 +1,8 @@
-- create database
CREATE DATABASE logi_kafka_manager;
USE logi_kafka_manager;
-- --
-- Table structure for table `account` -- Table structure for table `account`
-- --
@@ -104,7 +109,8 @@ CREATE TABLE `cluster` (
`zookeeper` varchar(512) NOT NULL DEFAULT '' COMMENT 'zk地址', `zookeeper` varchar(512) NOT NULL DEFAULT '' COMMENT 'zk地址',
`bootstrap_servers` varchar(512) NOT NULL DEFAULT '' COMMENT 'server地址', `bootstrap_servers` varchar(512) NOT NULL DEFAULT '' COMMENT 'server地址',
`kafka_version` varchar(32) NOT NULL DEFAULT '' COMMENT 'kafka版本', `kafka_version` varchar(32) NOT NULL DEFAULT '' COMMENT 'kafka版本',
`security_properties` text COMMENT '安全认证参数', `security_properties` text COMMENT 'Kafka安全认证参数',
`jmx_properties` text COMMENT 'JMX配置',
`status` tinyint(4) NOT NULL DEFAULT '1' COMMENT ' 监控标记, 0表示未监控, 1表示监控中', `status` tinyint(4) NOT NULL DEFAULT '1' COMMENT ' 监控标记, 0表示未监控, 1表示监控中',
`gmt_create` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间', `gmt_create` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间',
`gmt_modify` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '修改时间', `gmt_modify` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '修改时间',
@@ -302,20 +308,22 @@ INSERT INTO kafka_user(app_id, password, user_type, operation) VALUES ('dkm_admi
-- Table structure for table `logical_cluster` -- Table structure for table `logical_cluster`
-- --
-- DROP TABLE IF EXISTS `logical_cluster`;
CREATE TABLE `logical_cluster` ( CREATE TABLE `logical_cluster` (
`id` bigint(20) unsigned NOT NULL AUTO_INCREMENT COMMENT 'id', `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT COMMENT 'id',
`name` varchar(192) NOT NULL DEFAULT '' COMMENT '逻辑集群名称', `name` varchar(192) NOT NULL DEFAULT '' COMMENT '逻辑集群名称',
`mode` int(16) NOT NULL DEFAULT '0' COMMENT '逻辑集群类型, 0:共享集群, 1:独享集群, 2:独立集群', `identification` varchar(192) NOT NULL DEFAULT '' COMMENT '逻辑集群标识',
`app_id` varchar(64) NOT NULL DEFAULT '' COMMENT '所属应用', `mode` int(16) NOT NULL DEFAULT '0' COMMENT '逻辑集群类型, 0:共享集群, 1:独享集群, 2:独立集群',
`cluster_id` bigint(20) NOT NULL DEFAULT '-1' COMMENT '集群id', `app_id` varchar(64) NOT NULL DEFAULT '' COMMENT '所属应用',
`region_list` varchar(256) NOT NULL DEFAULT '' COMMENT 'regionid列表', `cluster_id` bigint(20) NOT NULL DEFAULT '-1' COMMENT '集群id',
`description` text COMMENT '备注说明', `region_list` varchar(256) NOT NULL DEFAULT '' COMMENT 'regionid列表',
`gmt_create` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间', `description` text COMMENT '备注说明',
`gmt_modify` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '修改时间', `gmt_create` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间',
PRIMARY KEY (`id`), `gmt_modify` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '修改时间',
UNIQUE KEY `uniq_name` (`name`) PRIMARY KEY (`id`),
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='逻辑集群信息表'; UNIQUE KEY `uniq_name` (`name`),
UNIQUE KEY `uniq_identification` (`identification`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8 COMMENT='逻辑集群信息表';
-- --
-- Table structure for table `monitor_rule` -- Table structure for table `monitor_rule`

View File

@@ -9,19 +9,39 @@
# 安装手册 # 安装手册
## 1、环境依赖
## 环境依赖 如果是以Release包进行安装的则仅安装`Java``MySQL`即可。如果是要先进行源码包进行打包,然后再使用,则需要安装`Maven``Node`环境。
- `Maven 3.5+`(后端打包依赖)
- `node v12+`(前端打包依赖)
- `Java 8+`(运行环境需要) - `Java 8+`(运行环境需要)
- `MySQL 5.7`(数据存储) - `MySQL 5.7`(数据存储)
- `Maven 3.5+`(后端打包依赖)
- `Node 10+`(前端打包依赖)
--- ---
## 环境初始化 ## 2、获取安装包
执行[create_mysql_table.sql](create_mysql_table.sql)中的SQL命令从而创建所需的MySQL库及表默认创建的库名是`kafka_manager` **1、Release直接下载**
这里如果觉得麻烦然后也不想进行二次开发则可以直接下载Release包下载地址[Github Release包下载地址](https://github.com/didi/Logi-KafkaManager/releases)
如果觉得Github的下载地址太慢了也可以进入`Logi-KafkaManager`的用户群获取群地址在README中。
**2、源代码进行打包**
下载好代码之后,进入`Logi-KafkaManager`的主目录,执行`sh build.sh`命令即可,执行完成之后会在`output/kafka-manager-xxx`目录下面生成一个jar包。
对于`windows`环境的用户,估计执行不了`sh build.sh`命令,因此可以直接执行`mvn install`,然后在`kafka-manager-web/target`目录下生成一个kafka-manager-web-xxx.jar的包。
获取到jar包之后我们继续下面的步骤。
---
## 3、MySQL-DB初始化
执行[create_mysql_table.sql](create_mysql_table.sql)中的SQL命令从而创建所需的MySQL库及表默认创建的库名是`logi_kafka_manager`
``` ```
# 示例: # 示例:
@@ -30,29 +50,15 @@ mysql -uXXXX -pXXX -h XXX.XXX.XXX.XXX -PXXXX < ./create_mysql_table.sql
--- ---
## 打包 ## 4、启动
```bash
# 一次性打包
cd ..
mvn install
``` ```
# application.yml 是配置文件最简单的是仅修改MySQL相关的配置即可启动
--- nohup java -jar kafka-manager.jar --spring.config.location=./application.yml > /dev/null 2>&1 &
## 启动
```
# application.yml 是配置文件
cp kafka-manager-web/src/main/resources/application.yml kafka-manager-web/target/
cd kafka-manager-web/target/
nohup java -jar kafka-manager-web-2.1.0-SNAPSHOT.jar --spring.config.location=./application.yml > /dev/null 2>&1 &
``` ```
## 使用 ### 5、使用
本地启动的话,访问`http://localhost:8080`,输入帐号及密码(默认`admin/admin`)进行登录。更多参考:[kafka-manager 用户使用手册](../user_guide/user_guide_cn.md) 本地启动的话,访问`http://localhost:8080`,输入帐号及密码(默认`admin/admin`)进行登录。更多参考:[kafka-manager 用户使用手册](../user_guide/user_guide_cn.md)

View File

@@ -5,13 +5,13 @@
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager-common</artifactId> <artifactId>kafka-manager-common</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<properties> <properties>

View File

@@ -9,6 +9,8 @@ public class LogicalCluster {
private String logicalClusterName; private String logicalClusterName;
private String logicalClusterIdentification;
private Integer mode; private Integer mode;
private Integer topicNum; private Integer topicNum;
@@ -41,6 +43,14 @@ public class LogicalCluster {
this.logicalClusterName = logicalClusterName; this.logicalClusterName = logicalClusterName;
} }
public String getLogicalClusterIdentification() {
return logicalClusterIdentification;
}
public void setLogicalClusterIdentification(String logicalClusterIdentification) {
this.logicalClusterIdentification = logicalClusterIdentification;
}
public Integer getMode() { public Integer getMode() {
return mode; return mode;
} }
@@ -81,6 +91,14 @@ public class LogicalCluster {
this.bootstrapServers = bootstrapServers; this.bootstrapServers = bootstrapServers;
} }
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public Long getGmtCreate() { public Long getGmtCreate() {
return gmtCreate; return gmtCreate;
} }
@@ -97,19 +115,12 @@ public class LogicalCluster {
this.gmtModify = gmtModify; this.gmtModify = gmtModify;
} }
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
@Override @Override
public String toString() { public String toString() {
return "LogicalCluster{" + return "LogicalCluster{" +
"logicalClusterId=" + logicalClusterId + "logicalClusterId=" + logicalClusterId +
", logicalClusterName='" + logicalClusterName + '\'' + ", logicalClusterName='" + logicalClusterName + '\'' +
", logicalClusterIdentification='" + logicalClusterIdentification + '\'' +
", mode=" + mode + ", mode=" + mode +
", topicNum=" + topicNum + ", topicNum=" + topicNum +
", clusterVersion='" + clusterVersion + '\'' + ", clusterVersion='" + clusterVersion + '\'' +

View File

@@ -27,9 +27,12 @@ public class ClusterDTO {
@ApiModelProperty(value="数据中心") @ApiModelProperty(value="数据中心")
private String idc; private String idc;
@ApiModelProperty(value="安全配置参数") @ApiModelProperty(value="Kafka安全配置")
private String securityProperties; private String securityProperties;
@ApiModelProperty(value="Jmx配置")
private String jmxProperties;
public Long getClusterId() { public Long getClusterId() {
return clusterId; return clusterId;
} }
@@ -78,6 +81,14 @@ public class ClusterDTO {
this.securityProperties = securityProperties; this.securityProperties = securityProperties;
} }
public String getJmxProperties() {
return jmxProperties;
}
public void setJmxProperties(String jmxProperties) {
this.jmxProperties = jmxProperties;
}
@Override @Override
public String toString() { public String toString() {
return "ClusterDTO{" + return "ClusterDTO{" +
@@ -87,6 +98,7 @@ public class ClusterDTO {
", bootstrapServers='" + bootstrapServers + '\'' + ", bootstrapServers='" + bootstrapServers + '\'' +
", idc='" + idc + '\'' + ", idc='" + idc + '\'' +
", securityProperties='" + securityProperties + '\'' + ", securityProperties='" + securityProperties + '\'' +
", jmxProperties='" + jmxProperties + '\'' +
'}'; '}';
} }

View File

@@ -21,6 +21,9 @@ public class LogicalClusterDTO {
@ApiModelProperty(value = "名称") @ApiModelProperty(value = "名称")
private String name; private String name;
@ApiModelProperty(value = "集群标识, 用于告警的上报")
private String identification;
@ApiModelProperty(value = "集群模式") @ApiModelProperty(value = "集群模式")
private Integer mode; private Integer mode;
@@ -52,6 +55,14 @@ public class LogicalClusterDTO {
this.name = name; this.name = name;
} }
public String getIdentification() {
return identification;
}
public void setIdentification(String identification) {
this.identification = identification;
}
public Integer getMode() { public Integer getMode() {
return mode; return mode;
} }
@@ -97,6 +108,7 @@ public class LogicalClusterDTO {
return "LogicalClusterDTO{" + return "LogicalClusterDTO{" +
"id=" + id + "id=" + id +
", name='" + name + '\'' + ", name='" + name + '\'' +
", identification='" + identification + '\'' +
", mode=" + mode + ", mode=" + mode +
", clusterId=" + clusterId + ", clusterId=" + clusterId +
", regionIdList=" + regionIdList + ", regionIdList=" + regionIdList +
@@ -117,6 +129,7 @@ public class LogicalClusterDTO {
} }
appId = ValidateUtils.isNull(appId)? "": appId; appId = ValidateUtils.isNull(appId)? "": appId;
description = ValidateUtils.isNull(description)? "": description; description = ValidateUtils.isNull(description)? "": description;
identification = ValidateUtils.isNull(identification)? name: identification;
return true; return true;
} }
} }

View File

@@ -17,6 +17,8 @@ public class ClusterDO implements Comparable<ClusterDO> {
private String securityProperties; private String securityProperties;
private String jmxProperties;
private Integer status; private Integer status;
private Date gmtCreate; private Date gmtCreate;
@@ -31,30 +33,6 @@ public class ClusterDO implements Comparable<ClusterDO> {
this.id = id; this.id = id;
} }
public Integer getStatus() {
return status;
}
public void setStatus(Integer status) {
this.status = status;
}
public Date getGmtCreate() {
return gmtCreate;
}
public void setGmtCreate(Date gmtCreate) {
this.gmtCreate = gmtCreate;
}
public Date getGmtModify() {
return gmtModify;
}
public void setGmtModify(Date gmtModify) {
this.gmtModify = gmtModify;
}
public String getClusterName() { public String getClusterName() {
return clusterName; return clusterName;
} }
@@ -87,6 +65,38 @@ public class ClusterDO implements Comparable<ClusterDO> {
this.securityProperties = securityProperties; this.securityProperties = securityProperties;
} }
public String getJmxProperties() {
return jmxProperties;
}
public void setJmxProperties(String jmxProperties) {
this.jmxProperties = jmxProperties;
}
public Integer getStatus() {
return status;
}
public void setStatus(Integer status) {
this.status = status;
}
public Date getGmtCreate() {
return gmtCreate;
}
public void setGmtCreate(Date gmtCreate) {
this.gmtCreate = gmtCreate;
}
public Date getGmtModify() {
return gmtModify;
}
public void setGmtModify(Date gmtModify) {
this.gmtModify = gmtModify;
}
@Override @Override
public String toString() { public String toString() {
return "ClusterDO{" + return "ClusterDO{" +
@@ -95,6 +105,7 @@ public class ClusterDO implements Comparable<ClusterDO> {
", zookeeper='" + zookeeper + '\'' + ", zookeeper='" + zookeeper + '\'' +
", bootstrapServers='" + bootstrapServers + '\'' + ", bootstrapServers='" + bootstrapServers + '\'' +
", securityProperties='" + securityProperties + '\'' + ", securityProperties='" + securityProperties + '\'' +
", jmxProperties='" + jmxProperties + '\'' +
", status=" + status + ", status=" + status +
", gmtCreate=" + gmtCreate + ", gmtCreate=" + gmtCreate +
", gmtModify=" + gmtModify + ", gmtModify=" + gmtModify +

View File

@@ -11,6 +11,8 @@ public class LogicalClusterDO {
private String name; private String name;
private String identification;
private Integer mode; private Integer mode;
private String appId; private String appId;
@@ -41,6 +43,14 @@ public class LogicalClusterDO {
this.name = name; this.name = name;
} }
public String getIdentification() {
return identification;
}
public void setIdentification(String identification) {
this.identification = identification;
}
public Integer getMode() { public Integer getMode() {
return mode; return mode;
} }
@@ -102,6 +112,7 @@ public class LogicalClusterDO {
return "LogicalClusterDO{" + return "LogicalClusterDO{" +
"id=" + id + "id=" + id +
", name='" + name + '\'' + ", name='" + name + '\'' +
", identification='" + identification + '\'' +
", mode=" + mode + ", mode=" + mode +
", appId='" + appId + '\'' + ", appId='" + appId + '\'' +
", clusterId=" + clusterId + ", clusterId=" + clusterId +

View File

@@ -15,6 +15,9 @@ public class LogicClusterVO {
@ApiModelProperty(value="逻辑集群名称") @ApiModelProperty(value="逻辑集群名称")
private String clusterName; private String clusterName;
@ApiModelProperty(value="逻辑标识")
private String clusterIdentification;
@ApiModelProperty(value="逻辑集群类型, 0:共享集群, 1:独享集群, 2:独立集群") @ApiModelProperty(value="逻辑集群类型, 0:共享集群, 1:独享集群, 2:独立集群")
private Integer mode; private Integer mode;
@@ -24,9 +27,6 @@ public class LogicClusterVO {
@ApiModelProperty(value="集群版本") @ApiModelProperty(value="集群版本")
private String clusterVersion; private String clusterVersion;
@ApiModelProperty(value="物理集群ID")
private Long physicalClusterId;
@ApiModelProperty(value="集群服务地址") @ApiModelProperty(value="集群服务地址")
private String bootstrapServers; private String bootstrapServers;
@@ -55,6 +55,22 @@ public class LogicClusterVO {
this.clusterName = clusterName; this.clusterName = clusterName;
} }
public String getClusterIdentification() {
return clusterIdentification;
}
public void setClusterIdentification(String clusterIdentification) {
this.clusterIdentification = clusterIdentification;
}
public Integer getMode() {
return mode;
}
public void setMode(Integer mode) {
this.mode = mode;
}
public Integer getTopicNum() { public Integer getTopicNum() {
return topicNum; return topicNum;
} }
@@ -71,14 +87,6 @@ public class LogicClusterVO {
this.clusterVersion = clusterVersion; this.clusterVersion = clusterVersion;
} }
public Long getPhysicalClusterId() {
return physicalClusterId;
}
public void setPhysicalClusterId(Long physicalClusterId) {
this.physicalClusterId = physicalClusterId;
}
public String getBootstrapServers() { public String getBootstrapServers() {
return bootstrapServers; return bootstrapServers;
} }
@@ -87,6 +95,14 @@ public class LogicClusterVO {
this.bootstrapServers = bootstrapServers; this.bootstrapServers = bootstrapServers;
} }
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public Long getGmtCreate() { public Long getGmtCreate() {
return gmtCreate; return gmtCreate;
} }
@@ -103,32 +119,15 @@ public class LogicClusterVO {
this.gmtModify = gmtModify; this.gmtModify = gmtModify;
} }
public Integer getMode() {
return mode;
}
public void setMode(Integer mode) {
this.mode = mode;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
@Override @Override
public String toString() { public String toString() {
return "LogicClusterVO{" + return "LogicClusterVO{" +
"clusterId=" + clusterId + "clusterId=" + clusterId +
", clusterName='" + clusterName + '\'' + ", clusterName='" + clusterName + '\'' +
", clusterIdentification='" + clusterIdentification + '\'' +
", mode=" + mode + ", mode=" + mode +
", topicNum=" + topicNum + ", topicNum=" + topicNum +
", clusterVersion='" + clusterVersion + '\'' + ", clusterVersion='" + clusterVersion + '\'' +
", physicalClusterId=" + physicalClusterId +
", bootstrapServers='" + bootstrapServers + '\'' + ", bootstrapServers='" + bootstrapServers + '\'' +
", description='" + description + '\'' + ", description='" + description + '\'' +
", gmtCreate=" + gmtCreate + ", gmtCreate=" + gmtCreate +

View File

@@ -32,9 +32,12 @@ public class ClusterBaseVO {
@ApiModelProperty(value="集群类型") @ApiModelProperty(value="集群类型")
private Integer mode; private Integer mode;
@ApiModelProperty(value="安全配置参数") @ApiModelProperty(value="Kafka安全配置")
private String securityProperties; private String securityProperties;
@ApiModelProperty(value="Jmx配置")
private String jmxProperties;
@ApiModelProperty(value="1:监控中, 0:暂停监控") @ApiModelProperty(value="1:监控中, 0:暂停监控")
private Integer status; private Integer status;
@@ -108,6 +111,14 @@ public class ClusterBaseVO {
this.securityProperties = securityProperties; this.securityProperties = securityProperties;
} }
public String getJmxProperties() {
return jmxProperties;
}
public void setJmxProperties(String jmxProperties) {
this.jmxProperties = jmxProperties;
}
public Integer getStatus() { public Integer getStatus() {
return status; return status;
} }
@@ -141,8 +152,9 @@ public class ClusterBaseVO {
", bootstrapServers='" + bootstrapServers + '\'' + ", bootstrapServers='" + bootstrapServers + '\'' +
", kafkaVersion='" + kafkaVersion + '\'' + ", kafkaVersion='" + kafkaVersion + '\'' +
", idc='" + idc + '\'' + ", idc='" + idc + '\'' +
", mode='" + mode + '\'' + ", mode=" + mode +
", securityProperties='" + securityProperties + '\'' + ", securityProperties='" + securityProperties + '\'' +
", jmxProperties='" + jmxProperties + '\'' +
", status=" + status + ", status=" + status +
", gmtCreate=" + gmtCreate + ", gmtCreate=" + gmtCreate +
", gmtModify=" + gmtModify + ", gmtModify=" + gmtModify +

View File

@@ -18,6 +18,9 @@ public class LogicalClusterVO {
@ApiModelProperty(value = "逻辑集群名称") @ApiModelProperty(value = "逻辑集群名称")
private String logicalClusterName; private String logicalClusterName;
@ApiModelProperty(value = "逻辑集群标识")
private String logicalClusterIdentification;
@ApiModelProperty(value = "物理集群ID") @ApiModelProperty(value = "物理集群ID")
private Long physicalClusterId; private Long physicalClusterId;
@@ -55,6 +58,14 @@ public class LogicalClusterVO {
this.logicalClusterName = logicalClusterName; this.logicalClusterName = logicalClusterName;
} }
public String getLogicalClusterIdentification() {
return logicalClusterIdentification;
}
public void setLogicalClusterIdentification(String logicalClusterIdentification) {
this.logicalClusterIdentification = logicalClusterIdentification;
}
public Long getPhysicalClusterId() { public Long getPhysicalClusterId() {
return physicalClusterId; return physicalClusterId;
} }
@@ -116,6 +127,7 @@ public class LogicalClusterVO {
return "LogicalClusterVO{" + return "LogicalClusterVO{" +
"logicalClusterId=" + logicalClusterId + "logicalClusterId=" + logicalClusterId +
", logicalClusterName='" + logicalClusterName + '\'' + ", logicalClusterName='" + logicalClusterName + '\'' +
", logicalClusterIdentification='" + logicalClusterIdentification + '\'' +
", physicalClusterId=" + physicalClusterId + ", physicalClusterId=" + physicalClusterId +
", regionIdList=" + regionIdList + ", regionIdList=" + regionIdList +
", mode=" + mode + ", mode=" + mode +

View File

@@ -53,6 +53,13 @@ public class JsonUtils {
return JSON.toJSONString(obj); return JSON.toJSONString(obj);
} }
public static <T> T stringToObj(String src, Class<T> clazz) {
if (ValidateUtils.isBlank(src)) {
return null;
}
return JSON.parseObject(src, clazz);
}
public static List<TopicConnectionDO> parseTopicConnections(Long clusterId, JSONObject jsonObject, long postTime) { public static List<TopicConnectionDO> parseTopicConnections(Long clusterId, JSONObject jsonObject, long postTime) {
List<TopicConnectionDO> connectionDOList = new ArrayList<>(); List<TopicConnectionDO> connectionDOList = new ArrayList<>();
for (String clientType: jsonObject.keySet()) { for (String clientType: jsonObject.keySet()) {

View File

@@ -0,0 +1,65 @@
package com.xiaojukeji.kafka.manager.common.utils.jmx;
public class JmxConfig {
/**
* 单台最大连接数
*/
private Integer maxConn;
/**
* 用户名
*/
private String username;
/**
* 密码
*/
private String password;
/**
* 开启SSL
*/
private Boolean openSSL;
public Integer getMaxConn() {
return maxConn;
}
public void setMaxConn(Integer maxConn) {
this.maxConn = maxConn;
}
public String getUsername() {
return username;
}
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
public Boolean isOpenSSL() {
return openSSL;
}
public void setOpenSSL(Boolean openSSL) {
this.openSSL = openSSL;
}
@Override
public String toString() {
return "JmxConfig{" +
"maxConn=" + maxConn +
", username='" + username + '\'' +
", password='" + password + '\'' +
", openSSL=" + openSSL +
'}';
}
}

View File

@@ -1,5 +1,6 @@
package com.xiaojukeji.kafka.manager.common.utils.jmx; package com.xiaojukeji.kafka.manager.common.utils.jmx;
import com.xiaojukeji.kafka.manager.common.utils.ValidateUtils;
import org.slf4j.Logger; import org.slf4j.Logger;
import org.slf4j.LoggerFactory; import org.slf4j.LoggerFactory;
@@ -7,8 +8,14 @@ import javax.management.*;
import javax.management.remote.JMXConnector; import javax.management.remote.JMXConnector;
import javax.management.remote.JMXConnectorFactory; import javax.management.remote.JMXConnectorFactory;
import javax.management.remote.JMXServiceURL; import javax.management.remote.JMXServiceURL;
import javax.management.remote.rmi.RMIConnectorServer;
import javax.naming.Context;
import javax.rmi.ssl.SslRMIClientSocketFactory;
import java.io.IOException; import java.io.IOException;
import java.net.MalformedURLException; import java.net.MalformedURLException;
import java.util.Arrays;
import java.util.HashMap;
import java.util.Map;
import java.util.Set; import java.util.Set;
import java.util.concurrent.atomic.AtomicInteger; import java.util.concurrent.atomic.AtomicInteger;
@@ -28,13 +35,19 @@ public class JmxConnectorWrap {
private AtomicInteger atomicInteger; private AtomicInteger atomicInteger;
public JmxConnectorWrap(String host, int port, int maxConn) { private JmxConfig jmxConfig;
public JmxConnectorWrap(String host, int port, JmxConfig jmxConfig) {
this.host = host; this.host = host;
this.port = port; this.port = port;
if (maxConn <= 0) { this.jmxConfig = jmxConfig;
maxConn = 1; if (ValidateUtils.isNull(this.jmxConfig)) {
this.jmxConfig = new JmxConfig();
} }
this.atomicInteger = new AtomicInteger(maxConn); if (ValidateUtils.isNullOrLessThanZero(this.jmxConfig.getMaxConn())) {
this.jmxConfig.setMaxConn(1);
}
this.atomicInteger = new AtomicInteger(this.jmxConfig.getMaxConn());
} }
public boolean checkJmxConnectionAndInitIfNeed() { public boolean checkJmxConnectionAndInitIfNeed() {
@@ -64,8 +77,18 @@ public class JmxConnectorWrap {
} }
String jmxUrl = String.format("service:jmx:rmi:///jndi/rmi://%s:%d/jmxrmi", host, port); String jmxUrl = String.format("service:jmx:rmi:///jndi/rmi://%s:%d/jmxrmi", host, port);
try { try {
JMXServiceURL url = new JMXServiceURL(jmxUrl); Map<String, Object> environment = new HashMap<String, Object>();
jmxConnector = JMXConnectorFactory.connect(url, null); if (!ValidateUtils.isBlank(this.jmxConfig.getUsername()) && !ValidateUtils.isBlank(this.jmxConfig.getPassword())) {
environment.put(javax.management.remote.JMXConnector.CREDENTIALS, Arrays.asList(this.jmxConfig.getUsername(), this.jmxConfig.getPassword()));
}
if (jmxConfig.isOpenSSL() != null && this.jmxConfig.isOpenSSL()) {
environment.put(Context.SECURITY_PROTOCOL, "ssl");
SslRMIClientSocketFactory clientSocketFactory = new SslRMIClientSocketFactory();
environment.put(RMIConnectorServer.RMI_CLIENT_SOCKET_FACTORY_ATTRIBUTE, clientSocketFactory);
environment.put("com.sun.jndi.rmi.factory.socket", clientSocketFactory);
}
jmxConnector = JMXConnectorFactory.connect(new JMXServiceURL(jmxUrl), environment);
LOGGER.info("JMX connect success, host:{} port:{}.", host, port); LOGGER.info("JMX connect success, host:{} port:{}.", host, port);
return true; return true;
} catch (MalformedURLException e) { } catch (MalformedURLException e) {

View File

@@ -8,7 +8,7 @@
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<build> <build>

View File

@@ -2,6 +2,7 @@ import * as React from 'react';
import { Select, Input, InputNumber, Form, Switch, Checkbox, DatePicker, Radio, Upload, Button, Icon, Tooltip } from 'component/antd'; import { Select, Input, InputNumber, Form, Switch, Checkbox, DatePicker, Radio, Upload, Button, Icon, Tooltip } from 'component/antd';
import Monacoeditor from 'component/editor/monacoEditor'; import Monacoeditor from 'component/editor/monacoEditor';
import { searchProps } from 'constants/table'; import { searchProps } from 'constants/table';
import { version } from 'store/version';
import './index.less'; import './index.less';
const TextArea = Input.TextArea; const TextArea = Input.TextArea;
@@ -189,7 +190,7 @@ class XForm extends React.Component<IXFormProps> {
case FormItemType.upload: case FormItemType.upload:
return ( return (
<Upload beforeUpload={(file: any) => false} {...item.attrs}> <Upload beforeUpload={(file: any) => false} {...item.attrs}>
<Button><Icon type="upload" /></Button> <Button><Icon type="upload" /></Button>{version.fileSuffix && <span style={{ color: '#fb3939', padding: '0 0 0 10px' }}>{`请上传${version.fileSuffix}文件`}</span>}
</Upload> </Upload>
); );
} }

View File

@@ -19,7 +19,7 @@ export const cellStyle = {
overflow: 'hidden', overflow: 'hidden',
whiteSpace: 'nowrap', whiteSpace: 'nowrap',
textOverflow: 'ellipsis', textOverflow: 'ellipsis',
cursor: 'pointer', // cursor: 'pointer',
}; };
export const searchProps = { export const searchProps = {

View File

@@ -38,7 +38,7 @@ export class ClusterConsumer extends SearchAndFilterContainer {
key: 'operation', key: 'operation',
width: '10%', width: '10%',
render: (t: string, item: IOffset) => { render: (t: string, item: IOffset) => {
return (<a onClick={() => this.getConsumeDetails(item)}></a>); return (<a onClick={() => this.getConsumeDetails(item)}></a>);
}, },
}]; }];
private xFormModal: IXFormWrapper; private xFormModal: IXFormWrapper;
@@ -110,7 +110,7 @@ export class ClusterConsumer extends SearchAndFilterContainer {
/> />
</div> </div>
<Modal <Modal
title="消费的Topic" title="消费详情"
visible={this.state.detailsVisible} visible={this.state.detailsVisible}
onOk={() => this.handleDetailsOk()} onOk={() => this.handleDetailsOk()}
onCancel={() => this.handleDetailsCancel()} onCancel={() => this.handleDetailsCancel()}

View File

@@ -2,7 +2,7 @@ import * as React from 'react';
import Url from 'lib/url-parser'; import Url from 'lib/url-parser';
import { region } from 'store'; import { region } from 'store';
import { admin } from 'store/admin'; import { admin } from 'store/admin';
import { topic } from 'store/topic'; import { app } from 'store/app';
import { Table, notification, Tooltip, Popconfirm } from 'antd'; import { Table, notification, Tooltip, Popconfirm } from 'antd';
import { pagination, cellStyle } from 'constants/table'; import { pagination, cellStyle } from 'constants/table';
import { observer } from 'mobx-react'; import { observer } from 'mobx-react';
@@ -56,8 +56,6 @@ export class ClusterTopic extends SearchAndFilterContainer {
public expandPartition(item: IClusterTopics) { public expandPartition(item: IClusterTopics) {
// getTopicBasicInfo // getTopicBasicInfo
admin.getTopicsBasicInfo(item.clusterId, item.topicName).then(data => { admin.getTopicsBasicInfo(item.clusterId, item.topicName).then(data => {
console.log(admin.topicsBasic);
console.log(admin.basicInfo);
this.clusterTopicsFrom = item; this.clusterTopicsFrom = item;
this.setState({ this.setState({
expandVisible: true, expandVisible: true,
@@ -114,6 +112,7 @@ export class ClusterTopic extends SearchAndFilterContainer {
public componentDidMount() { public componentDidMount() {
admin.getClusterTopics(this.clusterId); admin.getClusterTopics(this.clusterId);
app.getAdminAppList()
} }
public renderClusterTopicList() { public renderClusterTopicList() {

View File

@@ -159,7 +159,6 @@ export class ExclusiveCluster extends SearchAndFilterContainer {
public handleDeleteRegion = (record: IBrokersRegions) => { public handleDeleteRegion = (record: IBrokersRegions) => {
const filterRegion = admin.logicalClusters.filter(item => item.regionIdList.includes(record.id)); const filterRegion = admin.logicalClusters.filter(item => item.regionIdList.includes(record.id));
if (!filterRegion) { if (!filterRegion) {
return; return;
} }
@@ -335,6 +334,7 @@ export class ExclusiveCluster extends SearchAndFilterContainer {
{this.renderSearch('', '请输入Region名称broker ID')} {this.renderSearch('', '请输入Region名称broker ID')}
</ul> </ul>
{this.renderRegion()} {this.renderRegion()}
{this.renderDeleteRegionModal()}
</div > </div >
); );
} }

View File

@@ -40,15 +40,15 @@ export class LogicalCluster extends SearchAndFilterContainer {
key: 'logicalClusterId', key: 'logicalClusterId',
}, },
{ {
title: '逻辑集群中文名称', title: '逻辑集群名称',
dataIndex: 'logicalClusterName', dataIndex: 'logicalClusterName',
key: 'logicalClusterName', key: 'logicalClusterName',
width: '150px' width: '150px'
}, },
{ {
title: '逻辑集群英文名称', title: '逻辑集群标识',
dataIndex: 'logicalClusterName', dataIndex: 'logicalClusterIdentification',
key: 'logicalClusterName1', key: 'logicalClusterIdentification',
width: '150px' width: '150px'
}, },
{ {

View File

@@ -1,5 +1,5 @@
import * as React from 'react'; import * as React from 'react';
import { Modal, Table, Button, notification, message, Tooltip, Icon, Popconfirm, Alert } from 'component/antd'; import { Modal, Table, Button, notification, message, Tooltip, Icon, Popconfirm, Alert, Popover } from 'component/antd';
import { wrapper } from 'store'; import { wrapper } from 'store';
import { observer } from 'mobx-react'; import { observer } from 'mobx-react';
import { IXFormWrapper, IMetaData, IRegister } from 'types/base-type'; import { IXFormWrapper, IMetaData, IRegister } from 'types/base-type';
@@ -58,7 +58,7 @@ export class ClusterList extends SearchAndFilterContainer {
message: '请输入zookeeper地址', message: '请输入zookeeper地址',
}], }],
attrs: { attrs: {
placeholder: '请输入zookeeper地址', placeholder: '请输入zookeeper地址例如192.168.0.1:2181,192.168.0.2:2181/logi-kafka',
rows: 2, rows: 2,
disabled: item ? true : false, disabled: item ? true : false,
}, },
@@ -72,7 +72,7 @@ export class ClusterList extends SearchAndFilterContainer {
message: '请输入bootstrapServers', message: '请输入bootstrapServers',
}], }],
attrs: { attrs: {
placeholder: '请输入bootstrapServers', placeholder: '请输入bootstrapServers例如192.168.1.1:9092,192.168.1.2:9092',
rows: 2, rows: 2,
disabled: item ? true : false, disabled: item ? true : false,
}, },
@@ -131,7 +131,7 @@ export class ClusterList extends SearchAndFilterContainer {
{ {
"security.protocol": "SASL_PLAINTEXT", "security.protocol": "SASL_PLAINTEXT",
"sasl.mechanism": "PLAIN", "sasl.mechanism": "PLAIN",
"sasl.jaas.config": "org.apache.kafka.common.security.plain.PlainLoginModule required username=\"xxxxxx\" password=\"xxxxxx\";" "sasl.jaas.config": "org.apache.kafka.common.security.plain.PlainLoginModule required username=\\"xxxxxx\\" password=\\"xxxxxx\\";"
}`, }`,
rows: 8, rows: 8,
}, },
@@ -271,11 +271,13 @@ export class ClusterList extends SearchAndFilterContainer {
cancelText="取消" cancelText="取消"
okText="确认" okText="确认"
> >
<a <Tooltip title="暂停监控将无法正常监控指标信息,建议开启监控">
className="action-button" <a
> className="action-button"
{item.status === 1 ? '暂停监控' : '开始监控'} >
</a> {item.status === 1 ? '暂停监控' : '开始监控'}
</a>
</Tooltip>
</Popconfirm> </Popconfirm>
<a onClick={this.showMonitor.bind(this, item)}> <a onClick={this.showMonitor.bind(this, item)}>

View File

@@ -79,7 +79,7 @@ export class IndividualBill extends React.Component {
} }
public renderTableList() { public renderTableList() {
const adminUrl=`${urlPrefix}/admin/bill-detail` const adminUrl = `${urlPrefix}/admin/bill-detail`
return ( return (
<Table <Table
rowKey="key" rowKey="key"
@@ -93,7 +93,7 @@ export class IndividualBill extends React.Component {
public renderChart() { public renderChart() {
return ( return (
<div className="chart-box"> <div className="chart-box">
<BarChartComponet ref={(ref) => this.chart = ref } getChartData={this.getData.bind(this, null)} /> <BarChartComponet ref={(ref) => this.chart = ref} getChartData={this.getData.bind(this, null)} />
</div> </div>
); );
} }

View File

@@ -11,6 +11,7 @@ import { filterKeys } from 'constants/strategy';
import { VirtualScrollSelect } from 'component/virtual-scroll-select'; import { VirtualScrollSelect } from 'component/virtual-scroll-select';
import { IsNotNaN } from 'lib/utils'; import { IsNotNaN } from 'lib/utils';
import { searchProps } from 'constants/table'; import { searchProps } from 'constants/table';
import { toJS } from 'mobx';
interface IDynamicProps { interface IDynamicProps {
form?: any; form?: any;
@@ -33,6 +34,7 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
public monitorType: string = null; public monitorType: string = null;
public clusterId: number = null; public clusterId: number = null;
public clusterName: string = null; public clusterName: string = null;
public clusterIdentification: string | number = null;
public topicName: string = null; public topicName: string = null;
public consumerGroup: string = null; public consumerGroup: string = null;
public location: string = null; public location: string = null;
@@ -45,16 +47,18 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
this.props.form.validateFields((err: Error, values: any) => { this.props.form.validateFields((err: Error, values: any) => {
if (!err) { if (!err) {
monitorType = values.monitorType; monitorType = values.monitorType;
const index = cluster.clusterData.findIndex(item => item.clusterId === values.cluster); const index = cluster.clusterData.findIndex(item => item.clusterIdentification === values.cluster);
if (index > -1) { if (index > -1) {
values.clusterIdentification = cluster.clusterData[index].clusterIdentification;
values.clusterName = cluster.clusterData[index].clusterName; values.clusterName = cluster.clusterData[index].clusterName;
} }
for (const key of Object.keys(values)) { for (const key of Object.keys(values)) {
if (filterKeys.indexOf(key) > -1) { // 只有这几种值可以设置 if (filterKeys.indexOf(key) > -1) { // 只有这几种值可以设置
filterList.push({ filterList.push({
tkey: key === 'clusterName' ? 'cluster' : key, // 传参需要将clusterName转成cluster tkey: key === 'clusterName' ? 'cluster' : key, // clusterIdentification
topt: '=', topt: '=',
tval: [values[key]], tval: [values[key]],
clusterIdentification: values.clusterIdentification
}); });
} }
} }
@@ -74,13 +78,13 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
public resetFormValue( public resetFormValue(
monitorType: string = null, monitorType: string = null,
clusterId: number = null, clusterIdentification: any = null,
topicName: string = null, topicName: string = null,
consumerGroup: string = null, consumerGroup: string = null,
location: string = null) { location: string = null) {
const { setFieldsValue } = this.props.form; const { setFieldsValue } = this.props.form;
setFieldsValue({ setFieldsValue({
cluster: clusterId, cluster: clusterIdentification,
topic: topicName, topic: topicName,
consumerGroup, consumerGroup,
location, location,
@@ -88,18 +92,18 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
}); });
} }
public getClusterId = (clusterName: string) => { public getClusterId = async (clusterIdentification: any) => {
let clusterId = null; let clusterId = null;
const index = cluster.clusterData.findIndex(item => item.clusterName === clusterName); const index = cluster.clusterData.findIndex(item => item.clusterIdentification === clusterIdentification);
if (index > -1) { if (index > -1) {
clusterId = cluster.clusterData[index].clusterId; clusterId = cluster.clusterData[index].clusterId;
} }
if (clusterId) { if (clusterId) {
cluster.getClusterMetaTopics(clusterId); await cluster.getClusterMetaTopics(clusterId);
this.clusterId = clusterId; this.clusterId = clusterId;
return this.clusterId; return this.clusterId;
} };
return this.clusterId = clusterName as any; return this.clusterId = clusterId as any;
} }
public async initFormValue(monitorRule: IRequestParams) { public async initFormValue(monitorRule: IRequestParams) {
@@ -108,17 +112,19 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
const topicFilter = strategyFilterList.filter(item => item.tkey === 'topic')[0]; const topicFilter = strategyFilterList.filter(item => item.tkey === 'topic')[0];
const consumerFilter = strategyFilterList.filter(item => item.tkey === 'consumerGroup')[0]; const consumerFilter = strategyFilterList.filter(item => item.tkey === 'consumerGroup')[0];
const clusterName = clusterFilter ? clusterFilter.tval[0] : null; const clusterIdentification = clusterFilter ? clusterFilter.tval[0] : null;
const topic = topicFilter ? topicFilter.tval[0] : null; const topic = topicFilter ? topicFilter.tval[0] : null;
const consumerGroup = consumerFilter ? consumerFilter.tval[0] : null; const consumerGroup = consumerFilter ? consumerFilter.tval[0] : null;
const location: string = null; const location: string = null;
const monitorType = monitorRule.strategyExpressionList[0].metric; const monitorType = monitorRule.strategyExpressionList[0].metric;
alarm.changeMonitorStrategyType(monitorType); alarm.changeMonitorStrategyType(monitorType);
//增加clusterIdentification替代原来的clusterName
await this.getClusterId(clusterName); this.clusterIdentification = clusterIdentification;
await this.getClusterId(this.clusterIdentification);
//
await this.handleSelectChange(topic, 'topic'); await this.handleSelectChange(topic, 'topic');
await this.handleSelectChange(consumerGroup, 'consumerGroup'); await this.handleSelectChange(consumerGroup, 'consumerGroup');
this.resetFormValue(monitorType, this.clusterId, topic, consumerGroup, location); this.resetFormValue(monitorType, this.clusterIdentification, topic, consumerGroup, location);
} }
public clearFormData() { public clearFormData() {
@@ -130,11 +136,12 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
this.resetFormValue(); this.resetFormValue();
} }
public async handleClusterChange(e: number) { public async handleClusterChange(e: any) {
this.clusterId = e; this.clusterIdentification = e;
this.topicName = null; this.topicName = null;
topic.setLoading(true); topic.setLoading(true);
await cluster.getClusterMetaTopics(e); const clusterId = await this.getClusterId(e);
await cluster.getClusterMetaTopics(clusterId);
this.resetFormValue(this.monitorType, e, null, this.consumerGroup, this.location); this.resetFormValue(this.monitorType, e, null, this.consumerGroup, this.location);
topic.setLoading(false); topic.setLoading(false);
} }
@@ -170,7 +177,7 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
} }
this.consumerGroup = null; this.consumerGroup = null;
this.location = null; this.location = null;
this.resetFormValue(this.monitorType, this.clusterId, this.topicName); this.resetFormValue(this.monitorType, this.clusterIdentification, this.topicName);
topic.setLoading(false); topic.setLoading(false);
} }
@@ -213,17 +220,24 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
}, },
rules: [{ required: true, message: '请选择监控指标' }], rules: [{ required: true, message: '请选择监控指标' }],
} as IVritualScrollSelect; } as IVritualScrollSelect;
const clusterData = toJS(cluster.clusterData);
const options = clusterData?.length ? clusterData.map(item => {
return {
label: `${item.clusterName}${item.description ? '' + item.description + '' : ''}`,
value: item.clusterIdentification
}
}) : null;
const clusterItem = { const clusterItem = {
label: '集群', label: '集群',
options: cluster.clusterData, options,
defaultValue: this.clusterId, defaultValue: this.clusterIdentification,
rules: [{ required: true, message: '请选择集群' }], rules: [{ required: true, message: '请选择集群' }],
attrs: { attrs: {
placeholder: '请选择集群', placeholder: '请选择集群',
className: 'middle-size', className: 'large-size',
disabled: this.isDetailPage, disabled: this.isDetailPage,
onChange: (e: number) => this.handleClusterChange(e), onChange: (e: any) => this.handleClusterChange(e),
}, },
key: 'cluster', key: 'cluster',
} as unknown as IVritualScrollSelect; } as unknown as IVritualScrollSelect;
@@ -241,7 +255,7 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
}), }),
attrs: { attrs: {
placeholder: '请选择Topic', placeholder: '请选择Topic',
className: 'middle-size', className: 'large-size',
disabled: this.isDetailPage, disabled: this.isDetailPage,
onChange: (e: string) => this.handleSelectChange(e, 'topic'), onChange: (e: string) => this.handleSelectChange(e, 'topic'),
}, },
@@ -329,7 +343,7 @@ export class DynamicSetFilter extends React.Component<IDynamicProps> {
key={v.value || v.key || index} key={v.value || v.key || index}
value={v.value} value={v.value}
> >
{v.label.length > 25 ? <Tooltip placement="bottomLeft" title={v.label}> {v.label?.length > 25 ? <Tooltip placement="bottomLeft" title={v.label}>
{v.label} {v.label}
</Tooltip> : v.label} </Tooltip> : v.label}
</Select.Option> </Select.Option>

View File

@@ -43,6 +43,11 @@
Icon { Icon {
margin-left: 8px; margin-left: 8px;
} }
.ant-form-item-label {
// padding-left: 10px;
width: 118px;
text-align: right !important;
}
&.type-form { &.type-form {
padding-top: 10px; padding-top: 10px;
@@ -50,14 +55,11 @@
min-width: 755px; min-width: 755px;
} }
.ant-form-item { .ant-form-item {
width: 30%; width: 45%;
min-width: 360px; min-width: 360px;
} }
.ant-form-item-label {
padding-left: 10px;
}
.ant-form-item-control { .ant-form-item-control {
width: 220px; width: 300px;
} }
} }

View File

@@ -12,7 +12,6 @@ import { alarm } from 'store/alarm';
import { app } from 'store/app'; import { app } from 'store/app';
import Url from 'lib/url-parser'; import Url from 'lib/url-parser';
import { IStrategyExpression, IRequestParams } from 'types/alarm'; import { IStrategyExpression, IRequestParams } from 'types/alarm';
@observer @observer
export class AddAlarm extends SearchAndFilterContainer { export class AddAlarm extends SearchAndFilterContainer {
public isDetailPage = window.location.pathname.includes('/alarm-detail'); // 判断是否为详情 public isDetailPage = window.location.pathname.includes('/alarm-detail'); // 判断是否为详情
@@ -90,8 +89,8 @@ export class AddAlarm extends SearchAndFilterContainer {
const filterObj = this.typeForm.getFormData().filterObj; const filterObj = this.typeForm.getFormData().filterObj;
// tslint:disable-next-line:max-line-length // tslint:disable-next-line:max-line-length
if (!actionValue || !timeValue || !typeValue || !strategyList.length || !filterObj || !filterObj.filterList.length) { if (!actionValue || !timeValue || !typeValue || !strategyList.length || !filterObj || !filterObj.filterList.length) {
message.error('请正确填写必填项'); message.error('请正确填写必填项');
return null; return null;
} }
if (filterObj.monitorType === 'online-kafka-topic-throttled') { if (filterObj.monitorType === 'online-kafka-topic-throttled') {
@@ -101,13 +100,17 @@ export class AddAlarm extends SearchAndFilterContainer {
tval: [typeValue.app], tval: [typeValue.app],
}); });
} }
this.id && filterObj.filterList.forEach((item: any) => {
if (item.tkey === 'cluster') {
item.tval = [item.clusterIdentification]
}
})
strategyList = strategyList.map((row: IStrategyExpression) => { strategyList = strategyList.map((row: IStrategyExpression) => {
return { return {
...row, ...row,
metric: filterObj.monitorType, metric: filterObj.monitorType,
}; };
}); });
return { return {
appId: typeValue.app, appId: typeValue.app,
name: typeValue.alarmName, name: typeValue.alarmName,
@@ -129,7 +132,7 @@ export class AddAlarm extends SearchAndFilterContainer {
public renderAlarmStrategy() { public renderAlarmStrategy() {
return ( return (
<div className="config-wrapper"> <div className="config-wrapper">
<span className="span-tag"></span> <span className="span-tag" data-set={alarm.monitorType}></span>
<div className="info-wrapper"> <div className="info-wrapper">
<WrappedDynamicSetStrategy wrappedComponentRef={(form: any) => this.strategyForm = form} /> <WrappedDynamicSetStrategy wrappedComponentRef={(form: any) => this.strategyForm = form} />
</div> </div>
@@ -139,9 +142,9 @@ export class AddAlarm extends SearchAndFilterContainer {
public renderTimeForm() { public renderTimeForm() {
return ( return (
<> <>
<WrappedTimeForm wrappedComponentRef={(form: any) => this.timeForm = form} /> <WrappedTimeForm wrappedComponentRef={(form: any) => this.timeForm = form} />
</> </>
); );
} }
@@ -164,7 +167,7 @@ export class AddAlarm extends SearchAndFilterContainer {
{this.renderAlarmStrategy()} {this.renderAlarmStrategy()}
{this.renderTimeForm()} {this.renderTimeForm()}
<ActionForm ref={(actionForm) => this.actionForm = actionForm} /> <ActionForm ref={(actionForm) => this.actionForm = actionForm} />
</div> </div>
</Spin> </Spin>
); );
} }

View File

@@ -5,6 +5,7 @@ import { IStringMap } from 'types/base-type';
import { IRequestParams } from 'types/alarm'; import { IRequestParams } from 'types/alarm';
import { IFormSelect, IFormItem, FormItemType } from 'component/x-form'; import { IFormSelect, IFormItem, FormItemType } from 'component/x-form';
import { searchProps } from 'constants/table'; import { searchProps } from 'constants/table';
import { alarm } from 'store/alarm';
interface IDynamicProps { interface IDynamicProps {
form: any; form: any;
@@ -27,6 +28,7 @@ class DynamicSetStrategy extends React.Component<IDynamicProps> {
public crudList = [] as ICRUDItem[]; public crudList = [] as ICRUDItem[];
public state = { public state = {
shouldUpdate: false, shouldUpdate: false,
monitorType: alarm.monitorType
}; };
public componentDidMount() { public componentDidMount() {
@@ -130,7 +132,7 @@ class DynamicSetStrategy extends React.Component<IDynamicProps> {
if (lineValue.func === 'happen' && paramsArray.length > 1 && paramsArray[0] < paramsArray[1]) { if (lineValue.func === 'happen' && paramsArray.length > 1 && paramsArray[0] < paramsArray[1]) {
strategyList = []; // 清空赋值 strategyList = []; // 清空赋值
return message.error('周期值应大于次数') ; return message.error('周期值应大于次数');
} }
lineValue.params = paramsArray.join(','); lineValue.params = paramsArray.join(',');
@@ -292,8 +294,39 @@ class DynamicSetStrategy extends React.Component<IDynamicProps> {
} }
return element; return element;
} }
public unit(monitorType: string) {
public renderFormList(row: ICRUDItem) { let element = null;
switch (monitorType) {
case 'online-kafka-topic-msgIn':
element = "条/秒"
break;
case 'online-kafka-topic-bytesIn':
element = "字节/秒"
break;
case 'online-kafka-topic-bytesRejected':
element = "字节/秒"
break;
case 'online-kafka-topic-produce-throttled':
element = "1表示被限流"
break;
case 'online-kafka-topic-fetch-throttled':
element = "1表示被限流"
break;
case 'online-kafka-consumer-maxLag':
element = "条"
break;
case 'online-kafka-consumer-lag':
element = "条"
break;
case 'online-kafka-consumer-maxDelayTime':
element = "秒"
break;
}
return (
<span>{element}</span>
)
}
public renderFormList(row: ICRUDItem, monitorType: string) {
const key = row.id; const key = row.id;
const funcType = row.func; const funcType = row.func;
@@ -309,6 +342,7 @@ class DynamicSetStrategy extends React.Component<IDynamicProps> {
key: key + '-func', key: key + '-func',
} as IFormSelect)} } as IFormSelect)}
{this.getFuncItem(row)} {this.getFuncItem(row)}
{row.func !== 'c_avg_rate_abs' && row.func !== 'pdiff' ? this.unit(monitorType) : null}
</div> </div>
); );
} }
@@ -340,8 +374,8 @@ class DynamicSetStrategy extends React.Component<IDynamicProps> {
<Form> <Form>
{crudList.map((row, index) => { {crudList.map((row, index) => {
return ( return (
<div key={index}> <div key={`${index}-${this.state.monitorType}`}>
{this.renderFormList(row)} {this.renderFormList(row, alarm.monitorType)}
{ {
crudList.length > 1 ? ( crudList.length > 1 ? (
<Icon <Icon

View File

@@ -50,23 +50,23 @@ export class TypeForm extends React.Component {
return ( return (
<> <>
<div className="config-wrapper"> <div className="config-wrapper">
<span className="span-tag"></span> <span className="span-tag"></span>
<div className="alarm-x-form type-form"> <div className="alarm-x-form type-form">
<XFormComponent <XFormComponent
ref={form => this.$form = form} ref={form => this.$form = form}
formData={formData} formData={formData}
formMap={xTypeFormMap} formMap={xTypeFormMap}
layout="inline" layout="inline"
/> />
</div> </div>
</div > </div >
<div className="config-wrapper"> <div className="config-wrapper">
<span className="span-tag"></span> <span className="span-tag"></span>
<div className="alarm-x-form type-form"> <div className="alarm-x-form type-form">
<WrappedDynamicSetFilter wrappedComponentRef={(form: any) => this.filterForm = form} /> <WrappedDynamicSetFilter wrappedComponentRef={(form: any) => this.filterForm = form} />
</div> </div>
</div > </div >
</> </>
); );
} }

View File

@@ -31,11 +31,11 @@ export class ClusterOverview extends React.Component<IOverview> {
const content = this.props.basicInfo as IBasicInfo; const content = this.props.basicInfo as IBasicInfo;
const clusterContent = [{ const clusterContent = [{
value: content.clusterName, value: content.clusterName,
label: '集群中文名称', label: '集群名称',
}, },
{ {
value: content.clusterName, value: content.clusterIdentification,
label: '集群英文名称', label: '集群标识',
}, },
{ {
value: clusterTypeMap[content.mode], value: clusterTypeMap[content.mode],
@@ -44,8 +44,8 @@ export class ClusterOverview extends React.Component<IOverview> {
value: moment(content.gmtCreate).format(timeFormat), value: moment(content.gmtCreate).format(timeFormat),
label: '接入时间', label: '接入时间',
}, { }, {
value: content.physicalClusterId, value: content.clusterId,
label: '物理集群ID', label: '集群ID',
}]; }];
const clusterInfo = [{ const clusterInfo = [{
value: content.clusterVersion, value: content.clusterVersion,

View File

@@ -13,32 +13,14 @@ const { confirm } = Modal;
export const getClusterColumns = (urlPrefix: string) => { export const getClusterColumns = (urlPrefix: string) => {
return [ return [
{ {
title: '逻辑集群ID', title: '集群ID',
dataIndex: 'clusterId', dataIndex: 'clusterId',
key: 'clusterId', key: 'clusterId',
width: '9%', width: '9%',
sorter: (a: IClusterData, b: IClusterData) => b.clusterId - a.clusterId, sorter: (a: IClusterData, b: IClusterData) => b.clusterId - a.clusterId,
}, },
{ {
title: '逻辑集群中文名称', title: '集群名称',
dataIndex: 'clusterName',
key: 'clusterName',
width: '13%',
onCell: () => ({
style: {
maxWidth: 120,
...cellStyle,
},
}),
sorter: (a: IClusterData, b: IClusterData) => a.clusterName.charCodeAt(0) - b.clusterName.charCodeAt(0),
render: (text: string, record: IClusterData) => (
<Tooltip placement="bottomLeft" title={text} >
<a href={`${urlPrefix}/cluster/cluster-detail?clusterId=${record.clusterId}`}> {text} </a>
</Tooltip>
),
},
{
title: '逻辑集群英文名称',
dataIndex: 'clusterName', dataIndex: 'clusterName',
key: 'clusterName', key: 'clusterName',
width: '13%', width: '13%',
@@ -55,6 +37,24 @@ export const getClusterColumns = (urlPrefix: string) => {
</Tooltip> </Tooltip>
), ),
}, },
// {
// title: '逻辑集群英文名称',
// dataIndex: 'clusterName',
// key: 'clusterName',
// width: '13%',
// onCell: () => ({
// style: {
// maxWidth: 120,
// ...cellStyle,
// },
// }),
// sorter: (a: IClusterData, b: IClusterData) => a.clusterName.charCodeAt(0) - b.clusterName.charCodeAt(0),
// render: (text: string, record: IClusterData) => (
// <Tooltip placement="bottomLeft" title={text} >
// <a href={`${urlPrefix}/cluster/cluster-detail?clusterId=${record.clusterId}`}> {text} </a>
// </Tooltip>
// ),
// },
{ {
title: 'Topic数量', title: 'Topic数量',
dataIndex: 'topicNum', dataIndex: 'topicNum',

View File

@@ -78,7 +78,7 @@ export class MyCluster extends SearchAndFilterContainer {
rules: [ rules: [
{ {
required: true, required: true,
pattern: /^.{5,}.$/, pattern: /^.{4,}.$/,
message: '请输入至少5个字符', message: '请输入至少5个字符',
}, },
], ],
@@ -160,7 +160,7 @@ export class MyCluster extends SearchAndFilterContainer {
data = searchKey ? origin.filter((item: IClusterData) => data = searchKey ? origin.filter((item: IClusterData) =>
(item.clusterName !== undefined && item.clusterName !== null) && item.clusterName.toLowerCase().includes(searchKey as string), (item.clusterName !== undefined && item.clusterName !== null) && item.clusterName.toLowerCase().includes(searchKey as string),
) : origin ; ) : origin;
return data; return data;
} }

View File

@@ -127,7 +127,7 @@ class DataMigrationFormTable extends React.Component<IFormTableProps> {
key: 'retentionTime', // originalRetentionTime key: 'retentionTime', // originalRetentionTime
width: '132px', width: '132px',
sorter: (a: IRenderData, b: IRenderData) => b.retentionTime - a.retentionTime, sorter: (a: IRenderData, b: IRenderData) => b.retentionTime - a.retentionTime,
render: (time: any) => transMSecondToHour(time), render: (time: any) => transMSecondToHour(time),
}, { }, {
title: 'BrokerID', title: 'BrokerID',
dataIndex: 'brokerIdList', dataIndex: 'brokerIdList',
@@ -254,7 +254,7 @@ class DataMigrationFormTable extends React.Component<IFormTableProps> {
dataSource={this.props.data} dataSource={this.props.data}
columns={columns} columns={columns}
pagination={false} pagination={false}
scroll={{y: 520}} scroll={{ y: 520 }}
className="migration-table" className="migration-table"
/> />
</EditableContext.Provider> </EditableContext.Provider>
@@ -316,7 +316,7 @@ export class InfoForm extends React.Component<IFormTableProps> {
<Form.Item label="迁移说明" key={2} className="form-item"> <Form.Item label="迁移说明" key={2} className="form-item">
{getFieldDecorator('description', { {getFieldDecorator('description', {
initialValue: '', initialValue: '',
rules: [{ required: true, message: '请输入至少5个字符', pattern: /^.{5,}.$/ }], rules: [{ required: true, message: '请输入至少5个字符', pattern: /^.{4,}.$/ }],
})( })(
<Input.TextArea rows={5} placeholder="请输入至少5个字符" />, <Input.TextArea rows={5} placeholder="请输入至少5个字符" />,
)} )}

View File

@@ -23,13 +23,22 @@ export const showEditClusterTopic = (item: IClusterTopics) => {
{ {
key: 'appId', key: 'appId',
label: '应用ID', label: '应用ID',
type: 'select',
options: app.adminAppData.map(item => {
return {
label: item.appId,
value: item.appId,
};
}),
rules: [{ rules: [{
required: true, required: true,
message: '请输入应用ID', // message: '请输入应用ID',
// message: '请输入应用ID应用名称只支持字母、数字、下划线、短划线长度限制在3-64字符',
// pattern: /[_a-zA-Z0-9_-]{3,64}$/,
}], }],
attrs: { attrs: {
placeholder: '请输入应用ID', placeholder: '请输入应用ID',
disabled: true, // disabled: true,
}, },
}, },
{ {
@@ -104,7 +113,7 @@ export const showLogicalClusterOpModal = (clusterId: number, record?: ILogicalCl
} }
const updateFormModal = (isShow: boolean) => { const updateFormModal = (isShow: boolean) => {
const formMap = wrapper.xFormWrapper.formMap; const formMap = wrapper.xFormWrapper.formMap;
isShow ? formMap.splice(2, 0, isShow ? formMap.splice(3, 0,
{ {
key: 'appId', key: 'appId',
label: '所属应用', label: '所属应用',
@@ -119,7 +128,7 @@ export const showLogicalClusterOpModal = (clusterId: number, record?: ILogicalCl
attrs: { attrs: {
placeholder: '请选择所属应用', placeholder: '请选择所属应用',
}, },
}) : formMap.splice(2, 1); }) : formMap.splice(3, 1);
const formData = wrapper.xFormWrapper.formData; const formData = wrapper.xFormWrapper.formData;
wrapper.ref && wrapper.ref.updateFormMap$(formMap, formData || {}); wrapper.ref && wrapper.ref.updateFormMap$(formMap, formData || {});
}; };
@@ -129,30 +138,30 @@ export const showLogicalClusterOpModal = (clusterId: number, record?: ILogicalCl
formMap: [ formMap: [
{ {
key: 'logicalClusterName', key: 'logicalClusterName',
label: '逻辑集群中文名称', label: '逻辑集群名称',
// defaultValue:'', // defaultValue:'',
rules: [{ rules: [{
required: true, required: true,
message: '请输入逻辑集群中文名称,支持中文、字母、数字、下划线(_)和短划线(-)组成长度在3-128字符之间', // 不能以下划线_和短划线(-)开头和结尾 message: '请输入逻辑集群名称,支持中文、字母、数字、下划线(_)和短划线(-)组成长度在3-128字符之间', // 不能以下划线_和短划线(-)开头和结尾
pattern: /^[a-zA-Z0-9_\-\u4e00-\u9fa5]{3,128}$/g, //(?!(_|\-))(?!.*?(_|\-)$) pattern: /^[a-zA-Z0-9_\-\u4e00-\u9fa5]{3,128}$/g, //(?!(_|\-))(?!.*?(_|\-)$)
}], }],
attrs: { attrs: {
// disabled: record ? true : false, // disabled: record ? true : false,
placeholder:'请输入逻辑集群中文名称' placeholder: '请输入逻辑集群名称'
}, },
}, },
{ {
key: 'logicalClusterName1', key: 'logicalClusterIdentification',
label: '逻辑集群英文名称', label: '逻辑集群标识',
// defaultValue:'', // defaultValue:'',
rules: [{ rules: [{
required: true, required: true,
message: '请输入逻辑集群英文名称,支持字母、数字、下划线(_)和短划线(-)组成长度在3-128字符之间', //不能以下划线_和短划线(-)开头和结尾 message: '请输入逻辑集群标识,支持字母、数字、下划线(_)和短划线(-)组成长度在3-128字符之间', //不能以下划线_和短划线(-)开头和结尾
pattern:/^[a-zA-Z0-9_\-]{3,128}$/g, //(?!(_|\-))(?!.*?(_|\-)$) pattern: /^[a-zA-Z0-9_\-]{3,128}$/g, //(?!(_|\-))(?!.*?(_|\-)$)
}], }],
attrs: { attrs: {
disabled: record ? true : false, disabled: record ? true : false,
placeholder:'请输入逻辑集群英文名称,创建后无法修改' placeholder: '请输入逻辑集标识,创建后无法修改'
}, },
}, },
{ {
@@ -233,7 +242,7 @@ export const showLogicalClusterOpModal = (clusterId: number, record?: ILogicalCl
id: record ? record.logicalClusterId : '', id: record ? record.logicalClusterId : '',
mode: value.mode, mode: value.mode,
name: value.logicalClusterName, name: value.logicalClusterName,
englishName:value.logicalClusterEName, // 存储逻辑集群英文名称 identification: value.logicalClusterIdentification,
regionIdList: value.regionIdList, regionIdList: value.regionIdList,
} as INewLogical; } as INewLogical;
if (record) { if (record) {
@@ -246,7 +255,25 @@ export const showLogicalClusterOpModal = (clusterId: number, record?: ILogicalCl
}); });
}, },
}; };
if (record && record.mode != 0) {
isShow = true;
let formMap: any = xFormModal.formMap
formMap.splice(3, 0, {
key: 'appId',
label: '所属应用',
rules: [{ required: true, message: '请选择所属应用' }],
type: 'select',
options: app.adminAppData.map(item => {
return {
label: item.name,
value: item.appId,
};
}),
attrs: {
placeholder: '请选择所属应用',
},
})
}
wrapper.open(xFormModal); wrapper.open(xFormModal);
}; };

View File

@@ -50,7 +50,10 @@ class CustomForm extends React.Component<IXFormProps> {
notification.success({ message: '扩分成功' }); notification.success({ message: '扩分成功' });
this.props.form.resetFields(); this.props.form.resetFields();
admin.getClusterTopics(this.props.clusterId); admin.getClusterTopics(this.props.clusterId);
}); }).catch(err => {
notification.error({ message: '扩分成功' });
})
} }
}); });
} }
@@ -93,7 +96,7 @@ class CustomForm extends React.Component<IXFormProps> {
{/* 运维管控-topic信息-扩分区操作 */} {/* 运维管控-topic信息-扩分区操作 */}
<Form.Item label="所属region" > <Form.Item label="所属region" >
{getFieldDecorator('regionNameList', { {getFieldDecorator('regionNameList', {
initialValue: admin.topicsBasic ? admin.topicsBasic.regionNameList : '', initialValue: admin.topicsBasic && admin.topicsBasic.regionNameList.length > 0 ? admin.topicsBasic.regionNameList.join(',') : ' ',
rules: [{ required: true, message: '请输入所属region' }], rules: [{ required: true, message: '请输入所属region' }],
})(<Input disabled={true} />)} })(<Input disabled={true} />)}
</Form.Item> </Form.Item>

View File

@@ -186,10 +186,10 @@ export const createMigrationTasks = () => {
label: '初始限流', label: '初始限流',
rules: [{ rules: [{
required: true, required: true,
message: '请输入初始限流', message: '请输入初始限流,并按照:“限流上限>初始限流>限流下限”的大小顺序',
}], }],
attrs: { attrs: {
placeholder: '请输入初始限流', placeholder: '请输入初始限流,并按照:“限流上限>初始限流>限流下限”的大小顺序',
suffix: 'MB/s', suffix: 'MB/s',
}, },
}, },
@@ -198,10 +198,10 @@ export const createMigrationTasks = () => {
label: '限流上限', label: '限流上限',
rules: [{ rules: [{
required: true, required: true,
message: '请输入限流上限', message: '请输入限流上限,并按照:“限流上限>初始限流>限流下限”的大小顺序',
}], }],
attrs: { attrs: {
placeholder: '请输入限流上限', placeholder: '请输入限流上限,并按照:“限流上限>初始限流>限流下限”的大小顺序',
suffix: 'MB/s', suffix: 'MB/s',
}, },
}, },
@@ -210,10 +210,10 @@ export const createMigrationTasks = () => {
label: '限流下限', label: '限流下限',
rules: [{ rules: [{
required: true, required: true,
message: '请输入限流下限', message: '请输入限流下限,并按照:“限流上限>初始限流>限流下限”的大小顺序',
}], }],
attrs: { attrs: {
placeholder: '请输入限流下限', placeholder: '请输入限流下限,并按照:“限流上限>初始限流>限流下限”的大小顺序',
suffix: 'MB/s', suffix: 'MB/s',
}, },
}, },
@@ -224,7 +224,7 @@ export const createMigrationTasks = () => {
rules: [{ rules: [{
required: false, required: false,
message: '请输入至少5个字符', message: '请输入至少5个字符',
pattern: /^.{5,}.$/, pattern: /^.{4,}.$/,
}], }],
attrs: { attrs: {
placeholder: '请输入备注', placeholder: '请输入备注',

View File

@@ -29,7 +29,7 @@ export const showEditModal = (record?: IAppItem, from?: string, isDisabled?: boo
rules: [{ rules: [{
required: isDisabled ? false : true, required: isDisabled ? false : true,
message: '应用名称只支持中文、字母、数字、下划线、短划线长度限制在3-64字符', message: '应用名称只支持中文、字母、数字、下划线、短划线长度限制在3-64字符',
pattern: /[\u4e00-\u9fa5_a-zA-Z0-9_-]{3,64}/, pattern: /[\u4e00-\u9fa5_a-zA-Z0-9_-]{3,64}$/,
}], }],
attrs: { disabled: isDisabled }, attrs: { disabled: isDisabled },
}, { }, {

View File

@@ -29,7 +29,7 @@ export const showCpacityModal = (item: IClusterData) => {
key: 'description', key: 'description',
label: '申请原因', label: '申请原因',
type: 'text_area', type: 'text_area',
rules: [{ required: true, pattern: /^.{5,}.$/, message: '请输入至少5个字符' }], rules: [{ required: true, pattern: /^.{4,}.$/, message: '请输入至少5个字符' }],
attrs: { attrs: {
placeholder: '请输入至少5个字符', placeholder: '请输入至少5个字符',
}, },
@@ -44,12 +44,12 @@ export const showCpacityModal = (item: IClusterData) => {
type: value.type, type: value.type,
applicant: users.currentUser.username, applicant: users.currentUser.username,
description: value.description, description: value.description,
extensions: JSON.stringify({clusterId: item.clusterId}), extensions: JSON.stringify({ clusterId: item.clusterId }),
}; };
cluster.applyCpacity(cpacityParams).then(data => { cluster.applyCpacity(cpacityParams).then(data => {
notification.success({ notification.success({
message: `申请${value.type === 5 ? '扩容' : '缩容'}成功`, message: `申请${value.type === 5 ? '扩容' : '缩容'}成功`,
}); });
window.location.href = `${urlPrefix}/user/order-detail/?orderId=${data.id}&region=${region.currentRegion}`; window.location.href = `${urlPrefix}/user/order-detail/?orderId=${data.id}&region=${region.currentRegion}`;
}); });
}, },

View File

@@ -22,7 +22,7 @@ export const applyTopic = () => {
formMap: [ formMap: [
{ {
key: 'clusterId', key: 'clusterId',
label: '所属逻辑集群:', label: '所属集群:',
type: 'select', type: 'select',
options: cluster.clusterData, options: cluster.clusterData,
rules: [{ required: true, message: '请选择' }], rules: [{ required: true, message: '请选择' }],
@@ -75,7 +75,7 @@ export const applyTopic = () => {
key: 'description', key: 'description',
label: '申请原因', label: '申请原因',
type: 'text_area', type: 'text_area',
rules: [{ required: true, pattern: /^.{5,}.$/s, message: '5' }], rules: [{ required: true, pattern: /^.{4,}.$/s, message: '5' }],
attrs: { attrs: {
placeholder: `概要描述Topic的数据源, Topic数据的生产者/消费者, Topic的申请原因及备注信息等。最多100个字 placeholder: `概要描述Topic的数据源, Topic数据的生产者/消费者, Topic的申请原因及备注信息等。最多100个字
例如: 例如:
@@ -180,13 +180,14 @@ export const showApplyQuatoModal = (item: ITopic | IAppsIdInfo, record: IQuotaQu
const isConsume = item.access === 0 || item.access === 2; const isConsume = item.access === 0 || item.access === 2;
const xFormModal = { const xFormModal = {
formMap: [ formMap: [
// {
// key: 'clusterName',
// label: '逻辑集群名称',
// rules: [{ required: true, message: '' }],
// attrs: { disabled: true },
// invisible: !item.hasOwnProperty('clusterName'),
// },
{ {
key: 'clusterName',
label: '逻辑集群名称',
rules: [{ required: true, message: '' }],
attrs: { disabled: true },
invisible: !item.hasOwnProperty('clusterName'),
}, {
key: 'topicName', key: 'topicName',
label: 'Topic名称', label: 'Topic名称',
rules: [{ required: true, message: '' }], rules: [{ required: true, message: '' }],
@@ -225,7 +226,7 @@ export const showApplyQuatoModal = (item: ITopic | IAppsIdInfo, record: IQuotaQu
key: 'description', key: 'description',
label: '申请原因', label: '申请原因',
type: 'text_area', type: 'text_area',
rules: [{ required: true, pattern: /^.{5,}.$/, message: quotaRemarks }], rules: [{ required: true, pattern: /^.{4,}.$/, message: quotaRemarks }],
attrs: { attrs: {
placeholder: quotaRemarks, placeholder: quotaRemarks,
}, },
@@ -292,13 +293,15 @@ const updateFormModal = (appId: string) => {
export const showTopicApplyQuatoModal = (item: ITopic) => { export const showTopicApplyQuatoModal = (item: ITopic) => {
const xFormModal = { const xFormModal = {
formMap: [ formMap: [
// {
// key: 'clusterName',
// label: '逻辑集群名称',
// rules: [{ required: true, message: '' }],
// attrs: { disabled: true },
// defaultValue: item.clusterName,
// // invisible: !item.hasOwnProperty('clusterName'),
// },
{ {
key: 'clusterName',
label: '逻辑集群名称',
rules: [{ required: true, message: '' }],
attrs: { disabled: true },
// invisible: !item.hasOwnProperty('clusterName'),
}, {
key: 'topicName', key: 'topicName',
label: 'Topic名称', label: 'Topic名称',
rules: [{ required: true, message: '' }], rules: [{ required: true, message: '' }],
@@ -530,7 +533,7 @@ const showAllPermission = (appId: string, item: ITopic, access: number) => {
rules: [{ rules: [{
required: true, required: true,
validator: (rule: any, value: string, callback: any) => { validator: (rule: any, value: string, callback: any) => {
const regexp = /^.{5,}.$/; const regexp = /^.{4,}.$/;
value = value.trim(); value = value.trim();
if (!regexp.test(value)) { if (!regexp.test(value)) {
callback('请输入至少5个字符'); callback('请输入至少5个字符');
@@ -629,7 +632,7 @@ export const showPermissionModal = (item: ITopic) => {
rules: [{ rules: [{
required: true, required: true,
validator: (rule: any, value: string, callback: any) => { validator: (rule: any, value: string, callback: any) => {
const regexp = /^.{5,}.$/; const regexp = /^.{4,}.$/;
value = value.trim(); value = value.trim();
if (!regexp.test(value)) { if (!regexp.test(value)) {
callback('请输入至少5个字符'); callback('请输入至少5个字符');
@@ -678,7 +681,7 @@ export const showTopicEditModal = (item: ITopic) => {
key: 'description', key: 'description',
label: '备注', label: '备注',
type: 'text_area', type: 'text_area',
rules: [{ required: false }, { pattern: /^.{5,}.$/, message: '请输入至少5个字符' }], rules: [{ required: false }, { pattern: /^.{4,}.$/, message: '请输入至少5个字符' }],
}, },
], ],
formData: { formData: {

View File

@@ -85,7 +85,6 @@ export const applyQuotaQuery = (item: ITopic) => {
}; };
export const applyTopicQuotaQuery = async (item: ITopic) => { export const applyTopicQuotaQuery = async (item: ITopic) => {
console.log(item)
await app.getTopicAppQuota(item.clusterId, item.topicName); await app.getTopicAppQuota(item.clusterId, item.topicName);
await showTopicApplyQuatoModal(item); await showTopicApplyQuatoModal(item);
}; };
@@ -142,7 +141,7 @@ export const getAllTopicColumns = (urlPrefix: string) => {
<Tooltip placement="bottomLeft" title={record.topicName} > <Tooltip placement="bottomLeft" title={record.topicName} >
<a <a
// tslint:disable-next-line:max-line-length // tslint:disable-next-line:max-line-length
href={`${urlPrefix}/topic/topic-detail?clusterId=${record.clusterId}&topic=${record.topicName}&region=${region.currentRegion}&needAuth=${record.needAuth}&clusterName=${record.clusterName}`} href={`${urlPrefix}/topic/topic-detail?clusterId=${record.clusterId}&topic=${record.topicName}&region=${region.currentRegion}&needAuth=${record.needAuth}`}
>{text}</a> >{text}</a>
</Tooltip>); </Tooltip>);
}, },

View File

@@ -60,7 +60,7 @@ export class AllTopic extends SearchAndFilterContainer {
if (cluster.allActive !== -1 || searchKey !== '') { if (cluster.allActive !== -1 || searchKey !== '') {
data = origin.filter(d => data = origin.filter(d =>
((d.topicName !== undefined && d.topicName !== null) && d.topicName.toLowerCase().includes(searchKey as string) ((d.topicName !== undefined && d.topicName !== null) && d.topicName.toLowerCase().includes(searchKey as string)
|| ((d.appPrincipals !== undefined && d.appPrincipals !== null) && d.appPrincipals.toLowerCase().includes(searchKey as string))) || ((d.appPrincipals !== undefined && d.appPrincipals !== null) && d.appPrincipals.toLowerCase().includes(searchKey as string)))
&& (cluster.allActive === -1 || d.clusterId === cluster.allActive), && (cluster.allActive === -1 || d.clusterId === cluster.allActive),
); );
} else { } else {

View File

@@ -69,7 +69,7 @@ export class BaseInformation extends React.Component<IInfoProps> {
label: '压缩格式', label: '压缩格式',
value: baseInfo.topicCodeC, value: baseInfo.topicCodeC,
}, { }, {
label: '所属物理集群ID', label: '集群ID',
value: baseInfo.clusterId, value: baseInfo.clusterId,
}, { }, {
label: '所属region', label: '所属region',

View File

@@ -95,23 +95,23 @@ export class BillInformation extends SearchAndFilterContainer {
} }
public render() { public render() {
return( return (
<> <>
<div className="k-row" > <div className="k-row" >
<ul className="k-tab"> <ul className="k-tab">
<li>&nbsp; <li>&nbsp;
<a <a
// tslint:disable-next-line:max-line-length // tslint:disable-next-line:max-line-length
href="https://github.com/didi/kafka-manager" href="https://github.com/didi/kafka-manager"
target="_blank" target="_blank"
> >
<Icon type="question-circle" /> <Icon type="question-circle" />
</a> </a>
</li> </li>
{this.renderDatePick()} {this.renderDatePick()}
</ul> </ul>
{this.renderChart()} {this.renderChart()}
</div> </div>
</> </>
); );
} }

View File

@@ -1,7 +1,7 @@
import * as React from 'react'; import * as React from 'react';
import './index.less'; import './index.less';
import { wrapper, region } from 'store'; import { wrapper, region } from 'store';
import { Tabs, PageHeader, Button, notification, Drawer, message, Icon } from 'antd'; import { Tabs, PageHeader, Button, notification, Drawer, message, Icon, Spin } from 'antd';
import { observer } from 'mobx-react'; import { observer } from 'mobx-react';
import { BaseInformation } from './base-information'; import { BaseInformation } from './base-information';
import { StatusChart } from './status-chart'; import { StatusChart } from './status-chart';
@@ -44,6 +44,7 @@ export class TopicDetail extends React.Component<any> {
drawerVisible: false, drawerVisible: false,
infoVisible: false, infoVisible: false,
infoTopicList: [] as IInfoData[], infoTopicList: [] as IInfoData[],
isExecutionBtn: false
}; };
private $formRef: any; private $formRef: any;
@@ -54,7 +55,7 @@ export class TopicDetail extends React.Component<any> {
const url = Url(); const url = Url();
this.clusterId = Number(url.search.clusterId); this.clusterId = Number(url.search.clusterId);
this.needAuth = url.search.needAuth; this.needAuth = url.search.needAuth;
this.clusterName = url.search.clusterName; this.clusterName = decodeURI(decodeURI(url.search.clusterName));
this.topicName = url.search.topic; this.topicName = url.search.topic;
const isPhysical = Url().search.hasOwnProperty('isPhysicalClusterId'); const isPhysical = Url().search.hasOwnProperty('isPhysicalClusterId');
this.isPhysicalTrue = isPhysical ? '&isPhysicalClusterId=true' : ''; this.isPhysicalTrue = isPhysical ? '&isPhysicalClusterId=true' : '';
@@ -197,7 +198,9 @@ export class TopicDetail extends React.Component<any> {
formData={formData} formData={formData}
formMap={formMap} formMap={formMap}
/> />
<Button type="primary" onClick={this.drawerSubmit} className="sample-button"></Button> <Button type="primary" onClick={this.drawerSubmit} className="sample-button" disabled={this.state.isExecutionBtn}>
{this.state.isExecutionBtn ? (<span><Spin indicator={this.antIcon} size="small" /></span>) : '采 样'}
</Button>
{infoVisible ? this.renderInfo() : null} {infoVisible ? this.renderInfo() : null}
</Drawer> </Drawer>
</> </>
@@ -243,7 +246,11 @@ export class TopicDetail extends React.Component<any> {
); );
} }
// 执行加载图标
public antIcon = <Icon type="loading" style={{ fontSize: 12, color: '#cccccc', marginLeft: '5px' }} spin />
public drawerSubmit = (value: any) => { public drawerSubmit = (value: any) => {
this.setState({ isExecutionBtn: true })
this.$formRef.validateFields((error: Error, result: any) => { this.$formRef.validateFields((error: Error, result: any) => {
if (error) { if (error) {
return; return;
@@ -253,9 +260,12 @@ export class TopicDetail extends React.Component<any> {
this.setState({ this.setState({
infoTopicList: data, infoTopicList: data,
infoVisible: true, infoVisible: true,
isExecutionBtn: false
}); });
message.success('采样成功'); message.success('采样成功');
}); }).catch(err => {
this.setState({ isExecutionBtn: false })
})
}); });
} }
@@ -315,6 +325,7 @@ export class TopicDetail extends React.Component<any> {
public componentDidMount() { public componentDidMount() {
topic.getTopicBasicInfo(this.clusterId, this.topicName); topic.getTopicBasicInfo(this.clusterId, this.topicName);
topic.getTopicBusiness(this.clusterId, this.topicName); topic.getTopicBusiness(this.clusterId, this.topicName);
app.getAppList();
} }
public render() { public render() {
@@ -326,7 +337,6 @@ export class TopicDetail extends React.Component<any> {
topicName: this.topicName, topicName: this.topicName,
clusterName: this.clusterName clusterName: this.clusterName
} as ITopic; } as ITopic;
app.getAppList();
return ( return (
<> <>
@@ -342,9 +352,9 @@ export class TopicDetail extends React.Component<any> {
{this.needAuth == "true" && <Button key="0" type="primary" onClick={() => showAllPermissionModal(topicRecord)} ></Button>} {this.needAuth == "true" && <Button key="0" type="primary" onClick={() => showAllPermissionModal(topicRecord)} ></Button>}
<Button key="1" type="primary" onClick={() => applyTopicQuotaQuery(topicRecord)} ></Button> <Button key="1" type="primary" onClick={() => applyTopicQuotaQuery(topicRecord)} ></Button>
<Button key="2" type="primary" onClick={() => applyExpandModal(topicRecord)} ></Button> <Button key="2" type="primary" onClick={() => applyExpandModal(topicRecord)} ></Button>
<Button key="3" type="primary" onClick={() => this.props.history.push(`/alarm/add`)} ></Button> <Button key="3" type="primary" onClick={() => this.props.history.push(`/alarm/add`)} ></Button>
<Button key="4" type="primary" onClick={this.showDrawer.bind(this)} ></Button> <Button key="4" type="primary" onClick={this.showDrawer.bind(this)} ></Button>
{showEditBtn && <Button key="5" onClick={() => this.compileDetails()} type="primary"></Button>} {/* {showEditBtn && <Button key="5" onClick={() => this.compileDetails()} type="primary">编辑</Button>} */}
</> </>
} }
/> />

View File

@@ -30,7 +30,7 @@ export class MineTopic extends SearchAndFilterContainer {
if (cluster.active !== -1 || app.active !== '-1' || searchKey !== '') { if (cluster.active !== -1 || app.active !== '-1' || searchKey !== '') {
data = origin.filter(d => data = origin.filter(d =>
((d.topicName !== undefined && d.topicName !== null) && d.topicName.toLowerCase().includes(searchKey as string) ((d.topicName !== undefined && d.topicName !== null) && d.topicName.toLowerCase().includes(searchKey as string)
|| ((d.appName !== undefined && d.appName !== null) && d.appName.toLowerCase().includes(searchKey as string))) || ((d.appName !== undefined && d.appName !== null) && d.appName.toLowerCase().includes(searchKey as string)))
&& (cluster.active === -1 || d.clusterId === cluster.active) && (cluster.active === -1 || d.clusterId === cluster.active)
&& (app.active === '-1' || d.appId === (app.active + '')), && (app.active === '-1' || d.appId === (app.active + '')),
); );
@@ -152,18 +152,18 @@ export class MineTopic extends SearchAndFilterContainer {
public render() { public render() {
return ( return (
<> <>
<div className="min-width"> <div className="min-width">
<Tabs activeKey={location.hash.substr(1) || '1'} type="card" onChange={(key) => this.handleTabKey(key)}> <Tabs activeKey={location.hash.substr(1) || '1'} type="card" onChange={(key) => this.handleTabKey(key)}>
<TabPane tab="有效Topic" key="1" > <TabPane tab="有效Topic" key="1" >
{this.renderOperationPanel(1)} {this.renderOperationPanel(1)}
{this.renderMyTopicTable(this.getData(topic.mytopicData))} {this.renderMyTopicTable(this.getData(topic.mytopicData))}
</TabPane> </TabPane>
<TabPane tab="已过期Topic" key="2"> <TabPane tab="已过期Topic" key="2">
{this.renderOperationPanel(2)} {this.renderOperationPanel(2)}
{this.renderDeprecatedTopicTable(this.getData(topic.expireData))} {this.renderDeprecatedTopicTable(this.getData(topic.expireData))}
</TabPane> </TabPane>
</Tabs> </Tabs>
</div> </div>
</> </>
); );
} }

View File

@@ -79,7 +79,7 @@ export class MyBill extends React.Component {
} }
public renderTableList() { public renderTableList() {
const userUrl=`${urlPrefix}/user/bill-detail` const userUrl = `${urlPrefix}/user/bill-detail`
return ( return (
<Table <Table
rowKey="key" rowKey="key"
@@ -93,7 +93,7 @@ export class MyBill extends React.Component {
public renderChart() { public renderChart() {
return ( return (
<div className="chart-box"> <div className="chart-box">
<BarChartComponet ref={(ref) => this.chart = ref } getChartData={this.getData.bind(this, null)} /> <BarChartComponet ref={(ref) => this.chart = ref} getChartData={this.getData.bind(this, null)} />
</div> </div>
); );
} }

View File

@@ -33,6 +33,7 @@ const checkStatus = (res: Response) => {
}; };
const filter = (init: IInit) => (res: IRes) => { const filter = (init: IInit) => (res: IRes) => {
if (res.code !== 0 && res.code !== 200) { if (res.code !== 0 && res.code !== 200) {
if (!init.errorNoTips) { if (!init.errorNoTips) {
notification.error({ notification.error({

View File

@@ -96,7 +96,8 @@ class Alarm {
@action.bound @action.bound
public setMonitorType(data: IMonitorMetricType) { public setMonitorType(data: IMonitorMetricType) {
this.monitorTypeList = data.metricNames || []; this.monitorTypeList = data.metricNames || [];
this.monitorType = this.monitorTypeList[0].metricName; // this.monitorType = this.monitorTypeList[0].metricName;
this.monitorType = '';
} }
@action.bound @action.bound

View File

@@ -21,7 +21,7 @@ class Cluster {
public selectData: IClusterData[] = [{ public selectData: IClusterData[] = [{
value: -1, value: -1,
label: '所有集群', label: '所有集群',
} as IClusterData, } as IClusterData,
]; ];
@observable @observable
@@ -31,7 +31,7 @@ class Cluster {
public selectAllData: IClusterData[] = [{ public selectAllData: IClusterData[] = [{
value: -1, value: -1,
label: '所有集群', label: '所有集群',
} as IClusterData, } as IClusterData,
]; ];
@observable @observable
@@ -59,7 +59,7 @@ class Cluster {
public clusterMetrics: IClusterMetrics[] = []; public clusterMetrics: IClusterMetrics[] = [];
@observable @observable
public type: IOptionType = 'byteIn/byteOut' ; public type: IOptionType = 'byteIn/byteOut';
@observable @observable
public clusterTopics: IClusterTopics[] = []; public clusterTopics: IClusterTopics[] = [];
@@ -130,11 +130,11 @@ class Cluster {
public setClusterCombos(data: IConfigInfo[]) { public setClusterCombos(data: IConfigInfo[]) {
this.clusterComboList = data || []; this.clusterComboList = data || [];
this.clusterComboList = this.clusterComboList.map(item => { this.clusterComboList = this.clusterComboList.map(item => {
return { return {
...item, ...item,
label: item.message, label: item.message,
value: item.code, value: item.code,
}; };
}); });
} }
@@ -148,7 +148,7 @@ class Cluster {
value: item.code, value: item.code,
}; };
}); });
this.clusterMode = (this.clusterModes && this.clusterModes.filter(ele => ele.code !== 0) ) || []; // 去除 0 共享集群 this.clusterMode = (this.clusterModes && this.clusterModes.filter(ele => ele.code !== 0)) || []; // 去除 0 共享集群
} }
@action.bound @action.bound
@@ -158,7 +158,7 @@ class Cluster {
@action.bound @action.bound
public setClusterDetailRealTime(data: IClusterReal) { public setClusterDetailRealTime(data: IClusterReal) {
this.clusterRealData = data; this.clusterRealData = data;
this.setRealLoading(false); this.setRealLoading(false);
} }
@@ -192,9 +192,9 @@ class Cluster {
@action.bound @action.bound
public setClusterDetailThrottles(data: IThrottles[]) { public setClusterDetailThrottles(data: IThrottles[]) {
this.clustersThrottles = data ? data.map((item, index) => { this.clustersThrottles = data ? data.map((item, index) => {
item.key = index; item.key = index;
return item; return item;
}) : []; }) : [];
} }
@action.bound @action.bound

View File

@@ -19,6 +19,7 @@ export interface IStrategyFilter {
tkey: string; tkey: string;
topt: string; topt: string;
tval: string[]; tval: string[];
clusterIdentification?: string;
} }
export interface IRequestParams { export interface IRequestParams {
appId: string; appId: string;

View File

@@ -23,6 +23,7 @@ export interface IBtn {
} }
export interface IClusterData { export interface IClusterData {
clusterIdentification: any;
clusterId: number; clusterId: number;
mode: number; mode: number;
clusterName: string; clusterName: string;
@@ -598,10 +599,12 @@ export interface IClusterReal {
} }
export interface IBasicInfo { export interface IBasicInfo {
clusterIdentification: any;
bootstrapServers: string; bootstrapServers: string;
clusterId: number; clusterId: number;
mode: number; mode: number;
clusterName: string; clusterName: string;
clusterNameCn: string;
clusterVersion: string; clusterVersion: string;
gmtCreate: number; gmtCreate: number;
gmtModify: number; gmtModify: number;
@@ -920,8 +923,9 @@ export interface INewLogical {
mode: number; mode: number;
name: string; name: string;
logicalClusterName?: string; logicalClusterName?: string;
logicalClusterEName?: string; logicalClusterNameCn?: string;
regionIdList: number[]; regionIdList: number[];
logicalClusterIdentification?:string
} }
export interface IPartitionsLocation { export interface IPartitionsLocation {

View File

@@ -5,13 +5,13 @@
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager-core</artifactId> <artifactId>kafka-manager-core</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<properties> <properties>

View File

@@ -69,6 +69,19 @@ public class LogicalClusterMetadataManager {
return LOGICAL_CLUSTER_ID_BROKER_ID_MAP.getOrDefault(logicClusterId, new HashSet<>()); return LOGICAL_CLUSTER_ID_BROKER_ID_MAP.getOrDefault(logicClusterId, new HashSet<>());
} }
public Long getTopicLogicalClusterId(Long physicalClusterId, String topicName) {
if (!LOADED.get()) {
flush();
}
Map<String, Long> logicalClusterIdMap = TOPIC_LOGICAL_MAP.get(physicalClusterId);
if (ValidateUtils.isNull(logicalClusterIdMap)) {
return null;
}
return logicalClusterIdMap.get(topicName);
}
public LogicalClusterDO getTopicLogicalCluster(Long physicalClusterId, String topicName) { public LogicalClusterDO getTopicLogicalCluster(Long physicalClusterId, String topicName) {
if (!LOADED.get()) { if (!LOADED.get()) {
flush(); flush();

View File

@@ -4,9 +4,11 @@ import com.xiaojukeji.kafka.manager.common.bizenum.KafkaBrokerRoleEnum;
import com.xiaojukeji.kafka.manager.common.constant.Constant; import com.xiaojukeji.kafka.manager.common.constant.Constant;
import com.xiaojukeji.kafka.manager.common.constant.KafkaConstant; import com.xiaojukeji.kafka.manager.common.constant.KafkaConstant;
import com.xiaojukeji.kafka.manager.common.entity.KafkaVersion; import com.xiaojukeji.kafka.manager.common.entity.KafkaVersion;
import com.xiaojukeji.kafka.manager.common.utils.JsonUtils;
import com.xiaojukeji.kafka.manager.common.utils.ListUtils; import com.xiaojukeji.kafka.manager.common.utils.ListUtils;
import com.xiaojukeji.kafka.manager.common.entity.pojo.ClusterDO; import com.xiaojukeji.kafka.manager.common.entity.pojo.ClusterDO;
import com.xiaojukeji.kafka.manager.common.utils.ValidateUtils; import com.xiaojukeji.kafka.manager.common.utils.ValidateUtils;
import com.xiaojukeji.kafka.manager.common.utils.jmx.JmxConfig;
import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.BrokerMetadata; import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.BrokerMetadata;
import com.xiaojukeji.kafka.manager.common.zookeeper.znode.ControllerData; import com.xiaojukeji.kafka.manager.common.zookeeper.znode.ControllerData;
import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.TopicMetadata; import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.TopicMetadata;
@@ -118,8 +120,15 @@ public class PhysicalClusterMetadataManager {
return; return;
} }
JmxConfig jmxConfig = null;
try {
jmxConfig = JsonUtils.stringToObj(clusterDO.getJmxProperties(), JmxConfig.class);
} catch (Exception e) {
LOGGER.error("class=PhysicalClusterMetadataManager||method=addNew||clusterDO={}||msg=parse jmx properties failed", JsonUtils.toJSONString(clusterDO));
}
//增加Broker监控 //增加Broker监控
BrokerStateListener brokerListener = new BrokerStateListener(clusterDO.getId(), zkConfig, configUtils.getJmxMaxConn()); BrokerStateListener brokerListener = new BrokerStateListener(clusterDO.getId(), zkConfig, jmxConfig);
brokerListener.init(); brokerListener.init();
zkConfig.watchChildren(ZkPathUtil.BROKER_IDS_ROOT, brokerListener); zkConfig.watchChildren(ZkPathUtil.BROKER_IDS_ROOT, brokerListener);
@@ -280,7 +289,7 @@ public class PhysicalClusterMetadataManager {
//---------------------------Broker元信息相关-------------- //---------------------------Broker元信息相关--------------
public static void putBrokerMetadata(Long clusterId, Integer brokerId, BrokerMetadata brokerMetadata, Integer jmxMaxConn) { public static void putBrokerMetadata(Long clusterId, Integer brokerId, BrokerMetadata brokerMetadata, JmxConfig jmxConfig) {
Map<Integer, BrokerMetadata> metadataMap = BROKER_METADATA_MAP.get(clusterId); Map<Integer, BrokerMetadata> metadataMap = BROKER_METADATA_MAP.get(clusterId);
if (metadataMap == null) { if (metadataMap == null) {
return; return;
@@ -288,7 +297,7 @@ public class PhysicalClusterMetadataManager {
metadataMap.put(brokerId, brokerMetadata); metadataMap.put(brokerId, brokerMetadata);
Map<Integer, JmxConnectorWrap> jmxMap = JMX_CONNECTOR_MAP.getOrDefault(clusterId, new ConcurrentHashMap<>()); Map<Integer, JmxConnectorWrap> jmxMap = JMX_CONNECTOR_MAP.getOrDefault(clusterId, new ConcurrentHashMap<>());
jmxMap.put(brokerId, new JmxConnectorWrap(brokerMetadata.getHost(), brokerMetadata.getJmxPort(), jmxMaxConn)); jmxMap.put(brokerId, new JmxConnectorWrap(brokerMetadata.getHost(), brokerMetadata.getJmxPort(), jmxConfig));
JMX_CONNECTOR_MAP.put(clusterId, jmxMap); JMX_CONNECTOR_MAP.put(clusterId, jmxMap);
Map<Integer, KafkaVersion> versionMap = KAFKA_VERSION_MAP.getOrDefault(clusterId, new ConcurrentHashMap<>()); Map<Integer, KafkaVersion> versionMap = KAFKA_VERSION_MAP.getOrDefault(clusterId, new ConcurrentHashMap<>());

View File

@@ -203,6 +203,7 @@ public class ClusterServiceImpl implements ClusterService {
zk.close(); zk.close();
} }
} catch (Throwable t) { } catch (Throwable t) {
return false;
} }
} }
return true; return true;

View File

@@ -113,6 +113,7 @@ public class LogicalClusterServiceImpl implements LogicalClusterService {
LogicalCluster logicalCluster = new LogicalCluster(); LogicalCluster logicalCluster = new LogicalCluster();
logicalCluster.setLogicalClusterId(logicalClusterDO.getId()); logicalCluster.setLogicalClusterId(logicalClusterDO.getId());
logicalCluster.setLogicalClusterName(logicalClusterDO.getName()); logicalCluster.setLogicalClusterName(logicalClusterDO.getName());
logicalCluster.setLogicalClusterIdentification(logicalClusterDO.getIdentification());
logicalCluster.setClusterVersion( logicalCluster.setClusterVersion(
physicalClusterMetadataManager.getKafkaVersion( physicalClusterMetadataManager.getKafkaVersion(
logicalClusterDO.getClusterId(), logicalClusterDO.getClusterId(),

View File

@@ -13,9 +13,6 @@ public class ConfigUtils {
@Value(value = "${custom.idc}") @Value(value = "${custom.idc}")
private String idc; private String idc;
@Value("${custom.jmx.max-conn}")
private Integer jmxMaxConn;
@Value(value = "${spring.profiles.active}") @Value(value = "${spring.profiles.active}")
private String kafkaManagerEnv; private String kafkaManagerEnv;
@@ -30,14 +27,6 @@ public class ConfigUtils {
this.idc = idc; this.idc = idc;
} }
public Integer getJmxMaxConn() {
return jmxMaxConn;
}
public void setJmxMaxConn(Integer jmxMaxConn) {
this.jmxMaxConn = jmxMaxConn;
}
public String getKafkaManagerEnv() { public String getKafkaManagerEnv() {
return kafkaManagerEnv; return kafkaManagerEnv;
} }

View File

@@ -1,5 +1,6 @@
package com.xiaojukeji.kafka.manager.service.zookeeper; package com.xiaojukeji.kafka.manager.service.zookeeper;
import com.xiaojukeji.kafka.manager.common.utils.jmx.JmxConfig;
import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.BrokerMetadata; import com.xiaojukeji.kafka.manager.common.zookeeper.znode.brokers.BrokerMetadata;
import com.xiaojukeji.kafka.manager.common.zookeeper.StateChangeListener; import com.xiaojukeji.kafka.manager.common.zookeeper.StateChangeListener;
import com.xiaojukeji.kafka.manager.common.zookeeper.ZkConfigImpl; import com.xiaojukeji.kafka.manager.common.zookeeper.ZkConfigImpl;
@@ -22,12 +23,12 @@ public class BrokerStateListener implements StateChangeListener {
private ZkConfigImpl zkConfig; private ZkConfigImpl zkConfig;
private Integer jmxMaxConn; private JmxConfig jmxConfig;
public BrokerStateListener(Long clusterId, ZkConfigImpl zkConfig, Integer jmxMaxConn) { public BrokerStateListener(Long clusterId, ZkConfigImpl zkConfig, JmxConfig jmxConfig) {
this.clusterId = clusterId; this.clusterId = clusterId;
this.zkConfig = zkConfig; this.zkConfig = zkConfig;
this.jmxMaxConn = jmxMaxConn; this.jmxConfig = jmxConfig;
} }
@Override @Override
@@ -84,7 +85,7 @@ public class BrokerStateListener implements StateChangeListener {
} }
brokerMetadata.setClusterId(clusterId); brokerMetadata.setClusterId(clusterId);
brokerMetadata.setBrokerId(brokerId); brokerMetadata.setBrokerId(brokerId);
PhysicalClusterMetadataManager.putBrokerMetadata(clusterId, brokerId, brokerMetadata, jmxMaxConn); PhysicalClusterMetadataManager.putBrokerMetadata(clusterId, brokerId, brokerMetadata, jmxConfig);
} catch (Exception e) { } catch (Exception e) {
LOGGER.error("add broker failed, clusterId:{} brokerMetadata:{}.", clusterId, brokerMetadata, e); LOGGER.error("add broker failed, clusterId:{} brokerMetadata:{}.", clusterId, brokerMetadata, e);
} }

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-dao</artifactId> <artifactId>kafka-manager-dao</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<properties> <properties>

View File

@@ -12,6 +12,7 @@
<result column="zookeeper" property="zookeeper" /> <result column="zookeeper" property="zookeeper" />
<result column="bootstrap_servers" property="bootstrapServers" /> <result column="bootstrap_servers" property="bootstrapServers" />
<result column="security_properties" property="securityProperties" /> <result column="security_properties" property="securityProperties" />
<result column="jmx_properties" property="jmxProperties" />
</resultMap> </resultMap>
<insert id="insert" <insert id="insert"
@@ -19,9 +20,9 @@
useGeneratedKeys="true" useGeneratedKeys="true"
keyProperty="id"> keyProperty="id">
INSERT INTO cluster ( INSERT INTO cluster (
cluster_name, zookeeper, bootstrap_servers, security_properties cluster_name, zookeeper, bootstrap_servers, security_properties, jmx_properties
) VALUES ( ) VALUES (
#{clusterName}, #{zookeeper}, #{bootstrapServers}, #{securityProperties} #{clusterName}, #{zookeeper}, #{bootstrapServers}, #{securityProperties}, #{jmxProperties}
) )
</insert> </insert>
@@ -30,6 +31,7 @@
cluster_name=#{clusterName}, cluster_name=#{clusterName},
bootstrap_servers=#{bootstrapServers}, bootstrap_servers=#{bootstrapServers},
security_properties=#{securityProperties}, security_properties=#{securityProperties},
jmx_properties=#{jmxProperties},
status=#{status} status=#{status}
WHERE id = #{id} WHERE id = #{id}
</update> </update>

View File

@@ -1,24 +1,25 @@
<?xml version="1.0" encoding="UTF-8"?> <?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd"> <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="LogicalClusterDao"> <mapper namespace="LogicalClusterDao">
<resultMap id="LogicalClusterMap" type="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO"> <resultMap id="LogicalClusterMap" type="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO">
<id column="id" property="id" /> <id column="id" property="id" />
<result column="gmt_create" property="gmtCreate" /> <result column="gmt_create" property="gmtCreate" />
<result column="gmt_modify" property="gmtModify" /> <result column="gmt_modify" property="gmtModify" />
<result column="name" property="name" /> <result column="name" property="name" />
<result column="app_id" property="appId" /> <result column="identification" property="identification" />
<result column="cluster_id" property="clusterId" /> <result column="app_id" property="appId" />
<result column="region_list" property="regionList" /> <result column="cluster_id" property="clusterId" />
<result column="mode" property="mode" /> <result column="region_list" property="regionList" />
<result column="description" property="description" /> <result column="mode" property="mode" />
<result column="description" property="description" />
</resultMap> </resultMap>
<insert id="insert" parameterType="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO"> <insert id="insert" parameterType="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO">
INSERT INTO logical_cluster INSERT INTO logical_cluster
(name, app_id, cluster_id, region_list, mode, description) (name, identification, app_id, cluster_id, region_list, mode, description)
VALUES VALUES
(#{name}, #{appId}, #{clusterId}, #{regionList}, #{mode}, #{description}) (#{name}, #{identification}, #{appId}, #{clusterId}, #{regionList}, #{mode}, #{description})
</insert> </insert>
<delete id="deleteById" parameterType="java.lang.Long"> <delete id="deleteById" parameterType="java.lang.Long">
@@ -27,7 +28,8 @@
<update id="updateById" parameterType="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO"> <update id="updateById" parameterType="com.xiaojukeji.kafka.manager.common.entity.pojo.LogicalClusterDO">
UPDATE logical_cluster SET UPDATE logical_cluster SET
<!-- name=#{name}, 不允许修改 name, 会影响到上报的数据 --> name=#{name},
<!-- identification=#{identification}, 不允许修改 identification, 会影响到上报的数据 -->
cluster_id=#{clusterId}, cluster_id=#{clusterId},
region_list=#{regionList}, region_list=#{regionList},
description=#{description}, description=#{description},

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-account</artifactId> <artifactId>kafka-manager-account</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-bpm</artifactId> <artifactId>kafka-manager-bpm</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-kcm</artifactId> <artifactId>kafka-manager-kcm</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -5,13 +5,13 @@
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager-monitor</artifactId> <artifactId>kafka-manager-monitor</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -4,6 +4,7 @@ import com.xiaojukeji.kafka.manager.common.utils.ListUtils;
import com.xiaojukeji.kafka.manager.common.utils.ValidateUtils; import com.xiaojukeji.kafka.manager.common.utils.ValidateUtils;
import com.xiaojukeji.kafka.manager.monitor.common.entry.*; import com.xiaojukeji.kafka.manager.monitor.common.entry.*;
import com.xiaojukeji.kafka.manager.monitor.component.n9e.entry.*; import com.xiaojukeji.kafka.manager.monitor.component.n9e.entry.*;
import com.xiaojukeji.kafka.manager.monitor.component.n9e.entry.bizenum.CategoryEnum;
import java.util.*; import java.util.*;
@@ -44,7 +45,7 @@ public class N9eConverter {
if (!ValidateUtils.isNull(strategy.getId())) { if (!ValidateUtils.isNull(strategy.getId())) {
n9eStrategy.setId(strategy.getId().intValue()); n9eStrategy.setId(strategy.getId().intValue());
} }
n9eStrategy.setCategory(1); n9eStrategy.setCategory(CategoryEnum.DEVICE_INDEPENDENT.getCode());
n9eStrategy.setName(strategy.getName()); n9eStrategy.setName(strategy.getName());
n9eStrategy.setNid(monitorN9eNid); n9eStrategy.setNid(monitorN9eNid);
n9eStrategy.setExcl_nid(new ArrayList<>()); n9eStrategy.setExcl_nid(new ArrayList<>());
@@ -77,7 +78,13 @@ public class N9eConverter {
n9eStrategy.setRecovery_notify(0); n9eStrategy.setRecovery_notify(0);
StrategyAction strategyAction = strategy.getStrategyActionList().get(0); StrategyAction strategyAction = strategy.getStrategyActionList().get(0);
n9eStrategy.setConverge(ListUtils.string2IntList(strategyAction.getConverge()));
// 单位转换, 夜莺的单位是秒, KM前端的单位是分钟
List<Integer> convergeList = ListUtils.string2IntList(strategyAction.getConverge());
if (!ValidateUtils.isEmptyList(convergeList)) {
convergeList.set(0, convergeList.get(0) * 60);
}
n9eStrategy.setConverge(convergeList);
List<Integer> notifyGroups = new ArrayList<>(); List<Integer> notifyGroups = new ArrayList<>();
for (String name: ListUtils.string2StrList(strategyAction.getNotifyGroup())) { for (String name: ListUtils.string2StrList(strategyAction.getNotifyGroup())) {
@@ -167,7 +174,13 @@ public class N9eConverter {
} }
strategyAction.setNotifyGroup(ListUtils.strList2String(notifyGroups)); strategyAction.setNotifyGroup(ListUtils.strList2String(notifyGroups));
strategyAction.setConverge(ListUtils.intList2String(n9eStrategy.getConverge())); // 单位转换, 夜莺的单位是秒, KM前端的单位是分钟
List<Integer> convergeList = n9eStrategy.getConverge();
if (!ValidateUtils.isEmptyList(convergeList)) {
convergeList.set(0, convergeList.get(0) / 60);
}
strategyAction.setConverge(ListUtils.intList2String(convergeList));
strategyAction.setCallback(n9eStrategy.getCallback()); strategyAction.setCallback(n9eStrategy.getCallback());
strategy.setStrategyActionList(Arrays.asList(strategyAction)); strategy.setStrategyActionList(Arrays.asList(strategyAction));

View File

@@ -0,0 +1,23 @@
package com.xiaojukeji.kafka.manager.monitor.component.n9e.entry.bizenum;
public enum CategoryEnum {
DEVICE_RELATED(1, "设备相关"),
DEVICE_INDEPENDENT(2, "设备无关"),
;
private int code;
private String msg;
CategoryEnum(int code, String msg) {
this.code = code;
this.msg = msg;
}
public int getCode() {
return code;
}
public String getMsg() {
return msg;
}
}

View File

@@ -5,13 +5,13 @@
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager-notify</artifactId> <artifactId>kafka-manager-notify</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-openapi</artifactId> <artifactId>kafka-manager-openapi</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<relativePath>../../pom.xml</relativePath> <relativePath>../../pom.xml</relativePath>
</parent> </parent>

View File

@@ -5,13 +5,13 @@
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager-task</artifactId> <artifactId>kafka-manager-task</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<properties> <properties>

View File

@@ -73,7 +73,7 @@ public class SinkCommunityTopicMetrics2Monitor extends AbstractScheduledTask<Clu
continue; continue;
} }
metricSinkPoints.addAll(recordTopics(now, logicalClusterDO.getName(), metrics)); metricSinkPoints.addAll(recordTopics(now, logicalClusterDO.getIdentification(), metrics));
if (metricSinkPoints.size() > MonitorSinkConstant.MONITOR_SYSTEM_SINK_THRESHOLD) { if (metricSinkPoints.size() > MonitorSinkConstant.MONITOR_SYSTEM_SINK_THRESHOLD) {
abstractMonitor.sinkMetrics(metricSinkPoints); abstractMonitor.sinkMetrics(metricSinkPoints);
metricSinkPoints.clear(); metricSinkPoints.clear();

View File

@@ -64,7 +64,7 @@ public class SinkConsumerMetrics2Monitor implements ApplicationListener<Consumer
continue; continue;
} }
metricSinkPoints.addAll(recordConsumer(elem.getTimestampUnitMs() / 1000, logicalClusterDO.getName(), elem)); metricSinkPoints.addAll(recordConsumer(elem.getTimestampUnitMs() / 1000, logicalClusterDO.getIdentification(), elem));
if (metricSinkPoints.size() > MonitorSinkConstant.MONITOR_SYSTEM_SINK_THRESHOLD) { if (metricSinkPoints.size() > MonitorSinkConstant.MONITOR_SYSTEM_SINK_THRESHOLD) {
abstractMonitor.sinkMetrics(metricSinkPoints); abstractMonitor.sinkMetrics(metricSinkPoints);
metricSinkPoints.clear(); metricSinkPoints.clear();

View File

@@ -57,7 +57,7 @@ public class SinkTopicThrottledMetrics2Monitor implements ApplicationListener<To
continue; continue;
} }
MetricSinkPoint point = recordTopicThrottled(startTime, logicalClusterDO.getName(), elem); MetricSinkPoint point = recordTopicThrottled(startTime, logicalClusterDO.getIdentification(), elem);
if (ValidateUtils.isNull(point)) { if (ValidateUtils.isNull(point)) {
continue; continue;
} }

View File

@@ -4,13 +4,13 @@
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion> <modelVersion>4.0.0</modelVersion>
<artifactId>kafka-manager-web</artifactId> <artifactId>kafka-manager-web</artifactId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<packaging>jar</packaging> <packaging>jar</packaging>
<parent> <parent>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
</parent> </parent>
<properties> <properties>

View File

@@ -40,8 +40,7 @@ public class NormalAccountController {
public Result<List<AccountSummaryVO>> searchOnJobStaffByKeyWord(@RequestParam("keyWord") String keyWord) { public Result<List<AccountSummaryVO>> searchOnJobStaffByKeyWord(@RequestParam("keyWord") String keyWord) {
List<EnterpriseStaff> staffList = accountService.searchAccountByPrefix(keyWord); List<EnterpriseStaff> staffList = accountService.searchAccountByPrefix(keyWord);
if (ValidateUtils.isEmptyList(staffList)) { if (ValidateUtils.isEmptyList(staffList)) {
LOGGER.info("class=NormalAccountController||method=searchOnJobStaffByKeyWord||keyWord={}||msg=staffList is empty!" LOGGER.info("class=NormalAccountController||method=searchOnJobStaffByKeyWord||keyWord={}||msg=staffList is empty!", keyWord);
,keyWord);
return new Result<>(); return new Result<>();
} }
List<AccountSummaryVO> voList = new ArrayList<>(); List<AccountSummaryVO> voList = new ArrayList<>();

View File

@@ -69,7 +69,8 @@ public class NormalTopicController {
} }
return new Result<>(TopicModelConverter.convert2TopicBasicVO( return new Result<>(TopicModelConverter.convert2TopicBasicVO(
topicService.getTopicBasicDTO(physicalClusterId, topicName), topicService.getTopicBasicDTO(physicalClusterId, topicName),
clusterService.getById(physicalClusterId) clusterService.getById(physicalClusterId),
logicalClusterMetadataManager.getTopicLogicalClusterId(physicalClusterId, topicName)
)); ));
} }

View File

@@ -166,7 +166,7 @@ public class OpUtilsController {
if (!ResultStatus.SUCCESS.equals(rs)) { if (!ResultStatus.SUCCESS.equals(rs)) {
return Result.buildFrom(rs); return Result.buildFrom(rs);
} }
topicManagerService.modifyTopic(dto.getClusterId(), dto.getTopicName(), dto.getDescription(), operator); topicManagerService.modifyTopicByOp(dto.getClusterId(), dto.getTopicName(), dto.getAppId(), dto.getDescription(), operator);
return new Result(); return new Result();
} }

View File

@@ -55,6 +55,7 @@ public class ClusterModelConverter {
CopyUtils.copyProperties(vo, logicalCluster); CopyUtils.copyProperties(vo, logicalCluster);
vo.setClusterId(logicalCluster.getLogicalClusterId()); vo.setClusterId(logicalCluster.getLogicalClusterId());
vo.setClusterName(logicalCluster.getLogicalClusterName()); vo.setClusterName(logicalCluster.getLogicalClusterName());
vo.setClusterIdentification(logicalCluster.getLogicalClusterIdentification());
return vo; return vo;
} }
@@ -78,9 +79,8 @@ public class ClusterModelConverter {
ClusterDO clusterDO = new ClusterDO(); ClusterDO clusterDO = new ClusterDO();
CopyUtils.copyProperties(clusterDO, reqObj); CopyUtils.copyProperties(clusterDO, reqObj);
clusterDO.setId(reqObj.getClusterId()); clusterDO.setId(reqObj.getClusterId());
clusterDO.setSecurityProperties( clusterDO.setSecurityProperties(ValidateUtils.isNull(reqObj.getSecurityProperties())? "": reqObj.getSecurityProperties());
ValidateUtils.isNull(clusterDO.getSecurityProperties())? "": clusterDO.getSecurityProperties() clusterDO.setJmxProperties(ValidateUtils.isNull(reqObj.getJmxProperties())? "": reqObj.getJmxProperties());
);
return clusterDO; return clusterDO;
} }

View File

@@ -21,6 +21,7 @@ public class LogicalClusterModelConverter {
LogicalClusterVO vo = new LogicalClusterVO(); LogicalClusterVO vo = new LogicalClusterVO();
vo.setLogicalClusterId(logicalClusterDO.getId()); vo.setLogicalClusterId(logicalClusterDO.getId());
vo.setLogicalClusterName(logicalClusterDO.getName()); vo.setLogicalClusterName(logicalClusterDO.getName());
vo.setLogicalClusterIdentification(logicalClusterDO.getIdentification());
vo.setPhysicalClusterId(logicalClusterDO.getClusterId()); vo.setPhysicalClusterId(logicalClusterDO.getClusterId());
vo.setMode(logicalClusterDO.getMode()); vo.setMode(logicalClusterDO.getMode());
vo.setRegionIdList(ListUtils.string2LongList(logicalClusterDO.getRegionList())); vo.setRegionIdList(ListUtils.string2LongList(logicalClusterDO.getRegionList()));
@@ -45,6 +46,7 @@ public class LogicalClusterModelConverter {
public static LogicalClusterDO convert2LogicalClusterDO(LogicalClusterDTO dto) { public static LogicalClusterDO convert2LogicalClusterDO(LogicalClusterDTO dto) {
LogicalClusterDO logicalClusterDO = new LogicalClusterDO(); LogicalClusterDO logicalClusterDO = new LogicalClusterDO();
logicalClusterDO.setName(dto.getName()); logicalClusterDO.setName(dto.getName());
logicalClusterDO.setIdentification(dto.getIdentification());
logicalClusterDO.setClusterId(dto.getClusterId()); logicalClusterDO.setClusterId(dto.getClusterId());
logicalClusterDO.setRegionList(ListUtils.longList2String(dto.getRegionIdList())); logicalClusterDO.setRegionList(ListUtils.longList2String(dto.getRegionIdList()));
logicalClusterDO.setMode(dto.getMode()); logicalClusterDO.setMode(dto.getMode());

View File

@@ -22,9 +22,9 @@ import java.util.List;
* @date 2017/6/1. * @date 2017/6/1.
*/ */
public class TopicModelConverter { public class TopicModelConverter {
public static TopicBasicVO convert2TopicBasicVO(TopicBasicDTO dto, ClusterDO clusterDO) { public static TopicBasicVO convert2TopicBasicVO(TopicBasicDTO dto, ClusterDO clusterDO, Long logicalClusterId) {
TopicBasicVO vo = new TopicBasicVO(); TopicBasicVO vo = new TopicBasicVO();
vo.setClusterId(dto.getClusterId()); vo.setClusterId(logicalClusterId);
vo.setAppId(dto.getAppId()); vo.setAppId(dto.getAppId());
vo.setAppName(dto.getAppName()); vo.setAppName(dto.getAppName());
vo.setPartitionNum(dto.getPartitionNum()); vo.setPartitionNum(dto.getPartitionNum());

View File

@@ -11,7 +11,7 @@ spring:
name: kafkamanager name: kafkamanager
datasource: datasource:
kafka-manager: kafka-manager:
jdbc-url: jdbc:mysql://127.0.0.1:3306/kafka_manager?characterEncoding=UTF-8&serverTimezone=GMT%2B8 jdbc-url: jdbc:mysql://127.0.0.1:3306/logi_kafka_manager?characterEncoding=UTF-8&serverTimezone=GMT%2B8
username: admin username: admin
password: admin password: admin
driver-class-name: com.mysql.jdbc.Driver driver-class-name: com.mysql.jdbc.Driver

View File

@@ -6,7 +6,7 @@
<groupId>com.xiaojukeji.kafka</groupId> <groupId>com.xiaojukeji.kafka</groupId>
<artifactId>kafka-manager</artifactId> <artifactId>kafka-manager</artifactId>
<packaging>pom</packaging> <packaging>pom</packaging>
<version>2.1.0-SNAPSHOT</version> <version>${kafka-manager.revision}</version>
<parent> <parent>
<groupId>org.springframework.boot</groupId> <groupId>org.springframework.boot</groupId>
@@ -16,11 +16,10 @@
</parent> </parent>
<properties> <properties>
<kafka-manager.revision>2.0.0-SNAPSHOT</kafka-manager.revision> <kafka-manager.revision>2.2.0-SNAPSHOT</kafka-manager.revision>
<swagger2.version>2.7.0</swagger2.version> <swagger2.version>2.7.0</swagger2.version>
<swagger.version>1.5.13</swagger.version> <swagger.version>1.5.13</swagger.version>
<!-- maven properties -->
<maven.test.skip>true</maven.test.skip> <maven.test.skip>true</maven.test.skip>
<downloadSources>true</downloadSources> <downloadSources>true</downloadSources>
<java_source_version>1.8</java_source_version> <java_source_version>1.8</java_source_version>