Compare commits

..

1 Commits

Author SHA1 Message Date
pycook
07eb902583 feat(api): my preference support grouping 2024-05-18 22:54:07 +08:00
118 changed files with 6559 additions and 18037 deletions

6
.env
View File

@@ -1,6 +0,0 @@
MYSQL_ROOT_PASSWORD='123456'
MYSQL_HOST='mysql'
MYSQL_PORT=3306
MYSQL_USER='cmdb'
MYSQL_DATABASE='cmdb'
MYSQL_PASSWORD='123456'

0
.github/config.yml vendored Normal file
View File

View File

@@ -1,79 +0,0 @@
name: docker-images-build-and-release
on:
push:
branches:
- master
tags: ["v*"]
pull_request:
branches:
- master
env:
# Use docker.io for Docker Hub if empty
REGISTRY_SERVER_ADDRESS: ghcr.io/veops
TAG: ${{ github.sha }}
jobs:
setup-environment:
timeout-minutes: 30
runs-on: ubuntu-latest
steps:
- name: Checkout Repo
uses: actions/checkout@v4
release-api-images:
runs-on: ubuntu-latest
needs: [setup-environment]
permissions:
contents: read
packages: write
timeout-minutes: 90
steps:
- name: Checkout Repo
uses: actions/checkout@v4
- name: Login to GitHub Package Registry
uses: docker/login-action@v2
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Set up QEMU
uses: docker/setup-qemu-action@v3
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Build and push CMDB-API Docker image
uses: docker/build-push-action@v6
with:
file: docker/Dockerfile-API
context: .
platforms: linux/amd64,linux/arm64
push: true
tags: ${{ env.REGISTRY_SERVER_ADDRESS }}/cmdb-api:${{ env.TAG }}
release-ui-images:
runs-on: ubuntu-latest
needs: [setup-environment]
permissions:
contents: read
packages: write
timeout-minutes: 90
steps:
- name: Checkout Repo
uses: actions/checkout@v4
- name: Login to GitHub Package Registry
uses: docker/login-action@v2
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Set up QEMU
uses: docker/setup-qemu-action@v3
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Build and push CMDB-UI Docker image
uses: docker/build-push-action@v6
with:
file: docker/Dockerfile-UI
context: .
platforms: linux/amd64,linux/arm64
push: true
tags: ${{ env.REGISTRY_SERVER_ADDRESS }}/cmdb-ui:${{ env.TAG }}

View File

@@ -1,4 +1,6 @@
include ./Makefile.variable MYSQL_ROOT_PASSWORD ?= root
MYSQL_PORT ?= 3306
REDIS_PORT ?= 6379
default: help default: help
help: ## display this help help: ## display this help
@@ -48,25 +50,3 @@ clean: ## remove unwanted files like .pyc's
lint: ## check style with flake8 lint: ## check style with flake8
flake8 --exclude=env . flake8 --exclude=env .
.PHONY: lint .PHONY: lint
api-docker-build:
export DOCKER_CLI_EXPERIMENTAL=enabled ;\
! ( docker buildx ls | grep multi-platform-builder ) && docker buildx create --use --platform=$(BUILD_ARCH) --name multi-platform-builder ;\
docker buildx build \
--builder multi-platform-builder \
--platform=$(BUILD_ARCH) \
--tag $(REGISTRY)/cmdb-api:$(CMDB_DOCKER_VERSION) \
--tag $(REGISTRY)/cmdb-api:latest \
-f docker/Dockerfile-API \
.
ui-docker-build:
export DOCKER_CLI_EXPERIMENTAL=enabled ;\
! ( docker buildx ls | grep multi-platform-builder ) && docker buildx create --use --platform=$(BUILD_ARCH) --name multi-platform-builder ;\
docker buildx build \
--builder multi-platform-builder \
--platform=$(BUILD_ARCH) \
--tag $(REGISTRY)/cmdb-ui:$(CMDB_DOCKER_VERSION) \
--tag $(REGISTRY)/cmdb-ui:latest \
-f docker/Dockerfile-UI \
.

View File

@@ -1,21 +0,0 @@
SHELL := /bin/bash -o pipefail
MYSQL_ROOT_PASSWORD ?= root
MYSQL_PORT ?= 3306
REDIS_PORT ?= 6379
LATEST_TAG_DIFF:=$(shell git describe --tags --abbrev=8)
LATEST_COMMIT:=$(VERSION)-dev-$(shell git rev-parse --short=8 HEAD)
BUILD_ARCH ?= linux/amd64,linux/arm64
# Set your version by env or using latest tags from git
CMDB_VERSION?=$(LATEST_TAG_DIFF)
ifeq ($(CMDB_VERSION),)
#fall back to last commit
CMDB_VERSION=$(LATEST_COMMIT)
endif
COMMIT_VERSION:=$(LATEST_COMMIT)
CMDB_DOCKER_VERSION:=${CMDB_VERSION}
CMDB_CHART_VERSION:=$(shell echo ${CMDB_VERSION} | sed 's/^v//g' )
REGISTRY ?= local

View File

@@ -73,8 +73,7 @@
## 安装 ## 安装
### Docker 一键快速构建 ### Docker 一键快速构建
> 方法一
[//]: # (> 方法一)
- 第一步: 先安装 Docker 环境, 以及Docker Compose (v2) - 第一步: 先安装 Docker 环境, 以及Docker Compose (v2)
- 第二步: 拷贝项目 - 第二步: 拷贝项目
```shell ```shell
@@ -84,20 +83,13 @@ git clone https://github.com/veops/cmdb.git
``` ```
docker compose up -d docker compose up -d
``` ```
> 方法二, 该方法适用于linux系统
[//]: # (> 方法二, 该方法适用于linux系统) - 第一步: 先安装 Docker 环境, 以及Docker Compose (v2)
- 第二步: 直接使用项目根目录下的install.sh 文件进行 `安装`、`启动`、`暂停`、`查状态`、`删除`、`卸载`
[//]: # (- 第一步: 先安装 Docker 环境, 以及Docker Compose (v2)) ```shell
curl -so install.sh https://raw.githubusercontent.com/veops/cmdb/deploy_on_kylin_docker/install.sh
[//]: # (- 第二步: 直接使用项目根目录下的install.sh 文件进行 `安装`、`启动`、`暂停`、`查状态`、`删除`、`卸载`) sh install.sh install
```
[//]: # (```shell)
[//]: # (curl -so install.sh https://raw.githubusercontent.com/veops/cmdb/deploy_on_kylin_docker/install.sh)
[//]: # (sh install.sh install)
[//]: # (```)
### [本地开发环境搭建](docs/local.md) ### [本地开发环境搭建](docs/local.md)

View File

@@ -36,7 +36,7 @@ Flask-Caching = ">=1.0.0"
environs = "==4.2.0" environs = "==4.2.0"
marshmallow = "==2.20.2" marshmallow = "==2.20.2"
# async tasks # async tasks
celery = "==5.3.1" celery = ">=5.3.1"
celery_once = "==3.0.1" celery_once = "==3.0.1"
more-itertools = "==5.0.0" more-itertools = "==5.0.0"
kombu = ">=5.3.1" kombu = ">=5.3.1"
@@ -67,7 +67,6 @@ colorama = ">=0.4.6"
pycryptodomex = ">=3.19.0" pycryptodomex = ">=3.19.0"
lz4 = ">=4.3.2" lz4 = ">=4.3.2"
python-magic = "==0.4.27" python-magic = "==0.4.27"
jsonpath = "==0.82.2"
[dev-packages] [dev-packages]
# Testing # Testing

View File

@@ -128,7 +128,7 @@ def cmdb_init_acl():
perms = [PermEnum.READ] perms = [PermEnum.READ]
elif resource_type == ResourceTypeEnum.CI_TYPE_RELATION: elif resource_type == ResourceTypeEnum.CI_TYPE_RELATION:
perms = [PermEnum.ADD, PermEnum.DELETE, PermEnum.GRANT] perms = [PermEnum.ADD, PermEnum.DELETE, PermEnum.GRANT]
elif resource_type in (ResourceTypeEnum.RELATION_VIEW, ResourceTypeEnum.TOPOLOGY_VIEW): elif resource_type == ResourceTypeEnum.RELATION_VIEW:
perms = [PermEnum.READ, PermEnum.UPDATE, PermEnum.DELETE, PermEnum.GRANT] perms = [PermEnum.READ, PermEnum.UPDATE, PermEnum.DELETE, PermEnum.GRANT]
ResourceTypeCRUD.add(app_id, resource_type, '', perms) ResourceTypeCRUD.add(app_id, resource_type, '', perms)
@@ -190,7 +190,6 @@ def cmdb_counter():
login_user(UserCache.get('worker')) login_user(UserCache.get('worker'))
i = 0 i = 0
today = datetime.date.today()
while True: while True:
try: try:
db.session.remove() db.session.remove()
@@ -201,10 +200,6 @@ def cmdb_counter():
CMDBCounterCache.flush_adc_counter() CMDBCounterCache.flush_adc_counter()
i = 0 i = 0
if datetime.date.today() != today:
CMDBCounterCache.clear_ad_exec_history()
today = datetime.date.today()
CMDBCounterCache.flush_sub_counter() CMDBCounterCache.flush_sub_counter()
i += 1 i += 1
@@ -331,7 +326,7 @@ def cmdb_inner_secrets_init(address):
""" """
init inner secrets for password feature init inner secrets for password feature
""" """
res, ok = KeyManage(backend=InnerKVManger()).init() res, ok = KeyManage(backend=InnerKVManger).init()
if not ok: if not ok:
if res.get("status") == "failed": if res.get("status") == "failed":
KeyManage.print_response(res) KeyManage.print_response(res)
@@ -498,64 +493,3 @@ def cmdb_agent_init():
click.echo("Key : {}".format(click.style(user.key, bg='red'))) click.echo("Key : {}".format(click.style(user.key, bg='red')))
click.echo("Secret: {}".format(click.style(user.secret, bg='red'))) click.echo("Secret: {}".format(click.style(user.secret, bg='red')))
@click.command()
@click.option(
'-v',
'--version',
help='input cmdb version, e.g. 2.4.6',
required=True,
)
@with_appcontext
def cmdb_patch(version):
"""
CMDB upgrade patch
"""
version = version[1:] if version.lower().startswith("v") else version
try:
if version >= '2.4.6':
from api.models.cmdb import CITypeRelation
for cr in CITypeRelation.get_by(to_dict=False):
if hasattr(cr, 'parent_attr_id') and cr.parent_attr_id and not cr.parent_attr_ids:
parent_attr_ids, child_attr_ids = [cr.parent_attr_id], [cr.child_attr_id]
cr.update(parent_attr_ids=parent_attr_ids, child_attr_ids=child_attr_ids, commit=False)
db.session.commit()
from api.models.cmdb import AutoDiscoveryCIType, AutoDiscoveryCITypeRelation
from api.lib.cmdb.cache import CITypeCache, AttributeCache
for adt in AutoDiscoveryCIType.get_by(to_dict=False):
if adt.relation:
if not AutoDiscoveryCITypeRelation.get_by(ad_type_id=adt.type_id):
peer_type = CITypeCache.get(list(adt.relation.values())[0]['type_name'])
peer_type_id = peer_type and peer_type.id
peer_attr = AttributeCache.get(list(adt.relation.values())[0]['attr_name'])
peer_attr_id = peer_attr and peer_attr.id
if peer_type_id and peer_attr_id:
AutoDiscoveryCITypeRelation.create(ad_type_id=adt.type_id,
ad_key=list(adt.relation.keys())[0],
peer_type_id=peer_type_id,
peer_attr_id=peer_attr_id,
commit=False)
if hasattr(adt, 'interval') and adt.interval and not adt.cron:
adt.cron = "*/{} * * * *".format(adt.interval // 60 or 1)
db.session.commit()
if version >= "2.4.7":
from api.lib.cmdb.auto_discovery.const import DEFAULT_INNER
from api.models.cmdb import AutoDiscoveryRule
for i in DEFAULT_INNER:
existed = AutoDiscoveryRule.get_by(name=i['name'], first=True, to_dict=False)
if existed is not None:
if "en" in i['option'] and 'en' not in (existed.option or {}):
option = copy.deepcopy(existed.option)
option['en'] = i['option']['en']
existed.update(option=option, commit=False)
db.session.commit()
except Exception as e:
print("cmdb patch failed: {}".format(e))

View File

@@ -1,51 +1,34 @@
# -*- coding:utf-8 -*- # -*- coding:utf-8 -*-
import copy
import datetime import datetime
import json import json
import jsonpath
import os import os
from flask import abort
from flask import current_app
from flask_login import current_user
from sqlalchemy import func
from api.extensions import db from api.extensions import db
from api.lib.cmdb.auto_discovery.const import CLOUD_MAP from api.lib.cmdb.auto_discovery.const import ClOUD_MAP
from api.lib.cmdb.auto_discovery.const import DEFAULT_INNER
from api.lib.cmdb.auto_discovery.const import PRIVILEGED_USERS
from api.lib.cmdb.cache import AttributeCache
from api.lib.cmdb.cache import AutoDiscoveryMappingCache
from api.lib.cmdb.cache import CITypeAttributeCache from api.lib.cmdb.cache import CITypeAttributeCache
from api.lib.cmdb.cache import CITypeCache from api.lib.cmdb.cache import CITypeCache
from api.lib.cmdb.ci import CIManager from api.lib.cmdb.ci import CIManager
from api.lib.cmdb.ci import CIRelationManager from api.lib.cmdb.ci import CIRelationManager
from api.lib.cmdb.ci_type import CITypeGroupManager from api.lib.cmdb.ci_type import CITypeGroupManager
from api.lib.cmdb.const import AutoDiscoveryType from api.lib.cmdb.const import AutoDiscoveryType
from api.lib.cmdb.const import CMDB_QUEUE
from api.lib.cmdb.const import PermEnum from api.lib.cmdb.const import PermEnum
from api.lib.cmdb.const import RelationSourceEnum
from api.lib.cmdb.const import ResourceTypeEnum from api.lib.cmdb.const import ResourceTypeEnum
from api.lib.cmdb.custom_dashboard import SystemConfigManager
from api.lib.cmdb.resp_format import ErrFormat from api.lib.cmdb.resp_format import ErrFormat
from api.lib.cmdb.search import SearchError from api.lib.cmdb.search import SearchError
from api.lib.cmdb.search.ci import search as ci_search from api.lib.cmdb.search.ci import search
from api.lib.common_setting.role_perm_base import CMDBApp
from api.lib.mixin import DBMixin from api.lib.mixin import DBMixin
from api.lib.perm.acl.acl import ACLManager
from api.lib.perm.acl.acl import is_app_admin from api.lib.perm.acl.acl import is_app_admin
from api.lib.perm.acl.acl import validate_permission from api.lib.perm.acl.acl import validate_permission
from api.lib.utils import AESCrypto from api.lib.utils import AESCrypto
from api.models.cmdb import AutoDiscoveryCI from api.models.cmdb import AutoDiscoveryCI
from api.models.cmdb import AutoDiscoveryCIType from api.models.cmdb import AutoDiscoveryCIType
from api.models.cmdb import AutoDiscoveryCITypeRelation
from api.models.cmdb import AutoDiscoveryCounter
from api.models.cmdb import AutoDiscoveryExecHistory
from api.models.cmdb import AutoDiscoveryRule from api.models.cmdb import AutoDiscoveryRule
from api.models.cmdb import AutoDiscoveryRuleSyncHistory from flask import abort
from api.tasks.cmdb import write_ad_rule_sync_history from flask import current_app
from flask_login import current_user
from sqlalchemy import func
PWD = os.path.abspath(os.path.dirname(__file__)) PWD = os.path.abspath(os.path.dirname(__file__))
app_cli = CMDBApp()
def parse_plugin_script(script): def parse_plugin_script(script):
@@ -113,30 +96,14 @@ class AutoDiscoveryRuleCRUD(DBMixin):
else: else:
self.cls.create(**rule) self.cls.create(**rule)
def _can_add(self, valid=True, **kwargs): def _can_add(self, **kwargs):
self.cls.get_by(name=kwargs['name']) and abort(400, ErrFormat.adr_duplicate.format(kwargs['name'])) self.cls.get_by(name=kwargs['name']) and abort(400, ErrFormat.adr_duplicate.format(kwargs['name']))
if kwargs.get('is_plugin') and kwargs.get('plugin_script') and valid: if kwargs.get('is_plugin') and kwargs.get('plugin_script'):
kwargs = check_plugin_script(**kwargs) kwargs = check_plugin_script(**kwargs)
acl = ACLManager(app_cli.app_name)
has_perm = True
try:
if not acl.has_permission(app_cli.op.Auto_Discovery,
app_cli.resource_type_name,
app_cli.op.create_plugin) and not is_app_admin(app_cli.app_name):
has_perm = False
except Exception:
if not is_app_admin(app_cli.app_name):
return abort(403, ErrFormat.role_required.format(app_cli.admin_name))
if not has_perm:
return abort(403, ErrFormat.no_permission.format(
app_cli.op.Auto_Discovery, app_cli.op.create_plugin))
kwargs['owner'] = current_user.uid
return kwargs return kwargs
def _can_update(self, valid=True, **kwargs): def _can_update(self, **kwargs):
existed = self.cls.get_by_id(kwargs['_id']) or abort( existed = self.cls.get_by_id(kwargs['_id']) or abort(
404, ErrFormat.adr_not_found.format("id={}".format(kwargs['_id']))) 404, ErrFormat.adr_not_found.format("id={}".format(kwargs['_id'])))
@@ -148,22 +115,6 @@ class AutoDiscoveryRuleCRUD(DBMixin):
if other and other.id != existed.id: if other and other.id != existed.id:
return abort(400, ErrFormat.adr_duplicate.format(kwargs['name'])) return abort(400, ErrFormat.adr_duplicate.format(kwargs['name']))
if existed.is_plugin and valid:
acl = ACLManager(app_cli.app_name)
has_perm = True
try:
if not acl.has_permission(app_cli.op.Auto_Discovery,
app_cli.resource_type_name,
app_cli.op.update_plugin) and not is_app_admin(app_cli.app_name):
has_perm = False
except Exception:
if not is_app_admin(app_cli.app_name):
return abort(403, ErrFormat.role_required.format(app_cli.admin_name))
if not has_perm:
return abort(403, ErrFormat.no_permission.format(
app_cli.op.Auto_Discovery, app_cli.op.update_plugin))
return existed return existed
def update(self, _id, **kwargs): def update(self, _id, **kwargs):
@@ -171,44 +122,21 @@ class AutoDiscoveryRuleCRUD(DBMixin):
if kwargs.get('is_plugin') and kwargs.get('plugin_script'): if kwargs.get('is_plugin') and kwargs.get('plugin_script'):
kwargs = check_plugin_script(**kwargs) kwargs = check_plugin_script(**kwargs)
for item in AutoDiscoveryCIType.get_by(adr_id=_id, to_dict=False):
item.update(updated_at=datetime.datetime.now())
return super(AutoDiscoveryRuleCRUD, self).update(_id, filter_none=False, **kwargs) return super(AutoDiscoveryRuleCRUD, self).update(_id, filter_none=False, **kwargs)
def _can_delete(self, **kwargs): def _can_delete(self, **kwargs):
if AutoDiscoveryCIType.get_by(adr_id=kwargs['_id'], first=True): if AutoDiscoveryCIType.get_by(adr_id=kwargs['_id'], first=True):
return abort(400, ErrFormat.adr_referenced) return abort(400, ErrFormat.adr_referenced)
existed = self.cls.get_by_id(kwargs['_id']) or abort( return self._can_update(**kwargs)
404, ErrFormat.adr_not_found.format("id={}".format(kwargs['_id'])))
if existed.is_plugin:
acl = ACLManager(app_cli.app_name)
has_perm = True
try:
if not acl.has_permission(app_cli.op.Auto_Discovery,
app_cli.resource_type_name,
app_cli.op.delete_plugin) and not is_app_admin(app_cli.app_name):
has_perm = False
except Exception:
if not is_app_admin(app_cli.app_name):
return abort(403, ErrFormat.role_required.format(app_cli.admin_name))
if not has_perm:
return abort(403, ErrFormat.no_permission.format(
app_cli.op.Auto_Discovery, app_cli.op.delete_plugin))
return existed
class AutoDiscoveryCITypeCRUD(DBMixin): class AutoDiscoveryCITypeCRUD(DBMixin):
cls = AutoDiscoveryCIType cls = AutoDiscoveryCIType
@classmethod @classmethod
def get_all(cls, type_ids=None): def get_all(cls):
res = cls.cls.get_by(to_dict=False) return cls.cls.get_by(to_dict=False)
return [i for i in res if type_ids is None or i.type_id in type_ids]
@classmethod @classmethod
def get_by_id(cls, _id): def get_by_id(cls, _id):
@@ -219,54 +147,25 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
return cls.cls.get_by(type_id=type_id, to_dict=False) return cls.cls.get_by(type_id=type_id, to_dict=False)
@classmethod @classmethod
def get_ad_attributes(cls, type_id): def get(cls, ci_id, oneagent_id, last_update_at=None):
result = []
adts = cls.get_by_type_id(type_id)
for adt in adts:
adr = AutoDiscoveryRuleCRUD.get_by_id(adt.adr_id)
if not adr:
continue
if adr.type == "http":
for i in DEFAULT_INNER:
if adr.name == i['name']:
attrs = AutoDiscoveryHTTPManager.get_attributes(
i['en'], (adt.extra_option or {}).get('category')) or []
result.extend([i.get('name') for i in attrs])
break
elif adr.type == "snmp":
attributes = AutoDiscoverySNMPManager.get_attributes()
result.extend([i.get('name') for i in (attributes or [])])
else:
result.extend([i.get('name') for i in (adr.attributes or [])])
return sorted(list(set(result)))
@classmethod
def get(cls, ci_id, oneagent_id, oneagent_name, last_update_at=None):
result = [] result = []
rules = cls.cls.get_by(to_dict=True) rules = cls.cls.get_by(to_dict=True)
for rule in rules: for rule in rules:
if not rule['enabled']: if rule.get('relation'):
continue continue
if isinstance(rule.get("extra_option"), dict) and rule['extra_option'].get('secret'): if isinstance(rule.get("extra_option"), dict) and rule['extra_option'].get('secret'):
if not (current_user.username in PRIVILEGED_USERS or current_user.uid == rule['uid']): if not (current_user.username == "cmdb_agent" or current_user.uid == rule['uid']):
rule['extra_option'].pop('secret', None) rule['extra_option'].pop('secret', None)
else: else:
rule['extra_option']['secret'] = AESCrypto.decrypt(rule['extra_option']['secret']) rule['extra_option']['secret'] = AESCrypto.decrypt(rule['extra_option']['secret'])
if isinstance(rule.get("extra_option"), dict) and rule['extra_option'].get('password'):
if not (current_user.username in PRIVILEGED_USERS or current_user.uid == rule['uid']):
rule['extra_option'].pop('password', None)
else:
rule['extra_option']['password'] = AESCrypto.decrypt(rule['extra_option']['password'])
if oneagent_id and rule['agent_id'] == oneagent_id: if oneagent_id and rule['agent_id'] == oneagent_id:
result.append(rule) result.append(rule)
elif rule['query_expr']: elif rule['query_expr']:
query = rule['query_expr'].lstrip('q').lstrip('=') query = rule['query_expr'].lstrip('q').lstrip('=')
s = ci_search(query, fl=['_id'], count=1000000) s = search(query, fl=['_id'], count=1000000)
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
except SearchError as e: except SearchError as e:
@@ -277,32 +176,25 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
result.append(rule) result.append(rule)
break break
elif not rule['agent_id'] and not rule['query_expr'] and rule['adr_id']: elif not rule['agent_id'] and not rule['query_expr'] and rule['adr_id']:
try:
if not int(oneagent_id, 16): # excludes master
continue
except Exception:
pass
adr = AutoDiscoveryRuleCRUD.get_by_id(rule['adr_id']) adr = AutoDiscoveryRuleCRUD.get_by_id(rule['adr_id'])
if not adr: if not adr:
continue continue
if adr.type in (AutoDiscoveryType.SNMP, AutoDiscoveryType.HTTP): if adr.type in (AutoDiscoveryType.SNMP, AutoDiscoveryType.HTTP):
continue continue
if not rule['updated_at']:
continue
result.append(rule) result.append(rule)
ad_rules_updated_at = (SystemConfigManager.get('ad_rules_updated_at') or {}).get('option', {}).get('v') or ""
new_last_update_at = "" new_last_update_at = ""
for i in result: for i in result:
i['adr'] = AutoDiscoveryRule.get_by_id(i['adr_id']).to_dict() i['adr'] = AutoDiscoveryRule.get_by_id(i['adr_id']).to_dict()
i['adr'].pop("attributes", None)
__last_update_at = max([i['updated_at'] or "", i['created_at'] or "", __last_update_at = max([i['updated_at'] or "", i['created_at'] or "",
i['adr']['created_at'] or "", i['adr']['updated_at'] or "", ad_rules_updated_at]) i['adr']['created_at'] or "", i['adr']['updated_at'] or ""])
if new_last_update_at < __last_update_at: if new_last_update_at < __last_update_at:
new_last_update_at = __last_update_at new_last_update_at = __last_update_at
write_ad_rule_sync_history.apply_async(args=(result, oneagent_id, oneagent_name, datetime.datetime.now()),
queue=CMDB_QUEUE)
if not last_update_at or new_last_update_at > last_update_at: if not last_update_at or new_last_update_at > last_update_at:
return result, new_last_update_at return result, new_last_update_at
else: else:
@@ -321,7 +213,7 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
agent_id = agent_id.strip() agent_id = agent_id.strip()
q = "op_duty:{0},-rd_duty:{0},oneagent_id:{1}" q = "op_duty:{0},-rd_duty:{0},oneagent_id:{1}"
s = ci_search(q.format(current_user.username, agent_id.strip())) s = search(q.format(current_user.username, agent_id.strip()))
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
if response: if response:
@@ -330,7 +222,7 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
current_app.logger.warning(e) current_app.logger.warning(e)
return abort(400, str(e)) return abort(400, str(e))
s = ci_search(q.format(current_user.nickname, agent_id.strip())) s = search(q.format(current_user.nickname, agent_id.strip()))
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
if response: if response:
@@ -344,7 +236,7 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
if query_expr.startswith('q='): if query_expr.startswith('q='):
query_expr = query_expr[2:] query_expr = query_expr[2:]
s = ci_search(query_expr, count=1000000) s = search(query_expr, count=1000000)
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
for i in response: for i in response:
@@ -362,36 +254,19 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
def _can_add(**kwargs): def _can_add(**kwargs):
if kwargs.get('adr_id'): if kwargs.get('adr_id'):
adr = AutoDiscoveryRule.get_by_id(kwargs['adr_id']) or abort( AutoDiscoveryRule.get_by_id(kwargs['adr_id']) or abort(
404, ErrFormat.adr_not_found.format("id={}".format(kwargs['adr_id']))) 404, ErrFormat.adr_not_found.format("id={}".format(kwargs['adr_id'])))
if adr.type == "http": # if not adr.is_plugin:
kwargs.setdefault('extra_option', dict()) # other = self.cls.get_by(adr_id=adr.id, first=True, to_dict=False)
en_name = None # if other:
for i in DEFAULT_INNER: # ci_type = CITypeCache.get(other.type_id)
if i['name'] == adr.name: # return abort(400, ErrFormat.adr_default_ref_once.format(ci_type.alias))
en_name = i['en']
break
if en_name and kwargs['extra_option'].get('category'):
for item in CLOUD_MAP[en_name]:
if item["collect_key_map"].get(kwargs['extra_option']['category']):
kwargs["extra_option"]["collect_key"] = item["collect_key_map"][
kwargs['extra_option']['category']]
kwargs["extra_option"]["provider"] = en_name
break
if kwargs.get('is_plugin') and kwargs.get('plugin_script'): if kwargs.get('is_plugin') and kwargs.get('plugin_script'):
kwargs = check_plugin_script(**kwargs) kwargs = check_plugin_script(**kwargs)
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'): if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'):
kwargs['extra_option']['secret'] = AESCrypto.encrypt(kwargs['extra_option']['secret']) kwargs['extra_option']['secret'] = AESCrypto.encrypt(kwargs['extra_option']['secret'])
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('password'):
kwargs['extra_option']['password'] = AESCrypto.encrypt(kwargs['extra_option']['password'])
ci_type = CITypeCache.get(kwargs['type_id'])
unique = AttributeCache.get(ci_type.unique_id)
if unique and unique.name not in (kwargs.get('attributes') or {}).values():
current_app.logger.warning((unique.name, kwargs.get('attributes'), ci_type.alias))
return abort(400, ErrFormat.ad_not_unique_key.format(unique.name))
kwargs['uid'] = current_user.uid kwargs['uid'] = current_user.uid
@@ -401,38 +276,11 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
existed = self.cls.get_by_id(kwargs['_id']) or abort( existed = self.cls.get_by_id(kwargs['_id']) or abort(
404, ErrFormat.ad_not_found.format("id={}".format(kwargs['_id']))) 404, ErrFormat.ad_not_found.format("id={}".format(kwargs['_id'])))
adr = AutoDiscoveryRule.get_by_id(existed.adr_id) or abort( self.__valid_exec_target(kwargs.get('agent_id'), kwargs.get('query_expr'))
404, ErrFormat.adr_not_found.format("id={}".format(existed.adr_id)))
if adr.type == "http":
kwargs.setdefault('extra_option', dict())
en_name = None
for i in DEFAULT_INNER:
if i['name'] == adr.name:
en_name = i['en']
break
if en_name and kwargs['extra_option'].get('category'):
for item in CLOUD_MAP[en_name]:
if item["collect_key_map"].get(kwargs['extra_option']['category']):
kwargs["extra_option"]["collect_key"] = item["collect_key_map"][
kwargs['extra_option']['category']]
kwargs["extra_option"]["provider"] = en_name
break
if 'attributes' in kwargs:
self.__valid_exec_target(kwargs.get('agent_id'), kwargs.get('query_expr'))
ci_type = CITypeCache.get(existed.type_id)
unique = AttributeCache.get(ci_type.unique_id)
if unique and unique.name not in (kwargs.get('attributes') or {}).values():
current_app.logger.warning((unique.name, kwargs.get('attributes'), ci_type.alias))
return abort(400, ErrFormat.ad_not_unique_key.format(unique.name))
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'): if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'):
if current_user.uid != existed.uid: if current_user.uid != existed.uid:
return abort(403, ErrFormat.adt_secret_no_permission) return abort(403, ErrFormat.adt_secret_no_permission)
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('password'):
if current_user.uid != existed.uid:
return abort(403, ErrFormat.adt_secret_no_permission)
return existed return existed
@@ -443,23 +291,8 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'): if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('secret'):
kwargs['extra_option']['secret'] = AESCrypto.encrypt(kwargs['extra_option']['secret']) kwargs['extra_option']['secret'] = AESCrypto.encrypt(kwargs['extra_option']['secret'])
if isinstance(kwargs.get('extra_option'), dict) and kwargs['extra_option'].get('password'):
kwargs['extra_option']['password'] = AESCrypto.encrypt(kwargs['extra_option']['password'])
inst = self._can_update(_id=_id, **kwargs) return super(AutoDiscoveryCITypeCRUD, self).update(_id, filter_none=False, **kwargs)
if len(kwargs) == 1 and 'enabled' in kwargs: # enable or disable
pass
elif inst.agent_id != kwargs.get('agent_id') or inst.query_expr != kwargs.get('query_expr'):
for item in AutoDiscoveryRuleSyncHistory.get_by(adt_id=inst.id, to_dict=False):
item.delete(commit=False)
db.session.commit()
SystemConfigManager.create_or_update("ad_rules_updated_at",
dict(v=datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S")))
obj = inst.update(_id=_id, filter_none=False, **kwargs)
return obj
def _can_delete(self, **kwargs): def _can_delete(self, **kwargs):
if AutoDiscoveryCICRUD.get_by_adt_id(kwargs['_id']): if AutoDiscoveryCICRUD.get_by_adt_id(kwargs['_id']):
@@ -470,61 +303,6 @@ class AutoDiscoveryCITypeCRUD(DBMixin):
return existed return existed
def delete(self, _id):
inst = self._can_delete(_id=_id)
inst.soft_delete()
for item in AutoDiscoveryRuleSyncHistory.get_by(adt_id=inst.id, to_dict=False):
item.delete(commit=False)
db.session.commit()
attributes = self.get_ad_attributes(inst.type_id)
for item in AutoDiscoveryCITypeRelationCRUD.get_by_type_id(inst.type_id):
if item.ad_key not in attributes:
item.soft_delete()
return inst
class AutoDiscoveryCITypeRelationCRUD(DBMixin):
cls = AutoDiscoveryCITypeRelation
@classmethod
def get_all(cls, type_ids=None):
res = cls.cls.get_by(to_dict=False)
return [i for i in res if type_ids is None or i.ad_type_id in type_ids]
@classmethod
def get_by_type_id(cls, type_id, to_dict=False):
return cls.cls.get_by(ad_type_id=type_id, to_dict=to_dict)
def upsert(self, ad_type_id, relations):
existed = self.cls.get_by(ad_type_id=ad_type_id, to_dict=False)
existed = {(i.ad_key, i.peer_type_id, i.peer_attr_id): i for i in existed}
new = []
for r in relations:
k = (r.get('ad_key'), r.get('peer_type_id'), r.get('peer_attr_id'))
if len(list(filter(lambda x: x, k))) == 3 and k not in existed:
self.cls.create(ad_type_id=ad_type_id, **r)
new.append(k)
for deleted in set(existed.keys()) - set(new):
existed[deleted].soft_delete()
return self.get_by_type_id(ad_type_id, to_dict=True)
def _can_add(self, **kwargs):
pass
def _can_update(self, **kwargs):
pass
def _can_delete(self, **kwargs):
pass
class AutoDiscoveryCICRUD(DBMixin): class AutoDiscoveryCICRUD(DBMixin):
cls = AutoDiscoveryCI cls = AutoDiscoveryCI
@@ -559,6 +337,7 @@ class AutoDiscoveryCICRUD(DBMixin):
adts = AutoDiscoveryCITypeCRUD.get_by_type_id(type_id) adts = AutoDiscoveryCITypeCRUD.get_by_type_id(type_id)
for adt in adts: for adt in adts:
attr_names |= set((adt.attributes or {}).values()) attr_names |= set((adt.attributes or {}).values())
return [attr for attr in attributes if attr['name'] in attr_names] return [attr for attr in attributes if attr['name'] in attr_names]
@classmethod @classmethod
@@ -612,24 +391,16 @@ class AutoDiscoveryCICRUD(DBMixin):
changed = False changed = False
if existed is not None: if existed is not None:
if existed.instance != kwargs['instance']: if existed.instance != kwargs['instance']:
instance = copy.deepcopy(existed.instance) or {}
instance.update(kwargs['instance'])
kwargs['instance'] = instance
existed.update(filter_none=False, **kwargs) existed.update(filter_none=False, **kwargs)
AutoDiscoveryExecHistoryCRUD().add(type_id=adt.type_id,
stdout="update resource: {}".format(kwargs.get('unique_value')))
changed = True changed = True
else: else:
existed = self.cls.create(**kwargs) existed = self.cls.create(**kwargs)
AutoDiscoveryExecHistoryCRUD().add(type_id=adt.type_id,
stdout="add resource: {}".format(kwargs.get('unique_value')))
changed = True changed = True
if adt.auto_accept and changed: if adt.auto_accept and changed:
try: try:
self.accept(existed) self.accept(existed)
except Exception as e: except Exception as e:
current_app.logger.error(e)
return abort(400, str(e)) return abort(400, str(e))
elif changed: elif changed:
existed.update(is_accept=False, accept_time=None, accept_by=None, filter_none=False) existed.update(is_accept=False, accept_time=None, accept_by=None, filter_none=False)
@@ -649,13 +420,6 @@ class AutoDiscoveryCICRUD(DBMixin):
inst.delete() inst.delete()
adt = AutoDiscoveryCIType.get_by_id(inst.adt_id)
if adt:
adt.update(updated_at=datetime.datetime.now())
AutoDiscoveryExecHistoryCRUD().add(type_id=inst.type_id,
stdout="delete resource: {}".format(inst.unique_value))
self._after_delete(inst) self._after_delete(inst)
return inst return inst
@@ -671,13 +435,6 @@ class AutoDiscoveryCICRUD(DBMixin):
not is_app_admin("cmdb") and validate_permission(ci_type.name, ResourceTypeEnum.CI, PermEnum.DELETE, "cmdb") not is_app_admin("cmdb") and validate_permission(ci_type.name, ResourceTypeEnum.CI, PermEnum.DELETE, "cmdb")
existed.delete() existed.delete()
adt = AutoDiscoveryCIType.get_by_id(existed.adt_id)
if adt:
adt.update(updated_at=datetime.datetime.now())
AutoDiscoveryExecHistoryCRUD().add(type_id=type_id,
stdout="delete resource: {}".format(unique_value))
# TODO: delete ci # TODO: delete ci
@classmethod @classmethod
@@ -689,49 +446,33 @@ class AutoDiscoveryCICRUD(DBMixin):
ci_id = None ci_id = None
if adt.attributes: if adt.attributes:
ci_dict = {adt.attributes[k]: None if not v and isinstance(v, (list, dict)) else v ci_dict = {adt.attributes[k]: v for k, v in adc.instance.items() if k in adt.attributes}
for k, v in adc.instance.items() if k in adt.attributes} ci_id = CIManager.add(adc.type_id, is_auto_discovery=True, **ci_dict)
extra_option = adt.extra_option or {}
mapping, path_mapping = AutoDiscoveryHTTPManager.get_predefined_value_mapping(
extra_option.get('provider'), extra_option.get('category'))
if mapping:
ci_dict = {k: (mapping.get(k) or {}).get(str(v), v) for k, v in ci_dict.items()}
if path_mapping:
ci_dict = {k: jsonpath.jsonpath(v, path_mapping[k]) if k in path_mapping else v
for k, v in ci_dict.items()}
ci_id = CIManager.add(adc.type_id, is_auto_discovery=True, _is_admin=True, **ci_dict)
AutoDiscoveryExecHistoryCRUD().add(type_id=adt.type_id,
stdout="accept resource: {}".format(adc.unique_value))
relation_ads = AutoDiscoveryCITypeRelation.get_by(ad_type_id=adt.type_id, to_dict=False) relation_adts = AutoDiscoveryCIType.get_by(type_id=adt.type_id, adr_id=None, to_dict=False)
for r_adt in relation_ads: for r_adt in relation_adts:
ad_key = r_adt.ad_key if not r_adt.relation or ci_id is None:
if not adc.instance.get(ad_key):
continue continue
for ad_key in r_adt.relation:
ad_key_values = [adc.instance.get(ad_key)] if not isinstance( if not adc.instance.get(ad_key):
adc.instance.get(ad_key), list) else adc.instance.get(ad_key) continue
for ad_key_value in ad_key_values: cmdb_key = r_adt.relation[ad_key]
query = "_type:{},{}:{}".format(r_adt.peer_type_id, r_adt.peer_attr_id, ad_key_value) query = "_type:{},{}:{}".format(cmdb_key.get('type_name'), cmdb_key.get('attr_name'),
s = ci_search(query, use_ci_filter=False, count=1000000) adc.instance.get(ad_key))
s = search(query)
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
except SearchError as e: except SearchError as e:
current_app.logger.warning(e) current_app.logger.warning(e)
return abort(400, str(e)) return abort(400, str(e))
for relation_ci in response: relation_ci_id = response and response[0]['_id']
relation_ci_id = relation_ci['_id'] if relation_ci_id:
try: try:
CIRelationManager.add(ci_id, relation_ci_id, CIRelationManager.add(ci_id, relation_ci_id)
valid=False,
source=RelationSourceEnum.AUTO_DISCOVERY)
except: except:
try: try:
CIRelationManager.add(relation_ci_id, ci_id, CIRelationManager.add(relation_ci_id, ci_id)
valid=False,
source=RelationSourceEnum.AUTO_DISCOVERY)
except: except:
pass pass
@@ -744,75 +485,17 @@ class AutoDiscoveryCICRUD(DBMixin):
class AutoDiscoveryHTTPManager(object): class AutoDiscoveryHTTPManager(object):
@staticmethod @staticmethod
def get_categories(name): def get_categories(name):
categories = (CLOUD_MAP.get(name) or {}) or [] return (ClOUD_MAP.get(name) or {}).get('categories') or []
for item in copy.deepcopy(categories):
item.pop('map', None)
item.pop('collect_key_map', None)
return categories @staticmethod
def get_attributes(name, category):
def get_resources(self, name): tpt = ((ClOUD_MAP.get(name) or {}).get('map') or {}).get(category)
en_name = None if tpt and os.path.exists(os.path.join(PWD, tpt)):
for i in DEFAULT_INNER: with open(os.path.join(PWD, tpt)) as f:
if i['name'] == name: return json.loads(f.read())
en_name = i['en']
break
if en_name:
categories = self.get_categories(en_name)
return [j for i in categories for j in i['items']]
return [] return []
@staticmethod
def get_attributes(provider, resource):
for item in (CLOUD_MAP.get(provider) or {}):
for _resource in (item.get('map') or {}):
if _resource == resource:
tpt = item['map'][_resource]
if isinstance(tpt, dict):
tpt = tpt.get('template')
if tpt and os.path.exists(os.path.join(PWD, tpt)):
with open(os.path.join(PWD, tpt)) as f:
return json.loads(f.read())
return []
@staticmethod
def get_mapping(provider, resource):
for item in (CLOUD_MAP.get(provider) or {}):
for _resource in (item.get('map') or {}):
if _resource == resource:
mapping = item['map'][_resource]
if not isinstance(mapping, dict):
return {}
name = mapping.get('mapping')
mapping = AutoDiscoveryMappingCache.get(name)
if isinstance(mapping, dict):
return {mapping[key][provider]['key'].split('.')[0]: key for key in mapping if
(mapping[key].get(provider) or {}).get('key')}
return {}
@staticmethod
def get_predefined_value_mapping(provider, resource):
for item in (CLOUD_MAP.get(provider) or {}):
for _resource in (item.get('map') or {}):
if _resource == resource:
mapping = item['map'][_resource]
if not isinstance(mapping, dict):
return {}, {}
name = mapping.get('mapping')
mapping = AutoDiscoveryMappingCache.get(name)
if isinstance(mapping, dict):
return ({key: mapping[key][provider].get('map') for key in mapping if
mapping[key].get(provider, {}).get('map')},
{key: mapping[key][provider]['key'].split('.', 1)[1] for key in mapping if
((mapping[key].get(provider) or {}).get('key') or '').split('.')[1:]})
return {}, {}
class AutoDiscoverySNMPManager(object): class AutoDiscoverySNMPManager(object):
@@ -823,73 +506,3 @@ class AutoDiscoverySNMPManager(object):
return json.loads(f.read()) return json.loads(f.read())
return [] return []
class AutoDiscoveryComponentsManager(object):
@staticmethod
def get_attributes(name):
if os.path.exists(os.path.join(PWD, "templates/{}.json".format(name))):
with open(os.path.join(PWD, "templates/{}.json".format(name))) as f:
return json.loads(f.read())
return []
class AutoDiscoveryRuleSyncHistoryCRUD(DBMixin):
cls = AutoDiscoveryRuleSyncHistory
def _can_add(self, **kwargs):
pass
def _can_update(self, **kwargs):
pass
def _can_delete(self, **kwargs):
pass
def upsert(self, **kwargs):
existed = self.cls.get_by(adt_id=kwargs.get('adt_id'),
oneagent_id=kwargs.get('oneagent_id'),
oneagent_name=kwargs.get('oneagent_name'),
first=True,
to_dict=False)
if existed is not None:
existed.update(**kwargs)
else:
self.cls.create(**kwargs)
class AutoDiscoveryExecHistoryCRUD(DBMixin):
cls = AutoDiscoveryExecHistory
def _can_add(self, **kwargs):
pass
def _can_update(self, **kwargs):
pass
def _can_delete(self, **kwargs):
pass
class AutoDiscoveryCounterCRUD(DBMixin):
cls = AutoDiscoveryCounter
def get(self, type_id):
res = self.cls.get_by(type_id=type_id, first=True, to_dict=True)
if res is None:
return dict(rule_count=0, exec_target_count=0, instance_count=0, accept_count=0,
this_month_count=0, this_week_count=0, last_month_count=0, last_week_count=0)
return res
def _can_add(self, **kwargs):
pass
def _can_update(self, **kwargs):
pass
def _can_delete(self, **kwargs):
pass

View File

@@ -2,27 +2,15 @@
from api.lib.cmdb.const import AutoDiscoveryType from api.lib.cmdb.const import AutoDiscoveryType
PRIVILEGED_USERS = ("cmdb_agent", "worker", "admin") DEFAULT_HTTP = [
dict(name="阿里云", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
DEFAULT_INNER = [ option={'icon': {'name': 'caise-aliyun'}}),
dict(name="阿里云", en="aliyun", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False, dict(name="腾讯云", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-aliyun'}, "en": "aliyun"}), option={'icon': {'name': 'caise-tengxunyun'}}),
dict(name="腾讯云", en="tencentcloud", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False, dict(name="华为云", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-tengxunyun'}, "en": "tencentcloud"}), option={'icon': {'name': 'caise-huaweiyun'}}),
dict(name="华为云", en="huaweicloud", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False, dict(name="AWS", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-huaweiyun'}, "en": "huaweicloud"}), option={'icon': {'name': 'caise-aws'}}),
dict(name="AWS", en="aws", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-aws'}, "en": "aws"}),
dict(name="VCenter", en="vcenter", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'cmdb-vcenter'}, "category": "private_cloud", "en": "vcenter"}),
dict(name="KVM", en="kvm", type=AutoDiscoveryType.HTTP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'ops-KVM'}, "category": "private_cloud", "en": "kvm"}),
dict(name="Nginx", en="nginx", type=AutoDiscoveryType.COMPONENTS, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-nginx'}, "en": "nginx"}),
dict(name="Redis", en="redis", type=AutoDiscoveryType.COMPONENTS, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-redis'}, "en": "redis"}),
dict(name="交换机", type=AutoDiscoveryType.SNMP, is_inner=True, is_plugin=False, dict(name="交换机", type=AutoDiscoveryType.SNMP, is_inner=True, is_plugin=False,
option={'icon': {'name': 'caise-jiaohuanji'}}), option={'icon': {'name': 'caise-jiaohuanji'}}),
@@ -34,307 +22,32 @@ DEFAULT_INNER = [
option={'icon': {'name': 'caise-dayinji'}}), option={'icon': {'name': 'caise-dayinji'}}),
] ]
CLOUD_MAP = { ClOUD_MAP = {
"aliyun": [ "aliyun": {
{ "categories": ["云服务器 ECS"],
"category": "计算", "map": {
"items": ["云服务器 ECS", "云服务器 Disk"], "云服务器 ECS": "templates/aliyun_ecs.json",
"map": { }
"云服务器 ECS": {"template": "templates/aliyun_ecs.json", "mapping": "ecs"}, },
"云服务器 Disk": {"template": "templates/aliyun_ecs_disk.json", "mapping": "evs"},
}, "tencentcloud": {
"collect_key_map": { "categories": ["云服务器 CVM"],
"云服务器 ECS": "ali.ecs", "map": {
"云服务器 Disk": "ali.ecs_disk", "云服务器 CVM": "templates/tencent_cvm.json",
}, }
}, },
{
"category": "网络与CDN", "huaweicloud": {
"items": [ "categories": ["云服务器 ECS"],
"内容分发CDN", "map": {
"负载均衡SLB", "云服务器 ECS": "templates/huaweicloud_ecs.json",
"专有网络VPC", }
"交换机Switch", },
],
"map": { "aws": {
"内容分发CDN": {"template": "templates/aliyun_cdn.json", "mapping": "CDN"}, "categories": ["云服务器 EC2"],
"负载均衡SLB": {"template": "templates/aliyun_slb.json", "mapping": "loadbalancer"}, "map": {
"专有网络VPC": {"template": "templates/aliyun_vpc.json", "mapping": "vpc"}, "云服务器 EC2": "templates/aws_ec2.json",
"交换机Switch": {"template": "templates/aliyun_switch.json", "mapping": "vswitch"}, }
}, },
"collect_key_map": {
"内容分发CDN": "ali.cdn",
"负载均衡SLB": "ali.slb",
"专有网络VPC": "ali.vpc",
"交换机Switch": "ali.switch",
},
},
{
"category": "存储",
"items": ["块存储EBS", "对象存储OSS"],
"map": {
"块存储EBS": {"template": "templates/aliyun_ebs.json", "mapping": "evs"},
"对象存储OSS": {"template": "templates/aliyun_oss.json", "mapping": "objectStorage"},
},
"collect_key_map": {
"块存储EBS": "ali.ebs",
"对象存储OSS": "ali.oss",
},
},
{
"category": "数据库",
"items": ["云数据库RDS MySQL", "云数据库RDS PostgreSQL", "云数据库 Redis"],
"map": {
"云数据库RDS MySQL": {"template": "templates/aliyun_rds_mysql.json", "mapping": "mysql"},
"云数据库RDS PostgreSQL": {"template": "templates/aliyun_rds_postgre.json", "mapping": "postgresql"},
"云数据库 Redis": {"template": "templates/aliyun_redis.json", "mapping": "redis"},
},
"collect_key_map": {
"云数据库RDS MySQL": "ali.rds_mysql",
"云数据库RDS PostgreSQL": "ali.rds_postgre",
"云数据库 Redis": "ali.redis",
},
},
],
"tencentcloud": [
{
"category": "计算",
"items": ["云服务器 CVM"],
"map": {
"云服务器 CVM": {"template": "templates/tencent_cvm.json", "mapping": "ecs"},
},
"collect_key_map": {
"云服务器 CVM": "tencent.cvm",
},
},
{
"category": "CDN与边缘",
"items": ["内容分发CDN"],
"map": {
"内容分发CDN": {"template": "templates/tencent_cdn.json", "mapping": "CDN"},
},
"collect_key_map": {
"内容分发CDN": "tencent.cdn",
},
},
{
"category": "网络",
"items": ["负载均衡CLB", "私有网络VPC", "子网"],
"map": {
"负载均衡CLB": {"template": "templates/tencent_clb.json", "mapping": "loadbalancer"},
"私有网络VPC": {"template": "templates/tencent_vpc.json", "mapping": "vpc"},
"子网": {"template": "templates/tencent_subnet.json", "mapping": "vswitch"},
},
"collect_key_map": {
"负载均衡CLB": "tencent.clb",
"私有网络VPC": "tencent.vpc",
"子网": "tencent.subnet",
},
},
{
"category": "存储",
"items": ["云硬盘CBS", "对象存储COS"],
"map": {
"云硬盘CBS": {"template": "templates/tencent_cbs.json", "mapping": "evs"},
"对象存储COS": {"template": "templates/tencent_cos.json", "mapping": "objectStorage"},
},
"collect_key_map": {
"云硬盘CBS": "tencent.cbs",
"对象存储COS": "tencent.cos",
},
},
{
"category": "数据库",
"items": ["云数据库 MySQL", "云数据库 PostgreSQL", "云数据库 Redis"],
"map": {
"云数据库 MySQL": {"template": "templates/tencent_rdb.json", "mapping": "mysql"},
"云数据库 PostgreSQL": {"template": "templates/tencent_postgres.json", "mapping": "postgresql"},
"云数据库 Redis": {"template": "templates/tencent_redis.json", "mapping": "redis"},
},
"collect_key_map": {
"云数据库 MySQL": "tencent.rdb",
"云数据库 PostgreSQL": "tencent.rds_postgres",
"云数据库 Redis": "tencent.redis",
},
},
],
"huaweicloud": [
{
"category": "计算",
"items": ["云服务器 ECS"],
"map": {
"云服务器 ECS": {"template": "templates/huaweicloud_ecs.json", "mapping": "ecs"},
},
"collect_key_map": {
"云服务器 ECS": "huawei.ecs",
},
},
{
"category": "CDN与智能边缘",
"items": ["内容分发网络CDN"],
"map": {
"内容分发网络CDN": {"template": "templates/huawei_cdn.json", "mapping": "CDN"},
},
"collect_key_map": {
"内容分发网络CDN": "huawei.cdn",
},
},
{
"category": "网络",
"items": ["弹性负载均衡ELB", "虚拟私有云VPC", "子网"],
"map": {
"弹性负载均衡ELB": {"template": "templates/huawei_elb.json", "mapping": "loadbalancer"},
"虚拟私有云VPC": {"template": "templates/huawei_vpc.json", "mapping": "vpc"},
"子网": {"template": "templates/huawei_subnet.json", "mapping": "vswitch"},
},
"collect_key_map": {
"弹性负载均衡ELB": "huawei.elb",
"虚拟私有云VPC": "huawei.vpc",
"子网": "huawei.subnet",
},
},
{
"category": "存储",
"items": ["云硬盘EVS", "对象存储OBS"],
"map": {
"云硬盘EVS": {"template": "templates/huawei_evs.json", "mapping": "evs"},
"对象存储OBS": {"template": "templates/huawei_obs.json", "mapping": "objectStorage"},
},
"collect_key_map": {
"云硬盘EVS": "huawei.evs",
"对象存储OBS": "huawei.obs",
},
},
{
"category": "数据库",
"items": ["云数据库RDS MySQL", "云数据库RDS PostgreSQL"],
"map": {
"云数据库RDS MySQL": {"template": "templates/huawei_rds_mysql.json", "mapping": "mysql"},
"云数据库RDS PostgreSQL": {"template": "templates/huawei_rds_postgre.json", "mapping": "postgresql"},
},
"collect_key_map": {
"云数据库RDS MySQL": "huawei.rds_mysql",
"云数据库RDS PostgreSQL": "huawei.rds_postgre",
},
},
{
"category": "应用中间件",
"items": ["分布式缓存Redis"],
"map": {
"分布式缓存Redis": {"template": "templates/huawei_dcs.json", "mapping": "redis"},
},
"collect_key_map": {
"分布式缓存Redis": "huawei.dcs",
},
},
],
"aws": [
{
"category": "计算",
"items": ["云服务器 EC2"],
"map": {
"云服务器 EC2": {"template": "templates/aws_ec2.json", "mapping": "ecs"},
},
"collect_key_map": {
"云服务器 EC2": "aws.ec2",
},
},
{"category": "网络与CDN", "items": [], "map": {}, "collect_key_map": {}},
],
"vcenter": [
{
"category": "计算",
"items": [
"主机",
"虚拟机",
"主机集群"
],
"map": {
"主机": "templates/vsphere_host.json",
"虚拟机": "templates/vsphere_vm.json",
"主机集群": "templates/vsphere_cluster.json",
},
"collect_key_map": {
"主机": "vsphere.host",
"虚拟机": "vsphere.vm",
"主机集群": "vsphere.cluster",
},
},
{
"category": "网络",
"items": [
"网络",
"标准交换机",
"分布式交换机",
],
"map": {
"网络": "templates/vsphere_network.json",
"标准交换机": "templates/vsphere_standard_switch.json",
"分布式交换机": "templates/vsphere_distributed_switch.json",
},
"collect_key_map": {
"网络": "vsphere.network",
"标准交换机": "vsphere.standard_switch",
"分布式交换机": "vsphere.distributed_switch",
},
},
{
"category": "存储",
"items": ["数据存储", "数据存储集群"],
"map": {
"数据存储": "templates/vsphere_datastore.json",
"数据存储集群": "templates/vsphere_storage_pod.json",
},
"collect_key_map": {
"数据存储": "vsphere.datastore",
"数据存储集群": "vsphere.storage_pod",
},
},
{
"category": "其他",
"items": ["资源池", "数据中心", "文件夹"],
"map": {
"资源池": "templates/vsphere_datastore.json",
"数据中心": "templates/vsphere_datacenter.json",
"文件夹": "templates/vsphere_folder.json",
},
"collect_key_map": {
"资源池": "vsphere.pool",
"数据中心": "vsphere.datacenter",
"文件夹": "vsphere.folder",
},
},
],
"kvm": [
{
"category": "计算",
"items": ["虚拟机"],
"map": {
"虚拟机": "templates/kvm_vm.json",
},
"collect_key_map": {
"虚拟机": "kvm.vm",
},
},
{
"category": "存储",
"items": ["存储"],
"map": {
"存储": "templates/kvm_storage.json",
},
"collect_key_map": {
"存储": "kvm.storage",
},
},
{
"category": "network",
"items": ["网络"],
"map": {
"网络": "templates/kvm_network.json",
},
"collect_key_map": {
"网络": "kvm.network",
},
},
],
} }

View File

@@ -2,21 +2,12 @@
from __future__ import unicode_literals from __future__ import unicode_literals
import datetime
import os
import yaml
from flask import current_app from flask import current_app
from api.extensions import cache from api.extensions import cache
from api.extensions import db from api.extensions import db
from api.lib.cmdb.custom_dashboard import CustomDashboardManager from api.lib.cmdb.custom_dashboard import CustomDashboardManager
from api.models.cmdb import Attribute, AutoDiscoveryExecHistory from api.models.cmdb import Attribute
from api.models.cmdb import AutoDiscoveryCI
from api.models.cmdb import AutoDiscoveryCIType
from api.models.cmdb import AutoDiscoveryCITypeRelation
from api.models.cmdb import AutoDiscoveryCounter
from api.models.cmdb import AutoDiscoveryRuleSyncHistory
from api.models.cmdb import CI from api.models.cmdb import CI
from api.models.cmdb import CIType from api.models.cmdb import CIType
from api.models.cmdb import CITypeAttribute from api.models.cmdb import CITypeAttribute
@@ -457,67 +448,7 @@ class CMDBCounterCache(object):
cache.set(cls.KEY2, result, timeout=0) cache.set(cls.KEY2, result, timeout=0)
res = db.session.query(AutoDiscoveryCI.created_at, return result
AutoDiscoveryCI.updated_at,
AutoDiscoveryCI.adt_id,
AutoDiscoveryCI.type_id,
AutoDiscoveryCI.is_accept).filter(AutoDiscoveryCI.deleted.is_(False))
today = datetime.datetime.today()
this_month = datetime.datetime(today.year, today.month, 1)
last_month = this_month - datetime.timedelta(days=1)
last_month = datetime.datetime(last_month.year, last_month.month, 1)
this_week = today - datetime.timedelta(days=datetime.date.weekday(today))
this_week = datetime.datetime(this_week.year, this_week.month, this_week.day)
last_week = this_week - datetime.timedelta(days=7)
last_week = datetime.datetime(last_week.year, last_week.month, last_week.day)
result = dict()
for i in res:
if i.type_id not in result:
result[i.type_id] = dict(instance_count=0, accept_count=0,
this_month_count=0, this_week_count=0, last_month_count=0, last_week_count=0)
adts = AutoDiscoveryCIType.get_by(type_id=i.type_id, to_dict=False)
result[i.type_id]['rule_count'] = len(adts) + AutoDiscoveryCITypeRelation.get_by(
ad_type_id=i.type_id, only_query=True).count()
result[i.type_id]['exec_target_count'] = len(
set([i.oneagent_id for adt in adts for i in db.session.query(
AutoDiscoveryRuleSyncHistory.oneagent_id).filter(
AutoDiscoveryRuleSyncHistory.adt_id == adt.id)]))
result[i.type_id]['instance_count'] += 1
if i.is_accept:
result[i.type_id]['accept_count'] += 1
if last_month <= i.created_at < this_month:
result[i.type_id]['last_month_count'] += 1
elif i.created_at >= this_month:
result[i.type_id]['this_month_count'] += 1
if last_week <= i.created_at < this_week:
result[i.type_id]['last_week_count'] += 1
elif i.created_at >= this_week:
result[i.type_id]['this_week_count'] += 1
for type_id in result:
existed = AutoDiscoveryCounter.get_by(type_id=type_id, first=True, to_dict=False)
if existed is None:
AutoDiscoveryCounter.create(type_id=type_id, **result[type_id])
else:
existed.update(**result[type_id])
for i in AutoDiscoveryCounter.get_by(to_dict=False):
if i.type_id not in result:
i.delete()
@classmethod
def clear_ad_exec_history(cls):
ci_types = CIType.get_by(to_dict=False)
for ci_type in ci_types:
for i in AutoDiscoveryExecHistory.get_by(type_id=ci_type.id, only_query=True).order_by(
AutoDiscoveryExecHistory.id.desc()).offset(50000):
i.delete(commit=False)
db.session.commit()
@classmethod @classmethod
def get_adc_counter(cls): def get_adc_counter(cls):
@@ -548,20 +479,3 @@ class CMDBCounterCache(object):
@classmethod @classmethod
def get_sub_counter(cls): def get_sub_counter(cls):
return cache.get(cls.KEY3) or cls.flush_sub_counter() return cache.get(cls.KEY3) or cls.flush_sub_counter()
class AutoDiscoveryMappingCache(object):
PREFIX = 'CMDB::AutoDiscovery::Mapping::{}'
@classmethod
def get(cls, name):
res = cache.get(cls.PREFIX.format(name)) or {}
if not res:
path = os.path.join(os.path.abspath(os.path.dirname(__file__)), "auto_discovery/mapping/{}.yaml".format(name))
if os.path.exists(path):
with open(path, 'r') as f:
mapping = yaml.safe_load(f)
res = mapping.get('mapping') or {}
res and cache.set(cls.PREFIX.format(name), res, timeout=0)
return res

View File

@@ -4,12 +4,12 @@
import copy import copy
import datetime import datetime
import json import json
import redis_lock
import threading import threading
import redis_lock
from flask import abort from flask import abort
from flask import current_app from flask import current_app
from flask_login import current_user from flask_login import current_user
from sqlalchemy.orm import aliased
from werkzeug.exceptions import BadRequest from werkzeug.exceptions import BadRequest
from api.extensions import db from api.extensions import db
@@ -28,7 +28,6 @@ from api.lib.cmdb.const import ExistPolicy
from api.lib.cmdb.const import OperateType from api.lib.cmdb.const import OperateType
from api.lib.cmdb.const import PermEnum from api.lib.cmdb.const import PermEnum
from api.lib.cmdb.const import REDIS_PREFIX_CI from api.lib.cmdb.const import REDIS_PREFIX_CI
from api.lib.cmdb.const import RelationSourceEnum
from api.lib.cmdb.const import ResourceTypeEnum from api.lib.cmdb.const import ResourceTypeEnum
from api.lib.cmdb.const import RetKey from api.lib.cmdb.const import RetKey
from api.lib.cmdb.const import ValueTypeEnum from api.lib.cmdb.const import ValueTypeEnum
@@ -218,13 +217,13 @@ class CIManager(object):
@classmethod @classmethod
def get_ad_statistics(cls): def get_ad_statistics(cls):
return CMDBCounterCache.get_adc_counter() or {} return CMDBCounterCache.get_adc_counter()
@staticmethod @staticmethod
def ci_is_exist(unique_key, unique_value, type_id): def ci_is_exist(unique_key, unique_value, type_id):
""" """
:param unique_key: is an attribute :param unique_key: is a attribute
:param unique_value: :param unique_value:
:param type_id: :param type_id:
:return: :return:
@@ -382,15 +381,17 @@ class CIManager(object):
for _, attr in attrs: for _, attr in attrs:
if attr.is_computed: if attr.is_computed:
computed_attrs.append(attr.to_dict()) computed_attrs.append(attr.to_dict())
ci_dict[attr.name] = None
elif attr.is_password: elif attr.is_password:
if attr.name in ci_dict: if attr.name in ci_dict:
password_dict[attr.id] = (ci_dict.pop(attr.name), attr.is_dynamic) password_dict[attr.id] = ci_dict.pop(attr.name)
elif attr.alias in ci_dict: elif attr.alias in ci_dict:
password_dict[attr.id] = (ci_dict.pop(attr.alias), attr.is_dynamic) password_dict[attr.id] = ci_dict.pop(attr.alias)
if attr.re_check and password_dict.get(attr.id): if attr.re_check and password_dict.get(attr.id):
value_manager.check_re(attr.re_check, attr.alias, password_dict[attr.id][0]) value_manager.check_re(attr.re_check, password_dict[attr.id])
if computed_attrs:
value_manager.handle_ci_compute_attributes(ci_dict, computed_attrs, ci)
cls._valid_unique_constraint(ci_type.id, ci_dict, ci and ci.id) cls._valid_unique_constraint(ci_type.id, ci_dict, ci and ci.id)
@@ -417,14 +418,10 @@ class CIManager(object):
key2attr = value_manager.valid_attr_value(ci_dict, ci_type.id, ci and ci.id, key2attr = value_manager.valid_attr_value(ci_dict, ci_type.id, ci and ci.id,
ci_type_attrs_name, ci_type_attrs_alias, ci_attr2type_attr) ci_type_attrs_name, ci_type_attrs_alias, ci_attr2type_attr)
if computed_attrs:
value_manager.handle_ci_compute_attributes(ci_dict, computed_attrs, ci)
operate_type = OperateType.UPDATE if ci is not None else OperateType.ADD operate_type = OperateType.UPDATE if ci is not None else OperateType.ADD
try: try:
ci = ci or CI.create(type_id=ci_type.id, is_auto_discovery=is_auto_discovery) ci = ci or CI.create(type_id=ci_type.id, is_auto_discovery=is_auto_discovery)
record_id, has_dynamic = value_manager.create_or_update_attr_value( record_id = value_manager.create_or_update_attr_value(ci, ci_dict, key2attr, ticket_id=ticket_id)
ci, ci_dict, key2attr, ticket_id=ticket_id)
except BadRequest as e: except BadRequest as e:
if existed is None: if existed is None:
cls.delete(ci.id) cls.delete(ci.id)
@@ -434,7 +431,7 @@ class CIManager(object):
for attr_id in password_dict: for attr_id in password_dict:
record_id = cls.save_password(ci.id, attr_id, password_dict[attr_id], record_id, ci_type.id) record_id = cls.save_password(ci.id, attr_id, password_dict[attr_id], record_id, ci_type.id)
if record_id or has_dynamic: # has changed if record_id: # has change
ci_cache.apply_async(args=(ci.id, operate_type, record_id), queue=CMDB_QUEUE) ci_cache.apply_async(args=(ci.id, operate_type, record_id), queue=CMDB_QUEUE)
if ref_ci_dict: # add relations if ref_ci_dict: # add relations
@@ -443,6 +440,7 @@ class CIManager(object):
return ci.id return ci.id
def update(self, ci_id, _is_admin=False, ticket_id=None, __sync=False, **ci_dict): def update(self, ci_id, _is_admin=False, ticket_id=None, __sync=False, **ci_dict):
current_app.logger.info((ci_id, ci_dict, __sync))
now = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S') now = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')
ci = self.confirm_ci_existed(ci_id) ci = self.confirm_ci_existed(ci_id)
@@ -465,15 +463,17 @@ class CIManager(object):
for _, attr in attrs: for _, attr in attrs:
if attr.is_computed: if attr.is_computed:
computed_attrs.append(attr.to_dict()) computed_attrs.append(attr.to_dict())
ci_dict[attr.name] = None
elif attr.is_password: elif attr.is_password:
if attr.name in ci_dict: if attr.name in ci_dict:
password_dict[attr.id] = (ci_dict.pop(attr.name), attr.is_dynamic) password_dict[attr.id] = ci_dict.pop(attr.name)
elif attr.alias in ci_dict: elif attr.alias in ci_dict:
password_dict[attr.id] = (ci_dict.pop(attr.alias), attr.is_dynamic) password_dict[attr.id] = ci_dict.pop(attr.alias)
if attr.re_check and password_dict.get(attr.id): if attr.re_check and password_dict.get(attr.id):
value_manager.check_re(attr.re_check, attr.alias, password_dict[attr.id][0]) value_manager.check_re(attr.re_check, password_dict[attr.id])
if computed_attrs:
value_manager.handle_ci_compute_attributes(ci_dict, computed_attrs, ci)
limit_attrs = self._valid_ci_for_no_read(ci) if not _is_admin else {} limit_attrs = self._valid_ci_for_no_read(ci) if not _is_admin else {}
@@ -486,10 +486,6 @@ class CIManager(object):
ci_dict = {k: v for k, v in ci_dict.items() if k in ci_type_attrs_name} ci_dict = {k: v for k, v in ci_dict.items() if k in ci_type_attrs_name}
key2attr = value_manager.valid_attr_value(ci_dict, ci.type_id, ci.id, ci_type_attrs_name, key2attr = value_manager.valid_attr_value(ci_dict, ci.type_id, ci.id, ci_type_attrs_name,
ci_attr2type_attr=ci_attr2type_attr) ci_attr2type_attr=ci_attr2type_attr)
if computed_attrs:
value_manager.handle_ci_compute_attributes(ci_dict, computed_attrs, ci)
if limit_attrs: if limit_attrs:
for k in copy.deepcopy(ci_dict): for k in copy.deepcopy(ci_dict):
if k not in limit_attrs: if k not in limit_attrs:
@@ -499,8 +495,7 @@ class CIManager(object):
ci_dict.pop(k) ci_dict.pop(k)
try: try:
record_id, has_dynamic = value_manager.create_or_update_attr_value( record_id = value_manager.create_or_update_attr_value(ci, ci_dict, key2attr, ticket_id=ticket_id)
ci, ci_dict, key2attr, ticket_id=ticket_id)
except BadRequest as e: except BadRequest as e:
raise e raise e
@@ -508,25 +503,25 @@ class CIManager(object):
for attr_id in password_dict: for attr_id in password_dict:
record_id = self.save_password(ci.id, attr_id, password_dict[attr_id], record_id, ci.type_id) record_id = self.save_password(ci.id, attr_id, password_dict[attr_id], record_id, ci.type_id)
if record_id or has_dynamic: # has changed if record_id: # has change
if not __sync: if not __sync:
ci_cache.apply_async(args=(ci_id, OperateType.UPDATE, record_id), queue=CMDB_QUEUE) ci_cache.apply_async(args=(ci_id, OperateType.UPDATE, record_id), queue=CMDB_QUEUE)
else: else:
ci_cache(ci_id, OperateType.UPDATE, record_id) ci_cache((ci_id, OperateType.UPDATE, record_id))
ref_ci_dict = {k: v for k, v in ci_dict.items() if k.startswith("$") and "." in k} ref_ci_dict = {k: v for k, v in ci_dict.items() if k.startswith("$") and "." in k}
if ref_ci_dict: if ref_ci_dict:
if not __sync: if not __sync:
ci_relation_add.apply_async(args=(ref_ci_dict, ci.id), queue=CMDB_QUEUE) ci_relation_add.apply_async(args=(ref_ci_dict, ci.id), queue=CMDB_QUEUE)
else: else:
ci_relation_add(ref_ci_dict, ci.id) ci_relation_add((ref_ci_dict, ci.id))
@staticmethod @staticmethod
def update_unique_value(ci_id, unique_name, unique_value): def update_unique_value(ci_id, unique_name, unique_value):
ci = CI.get_by_id(ci_id) or abort(404, ErrFormat.ci_not_found.format("id={}".format(ci_id))) ci = CI.get_by_id(ci_id) or abort(404, ErrFormat.ci_not_found.format("id={}".format(ci_id)))
key2attr = {unique_name: AttributeCache.get(unique_name)} key2attr = {unique_name: AttributeCache.get(unique_name)}
record_id, _ = AttributeValueManager().create_or_update_attr_value(ci, {unique_name: unique_value}, key2attr) record_id = AttributeValueManager().create_or_update_attr_value(ci, {unique_name: unique_value}, key2attr)
ci_cache.apply_async(args=(ci_id, OperateType.UPDATE, record_id), queue=CMDB_QUEUE) ci_cache.apply_async(args=(ci_id, OperateType.UPDATE, record_id), queue=CMDB_QUEUE)
@@ -741,7 +736,7 @@ class CIManager(object):
fields=None, value_tables=None, unique_required=False, excludes=None): fields=None, value_tables=None, unique_required=False, excludes=None):
""" """
:param ci_ids: list of CI instance ID, e.g. ['1', '2'] :param ci_ids: list of CI instance ID, eg. ['1', '2']
:param ret_key: name, id or alias :param ret_key: name, id or alias
:param fields: :param fields:
:param value_tables: :param value_tables:
@@ -766,7 +761,6 @@ class CIManager(object):
@classmethod @classmethod
def save_password(cls, ci_id, attr_id, value, record_id, type_id): def save_password(cls, ci_id, attr_id, value, record_id, type_id):
value, is_dynamic = value
changed = None changed = None
encrypt_value = None encrypt_value = None
value_table = ValueTypeMap.table[ValueTypeEnum.PASSWORD] value_table = ValueTypeMap.table[ValueTypeEnum.PASSWORD]
@@ -783,18 +777,14 @@ class CIManager(object):
if existed is None: if existed is None:
if value: if value:
value_table.create(ci_id=ci_id, attr_id=attr_id, value=encrypt_value) value_table.create(ci_id=ci_id, attr_id=attr_id, value=encrypt_value)
if not is_dynamic: changed = [(ci_id, attr_id, OperateType.ADD, '', PASSWORD_DEFAULT_SHOW, type_id)]
changed = [(ci_id, attr_id, OperateType.ADD, '', PASSWORD_DEFAULT_SHOW, type_id)]
elif existed.value != encrypt_value: elif existed.value != encrypt_value:
if value: if value:
existed.update(ci_id=ci_id, attr_id=attr_id, value=encrypt_value) existed.update(ci_id=ci_id, attr_id=attr_id, value=encrypt_value)
if not is_dynamic: changed = [(ci_id, attr_id, OperateType.UPDATE, PASSWORD_DEFAULT_SHOW, PASSWORD_DEFAULT_SHOW, type_id)]
changed = [(ci_id, attr_id, OperateType.UPDATE, PASSWORD_DEFAULT_SHOW,
PASSWORD_DEFAULT_SHOW, type_id)]
else: else:
existed.delete() existed.delete()
if not is_dynamic: changed = [(ci_id, attr_id, OperateType.DELETE, PASSWORD_DEFAULT_SHOW, '', type_id)]
changed = [(ci_id, attr_id, OperateType.DELETE, PASSWORD_DEFAULT_SHOW, '', type_id)]
if current_app.config.get('SECRETS_ENGINE') == 'vault': if current_app.config.get('SECRETS_ENGINE') == 'vault':
vault = VaultClient(current_app.config.get('VAULT_URL'), current_app.config.get('VAULT_TOKEN')) vault = VaultClient(current_app.config.get('VAULT_URL'), current_app.config.get('VAULT_TOKEN'))
@@ -1100,18 +1090,6 @@ class CIRelationManager(object):
return ci_ids, level2ids return ci_ids, level2ids
@classmethod
def get_parent_ids(cls, ci_ids):
cis = db.session.query(CIRelation.first_ci_id, CIRelation.second_ci_id, CI.type_id).join(
CI, CI.id == CIRelation.first_ci_id).filter(
CIRelation.second_ci_id.in_(ci_ids)).filter(CIRelation.deleted.is_(False))
result = {}
for ci in cis:
result.setdefault(ci.second_ci_id, []).append((ci.first_ci_id, ci.type_id))
return result
@staticmethod @staticmethod
def _check_constraint(first_ci_id, first_type_id, second_ci_id, second_type_id, type_relation): def _check_constraint(first_ci_id, first_type_id, second_ci_id, second_type_id, type_relation):
db.session.commit() db.session.commit()
@@ -1137,14 +1115,7 @@ class CIRelationManager(object):
return abort(400, ErrFormat.relation_constraint.format("1-N")) return abort(400, ErrFormat.relation_constraint.format("1-N"))
@classmethod @classmethod
def add(cls, first_ci_id, second_ci_id, def add(cls, first_ci_id, second_ci_id, more=None, relation_type_id=None, ancestor_ids=None, valid=True):
more=None,
relation_type_id=None,
ancestor_ids=None,
valid=True,
apply_async=True,
source=None,
uid=None):
first_ci = CIManager.confirm_ci_existed(first_ci_id) first_ci = CIManager.confirm_ci_existed(first_ci_id)
second_ci = CIManager.confirm_ci_existed(second_ci_id) second_ci = CIManager.confirm_ci_existed(second_ci_id)
@@ -1156,10 +1127,9 @@ class CIRelationManager(object):
first=True) first=True)
if existed is not None: if existed is not None:
if existed.relation_type_id != relation_type_id and relation_type_id is not None: if existed.relation_type_id != relation_type_id and relation_type_id is not None:
source = existed.source or source existed.update(relation_type_id=relation_type_id)
existed.update(relation_type_id=relation_type_id, source=source)
CIRelationHistoryManager().add(existed, OperateType.UPDATE, uid=uid) CIRelationHistoryManager().add(existed, OperateType.UPDATE)
else: else:
if relation_type_id is None: if relation_type_id is None:
type_relation = CITypeRelation.get_by(parent_id=first_ci.type_id, type_relation = CITypeRelation.get_by(parent_id=first_ci.type_id,
@@ -1189,13 +1159,11 @@ class CIRelationManager(object):
existed = CIRelation.create(first_ci_id=first_ci_id, existed = CIRelation.create(first_ci_id=first_ci_id,
second_ci_id=second_ci_id, second_ci_id=second_ci_id,
relation_type_id=relation_type_id, relation_type_id=relation_type_id,
ancestor_ids=ancestor_ids, ancestor_ids=ancestor_ids)
source=source)
CIRelationHistoryManager().add(existed, OperateType.ADD, uid=uid) CIRelationHistoryManager().add(existed, OperateType.ADD)
if apply_async:
ci_relation_cache.apply_async(args=(first_ci_id, second_ci_id, ancestor_ids), queue=CMDB_QUEUE) ci_relation_cache.apply_async(args=(first_ci_id, second_ci_id, ancestor_ids), queue=CMDB_QUEUE)
else:
ci_relation_cache(first_ci_id, second_ci_id, ancestor_ids)
if more is not None: if more is not None:
existed.upadte(more=more) existed.upadte(more=more)
@@ -1203,7 +1171,7 @@ class CIRelationManager(object):
return existed.id return existed.id
@staticmethod @staticmethod
def delete(cr_id, apply_async=True): def delete(cr_id):
cr = CIRelation.get_by_id(cr_id) or abort(404, ErrFormat.relation_not_found.format("id={}".format(cr_id))) cr = CIRelation.get_by_id(cr_id) or abort(404, ErrFormat.relation_not_found.format("id={}".format(cr_id)))
if current_app.config.get('USE_ACL') and current_user.username != 'worker': if current_app.config.get('USE_ACL') and current_user.username != 'worker':
@@ -1219,12 +1187,8 @@ class CIRelationManager(object):
his_manager = CIRelationHistoryManager() his_manager = CIRelationHistoryManager()
his_manager.add(cr, operate_type=OperateType.DELETE) his_manager.add(cr, operate_type=OperateType.DELETE)
if apply_async: ci_relation_delete.apply_async(args=(cr.first_ci_id, cr.second_ci_id, cr.ancestor_ids), queue=CMDB_QUEUE)
ci_relation_delete.apply_async(args=(cr.first_ci_id, cr.second_ci_id, cr.ancestor_ids), queue=CMDB_QUEUE) delete_id_filter.apply_async(args=(cr.second_ci_id,), queue=CMDB_QUEUE)
delete_id_filter.apply_async(args=(cr.second_ci_id,), queue=CMDB_QUEUE)
else:
ci_relation_delete(cr.first_ci_id, cr.second_ci_id, cr.ancestor_ids)
delete_id_filter(cr.second_ci_id)
return cr_id return cr_id
@@ -1239,23 +1203,23 @@ class CIRelationManager(object):
if cr is not None: if cr is not None:
cls.delete(cr.id) cls.delete(cr.id)
# ci_relation_delete.apply_async(args=(first_ci_id, second_ci_id, ancestor_ids), queue=CMDB_QUEUE) ci_relation_delete.apply_async(args=(first_ci_id, second_ci_id, ancestor_ids), queue=CMDB_QUEUE)
# delete_id_filter.apply_async(args=(second_ci_id,), queue=CMDB_QUEUE) delete_id_filter.apply_async(args=(second_ci_id,), queue=CMDB_QUEUE)
return cr return cr
@classmethod @classmethod
def delete_3(cls, first_ci_id, second_ci_id, apply_async=True): def delete_3(cls, first_ci_id, second_ci_id):
cr = CIRelation.get_by(first_ci_id=first_ci_id, cr = CIRelation.get_by(first_ci_id=first_ci_id,
second_ci_id=second_ci_id, second_ci_id=second_ci_id,
to_dict=False, to_dict=False,
first=True) first=True)
if cr is not None: if cr is not None:
# ci_relation_delete.apply_async(args=(first_ci_id, second_ci_id, cr.ancestor_ids), queue=CMDB_QUEUE) ci_relation_delete.apply_async(args=(first_ci_id, second_ci_id, cr.ancestor_ids), queue=CMDB_QUEUE)
# delete_id_filter.apply_async(args=(second_ci_id,), queue=CMDB_QUEUE) delete_id_filter.apply_async(args=(second_ci_id,), queue=CMDB_QUEUE)
cls.delete(cr.id, apply_async=apply_async) cls.delete(cr.id)
return cr return cr
@@ -1294,140 +1258,56 @@ class CIRelationManager(object):
for ci_id in ci_ids: for ci_id in ci_ids:
cls.delete_2(parent_id, ci_id, ancestor_ids=ancestor_ids) cls.delete_2(parent_id, ci_id, ancestor_ids=ancestor_ids)
@classmethod
def delete_relations_by_source(cls, source,
first_ci_id=None, second_ci_type_id=None,
second_ci_id=None, first_ci_type_id=None,
added=None):
existed = []
if first_ci_id is not None and second_ci_type_id is not None:
existed = [(i.first_ci_id, i.second_ci_id) for i in CIRelation.get_by(
source=source, first_ci_id=first_ci_id, only_query=True).join(
CI, CIRelation.second_ci_id == CI.id).filter(CI.type_id == second_ci_type_id)]
if second_ci_id is not None and first_ci_type_id is not None:
existed = [(i.first_ci_id, i.second_ci_id) for i in CIRelation.get_by(
source=source, second_ci_id=second_ci_id, only_query=True).join(
CI, CIRelation.first_ci_id == CI.id).filter(CI.type_id == first_ci_type_id)]
deleted = set(existed) - set(added or [])
for first, second in deleted:
cls.delete_3(first, second, apply_async=False)
@classmethod @classmethod
def build_by_attribute(cls, ci_dict): def build_by_attribute(cls, ci_dict):
type_id = ci_dict['_type'] type_id = ci_dict['_type']
child_items = CITypeRelation.get_by(parent_id=type_id, only_query=True).filter( child_items = CITypeRelation.get_by(parent_id=type_id, only_query=True).filter(
CITypeRelation.parent_attr_ids.isnot(None)) CITypeRelation.parent_attr_id.isnot(None))
for item in child_items: for item in child_items:
relations = None parent_attr = AttributeCache.get(item.parent_attr_id)
for parent_attr_id, child_attr_id in zip(item.parent_attr_ids, item.child_attr_ids): child_attr = AttributeCache.get(item.child_attr_id)
_relations = set() attr_value = ci_dict.get(parent_attr.name)
parent_attr = AttributeCache.get(parent_attr_id) value_table = TableMap(attr=child_attr).table
child_attr = AttributeCache.get(child_attr_id) for child in value_table.get_by(attr_id=child_attr.id, value=attr_value, only_query=True).join(
attr_value = ci_dict.get(parent_attr.name) CI, CI.id == value_table.ci_id).filter(CI.type_id == item.child_id):
value_table = TableMap(attr=child_attr).table CIRelationManager.add(ci_dict['_id'], child.ci_id, valid=False)
for child in value_table.get_by(attr_id=child_attr.id, value=attr_value, only_query=True).join(
CI, CI.id == value_table.ci_id).filter(CI.type_id == item.child_id):
_relations.add((ci_dict['_id'], child.ci_id))
if relations is None:
relations = _relations
else:
relations &= _relations
cls.delete_relations_by_source(RelationSourceEnum.ATTRIBUTE_VALUES,
first_ci_id=ci_dict['_id'],
second_ci_type_id=item.child_id,
added=relations)
for parent_ci_id, child_ci_id in (relations or []):
cls.add(parent_ci_id, child_ci_id,
valid=False,
source=RelationSourceEnum.ATTRIBUTE_VALUES)
parent_items = CITypeRelation.get_by(child_id=type_id, only_query=True).filter( parent_items = CITypeRelation.get_by(child_id=type_id, only_query=True).filter(
CITypeRelation.child_attr_ids.isnot(None)) CITypeRelation.child_attr_id.isnot(None))
for item in parent_items: for item in parent_items:
relations = None parent_attr = AttributeCache.get(item.parent_attr_id)
for parent_attr_id, child_attr_id in zip(item.parent_attr_ids, item.child_attr_ids): child_attr = AttributeCache.get(item.child_attr_id)
_relations = set() attr_value = ci_dict.get(child_attr.name)
parent_attr = AttributeCache.get(parent_attr_id) value_table = TableMap(attr=parent_attr).table
child_attr = AttributeCache.get(child_attr_id) for parent in value_table.get_by(attr_id=parent_attr.id, value=attr_value, only_query=True).join(
attr_value = ci_dict.get(child_attr.name) CI, CI.id == value_table.ci_id).filter(CI.type_id == item.parent_id):
value_table = TableMap(attr=parent_attr).table CIRelationManager.add(parent.ci_id, ci_dict['_id'], valid=False)
for parent in value_table.get_by(attr_id=parent_attr.id, value=attr_value, only_query=True).join(
CI, CI.id == value_table.ci_id).filter(CI.type_id == item.parent_id):
_relations.add((parent.ci_id, ci_dict['_id']))
if relations is None:
relations = _relations
else:
relations &= _relations
cls.delete_relations_by_source(RelationSourceEnum.ATTRIBUTE_VALUES,
second_ci_id=ci_dict['_id'],
first_ci_type_id=item.parent_id,
added=relations)
for parent_ci_id, child_ci_id in (relations or []):
cls.add(parent_ci_id, child_ci_id,
valid=False,
source=RelationSourceEnum.ATTRIBUTE_VALUES)
@classmethod @classmethod
def rebuild_all_by_attribute(cls, ci_type_relation, uid): def rebuild_all_by_attribute(cls, ci_type_relation):
relations = None parent_attr = AttributeCache.get(ci_type_relation['parent_attr_id'])
for parent_attr_id, child_attr_id in zip(ci_type_relation['parent_attr_ids'] or [], child_attr = AttributeCache.get(ci_type_relation['child_attr_id'])
ci_type_relation['child_attr_ids'] or []): if not parent_attr or not child_attr:
return
_relations = set() parent_value_table = TableMap(attr=parent_attr).table
parent_attr = AttributeCache.get(parent_attr_id) child_value_table = TableMap(attr=child_attr).table
child_attr = AttributeCache.get(child_attr_id)
if not parent_attr or not child_attr:
continue
parent_value_table = TableMap(attr=parent_attr).table parent_values = parent_value_table.get_by(attr_id=parent_attr.id, only_query=True).join(
child_value_table = TableMap(attr=child_attr).table CI, CI.id == parent_value_table.ci_id).filter(CI.type_id == ci_type_relation['parent_id'])
child_values = child_value_table.get_by(attr_id=child_attr.id, only_query=True).join(
CI, CI.id == child_value_table.ci_id).filter(CI.type_id == ci_type_relation['child_id'])
parent_values = parent_value_table.get_by(attr_id=parent_attr.id, only_query=True).join( child_value2ci_ids = {}
CI, CI.id == parent_value_table.ci_id).filter(CI.type_id == ci_type_relation['parent_id']) for child in child_values:
child_values = child_value_table.get_by(attr_id=child_attr.id, only_query=True).join( child_value2ci_ids.setdefault(child.value, []).append(child.ci_id)
CI, CI.id == child_value_table.ci_id).filter(CI.type_id == ci_type_relation['child_id'])
child_value2ci_ids = {} for parent in parent_values:
for child in child_values: for child_ci_id in child_value2ci_ids.get(parent.value, []):
child_value2ci_ids.setdefault(child.value, []).append(child.ci_id) try:
cls.add(parent.ci_id, child_ci_id, valid=False)
for parent in parent_values: except:
for child_ci_id in child_value2ci_ids.get(parent.value, []): pass
_relations.add((parent.ci_id, child_ci_id))
if relations is None:
relations = _relations
else:
relations &= _relations
t1 = aliased(CI)
t2 = aliased(CI)
query = db.session.query(CIRelation).join(t1, t1.id == CIRelation.first_ci_id).join(
t2, t2.id == CIRelation.second_ci_id).filter(t1.type_id == ci_type_relation['parent_id']).filter(
t2.type_id == ci_type_relation['child_id'])
for i in query:
db.session.delete(i)
ci_relation_delete(i.first_ci_id, i.second_ci_id, i.ancestor_ids)
try:
db.session.commit()
except Exception as e:
current_app.logger.error(e)
db.session.rollback()
for parent_ci_id, child_ci_id in (relations or []):
try:
cls.add(parent_ci_id, child_ci_id,
valid=False,
apply_async=False,
source=RelationSourceEnum.ATTRIBUTE_VALUES,
uid=uid)
except Exception as e:
current_app.logger.error(e)
class CITriggerManager(object): class CITriggerManager(object):

View File

@@ -1,6 +1,7 @@
# -*- coding:utf-8 -*- # -*- coding:utf-8 -*-
import copy import copy
import toposort import toposort
from flask import abort from flask import abort
from flask import current_app from flask import current_app
@@ -34,7 +35,6 @@ from api.lib.perm.acl.acl import validate_permission
from api.models.cmdb import Attribute from api.models.cmdb import Attribute
from api.models.cmdb import AutoDiscoveryCI from api.models.cmdb import AutoDiscoveryCI
from api.models.cmdb import AutoDiscoveryCIType from api.models.cmdb import AutoDiscoveryCIType
from api.models.cmdb import AutoDiscoveryCITypeRelation
from api.models.cmdb import CI from api.models.cmdb import CI
from api.models.cmdb import CIFilterPerms from api.models.cmdb import CIFilterPerms
from api.models.cmdb import CIType from api.models.cmdb import CIType
@@ -54,7 +54,6 @@ from api.models.cmdb import PreferenceSearchOption
from api.models.cmdb import PreferenceShowAttributes from api.models.cmdb import PreferenceShowAttributes
from api.models.cmdb import PreferenceTreeView from api.models.cmdb import PreferenceTreeView
from api.models.cmdb import RelationType from api.models.cmdb import RelationType
from api.models.cmdb import TopologyView
class CITypeManager(object): class CITypeManager(object):
@@ -83,7 +82,7 @@ class CITypeManager(object):
self.cls.id, self.cls.icon, self.cls.name).filter(self.cls.deleted.is_(False))} self.cls.id, self.cls.icon, self.cls.name).filter(self.cls.deleted.is_(False))}
@staticmethod @staticmethod
def get_ci_types(type_name=None, like=True, type_ids=None): def get_ci_types(type_name=None, like=True):
resources = None resources = None
if current_app.config.get('USE_ACL') and not is_app_admin('cmdb'): if current_app.config.get('USE_ACL') and not is_app_admin('cmdb'):
resources = set([i.get('name') for i in ACLManager().get_resources(ResourceTypeEnum.CI_TYPE)]) resources = set([i.get('name') for i in ACLManager().get_resources(ResourceTypeEnum.CI_TYPE)])
@@ -92,9 +91,6 @@ class CITypeManager(object):
CIType.get_by_like(name=type_name) if like else CIType.get_by(name=type_name)) CIType.get_by_like(name=type_name) if like else CIType.get_by(name=type_name))
res = list() res = list()
for type_dict in ci_types: for type_dict in ci_types:
if type_ids is not None and type_dict['id'] not in type_ids:
continue
attr = AttributeCache.get(type_dict["unique_id"]) attr = AttributeCache.get(type_dict["unique_id"])
type_dict["unique_key"] = attr and attr.name type_dict["unique_key"] = attr and attr.name
if type_dict.get('show_id'): if type_dict.get('show_id'):
@@ -231,9 +227,6 @@ class CITypeManager(object):
if CI.get_by(type_id=type_id, first=True, to_dict=False) is not None: if CI.get_by(type_id=type_id, first=True, to_dict=False) is not None:
return abort(400, ErrFormat.ci_exists_and_cannot_delete_type) return abort(400, ErrFormat.ci_exists_and_cannot_delete_type)
if CITypeInheritance.get_by(parent_id=type_id, first=True):
return abort(400, ErrFormat.ci_type_inheritance_cannot_delete)
relation_views = PreferenceRelationView.get_by(to_dict=False) relation_views = PreferenceRelationView.get_by(to_dict=False)
for rv in relation_views: for rv in relation_views:
for item in (rv.cr_ids or []): for item in (rv.cr_ids or []):
@@ -257,28 +250,19 @@ class CITypeManager(object):
for item in AutoDiscoveryCI.get_by(type_id=type_id, to_dict=False): for item in AutoDiscoveryCI.get_by(type_id=type_id, to_dict=False):
item.delete(commit=False) item.delete(commit=False)
for item in AutoDiscoveryCITypeRelation.get_by(ad_type_id=type_id, to_dict=False):
item.soft_delete(commit=False)
for item in AutoDiscoveryCITypeRelation.get_by(peer_type_id=type_id, to_dict=False):
item.soft_delete(commit=False)
for item in CITypeInheritance.get_by(parent_id=type_id, to_dict=False): for item in CITypeInheritance.get_by(parent_id=type_id, to_dict=False):
item.soft_delete(commit=False) item.delete(commit=False)
for item in CITypeInheritance.get_by(child_id=type_id, to_dict=False): for item in CITypeInheritance.get_by(child_id=type_id, to_dict=False):
item.soft_delete(commit=False) item.delete(commit=False)
try: try:
from api.models.cmdb import CITypeReconciliation from api.models.cmdb import CITypeReconciliation
for item in CITypeReconciliation.get_by(type_id=type_id, to_dict=False): for item in CITypeReconciliation.get_by(type_id=type_id, to_dict=False):
item.soft_delete(commit=False) item.delete(commit=False)
except Exception: except Exception:
pass pass
for item in TopologyView.get_by(central_node_type=type_id, to_dict=False):
item.delete(commit=False)
db.session.commit() db.session.commit()
ci_type.soft_delete() ci_type.soft_delete()
@@ -294,12 +278,6 @@ class CITypeManager(object):
class CITypeInheritanceManager(object): class CITypeInheritanceManager(object):
cls = CITypeInheritance cls = CITypeInheritance
@classmethod
def get_all(cls, type_ids=None):
res = cls.cls.get_by(to_dict=True)
return [i for i in res if type_ids is None or (i['parent_id'] in type_ids and i['child_id'] in type_ids)]
@classmethod @classmethod
def get_parents(cls, type_id): def get_parents(cls, type_id):
return [i.parent_id for i in cls.cls.get_by(child_id=type_id, to_dict=False)] return [i.parent_id for i in cls.cls.get_by(child_id=type_id, to_dict=False)]
@@ -395,7 +373,7 @@ class CITypeGroupManager(object):
cls = CITypeGroup cls = CITypeGroup
@staticmethod @staticmethod
def get(need_other=None, config_required=True, type_ids=None, ci_types=None): def get(need_other=None, config_required=True):
resources = None resources = None
if current_app.config.get('USE_ACL'): if current_app.config.get('USE_ACL'):
resources = ACLManager('cmdb').get_resources(ResourceTypeEnum.CI) resources = ACLManager('cmdb').get_resources(ResourceTypeEnum.CI)
@@ -409,8 +387,6 @@ class CITypeGroupManager(object):
for group in groups: for group in groups:
for t in sorted(CITypeGroupItem.get_by(group_id=group['id']), key=lambda x: x['order'] or 0): for t in sorted(CITypeGroupItem.get_by(group_id=group['id']), key=lambda x: x['order'] or 0):
ci_type = CITypeCache.get(t['type_id']).to_dict() ci_type = CITypeCache.get(t['type_id']).to_dict()
if type_ids is not None and ci_type['id'] not in type_ids:
continue
if resources is None or (ci_type and ci_type['name'] in resources): if resources is None or (ci_type and ci_type['name'] in resources):
ci_type['permissions'] = resources[ci_type['name']] if resources is not None else None ci_type['permissions'] = resources[ci_type['name']] if resources is not None else None
ci_type['inherited'] = True if CITypeInheritanceManager.get_parents(ci_type['id']) else False ci_type['inherited'] = True if CITypeInheritanceManager.get_parents(ci_type['id']) else False
@@ -418,7 +394,7 @@ class CITypeGroupManager(object):
group_types.add(t["type_id"]) group_types.add(t["type_id"])
if need_other: if need_other:
ci_types = CITypeManager.get_ci_types(type_ids=type_ids) if ci_types is None else ci_types ci_types = CITypeManager.get_ci_types()
other_types = dict(ci_types=[]) other_types = dict(ci_types=[])
for ci_type in ci_types: for ci_type in ci_types:
if ci_type["id"] not in group_types and (resources is None or ci_type['name'] in resources): if ci_type["id"] not in group_types and (resources is None or ci_type['name'] in resources):
@@ -539,8 +515,6 @@ class CITypeAttributeManager(object):
attrs = CITypeAttributesCache.get(_type_id) attrs = CITypeAttributesCache.get(_type_id)
for attr in sorted(attrs, key=lambda x: (x.order, x.id)): for attr in sorted(attrs, key=lambda x: (x.order, x.id)):
attr_dict = AttributeManager().get_attribute(attr.attr_id, choice_web_hook_parse, choice_other_parse) attr_dict = AttributeManager().get_attribute(attr.attr_id, choice_web_hook_parse, choice_other_parse)
if not attr_dict:
continue
attr_dict["is_required"] = attr.is_required attr_dict["is_required"] = attr.is_required
attr_dict["order"] = attr.order attr_dict["order"] = attr.order
attr_dict["default_show"] = attr.default_show attr_dict["default_show"] = attr.default_show
@@ -549,6 +523,7 @@ class CITypeAttributeManager(object):
if not has_config_perm: if not has_config_perm:
attr_dict.pop('choice_web_hook', None) attr_dict.pop('choice_web_hook', None)
attr_dict.pop('choice_other', None) attr_dict.pop('choice_other', None)
if attr_dict['id'] not in id2pos: if attr_dict['id'] not in id2pos:
id2pos[attr_dict['id']] = len(result) id2pos[attr_dict['id']] = len(result)
result.append(attr_dict) result.append(attr_dict)
@@ -613,6 +588,7 @@ class CITypeAttributeManager(object):
if existed is not None: if existed is not None:
continue continue
current_app.logger.debug(attr_id)
CITypeAttribute.create(type_id=type_id, attr_id=attr_id, **kwargs) CITypeAttribute.create(type_id=type_id, attr_id=attr_id, **kwargs)
attr = AttributeCache.get(attr_id) attr = AttributeCache.get(attr_id)
@@ -706,19 +682,9 @@ class CITypeAttributeManager(object):
item = CITypeTrigger.get_by(type_id=_type_id, attr_id=attr_id, to_dict=False, first=True) item = CITypeTrigger.get_by(type_id=_type_id, attr_id=attr_id, to_dict=False, first=True)
item and item.soft_delete(commit=False) item and item.soft_delete(commit=False)
for item in (CITypeRelation.get_by(parent_id=type_id, to_dict=False) + for item in (CITypeRelation.get_by(parent_id=type_id, parent_attr_id=attr_id, to_dict=False) +
CITypeRelation.get_by(child_id=type_id, to_dict=False)): CITypeRelation.get_by(child_id=type_id, child_attr_id=attr_id, to_dict=False)):
if item.parent_id == type_id and attr_id in (item.parent_attr_ids or []): item.soft_delete(commit=False)
item_dict = item.to_dict()
pop_idx = item.parent_attr_ids.index(attr_id)
elif item.child_id == type_id and attr_id in (item.child_attr_ids or []):
item_dict = item.to_dict()
pop_idx = item.child_attr_ids.index(attr_id)
else:
continue
item.update(parent_attr_ids=item_dict['parent_attr_ids'].pop(pop_idx),
child_attr_ids=item_dict['child_attr_ids'].pop(pop_idx),
commit=False)
db.session.commit() db.session.commit()
@@ -779,29 +745,21 @@ class CITypeRelationManager(object):
""" """
@staticmethod @staticmethod
def get(type_ids=None): def get():
res = CITypeRelation.get_by(to_dict=False) res = CITypeRelation.get_by(to_dict=False)
type2attributes = dict() type2attributes = dict()
result = []
for idx, item in enumerate(res): for idx, item in enumerate(res):
_item = item.to_dict() _item = item.to_dict()
if type_ids is not None and _item['parent_id'] not in type_ids and _item['child_id'] not in type_ids:
continue
res[idx] = _item res[idx] = _item
res[idx]['parent'] = item.parent.to_dict() res[idx]['parent'] = item.parent.to_dict()
if item.parent_id not in type2attributes: if item.parent_id not in type2attributes:
type2attributes[item.parent_id] = [i[1].to_dict() for i in type2attributes[item.parent_id] = [i[1].to_dict() for i in CITypeAttributesCache.get2(item.parent_id)]
CITypeAttributeManager.get_all_attributes(item.parent_id)]
res[idx]['child'] = item.child.to_dict() res[idx]['child'] = item.child.to_dict()
if item.child_id not in type2attributes: if item.child_id not in type2attributes:
type2attributes[item.child_id] = [i[1].to_dict() for i in type2attributes[item.child_id] = [i[1].to_dict() for i in CITypeAttributesCache.get2(item.child_id)]
CITypeAttributeManager.get_all_attributes(item.child_id)]
res[idx]['relation_type'] = item.relation_type.to_dict() res[idx]['relation_type'] = item.relation_type.to_dict()
result.append(res[idx]) return res, type2attributes
return result, type2attributes
@staticmethod @staticmethod
def get_child_type_ids(type_id, level): def get_child_type_ids(type_id, level):
@@ -833,8 +791,8 @@ class CITypeRelationManager(object):
ci_type_dict["relation_type"] = relation_inst.relation_type.name ci_type_dict["relation_type"] = relation_inst.relation_type.name
ci_type_dict["constraint"] = relation_inst.constraint ci_type_dict["constraint"] = relation_inst.constraint
ci_type_dict["parent_attr_ids"] = relation_inst.parent_attr_ids ci_type_dict["parent_attr_id"] = relation_inst.parent_attr_id
ci_type_dict["child_attr_ids"] = relation_inst.child_attr_ids ci_type_dict["child_attr_id"] = relation_inst.child_attr_id
return ci_type_dict return ci_type_dict
@@ -867,72 +825,6 @@ class CITypeRelationManager(object):
return [cls._wrap_relation_type_dict(parent.parent_id, parent) for parent in parents] return [cls._wrap_relation_type_dict(parent.parent_id, parent) for parent in parents]
@staticmethod
def get_relations_by_type_id(type_id):
nodes, edges = [], []
node_ids, edge_tuples = set(), set()
ci_type = CITypeCache.get(type_id)
if ci_type is None:
return nodes, edges
ci_type_dict = ci_type.to_dict()
ci_type_dict.setdefault('level', [0])
nodes.append(ci_type_dict)
node_ids.add(ci_type.id)
def _find(_id, lv):
lv += 1
for i in CITypeRelation.get_by(parent_id=_id, to_dict=False):
if i.child_id not in node_ids:
node_ids.add(i.child_id)
node = i.child.to_dict()
node.setdefault('level', []).append(lv)
nodes.append(node)
edges.append(dict(from_id=i.parent_id, to_id=i.child_id, text=i.relation_type.name, reverse=False))
edge_tuples.add((i.parent_id, i.child_id))
_find(i.child_id, lv)
continue
elif (i.parent_id, i.child_id) not in edge_tuples:
edges.append(dict(from_id=i.parent_id, to_id=i.child_id, text=i.relation_type.name, reverse=False))
edge_tuples.add((i.parent_id, i.child_id))
_find(i.child_id, lv)
for _node in nodes:
if _node['id'] == i.child_id and lv not in _node['level']:
_node['level'].append(lv)
def _reverse_find(_id, lv):
lv -= 1
for i in CITypeRelation.get_by(child_id=_id, to_dict=False):
if i.parent_id not in node_ids:
node_ids.add(i.parent_id)
node = i.parent.to_dict()
node.setdefault('level', []).append(lv)
nodes.append(node)
edges.append(dict(from_id=i.parent_id, to_id=i.child_id, text=i.relation_type.name, reverse=True))
edge_tuples.add((i.parent_id, i.child_id))
_reverse_find(i.parent_id, lv)
continue
elif (i.parent_id, i.child_id) not in edge_tuples:
edges.append(dict(from_id=i.parent_id, to_id=i.child_id, text=i.relation_type.name, reverse=True))
edge_tuples.add((i.parent_id, i.child_id))
_reverse_find(i.parent_id, lv)
for _node in nodes:
if _node['id'] == i.child_id and lv not in _node['level']:
_node['level'].append(lv)
level = 0
_reverse_find(ci_type.id, level)
level = 0
_find(ci_type.id, level)
return nodes, edges
@staticmethod @staticmethod
def _get(parent_id, child_id): def _get(parent_id, child_id):
return CITypeRelation.get_by(parent_id=parent_id, return CITypeRelation.get_by(parent_id=parent_id,
@@ -946,7 +838,7 @@ class CITypeRelationManager(object):
@classmethod @classmethod
def add(cls, parent, child, relation_type_id, constraint=ConstraintEnum.One2Many, def add(cls, parent, child, relation_type_id, constraint=ConstraintEnum.One2Many,
parent_attr_ids=None, child_attr_ids=None): parent_attr_id=None, child_attr_id=None):
p = CITypeManager.check_is_existed(parent) p = CITypeManager.check_is_existed(parent)
c = CITypeManager.check_is_existed(child) c = CITypeManager.check_is_existed(child)
@@ -961,22 +853,21 @@ class CITypeRelationManager(object):
current_app.logger.warning(str(e)) current_app.logger.warning(str(e))
return abort(400, ErrFormat.circular_dependency_error) return abort(400, ErrFormat.circular_dependency_error)
old_parent_attr_ids, old_child_attr_ids = None, None old_parent_attr_id = None
existed = cls._get(p.id, c.id) existed = cls._get(p.id, c.id)
if existed is not None: if existed is not None:
old_parent_attr_ids = copy.deepcopy(existed.parent_attr_ids) old_parent_attr_id = existed.parent_attr_id
old_child_attr_ids = copy.deepcopy(existed.child_attr_ids)
existed = existed.update(relation_type_id=relation_type_id, existed = existed.update(relation_type_id=relation_type_id,
constraint=constraint, constraint=constraint,
parent_attr_ids=parent_attr_ids, parent_attr_id=parent_attr_id,
child_attr_ids=child_attr_ids, child_attr_id=child_attr_id,
filter_none=False) filter_none=False)
else: else:
existed = CITypeRelation.create(parent_id=p.id, existed = CITypeRelation.create(parent_id=p.id,
child_id=c.id, child_id=c.id,
relation_type_id=relation_type_id, relation_type_id=relation_type_id,
parent_attr_ids=parent_attr_ids, parent_attr_id=parent_attr_id,
child_attr_ids=child_attr_ids, child_attr_id=child_attr_id,
constraint=constraint) constraint=constraint)
if current_app.config.get("USE_ACL"): if current_app.config.get("USE_ACL"):
@@ -990,10 +881,10 @@ class CITypeRelationManager(object):
current_user.username, current_user.username,
ResourceTypeEnum.CI_TYPE_RELATION) ResourceTypeEnum.CI_TYPE_RELATION)
if ((parent_attr_ids and parent_attr_ids != old_parent_attr_ids) or if parent_attr_id and parent_attr_id != old_parent_attr_id:
(child_attr_ids and child_attr_ids != old_child_attr_ids)): if parent_attr_id and parent_attr_id != existed.parent_attr_id:
from api.tasks.cmdb import rebuild_relation_for_attribute_changed from api.tasks.cmdb import rebuild_relation_for_attribute_changed
rebuild_relation_for_attribute_changed.apply_async(args=(existed.to_dict(), current_user.uid)) rebuild_relation_for_attribute_changed.apply_async(args=(existed.to_dict()))
CITypeHistoryManager.add(CITypeOperateType.ADD_RELATION, p.id, CITypeHistoryManager.add(CITypeOperateType.ADD_RELATION, p.id,
change=dict(parent=p.to_dict(), child=c.to_dict(), relation_type_id=relation_type_id)) change=dict(parent=p.to_dict(), child=c.to_dict(), relation_type_id=relation_type_id))
@@ -1050,8 +941,7 @@ class CITypeAttributeGroupManager(object):
parent_ids = CITypeInheritanceManager.base(type_id) parent_ids = CITypeInheritanceManager.base(type_id)
groups = [] groups = []
id2type = {i: CITypeCache.get(i) for i in parent_ids} id2type = {i: CITypeCache.get(i).alias for i in parent_ids}
id2type = {k: v.alias for k, v in id2type.items() if v}
for _type_id in parent_ids + [type_id]: for _type_id in parent_ids + [type_id]:
_groups = CITypeAttributeGroup.get_by(type_id=_type_id) _groups = CITypeAttributeGroup.get_by(type_id=_type_id)
_groups = sorted(_groups, key=lambda x: x["order"] or 0) _groups = sorted(_groups, key=lambda x: x["order"] or 0)
@@ -1288,8 +1178,8 @@ class CITypeTemplateManager(object):
id2obj_dicts[added_id].get('child_id'), id2obj_dicts[added_id].get('child_id'),
id2obj_dicts[added_id].get('relation_type_id'), id2obj_dicts[added_id].get('relation_type_id'),
id2obj_dicts[added_id].get('constraint'), id2obj_dicts[added_id].get('constraint'),
id2obj_dicts[added_id].get('parent_attr_ids'), id2obj_dicts[added_id].get('parent_attr_id'),
id2obj_dicts[added_id].get('child_attr_ids'), id2obj_dicts[added_id].get('child_attr_id'),
) )
else: else:
obj = cls.create(flush=True, **id2obj_dicts[added_id]) obj = cls.create(flush=True, **id2obj_dicts[added_id])
@@ -1325,14 +1215,13 @@ class CITypeTemplateManager(object):
attributes = [attr for type_id in type2attributes for attr in type2attributes[type_id]] attributes = [attr for type_id in type2attributes for attr in type2attributes[type_id]]
attrs = [] attrs = []
for i in copy.deepcopy(attributes): for i in copy.deepcopy(attributes):
if i.pop('inherited', None):
continue
i.pop('default_show', None) i.pop('default_show', None)
i.pop('is_required', None) i.pop('is_required', None)
i.pop('order', None) i.pop('order', None)
i.pop('choice_web_hook', None) i.pop('choice_web_hook', None)
i.pop('choice_other', None) i.pop('choice_other', None)
i.pop('order', None) i.pop('order', None)
i.pop('inherited', None)
i.pop('inherited_from', None) i.pop('inherited_from', None)
choice_value = i.pop('choice_value', None) choice_value = i.pop('choice_value', None)
if not choice_value: if not choice_value:
@@ -1352,7 +1241,6 @@ class CITypeTemplateManager(object):
for i in ci_types: for i in ci_types:
i.pop("unique_key", None) i.pop("unique_key", None)
i.pop("show_name", None) i.pop("show_name", None)
i.pop("parent_ids", None)
i['unique_id'] = attr_id_map.get(i['unique_id'], i['unique_id']) i['unique_id'] = attr_id_map.get(i['unique_id'], i['unique_id'])
if i.get('show_id'): if i.get('show_id'):
i['show_id'] = attr_id_map.get(i['show_id'], i['show_id']) i['show_id'] = attr_id_map.get(i['show_id'], i['show_id'])
@@ -1390,7 +1278,7 @@ class CITypeTemplateManager(object):
return self.__import(RelationType, relation_types) return self.__import(RelationType, relation_types)
@staticmethod @staticmethod
def _import_ci_type_relations(ci_type_relations, type_id_map, relation_type_id_map, attr_id_map): def _import_ci_type_relations(ci_type_relations, type_id_map, relation_type_id_map):
for i in ci_type_relations: for i in ci_type_relations:
i.pop('parent', None) i.pop('parent', None)
i.pop('child', None) i.pop('child', None)
@@ -1400,32 +1288,15 @@ class CITypeTemplateManager(object):
i['child_id'] = type_id_map.get(i['child_id'], i['child_id']) i['child_id'] = type_id_map.get(i['child_id'], i['child_id'])
i['relation_type_id'] = relation_type_id_map.get(i['relation_type_id'], i['relation_type_id']) i['relation_type_id'] = relation_type_id_map.get(i['relation_type_id'], i['relation_type_id'])
i['parent_attr_ids'] = [attr_id_map.get(attr_id, attr_id) for attr_id in i.get('parent_attr_ids') or []]
i['child_attr_ids'] = [attr_id_map.get(attr_id, attr_id) for attr_id in i.get('child_attr_ids') or []]
try: try:
CITypeRelationManager.add(i.get('parent_id'), CITypeRelationManager.add(i.get('parent_id'),
i.get('child_id'), i.get('child_id'),
i.get('relation_type_id'), i.get('relation_type_id'),
i.get('constraint'), i.get('constraint'),
parent_attr_ids=i.get('parent_attr_ids', []),
child_attr_ids=i.get('child_attr_ids', []),
) )
except Exception: except BadRequest:
pass pass
@staticmethod
def _import_ci_type_inheritance(ci_type_inheritance, type_id_map):
for i in ci_type_inheritance:
i['parent_id'] = type_id_map.get(i['parent_id'])
i['child_id'] = type_id_map.get(i['child_id'])
if i['parent_id'] and i['child_id']:
try:
CITypeInheritanceManager.add([i.get('parent_id')], i.get('child_id'))
except BadRequest:
pass
@staticmethod @staticmethod
def _import_type_attributes(type2attributes, type_id_map, attr_id_map): def _import_type_attributes(type2attributes, type_id_map, attr_id_map):
for type_id in type2attributes: for type_id in type2attributes:
@@ -1437,9 +1308,6 @@ class CITypeTemplateManager(object):
handled = set() handled = set()
for attr in type2attributes[type_id]: for attr in type2attributes[type_id]:
if attr.get('inherited'):
continue
payload = dict(type_id=type_id_map.get(int(type_id), type_id), payload = dict(type_id=type_id_map.get(int(type_id), type_id),
attr_id=attr_id_map.get(attr['id'], attr['id']), attr_id=attr_id_map.get(attr['id'], attr['id']),
default_show=attr['default_show'], default_show=attr['default_show'],
@@ -1503,9 +1371,6 @@ class CITypeTemplateManager(object):
for rule in rules: for rule in rules:
ci_type = CITypeCache.get(rule.pop('type_name', None)) ci_type = CITypeCache.get(rule.pop('type_name', None))
if ci_type is None:
continue
adr = rule.pop('adr', {}) or {} adr = rule.pop('adr', {}) or {}
if ci_type: if ci_type:
@@ -1518,10 +1383,10 @@ class CITypeTemplateManager(object):
if ad_rule: if ad_rule:
rule['adr_id'] = ad_rule.id rule['adr_id'] = ad_rule.id
ad_rule.update(valid=False, **adr) ad_rule.update(**adr)
elif adr: elif adr:
ad_rule = AutoDiscoveryRuleCRUD().add(valid=False, **adr) ad_rule = AutoDiscoveryRuleCRUD().add(**adr)
rule['adr_id'] = ad_rule.id rule['adr_id'] = ad_rule.id
else: else:
continue continue
@@ -1550,23 +1415,6 @@ class CITypeTemplateManager(object):
except Exception as e: except Exception as e:
current_app.logger.warning("import auto discovery rules failed: {}".format(e)) current_app.logger.warning("import auto discovery rules failed: {}".format(e))
@staticmethod
def _import_auto_discovery_relation_rules(rules):
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeRelationCRUD
for rule in rules:
ad_ci_type = CITypeCache.get(rule.pop('ad_type_name', None))
peer_ci_type = CITypeCache.get(rule.pop('peer_type_name', None))
peer_attr = AttributeCache.get(rule.pop('peer_attr_name', None))
if ad_ci_type and peer_attr and peer_ci_type:
if not AutoDiscoveryCITypeRelation.get_by(
ad_type_id=ad_ci_type.id, ad_key=rule.get('ad_key'),
peer_attr_id=peer_attr.id, peer_type_id=peer_ci_type.id):
AutoDiscoveryCITypeRelationCRUD().add(ad_type_id=ad_ci_type.id,
ad_key=rule.get('ad_key'),
peer_attr_id=peer_attr.id,
peer_type_id=peer_ci_type.id)
@staticmethod @staticmethod
def _import_icons(icons): def _import_icons(icons):
from api.lib.common_setting.upload_file import CommonFileCRUD from api.lib.common_setting.upload_file import CommonFileCRUD
@@ -1578,8 +1426,6 @@ class CITypeTemplateManager(object):
current_app.logger.warning("save icon failed: {}".format(e)) current_app.logger.warning("save icon failed: {}".format(e))
def import_template(self, tpt): def import_template(self, tpt):
db.session.commit()
import time import time
s = time.time() s = time.time()
attr_id_map = self._import_attributes(tpt.get('type2attributes') or {}) attr_id_map = self._import_attributes(tpt.get('type2attributes') or {})
@@ -1598,14 +1444,9 @@ class CITypeTemplateManager(object):
current_app.logger.info('import relation_types cost: {}'.format(time.time() - s)) current_app.logger.info('import relation_types cost: {}'.format(time.time() - s))
s = time.time() s = time.time()
self._import_ci_type_relations(tpt.get('ci_type_relations') or [], self._import_ci_type_relations(tpt.get('ci_type_relations') or [], ci_type_id_map, relation_type_id_map)
ci_type_id_map, relation_type_id_map, attr_id_map)
current_app.logger.info('import ci_type_relations cost: {}'.format(time.time() - s)) current_app.logger.info('import ci_type_relations cost: {}'.format(time.time() - s))
s = time.time()
self._import_ci_type_inheritance(tpt.get('ci_type_inheritance') or [], ci_type_id_map)
current_app.logger.info('import ci_type_inheritance cost: {}'.format(time.time() - s))
s = time.time() s = time.time()
self._import_type_attributes(tpt.get('type2attributes') or {}, ci_type_id_map, attr_id_map) self._import_type_attributes(tpt.get('type2attributes') or {}, ci_type_id_map, attr_id_map)
current_app.logger.info('import type2attributes cost: {}'.format(time.time() - s)) current_app.logger.info('import type2attributes cost: {}'.format(time.time() - s))
@@ -1618,73 +1459,26 @@ class CITypeTemplateManager(object):
self._import_auto_discovery_rules(tpt.get('ci_type_auto_discovery_rules') or []) self._import_auto_discovery_rules(tpt.get('ci_type_auto_discovery_rules') or [])
current_app.logger.info('import ci_type_auto_discovery_rules cost: {}'.format(time.time() - s)) current_app.logger.info('import ci_type_auto_discovery_rules cost: {}'.format(time.time() - s))
s = time.time()
self._import_auto_discovery_relation_rules(tpt.get('ci_type_auto_discovery_relation_rules') or [])
current_app.logger.info('import ci_type_auto_discovery_relation_rules cost: {}'.format(time.time() - s))
s = time.time() s = time.time()
self._import_icons(tpt.get('icons') or {}) self._import_icons(tpt.get('icons') or {})
current_app.logger.info('import icons cost: {}'.format(time.time() - s)) current_app.logger.info('import icons cost: {}'.format(time.time() - s))
@staticmethod @staticmethod
def export_template(type_ids=None): def export_template():
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeCRUD from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeRelationCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleCRUD from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleCRUD
from api.lib.common_setting.upload_file import CommonFileCRUD from api.lib.common_setting.upload_file import CommonFileCRUD
ci_types = CITypeManager.get_ci_types(type_ids=type_ids)
extend_type_ids = []
for ci_type in ci_types:
if ci_type.get('parent_ids'):
extend_type_ids.extend(CITypeInheritanceManager.base(ci_type['id']))
extend_type_ids = list(set(extend_type_ids) - set(type_ids))
ci_type_relations = CITypeRelationManager.get(type_ids=type_ids)[0]
for i in ci_type_relations:
if i['parent_id'] not in type_ids:
extend_type_ids.append(i['parent_id'])
if i['child_id'] not in type_ids:
extend_type_ids.append(i['child_id'])
ad_relation_rules = AutoDiscoveryCITypeRelationCRUD.get_all(type_ids=type_ids)
rules = []
for r in ad_relation_rules:
if r.peer_type_id not in type_ids:
extend_type_ids.append(r.peer_type_id)
r = r.to_dict()
r['ad_type_name'] = CITypeCache.get(r.pop('ad_type_id')).name
peer_type_id = r.pop("peer_type_id")
peer_type_name = CITypeCache.get(peer_type_id).name
if not peer_type_name:
peer_type = CITypeCache.get(peer_type_id)
peer_type_name = peer_type and peer_type.name
r['peer_type_name'] = peer_type_name
peer_attr_id = r.pop("peer_attr_id")
peer_attr = AttributeCache.get(peer_attr_id)
r['peer_attr_name'] = peer_attr and peer_attr.name
rules.append(r)
ci_type_auto_discovery_relation_rules = rules
if extend_type_ids:
extend_type_ids = list(set(extend_type_ids))
type_ids.extend(extend_type_ids)
ci_types.extend(CITypeManager.get_ci_types(type_ids=extend_type_ids))
tpt = dict( tpt = dict(
ci_types=ci_types, ci_types=CITypeManager.get_ci_types(),
ci_type_groups=CITypeGroupManager.get(),
relation_types=[i.to_dict() for i in RelationTypeManager.get_all()], relation_types=[i.to_dict() for i in RelationTypeManager.get_all()],
ci_type_relations=ci_type_relations, ci_type_relations=CITypeRelationManager.get()[0],
ci_type_inheritance=CITypeInheritanceManager.get_all(type_ids=type_ids),
ci_type_auto_discovery_rules=list(), ci_type_auto_discovery_rules=list(),
ci_type_auto_discovery_relation_rules=ci_type_auto_discovery_relation_rules,
type2attributes=dict(), type2attributes=dict(),
type2attribute_group=dict(), type2attribute_group=dict(),
icons=dict() icons=dict()
) )
tpt['ci_type_groups'] = CITypeGroupManager.get(ci_types=tpt['ci_types'], type_ids=type_ids)
def get_icon_value(icon): def get_icon_value(icon):
try: try:
@@ -1692,13 +1486,12 @@ class CITypeTemplateManager(object):
except: except:
return "" return ""
type_id2name = {i['id']: i['name'] for i in tpt['ci_types']} ad_rules = AutoDiscoveryCITypeCRUD.get_all()
ad_rules = AutoDiscoveryCITypeCRUD.get_all(type_ids=type_ids)
rules = [] rules = []
for r in ad_rules: for r in ad_rules:
r = r.to_dict() r = r.to_dict()
ci_type = CITypeCache.get(r.pop('type_id'))
r['type_name'] = type_id2name.get(r.pop('type_id')) r['type_name'] = ci_type and ci_type.name
if r.get('adr_id'): if r.get('adr_id'):
adr = AutoDiscoveryRuleCRUD.get_by_id(r.pop('adr_id')) adr = AutoDiscoveryRuleCRUD.get_by_id(r.pop('adr_id'))
r['adr_name'] = adr and adr.name r['adr_name'] = adr and adr.name
@@ -1732,6 +1525,65 @@ class CITypeTemplateManager(object):
return tpt return tpt
@staticmethod
def export_template_by_type(type_id):
ci_type = CITypeCache.get(type_id) or abort(404, ErrFormat.ci_type_not_found2.format("id={}".format(type_id)))
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleCRUD
from api.lib.common_setting.upload_file import CommonFileCRUD
tpt = dict(
ci_types=CITypeManager.get_ci_types(type_name=ci_type.name, like=False),
ci_type_auto_discovery_rules=list(),
type2attributes=dict(),
type2attribute_group=dict(),
icons=dict()
)
def get_icon_value(icon):
try:
return CommonFileCRUD().get_file_binary_str(icon)
except:
return ""
ad_rules = AutoDiscoveryCITypeCRUD.get_by_type_id(ci_type.id)
rules = []
for r in ad_rules:
r = r.to_dict()
r['type_name'] = ci_type and ci_type.name
if r.get('adr_id'):
adr = AutoDiscoveryRuleCRUD.get_by_id(r.pop('adr_id'))
r['adr_name'] = adr and adr.name
r['adr'] = adr and adr.to_dict() or {}
icon_url = r['adr'].get('option', {}).get('icon', {}).get('url')
if icon_url and icon_url not in tpt['icons']:
tpt['icons'][icon_url] = get_icon_value(icon_url)
rules.append(r)
tpt['ci_type_auto_discovery_rules'] = rules
for ci_type in tpt['ci_types']:
if ci_type['icon'] and len(ci_type['icon'].split('$$')) > 3:
icon_url = ci_type['icon'].split('$$')[3]
if icon_url not in tpt['icons']:
tpt['icons'][icon_url] = get_icon_value(icon_url)
tpt['type2attributes'][ci_type['id']] = CITypeAttributeManager.get_attributes_by_type_id(
ci_type['id'], choice_web_hook_parse=False, choice_other_parse=False)
for attr in tpt['type2attributes'][ci_type['id']]:
for i in (attr.get('choice_value') or []):
if (i[1] or {}).get('icon', {}).get('url') and len(i[1]['icon']['url'].split('$$')) > 3:
icon_url = i[1]['icon']['url'].split('$$')[3]
if icon_url not in tpt['icons']:
tpt['icons'][icon_url] = get_icon_value(icon_url)
tpt['type2attribute_group'][ci_type['id']] = CITypeAttributeGroupManager.get_by_type_id(ci_type['id'])
return tpt
class CITypeUniqueConstraintManager(object): class CITypeUniqueConstraintManager(object):
@staticmethod @staticmethod

View File

@@ -41,23 +41,23 @@ class OperateType(BaseEnum):
class CITypeOperateType(BaseEnum): class CITypeOperateType(BaseEnum):
ADD = "0" # add CIType ADD = "0" # 新增模型
UPDATE = "1" # update CIType UPDATE = "1" # 修改模型
DELETE = "2" # delete CIType DELETE = "2" # 删除模型
ADD_ATTRIBUTE = "3" ADD_ATTRIBUTE = "3" # 新增属性
UPDATE_ATTRIBUTE = "4" UPDATE_ATTRIBUTE = "4" # 修改属性
DELETE_ATTRIBUTE = "5" DELETE_ATTRIBUTE = "5" # 删除属性
ADD_TRIGGER = "6" ADD_TRIGGER = "6" # 新增触发器
UPDATE_TRIGGER = "7" UPDATE_TRIGGER = "7" # 修改触发器
DELETE_TRIGGER = "8" DELETE_TRIGGER = "8" # 删除触发器
ADD_UNIQUE_CONSTRAINT = "9" ADD_UNIQUE_CONSTRAINT = "9" # 新增联合唯一
UPDATE_UNIQUE_CONSTRAINT = "10" UPDATE_UNIQUE_CONSTRAINT = "10" # 修改联合唯一
DELETE_UNIQUE_CONSTRAINT = "11" DELETE_UNIQUE_CONSTRAINT = "11" # 删除联合唯一
ADD_RELATION = "12" ADD_RELATION = "12" # 新增关系
DELETE_RELATION = "13" DELETE_RELATION = "13" # 删除关系
ADD_RECONCILIATION = "14" ADD_RECONCILIATION = "14" # 删除关系
UPDATE_RECONCILIATION = "15" UPDATE_RECONCILIATION = "15" # 删除关系
DELETE_RECONCILIATION = "16" DELETE_RECONCILIATION = "16" # 删除关系
class RetKey(BaseEnum): class RetKey(BaseEnum):
@@ -73,7 +73,6 @@ class ResourceTypeEnum(BaseEnum):
RELATION_VIEW = "RelationView" # read/update/delete/grant RELATION_VIEW = "RelationView" # read/update/delete/grant
CI_FILTER = "CIFilter" # read CI_FILTER = "CIFilter" # read
PAGE = "page" # read PAGE = "page" # read
TOPOLOGY_VIEW = "TopologyView" # read/update/delete/grant
class PermEnum(BaseEnum): class PermEnum(BaseEnum):
@@ -93,8 +92,7 @@ class RoleEnum(BaseEnum):
class AutoDiscoveryType(BaseEnum): class AutoDiscoveryType(BaseEnum):
AGENT = "agent" AGENT = "agent"
SNMP = "snmp" SNMP = "snmp"
HTTP = "http" # cloud HTTP = "http"
COMPONENTS = "components"
class AttributeDefaultValueEnum(BaseEnum): class AttributeDefaultValueEnum(BaseEnum):
@@ -108,10 +106,6 @@ class ExecuteStatusEnum(BaseEnum):
FAILED = '1' FAILED = '1'
RUNNING = '2' RUNNING = '2'
class RelationSourceEnum(BaseEnum):
ATTRIBUTE_VALUES = "0"
AUTO_DISCOVERY = "1"
CMDB_QUEUE = "one_cmdb_async" CMDB_QUEUE = "one_cmdb_async"
REDIS_PREFIX_CI = "ONE_CMDB" REDIS_PREFIX_CI = "ONE_CMDB"

View File

@@ -13,7 +13,6 @@ from api.lib.cmdb.const import OperateType
from api.lib.cmdb.perms import CIFilterPermsCRUD from api.lib.cmdb.perms import CIFilterPermsCRUD
from api.lib.cmdb.resp_format import ErrFormat from api.lib.cmdb.resp_format import ErrFormat
from api.lib.perm.acl.cache import UserCache from api.lib.perm.acl.cache import UserCache
from api.models.cmdb import CI
from api.models.cmdb import Attribute from api.models.cmdb import Attribute
from api.models.cmdb import AttributeHistory from api.models.cmdb import AttributeHistory
from api.models.cmdb import CIRelationHistory from api.models.cmdb import CIRelationHistory
@@ -232,8 +231,8 @@ class AttributeHistoryManger(object):
class CIRelationHistoryManager(object): class CIRelationHistoryManager(object):
@staticmethod @staticmethod
def add(rel_obj, operate_type=OperateType.ADD, uid=None): def add(rel_obj, operate_type=OperateType.ADD):
record = OperationRecord.create(uid=uid or current_user.uid) record = OperationRecord.create(uid=current_user.uid)
CIRelationHistory.create(relation_id=rel_obj.id, CIRelationHistory.create(relation_id=rel_obj.id,
record_id=record.id, record_id=record.id,
@@ -307,7 +306,7 @@ class CITriggerHistoryManager(object):
def get(page, page_size, type_id=None, trigger_id=None, operate_type=None): def get(page, page_size, type_id=None, trigger_id=None, operate_type=None):
query = CITriggerHistory.get_by(only_query=True) query = CITriggerHistory.get_by(only_query=True)
if type_id: if type_id:
query = query.join(CI, CI.id == CITriggerHistory.ci_id).filter(CI.type_id == type_id) query = query.filter(CITriggerHistory.type_id == type_id)
if trigger_id: if trigger_id:
query = query.filter(CITriggerHistory.trigger_id == trigger_id) query = query.filter(CITriggerHistory.trigger_id == trigger_id)

View File

@@ -25,15 +25,14 @@ from api.lib.cmdb.resp_format import ErrFormat
from api.lib.exception import AbortException from api.lib.exception import AbortException
from api.lib.perm.acl.acl import ACLManager from api.lib.perm.acl.acl import ACLManager
from api.models.cmdb import CITypeAttribute from api.models.cmdb import CITypeAttribute
from api.models.cmdb import CITypeGroup
from api.models.cmdb import CITypeGroupItem
from api.models.cmdb import CITypeRelation from api.models.cmdb import CITypeRelation
from api.models.cmdb import PreferenceCITypeOrder from api.models.cmdb import PreferenceCITypeOrder
from api.models.cmdb import PreferenceRelationView from api.models.cmdb import PreferenceRelationView
from api.models.cmdb import PreferenceSearchOption from api.models.cmdb import PreferenceSearchOption
from api.models.cmdb import PreferenceShowAttributes from api.models.cmdb import PreferenceShowAttributes
from api.models.cmdb import PreferenceTreeView from api.models.cmdb import PreferenceTreeView
from api.models.cmdb import CITypeGroup
from api.models.cmdb import CITypeGroupItem
class PreferenceManager(object): class PreferenceManager(object):
pref_attr_cls = PreferenceShowAttributes pref_attr_cls = PreferenceShowAttributes
@@ -86,6 +85,7 @@ class PreferenceManager(object):
return dict(group_types=group_types, tree_types=tree_types, type_ids=list(type_ids)) return dict(group_types=group_types, tree_types=tree_types, type_ids=list(type_ids))
@staticmethod @staticmethod
def get_types2(instance=False, tree=False): def get_types2(instance=False, tree=False):
""" """

View File

@@ -62,7 +62,6 @@ class ErrFormat(CommonErrFormat):
"The model cannot be deleted because the CI already exists") # 因为CI已经存在不能删除模型 "The model cannot be deleted because the CI already exists") # 因为CI已经存在不能删除模型
ci_exists_and_cannot_delete_inheritance = _l( ci_exists_and_cannot_delete_inheritance = _l(
"The inheritance cannot be deleted because the CI already exists") # 因为CI已经存在不能删除继承关系 "The inheritance cannot be deleted because the CI already exists") # 因为CI已经存在不能删除继承关系
ci_type_inheritance_cannot_delete = _l("The model is inherited and cannot be deleted") # 该模型被继承, 不能删除
# 因为关系视图 {} 引用了该模型,不能删除模型 # 因为关系视图 {} 引用了该模型,不能删除模型
ci_relation_view_exists_and_cannot_delete_type = _l( ci_relation_view_exists_and_cannot_delete_type = _l(
@@ -145,8 +144,3 @@ class ErrFormat(CommonErrFormat):
cron_time_format_invalid = _l("Scheduling time format error") # 调度时间格式错误 cron_time_format_invalid = _l("Scheduling time format error") # 调度时间格式错误
reconciliation_title = _l("CMDB data reconciliation results") # CMDB数据合规检查结果 reconciliation_title = _l("CMDB data reconciliation results") # CMDB数据合规检查结果
reconciliation_body = _l("Number of {} illegal: {}") # "{} 不合规数: {}" reconciliation_body = _l("Number of {} illegal: {}") # "{} 不合规数: {}"
topology_exists = _l("Topology view {} already exists") # 拓扑视图 {} 已经存在
topology_group_exists = _l("Topology group {} already exists") # 拓扑视图分组 {} 已经存在
# 因为该分组下定义了拓扑视图,不能删除
topo_view_exists_cannot_delete_group = _l("The group cannot be deleted because the topology view already exists")

View File

@@ -17,12 +17,10 @@ def search(query=None,
count=1, count=1,
sort=None, sort=None,
excludes=None, excludes=None,
use_id_filter=False, use_id_filter=False):
use_ci_filter=True):
if current_app.config.get("USE_ES"): if current_app.config.get("USE_ES"):
s = SearchFromES(query, fl, facet, page, ret_key, count, sort) s = SearchFromES(query, fl, facet, page, ret_key, count, sort)
else: else:
s = SearchFromDB(query, fl, facet, page, ret_key, count, sort, excludes=excludes, s = SearchFromDB(query, fl, facet, page, ret_key, count, sort, excludes=excludes, use_id_filter=use_id_filter)
use_id_filter=use_id_filter, use_ci_filter=use_ci_filter)
return s return s

View File

@@ -70,7 +70,6 @@ class Search(object):
self.valid_type_names = [] self.valid_type_names = []
self.type2filter_perms = dict() self.type2filter_perms = dict()
self.is_app_admin = is_app_admin('cmdb') or current_user.username == "worker" self.is_app_admin = is_app_admin('cmdb') or current_user.username == "worker"
self.is_app_admin = self.is_app_admin or (not self.use_ci_filter and not self.use_id_filter)
@staticmethod @staticmethod
def _operator_proc(key): def _operator_proc(key):

View File

@@ -1,251 +0,0 @@
# -*- coding:utf-8 -*-
import json
from flask import abort
from flask import current_app
from flask_login import current_user
from werkzeug.exceptions import BadRequest
from api.extensions import rd
from api.lib.cmdb.cache import AttributeCache
from api.lib.cmdb.cache import CITypeCache
from api.lib.cmdb.ci import CIRelationManager
from api.lib.cmdb.ci_type import CITypeRelationManager
from api.lib.cmdb.const import REDIS_PREFIX_CI_RELATION
from api.lib.cmdb.const import ResourceTypeEnum
from api.lib.cmdb.resp_format import ErrFormat
from api.lib.cmdb.search import SearchError
from api.lib.cmdb.search.ci import search as ci_search
from api.lib.perm.acl.acl import ACLManager
from api.lib.perm.acl.acl import is_app_admin
from api.models.cmdb import TopologyView
from api.models.cmdb import TopologyViewGroup
class TopologyViewManager(object):
group_cls = TopologyViewGroup
cls = TopologyView
@classmethod
def get_name_by_id(cls, _id):
res = cls.cls.get_by_id(_id)
return res and res.name
def get_view_by_id(self, _id):
res = self.cls.get_by_id(_id)
return res and res.to_dict() or {}
@classmethod
def add_group(cls, name, order):
if order is None:
cur_max_order = cls.group_cls.get_by(only_query=True).order_by(cls.group_cls.order.desc()).first()
cur_max_order = cur_max_order and cur_max_order.order or 0
order = cur_max_order + 1
cls.group_cls.get_by(name=name, first=True, to_dict=False) and abort(
400, ErrFormat.topology_group_exists.format(name))
return cls.group_cls.create(name=name, order=order)
def update_group(self, group_id, name, view_ids):
existed = self.group_cls.get_by_id(group_id) or abort(404, ErrFormat.not_found)
if name is not None and name != existed.name:
existed.update(name=name)
for idx, view_id in enumerate(view_ids):
view = self.cls.get_by_id(view_id)
if view is not None:
view.update(group_id=group_id, order=idx)
return existed.to_dict()
@classmethod
def delete_group(cls, _id):
existed = cls.group_cls.get_by_id(_id) or abort(404, ErrFormat.not_found)
if cls.cls.get_by(group_id=_id, first=True):
return abort(400, ErrFormat.topo_view_exists_cannot_delete_group)
existed.soft_delete()
@classmethod
def group_order(cls, group_ids):
for idx, group_id in enumerate(group_ids):
group = cls.group_cls.get_by_id(group_id)
group.update(order=idx + 1)
@classmethod
def add(cls, name, group_id, option, order=None, **kwargs):
cls.cls.get_by(name=name, first=True) and abort(400, ErrFormat.topology_exists.format(name))
if order is None:
cur_max_order = cls.cls.get_by(group_id=group_id, only_query=True).order_by(
cls.cls.order.desc()).first()
cur_max_order = cur_max_order and cur_max_order.order or 0
order = cur_max_order + 1
inst = cls.cls.create(name=name, group_id=group_id, option=option, order=order, **kwargs).to_dict()
if current_app.config.get('USE_ACL'):
try:
ACLManager().add_resource(name, ResourceTypeEnum.TOPOLOGY_VIEW)
except BadRequest:
pass
ACLManager().grant_resource_to_role(name,
current_user.username,
ResourceTypeEnum.TOPOLOGY_VIEW)
return inst
@classmethod
def update(cls, _id, **kwargs):
existed = cls.cls.get_by_id(_id) or abort(404, ErrFormat.not_found)
existed_name = existed.name
inst = existed.update(filter_none=False, **kwargs).to_dict()
if current_app.config.get('USE_ACL') and existed_name != kwargs.get('name') and kwargs.get('name'):
try:
ACLManager().update_resource(existed_name, kwargs['name'], ResourceTypeEnum.TOPOLOGY_VIEW)
except BadRequest:
pass
return inst
@classmethod
def delete(cls, _id):
existed = cls.cls.get_by_id(_id) or abort(404, ErrFormat.not_found)
existed.soft_delete()
if current_app.config.get("USE_ACL"):
ACLManager().del_resource(existed.name, ResourceTypeEnum.TOPOLOGY_VIEW)
@classmethod
def group_inner_order(cls, _ids):
for idx, _id in enumerate(_ids):
topology = cls.cls.get_by_id(_id)
topology.update(order=idx + 1)
@classmethod
def get_all(cls):
resources = None
if current_app.config.get('USE_ACL') and not is_app_admin('cmdb'):
resources = set([i.get('name') for i in ACLManager().get_resources(ResourceTypeEnum.TOPOLOGY_VIEW)])
groups = cls.group_cls.get_by(to_dict=True)
groups = sorted(groups, key=lambda x: x['order'])
group2pos = {group['id']: idx for idx, group in enumerate(groups)}
topo_views = sorted(cls.cls.get_by(to_dict=True), key=lambda x: x['order'])
other_group = dict(views=[])
for view in topo_views:
if resources is not None and view['name'] not in resources:
continue
if view['group_id']:
groups[group2pos[view['group_id']]].setdefault('views', []).append(view)
else:
other_group['views'].append(view)
if other_group['views']:
groups.append(other_group)
return groups
@staticmethod
def relation_from_ci_type(type_id):
nodes, edges = CITypeRelationManager.get_relations_by_type_id(type_id)
return dict(nodes=nodes, edges=edges)
def topology_view(self, view_id=None, preview=None):
if view_id is not None:
view = self.cls.get_by_id(view_id) or abort(404, ErrFormat.not_found)
central_node_type, central_node_instances, path = (view.central_node_type,
view.central_node_instances, view.path)
else:
central_node_type = preview.get('central_node_type')
central_node_instances = preview.get('central_node_instances')
path = preview.get('path')
nodes, links = [], []
_type = CITypeCache.get(central_node_type)
if not _type:
return dict(nodes=nodes, links=links)
type2meta = {_type.id: _type.icon}
root_ids = []
show_key = AttributeCache.get(_type.show_id or _type.unique_id)
q = (central_node_instances[2:] if central_node_instances.startswith('q=') else
central_node_instances)
s = ci_search(q, fl=['_id', show_key.name], use_id_filter=False, use_ci_filter=False, count=1000000)
try:
response, _, _, _, _, _ = s.search()
except SearchError as e:
current_app.logger.info(e)
return dict(nodes=nodes, links=links)
for i in response:
root_ids.append(i['_id'])
nodes.append(dict(id=str(i['_id']), name=i[show_key.name], type_id=central_node_type))
if not root_ids:
return dict(nodes=nodes, links=links)
prefix = REDIS_PREFIX_CI_RELATION
key = list(map(str, root_ids))
id2node = {}
for level in sorted([i for i in path.keys() if int(i) > 0]):
type_ids = {int(i) for i in path[level]}
res = [json.loads(x).items() for x in [i or '{}' for i in rd.get(key, prefix) or []]]
new_key = []
for idx, from_id in enumerate(key):
for to_id, type_id in res[idx]:
if type_id in type_ids:
links.append({'from': from_id, 'to': to_id})
id2node[to_id] = {'id': to_id, 'type_id': type_id}
new_key.append(to_id)
if type_id not in type2meta:
type2meta[type_id] = CITypeCache.get(type_id).icon
key = new_key
ci_ids = list(map(int, root_ids))
for level in sorted([i for i in path.keys() if int(i) < 0]):
type_ids = {int(i) for i in path[level]}
res = CIRelationManager.get_parent_ids(ci_ids)
_ci_ids = []
for to_id in res:
for from_id, type_id in res[to_id]:
if type_id in type_ids:
from_id, to_id = str(from_id), str(to_id)
links.append({'from': from_id, 'to': to_id})
id2node[from_id] = {'id': str(from_id), 'type_id': type_id}
_ci_ids.append(from_id)
if type_id not in type2meta:
type2meta[type_id] = CITypeCache.get(type_id).icon
ci_ids = _ci_ids
fl = set()
type_ids = {t for lv in path if lv != '0' for t in path[lv]}
type2show = {}
for type_id in type_ids:
ci_type = CITypeCache.get(type_id)
if ci_type:
attr = AttributeCache.get(ci_type.show_id or ci_type.unique_id)
if attr:
fl.add(attr.name)
type2show[type_id] = attr.name
if id2node:
s = ci_search("_id:({})".format(';'.join(id2node.keys())), fl=list(fl),
use_id_filter=False, use_ci_filter=False, count=1000000)
try:
response, _, _, _, _, _ = s.search()
except SearchError:
return dict(nodes=nodes, links=links)
for i in response:
id2node[str(i['_id'])]['name'] = i[type2show[str(i['_type'])]]
nodes.extend(id2node.values())
return dict(nodes=nodes, links=links, type2meta=type2meta)

View File

@@ -28,31 +28,13 @@ def string2int(x):
return v return v
def str2date(x): def str2datetime(x):
try: try:
return datetime.datetime.strptime(x, "%Y-%m-%d").date() return datetime.datetime.strptime(x, "%Y-%m-%d").date()
except ValueError: except ValueError:
pass pass
try: return datetime.datetime.strptime(x, "%Y-%m-%d %H:%M:%S")
return datetime.datetime.strptime(x, "%Y-%m-%d %H:%M:%S").date()
except ValueError:
pass
def str2datetime(x):
x = x.replace('T', ' ')
x = x.replace('Z', '')
try:
return datetime.datetime.strptime(x, "%Y-%m-%d %H:%M:%S")
except ValueError:
pass
return datetime.datetime.strptime(x, "%Y-%m-%d %H:%M")
class ValueTypeMap(object): class ValueTypeMap(object):
@@ -62,7 +44,7 @@ class ValueTypeMap(object):
ValueTypeEnum.TEXT: lambda x: x, ValueTypeEnum.TEXT: lambda x: x,
ValueTypeEnum.TIME: lambda x: TIME_RE.findall(x)[0], ValueTypeEnum.TIME: lambda x: TIME_RE.findall(x)[0],
ValueTypeEnum.DATETIME: str2datetime, ValueTypeEnum.DATETIME: str2datetime,
ValueTypeEnum.DATE: str2date, ValueTypeEnum.DATE: str2datetime,
ValueTypeEnum.JSON: lambda x: json.loads(x) if isinstance(x, six.string_types) and x else x, ValueTypeEnum.JSON: lambda x: json.loads(x) if isinstance(x, six.string_types) and x else x,
} }

View File

@@ -94,7 +94,7 @@ class AttributeValueManager(object):
except ValueDeserializeError as e: except ValueDeserializeError as e:
return abort(400, ErrFormat.attribute_value_invalid2.format(alias, e)) return abort(400, ErrFormat.attribute_value_invalid2.format(alias, e))
except ValueError: except ValueError:
return abort(400, ErrFormat.attribute_value_invalid2.format(alias, value)) return abort(400, ErrFormat.attribute_value_invalid.format(value))
@staticmethod @staticmethod
def _check_is_choice(attr, value_type, value): def _check_is_choice(attr, value_type, value):
@@ -123,9 +123,9 @@ class AttributeValueManager(object):
return abort(400, ErrFormat.attribute_value_required.format(attr.alias)) return abort(400, ErrFormat.attribute_value_required.format(attr.alias))
@staticmethod @staticmethod
def check_re(expr, alias, value): def check_re(expr, value):
if not re.compile(expr).match(str(value)): if not re.compile(expr).match(str(value)):
return abort(400, ErrFormat.attribute_value_invalid2.format(alias, value)) return abort(400, ErrFormat.attribute_value_invalid.format(value))
def _validate(self, attr, value, value_table, ci=None, type_id=None, ci_id=None, type_attr=None): def _validate(self, attr, value, value_table, ci=None, type_id=None, ci_id=None, type_attr=None):
ci = ci or {} ci = ci or {}
@@ -141,7 +141,7 @@ class AttributeValueManager(object):
v = None v = None
if attr.re_check and value: if attr.re_check and value:
self.check_re(attr.re_check, attr.alias, value) self.check_re(attr.re_check, value)
return v return v
@@ -266,7 +266,6 @@ class AttributeValueManager(object):
:return: :return:
""" """
changed = [] changed = []
has_dynamic = False
for key, value in ci_dict.items(): for key, value in ci_dict.items():
attr = key2attr.get(key) attr = key2attr.get(key)
if not attr: if not attr:
@@ -290,16 +289,10 @@ class AttributeValueManager(object):
for idx in range(index, len(existed_attrs)): for idx in range(index, len(existed_attrs)):
existed_attr = existed_attrs[idx] existed_attr = existed_attrs[idx]
existed_attr.delete(flush=False, commit=False) existed_attr.delete(flush=False, commit=False)
if not attr.is_dynamic: changed.append((ci.id, attr.id, OperateType.DELETE, existed_values[idx], None, ci.type_id))
changed.append((ci.id, attr.id, OperateType.DELETE, existed_values[idx], None, ci.type_id))
else:
has_dynamic = True
for idx in range(index, len(value)): for idx in range(index, len(value)):
value_table.create(ci_id=ci.id, attr_id=attr.id, value=value[idx], flush=False, commit=False) value_table.create(ci_id=ci.id, attr_id=attr.id, value=value[idx], flush=False, commit=False)
if not attr.is_dynamic: changed.append((ci.id, attr.id, OperateType.ADD, None, value[idx], ci.type_id))
changed.append((ci.id, attr.id, OperateType.ADD, None, value[idx], ci.type_id))
else:
has_dynamic = True
else: else:
existed_attr = value_table.get_by(attr_id=attr.id, ci_id=ci.id, first=True, to_dict=False) existed_attr = value_table.get_by(attr_id=attr.id, ci_id=ci.id, first=True, to_dict=False)
existed_value = existed_attr and existed_attr.value existed_value = existed_attr and existed_attr.value
@@ -308,10 +301,7 @@ class AttributeValueManager(object):
if existed_value is None and value is not None: if existed_value is None and value is not None:
value_table.create(ci_id=ci.id, attr_id=attr.id, value=value, flush=False, commit=False) value_table.create(ci_id=ci.id, attr_id=attr.id, value=value, flush=False, commit=False)
if not attr.is_dynamic: changed.append((ci.id, attr.id, OperateType.ADD, None, value, ci.type_id))
changed.append((ci.id, attr.id, OperateType.ADD, None, value, ci.type_id))
else:
has_dynamic = True
else: else:
if existed_value != value and existed_attr: if existed_value != value and existed_attr:
if value is None: if value is None:
@@ -319,22 +309,16 @@ class AttributeValueManager(object):
else: else:
existed_attr.update(value=value, flush=False, commit=False) existed_attr.update(value=value, flush=False, commit=False)
if not attr.is_dynamic: changed.append((ci.id, attr.id, OperateType.UPDATE, existed_value, value, ci.type_id))
changed.append((ci.id, attr.id, OperateType.UPDATE, existed_value, value, ci.type_id))
else:
has_dynamic = True
if changed or has_dynamic: try:
try: db.session.commit()
db.session.commit() except Exception as e:
except Exception as e: db.session.rollback()
db.session.rollback() current_app.logger.warning(str(e))
current_app.logger.warning(str(e)) return abort(400, ErrFormat.attribute_value_unknown_error.format(e.args[0]))
return abort(400, ErrFormat.attribute_value_unknown_error.format(e.args[0]))
return self.write_change2(changed, ticket_id=ticket_id), has_dynamic return self.write_change2(changed, ticket_id=ticket_id)
else:
return None, has_dynamic
@staticmethod @staticmethod
def delete_attr_value(attr_id, ci_id, commit=True): def delete_attr_value(attr_id, ci_id, commit=True):

View File

@@ -3,7 +3,6 @@ import functools
from flask import abort, session from flask import abort, session
from api.lib.common_setting.acl import ACLManager from api.lib.common_setting.acl import ACLManager
from api.lib.common_setting.resp_format import ErrFormat from api.lib.common_setting.resp_format import ErrFormat
from api.lib.perm.acl.acl import is_app_admin
def perms_role_required(app_name, resource_type_name, resource_name, perm, role_name=None): def perms_role_required(app_name, resource_type_name, resource_name, perm, role_name=None):
@@ -17,7 +16,7 @@ def perms_role_required(app_name, resource_type_name, resource_name, perm, role_
except Exception as e: except Exception as e:
# resource_type not exist, continue check role # resource_type not exist, continue check role
if role_name: if role_name:
if role_name not in session.get("acl", {}).get("parentRoles", []) and not is_app_admin(app_name): if role_name not in session.get("acl", {}).get("parentRoles", []):
abort(403, ErrFormat.role_required.format(role_name)) abort(403, ErrFormat.role_required.format(role_name))
return func(*args, **kwargs) return func(*args, **kwargs)
@@ -26,7 +25,7 @@ def perms_role_required(app_name, resource_type_name, resource_name, perm, role_
if not has_perms: if not has_perms:
if role_name: if role_name:
if role_name not in session.get("acl", {}).get("parentRoles", []) and not is_app_admin(app_name): if role_name not in session.get("acl", {}).get("parentRoles", []):
abort(403, ErrFormat.role_required.format(role_name)) abort(403, ErrFormat.role_required.format(role_name))
else: else:
abort(403, ErrFormat.resource_no_permission.format(resource_name, perm)) abort(403, ErrFormat.resource_no_permission.format(resource_name, perm))

View File

@@ -48,12 +48,7 @@ class CMDBApp(BaseApp):
{"page": "Model_Relationships", "page_cn": "模型关系", "perms": ["read"]}, {"page": "Model_Relationships", "page_cn": "模型关系", "perms": ["read"]},
{"page": "Operation_Audit", "page_cn": "操作审计", "perms": ["read"]}, {"page": "Operation_Audit", "page_cn": "操作审计", "perms": ["read"]},
{"page": "Relationship_Types", "page_cn": "关系类型", "perms": ["read"]}, {"page": "Relationship_Types", "page_cn": "关系类型", "perms": ["read"]},
{"page": "Auto_Discovery", "page_cn": "自动发现", "perms": ["read", "create_plugin", "update_plugin", "delete_plugin"]}, {"page": "Auto_Discovery", "page_cn": "自动发现", "perms": ["read"]}]
{"page": "TopologyView", "page_cn": "拓扑视图",
"perms": ["read", "create_topology_group", "update_topology_group", "delete_topology_group",
"create_topology_view"],
},
]
def __init__(self): def __init__(self):
super().__init__() super().__init__()

View File

@@ -8,8 +8,6 @@ from api.extensions import db
from api.lib.utils import get_page from api.lib.utils import get_page
from api.lib.utils import get_page_size from api.lib.utils import get_page_size
__author__ = 'pycook'
class DBMixin(object): class DBMixin(object):
cls = None cls = None
@@ -19,18 +17,13 @@ class DBMixin(object):
page = get_page(page) page = get_page(page)
page_size = get_page_size(page_size) page_size = get_page_size(page_size)
if fl is None: if fl is None:
query = db.session.query(cls.cls) query = db.session.query(cls.cls).filter(cls.cls.deleted.is_(False))
else: else:
query = db.session.query(*[getattr(cls.cls, i) for i in fl]) query = db.session.query(*[getattr(cls.cls, i) for i in fl]).filter(cls.cls.deleted.is_(False))
_query = None _query = None
if count_query: if count_query:
_query = db.session.query(func.count(cls.cls.id)) _query = db.session.query(func.count(cls.cls.id)).filter(cls.cls.deleted.is_(False))
if hasattr(cls.cls, 'deleted'):
query = query.filter(cls.cls.deleted.is_(False))
if _query:
_query = _query.filter(cls.cls.deleted.is_(False))
for k in kwargs: for k in kwargs:
if hasattr(cls.cls, k): if hasattr(cls.cls, k):

View File

@@ -3,9 +3,9 @@
import msgpack import msgpack
import redis_lock import redis_lock
from flask import current_app
from api.extensions import cache from api.extensions import cache
from api.extensions import db
from api.extensions import rd from api.extensions import rd
from api.lib.decorator import flush_db from api.lib.decorator import flush_db
from api.models.acl import App from api.models.acl import App
@@ -161,7 +161,6 @@ class RoleRelationCache(object):
def get_parent_ids(cls, rid, app_id, force=False): def get_parent_ids(cls, rid, app_id, force=False):
parent_ids = cache.get(cls.PREFIX_PARENT.format(rid, app_id)) parent_ids = cache.get(cls.PREFIX_PARENT.format(rid, app_id))
if not parent_ids or force: if not parent_ids or force:
db.session.commit()
from api.lib.perm.acl.role import RoleRelationCRUD from api.lib.perm.acl.role import RoleRelationCRUD
parent_ids = RoleRelationCRUD.get_parent_ids(rid, app_id) parent_ids = RoleRelationCRUD.get_parent_ids(rid, app_id)
cache.set(cls.PREFIX_PARENT.format(rid, app_id), parent_ids, timeout=0) cache.set(cls.PREFIX_PARENT.format(rid, app_id), parent_ids, timeout=0)
@@ -172,7 +171,6 @@ class RoleRelationCache(object):
def get_child_ids(cls, rid, app_id, force=False): def get_child_ids(cls, rid, app_id, force=False):
child_ids = cache.get(cls.PREFIX_CHILDREN.format(rid, app_id)) child_ids = cache.get(cls.PREFIX_CHILDREN.format(rid, app_id))
if not child_ids or force: if not child_ids or force:
db.session.commit()
from api.lib.perm.acl.role import RoleRelationCRUD from api.lib.perm.acl.role import RoleRelationCRUD
child_ids = RoleRelationCRUD.get_child_ids(rid, app_id) child_ids = RoleRelationCRUD.get_child_ids(rid, app_id)
cache.set(cls.PREFIX_CHILDREN.format(rid, app_id), child_ids, timeout=0) cache.set(cls.PREFIX_CHILDREN.format(rid, app_id), child_ids, timeout=0)
@@ -189,7 +187,6 @@ class RoleRelationCache(object):
""" """
resources = cache.get(cls.PREFIX_RESOURCES.format(rid, app_id)) resources = cache.get(cls.PREFIX_RESOURCES.format(rid, app_id))
if not resources or force: if not resources or force:
db.session.commit()
from api.lib.perm.acl.role import RoleCRUD from api.lib.perm.acl.role import RoleCRUD
resources = RoleCRUD.get_resources(rid, app_id) resources = RoleCRUD.get_resources(rid, app_id)
if resources['id2perms'] or resources['group2perms']: if resources['id2perms'] or resources['group2perms']:
@@ -201,7 +198,6 @@ class RoleRelationCache(object):
def get_resources2(cls, rid, app_id, force=False): def get_resources2(cls, rid, app_id, force=False):
r_g = cache.get(cls.PREFIX_RESOURCES2.format(rid, app_id)) r_g = cache.get(cls.PREFIX_RESOURCES2.format(rid, app_id))
if not r_g or force: if not r_g or force:
db.session.commit()
res = cls.get_resources(rid, app_id) res = cls.get_resources(rid, app_id)
id2perms = res['id2perms'] id2perms = res['id2perms']
group2perms = res['group2perms'] group2perms = res['group2perms']

View File

@@ -79,8 +79,7 @@ class PermissionCRUD(object):
return r and cls.get_all(r.id) return r and cls.get_all(r.id)
@staticmethod @staticmethod
def grant(rid, perms, resource_id=None, group_id=None, rebuild=True, def grant(rid, perms, resource_id=None, group_id=None, rebuild=True, source=AuditOperateSource.acl):
source=AuditOperateSource.acl, force_update=False):
app_id = None app_id = None
rt_id = None rt_id = None
@@ -107,23 +106,8 @@ class PermissionCRUD(object):
if not perms: if not perms:
perms = [i.get('name') for i in ResourceTypeCRUD.get_perms(group.resource_type_id)] perms = [i.get('name') for i in ResourceTypeCRUD.get_perms(group.resource_type_id)]
if force_update:
revoke_role_permissions = []
existed_perms = RolePermission.get_by(rid=rid,
app_id=app_id,
group_id=group_id,
resource_id=resource_id,
to_dict=False)
for role_perm in existed_perms:
perm = PermissionCache.get(role_perm.perm_id, rt_id)
if perm and perm.name not in perms:
role_perm.soft_delete()
revoke_role_permissions.append(role_perm)
AuditCRUD.add_permission_log(app_id, AuditOperateType.revoke, rid, rt_id,
revoke_role_permissions, source=source)
_role_permissions = [] _role_permissions = []
for _perm in set(perms): for _perm in set(perms):
perm = PermissionCache.get(_perm, rt_id) perm = PermissionCache.get(_perm, rt_id)
if not perm: if not perm:

View File

@@ -315,12 +315,9 @@ class ResourceCRUD(object):
return resource return resource
@staticmethod @staticmethod
def delete(_id, rebuild=True, app_id=None): def delete(_id, rebuild=True):
resource = Resource.get_by_id(_id) or abort(404, ErrFormat.resource_not_found.format("id={}".format(_id))) resource = Resource.get_by_id(_id) or abort(404, ErrFormat.resource_not_found.format("id={}".format(_id)))
if app_id is not None and resource.app_id != app_id:
return abort(404, ErrFormat.resource_not_found.format("id={}".format(_id)))
origin = resource.to_dict() origin = resource.to_dict()
resource.soft_delete() resource.soft_delete()

View File

@@ -154,19 +154,19 @@ class RoleRelationCRUD(object):
if existed: if existed:
continue continue
if parent_id in cls.recursive_child_ids(child_id, app_id):
return abort(400, ErrFormat.inheritance_dead_loop)
result.append(RoleRelation.create(parent_id=parent_id, child_id=child_id, app_id=app_id).to_dict())
RoleRelationCache.clean(parent_id, app_id) RoleRelationCache.clean(parent_id, app_id)
RoleRelationCache.clean(child_id, app_id) RoleRelationCache.clean(child_id, app_id)
if parent_id in cls.recursive_child_ids(child_id, app_id):
return abort(400, ErrFormat.inheritance_dead_loop)
if app_id is None: if app_id is None:
for app in AppCRUD.get_all(): for app in AppCRUD.get_all():
if app.name != "acl": if app.name != "acl":
RoleRelationCache.clean(child_id, app.id) RoleRelationCache.clean(child_id, app.id)
result.append(RoleRelation.create(parent_id=parent_id, child_id=child_id, app_id=app_id).to_dict())
AuditCRUD.add_role_log(app_id, AuditOperateType.role_relation_add, AuditCRUD.add_role_log(app_id, AuditOperateType.role_relation_add,
AuditScope.role_relation, role.id, {}, {}, AuditScope.role_relation, role.id, {}, {},
{'child_ids': list(child_ids), 'parent_ids': [parent_id], } {'child_ids': list(child_ids), 'parent_ids': [parent_id], }

View File

@@ -51,12 +51,12 @@ def _auth_with_key():
user, authenticated = User.query.authenticate_with_key(key, secret, req_args, path) user, authenticated = User.query.authenticate_with_key(key, secret, req_args, path)
if user and authenticated: if user and authenticated:
login_user(user) login_user(user)
# reset_session(user) reset_session(user)
return True return True
role, authenticated = Role.query.authenticate_with_key(key, secret, req_args, path) role, authenticated = Role.query.authenticate_with_key(key, secret, req_args, path)
if role and authenticated: if role and authenticated:
# reset_session(None, role=role.name) reset_session(None, role=role.name)
return True return True
return False return False

View File

@@ -29,6 +29,6 @@ class CommonErrFormat(object):
role_required = _l("Role {} can only operate!") # 角色 {} 才能操作! role_required = _l("Role {} can only operate!") # 角色 {} 才能操作!
user_not_found = _l("User {} does not exist") # 用户 {} 不存在 user_not_found = _l("User {} does not exist") # 用户 {} 不存在
no_permission = _l("For resource: {}, you do not have {} permission!") # 您没有资源: {} 的{}权限! no_permission = _l("You do not have {} permission for resource: {}!") # 您没有资源: {} 的{}权限!
no_permission2 = _l("You do not have permission to operate!") # 您没有操作权限! no_permission2 = _l("You do not have permission to operate!") # 您没有操作权限!
no_permission_only_owner = _l("Only the creator or administrator has permission!") # 只有创建人或者管理员才有权限! no_permission_only_owner = _l("Only the creator or administrator has permission!") # 只有创建人或者管理员才有权限!

View File

@@ -3,8 +3,8 @@ import os
import secrets import secrets
import sys import sys
import threading import threading
from base64 import b64decode, b64encode
from base64 import b64decode, b64encode
from Cryptodome.Protocol.SecretSharing import Shamir from Cryptodome.Protocol.SecretSharing import Shamir
from colorama import Back, Fore, Style, init as colorama_init from colorama import Back, Fore, Style, init as colorama_init
from cryptography.hazmat.backends import default_backend from cryptography.hazmat.backends import default_backend
@@ -30,7 +30,6 @@ seal_status = True
secrets_encrypt_key = "" secrets_encrypt_key = ""
secrets_root_key = "" secrets_root_key = ""
def string_to_bytes(value): def string_to_bytes(value):
if not value: if not value:
return "" return ""
@@ -79,7 +78,7 @@ class KeyManage:
(len(sys.argv) > 1 and sys.argv[1] in ("run", "cmdb-password-data-migrate"))): (len(sys.argv) > 1 and sys.argv[1] in ("run", "cmdb-password-data-migrate"))):
self.backend = backend self.backend = backend
threading.Thread(target=self.watch_root_key, args=(app,), daemon=True).start() threading.Thread(target=self.watch_root_key, args=(app,)).start()
self.trigger = app.config.get("INNER_TRIGGER_TOKEN") self.trigger = app.config.get("INNER_TRIGGER_TOKEN")
if not self.trigger: if not self.trigger:
@@ -413,7 +412,7 @@ class KeyManage:
class InnerCrypt: class InnerCrypt:
def __init__(self): def __init__(self):
self.encrypt_key = b64decode(secrets_encrypt_key) self.encrypt_key = b64decode(secrets_encrypt_key)
# self.encrypt_key = b64decode(secrets_encrypt_key, "".encode("utf-8")) #self.encrypt_key = b64decode(secrets_encrypt_key, "".encode("utf-8"))
def encrypt(self, plaintext): def encrypt(self, plaintext):
""" """
@@ -491,4 +490,4 @@ if __name__ == "__main__":
t_ciphertext, status1 = c.encrypt(t_plaintext) t_ciphertext, status1 = c.encrypt(t_plaintext)
print("Ciphertext:", t_ciphertext) print("Ciphertext:", t_ciphertext)
decrypted_plaintext, status2 = c.decrypt(t_ciphertext) decrypted_plaintext, status2 = c.decrypt(t_ciphertext)
print("Decrypted plaintext:", decrypted_plaintext) print("Decrypted plaintext:", decrypted_plaintext)

View File

@@ -88,11 +88,11 @@ def webhook_request(webhook, payload):
params = webhook.get('parameters') or None params = webhook.get('parameters') or None
if isinstance(params, dict): if isinstance(params, dict):
params = json.loads(Template(json.dumps(params)).render(payload).encode('utf-8')) params = json.loads(Template(json.dumps(params)).render(payload))
headers = json.loads(Template(json.dumps(webhook.get('headers') or {})).render(payload)) headers = json.loads(Template(json.dumps(webhook.get('headers') or {})).render(payload))
data = Template(json.dumps(webhook.get('body', ''))).render(payload).encode('utf-8') data = Template(json.dumps(webhook.get('body', ''))).render(payload)
auth = _wrap_auth(**webhook.get('authorization', {})) auth = _wrap_auth(**webhook.get('authorization', {}))
if (webhook.get('authorization', {}).get("type") or '').lower() == 'oauth2.0': if (webhook.get('authorization', {}).get("type") or '').lower() == 'oauth2.0':

View File

@@ -2,6 +2,7 @@
import datetime import datetime
from sqlalchemy.dialects.mysql import DOUBLE from sqlalchemy.dialects.mysql import DOUBLE
from api.extensions import db from api.extensions import db
@@ -10,7 +11,6 @@ from api.lib.cmdb.const import CIStatusEnum
from api.lib.cmdb.const import CITypeOperateType from api.lib.cmdb.const import CITypeOperateType
from api.lib.cmdb.const import ConstraintEnum from api.lib.cmdb.const import ConstraintEnum
from api.lib.cmdb.const import OperateType from api.lib.cmdb.const import OperateType
from api.lib.cmdb.const import RelationSourceEnum
from api.lib.cmdb.const import ValueTypeEnum from api.lib.cmdb.const import ValueTypeEnum
from api.lib.database import Model from api.lib.database import Model
from api.lib.database import Model2 from api.lib.database import Model2
@@ -79,11 +79,8 @@ class CITypeRelation(Model):
relation_type_id = db.Column(db.Integer, db.ForeignKey("c_relation_types.id"), nullable=False) relation_type_id = db.Column(db.Integer, db.ForeignKey("c_relation_types.id"), nullable=False)
constraint = db.Column(db.Enum(*ConstraintEnum.all()), default=ConstraintEnum.One2Many) constraint = db.Column(db.Enum(*ConstraintEnum.all()), default=ConstraintEnum.One2Many)
parent_attr_id = db.Column(db.Integer, db.ForeignKey("c_attributes.id")) # CMDB > 2.4.5: deprecated parent_attr_id = db.Column(db.Integer, db.ForeignKey("c_attributes.id"))
child_attr_id = db.Column(db.Integer, db.ForeignKey("c_attributes.id")) # CMDB > 2.4.5: deprecated child_attr_id = db.Column(db.Integer, db.ForeignKey("c_attributes.id"))
parent_attr_ids = db.Column(db.JSON) # [parent_attr_id, ]
child_attr_ids = db.Column(db.JSON) # [child_attr_id, ]
parent = db.relationship("CIType", primaryjoin="CIType.id==CITypeRelation.parent_id") parent = db.relationship("CIType", primaryjoin="CIType.id==CITypeRelation.parent_id")
child = db.relationship("CIType", primaryjoin="CIType.id==CITypeRelation.child_id") child = db.relationship("CIType", primaryjoin="CIType.id==CITypeRelation.child_id")
@@ -104,7 +101,6 @@ class Attribute(Model):
is_link = db.Column(db.Boolean, default=False) is_link = db.Column(db.Boolean, default=False)
is_password = db.Column(db.Boolean, default=False) is_password = db.Column(db.Boolean, default=False)
is_sortable = db.Column(db.Boolean, default=False) is_sortable = db.Column(db.Boolean, default=False)
is_dynamic = db.Column(db.Boolean, default=False)
default = db.Column(db.JSON) # {"default": None} default = db.Column(db.JSON) # {"default": None}
@@ -213,26 +209,6 @@ class CITriggerHistory(Model):
webhook = db.Column(db.Text) webhook = db.Column(db.Text)
class TopologyViewGroup(Model):
__tablename__ = 'c_topology_view_groups'
name = db.Column(db.String(64), index=True)
order = db.Column(db.Integer, default=0)
class TopologyView(Model):
__tablename__ = 'c_topology_views'
name = db.Column(db.String(64), index=True)
group_id = db.Column(db.Integer, db.ForeignKey('c_topology_view_groups.id'))
category = db.Column(db.String(32))
central_node_type = db.Column(db.Integer)
central_node_instances = db.Column(db.Text)
path = db.Column(db.JSON)
order = db.Column(db.Integer, default=0)
option = db.Column(db.JSON)
class CITypeUniqueConstraint(Model): class CITypeUniqueConstraint(Model):
__tablename__ = "c_c_t_u_c" __tablename__ = "c_c_t_u_c"
@@ -260,7 +236,6 @@ class CIRelation(Model):
second_ci_id = db.Column(db.Integer, db.ForeignKey("c_cis.id"), nullable=False) second_ci_id = db.Column(db.Integer, db.ForeignKey("c_cis.id"), nullable=False)
relation_type_id = db.Column(db.Integer, db.ForeignKey("c_relation_types.id"), nullable=False) relation_type_id = db.Column(db.Integer, db.ForeignKey("c_relation_types.id"), nullable=False)
more = db.Column(db.Integer, db.ForeignKey("c_cis.id")) more = db.Column(db.Integer, db.ForeignKey("c_cis.id"))
source = db.Column(db.Enum(*RelationSourceEnum.all()), name="source")
ancestor_ids = db.Column(db.String(128), index=True) ancestor_ids = db.Column(db.String(128), index=True)
@@ -567,28 +542,18 @@ class AutoDiscoveryCIType(Model):
attributes = db.Column(db.JSON) # {ad_key: cmdb_key} attributes = db.Column(db.JSON) # {ad_key: cmdb_key}
relation = db.Column(db.JSON) # [{ad_key: {type_id: x, attr_id: x}}], CMDB > 2.4.5: deprecated relation = db.Column(db.JSON) # [{ad_key: {type_id: x, attr_id: x}}]
auto_accept = db.Column(db.Boolean, default=False) auto_accept = db.Column(db.Boolean, default=False)
agent_id = db.Column(db.String(8), index=True) agent_id = db.Column(db.String(8), index=True)
query_expr = db.Column(db.Text) query_expr = db.Column(db.Text)
interval = db.Column(db.Integer) # seconds, > 2.4.5: deprecated interval = db.Column(db.Integer) # seconds
cron = db.Column(db.String(128)) cron = db.Column(db.String(128))
extra_option = db.Column(db.JSON) extra_option = db.Column(db.JSON)
uid = db.Column(db.Integer, index=True) uid = db.Column(db.Integer, index=True)
enabled = db.Column(db.Boolean, default=True)
class AutoDiscoveryCITypeRelation(Model):
__tablename__ = "c_ad_ci_type_relations"
ad_type_id = db.Column(db.Integer, db.ForeignKey('c_ci_types.id'), nullable=False)
ad_key = db.Column(db.String(128))
peer_type_id = db.Column(db.Integer, db.ForeignKey('c_ci_types.id'), nullable=False)
peer_attr_id = db.Column(db.Integer, db.ForeignKey('c_attributes.id'), nullable=False)
class AutoDiscoveryCI(Model): class AutoDiscoveryCI(Model):
@@ -606,36 +571,6 @@ class AutoDiscoveryCI(Model):
accept_time = db.Column(db.DateTime) accept_time = db.Column(db.DateTime)
class AutoDiscoveryRuleSyncHistory(Model2):
__tablename__ = "c_ad_rule_sync_histories"
adt_id = db.Column(db.Integer, db.ForeignKey('c_ad_ci_types.id'))
oneagent_id = db.Column(db.String(8))
oneagent_name = db.Column(db.String(64))
sync_at = db.Column(db.DateTime, default=datetime.datetime.now())
class AutoDiscoveryExecHistory(Model2):
__tablename__ = "c_ad_exec_histories"
type_id = db.Column(db.Integer, index=True)
stdout = db.Column(db.Text)
class AutoDiscoveryCounter(Model2):
__tablename__ = "c_ad_counter"
type_id = db.Column(db.Integer, index=True)
rule_count = db.Column(db.Integer, default=0)
exec_target_count = db.Column(db.Integer, default=0)
instance_count = db.Column(db.Integer, default=0)
accept_count = db.Column(db.Integer, default=0)
this_month_count = db.Column(db.Integer, default=0)
this_week_count = db.Column(db.Integer, default=0)
last_month_count = db.Column(db.Integer, default=0)
last_week_count = db.Column(db.Integer, default=0)
class CIFilterPerms(Model): class CIFilterPerms(Model):
__tablename__ = "c_ci_filter_perms" __tablename__ = "c_ci_filter_perms"

View File

@@ -2,7 +2,6 @@
import json import json
import datetime
import redis_lock import redis_lock
from flask import current_app from flask import current_app
@@ -26,8 +25,6 @@ from api.lib.utils import handle_arg_list
from api.models.cmdb import CI from api.models.cmdb import CI
from api.models.cmdb import CIRelation from api.models.cmdb import CIRelation
from api.models.cmdb import CITypeAttribute from api.models.cmdb import CITypeAttribute
from api.models.cmdb import AutoDiscoveryCI
from api.models.cmdb import AutoDiscoveryCIType
@celery.task(name="cmdb.ci_cache", queue=CMDB_QUEUE) @celery.task(name="cmdb.ci_cache", queue=CMDB_QUEUE)
@@ -58,10 +55,10 @@ def ci_cache(ci_id, operate_type, record_id):
@celery.task(name="cmdb.rebuild_relation_for_attribute_changed", queue=CMDB_QUEUE) @celery.task(name="cmdb.rebuild_relation_for_attribute_changed", queue=CMDB_QUEUE)
@reconnect_db @reconnect_db
def rebuild_relation_for_attribute_changed(ci_type_relation, uid): def rebuild_relation_for_attribute_changed(ci_type_relation):
from api.lib.cmdb.ci import CIRelationManager from api.lib.cmdb.ci import CIRelationManager
CIRelationManager.rebuild_all_by_attribute(ci_type_relation, uid) CIRelationManager.rebuild_all_by_attribute(ci_type_relation)
@celery.task(name="cmdb.batch_ci_cache", queue=CMDB_QUEUE) @celery.task(name="cmdb.batch_ci_cache", queue=CMDB_QUEUE)
@@ -90,13 +87,6 @@ def ci_delete(ci_id):
else: else:
rd.delete(ci_id, REDIS_PREFIX_CI) rd.delete(ci_id, REDIS_PREFIX_CI)
instance = AutoDiscoveryCI.get_by(ci_id=ci_id, to_dict=False, first=True)
if instance is not None:
adt = AutoDiscoveryCIType.get_by_id(instance.adt_id)
if adt:
adt.update(updated_at=datetime.datetime.now())
instance.delete()
current_app.logger.info("{0} delete..........".format(ci_id)) current_app.logger.info("{0} delete..........".format(ci_id))
@@ -123,17 +113,18 @@ def ci_delete_trigger(trigger, operate_type, ci_dict):
@reconnect_db @reconnect_db
def ci_relation_cache(parent_id, child_id, ancestor_ids): def ci_relation_cache(parent_id, child_id, ancestor_ids):
with redis_lock.Lock(rd.r, "CIRelation_{}".format(parent_id)): with redis_lock.Lock(rd.r, "CIRelation_{}".format(parent_id)):
children = rd.get([parent_id], REDIS_PREFIX_CI_RELATION)[0] if ancestor_ids is None:
children = json.loads(children) if children is not None else {} children = rd.get([parent_id], REDIS_PREFIX_CI_RELATION)[0]
children = json.loads(children) if children is not None else {}
cr = CIRelation.get_by(first_ci_id=parent_id, second_ci_id=child_id, ancestor_ids=ancestor_ids, cr = CIRelation.get_by(first_ci_id=parent_id, second_ci_id=child_id, ancestor_ids=ancestor_ids,
first=True, to_dict=False) first=True, to_dict=False)
if str(child_id) not in children: if str(child_id) not in children:
children[str(child_id)] = cr.second_ci.type_id children[str(child_id)] = cr.second_ci.type_id
rd.create_or_update({parent_id: json.dumps(children)}, REDIS_PREFIX_CI_RELATION) rd.create_or_update({parent_id: json.dumps(children)}, REDIS_PREFIX_CI_RELATION)
if ancestor_ids is not None: else:
key = "{},{}".format(ancestor_ids, parent_id) key = "{},{}".format(ancestor_ids, parent_id)
grandson = rd.get([key], REDIS_PREFIX_CI_RELATION2)[0] grandson = rd.get([key], REDIS_PREFIX_CI_RELATION2)[0]
grandson = json.loads(grandson) if grandson is not None else {} grandson = json.loads(grandson) if grandson is not None else {}
@@ -200,15 +191,16 @@ def ci_relation_add(parent_dict, child_id, uid):
@reconnect_db @reconnect_db
def ci_relation_delete(parent_id, child_id, ancestor_ids): def ci_relation_delete(parent_id, child_id, ancestor_ids):
with redis_lock.Lock(rd.r, "CIRelation_{}".format(parent_id)): with redis_lock.Lock(rd.r, "CIRelation_{}".format(parent_id)):
children = rd.get([parent_id], REDIS_PREFIX_CI_RELATION)[0] if ancestor_ids is None:
children = json.loads(children) if children is not None else {} children = rd.get([parent_id], REDIS_PREFIX_CI_RELATION)[0]
children = json.loads(children) if children is not None else {}
if str(child_id) in children: if str(child_id) in children:
children.pop(str(child_id)) children.pop(str(child_id))
rd.create_or_update({parent_id: json.dumps(children)}, REDIS_PREFIX_CI_RELATION) rd.create_or_update({parent_id: json.dumps(children)}, REDIS_PREFIX_CI_RELATION)
if ancestor_ids is not None: else:
key = "{},{}".format(ancestor_ids, parent_id) key = "{},{}".format(ancestor_ids, parent_id)
grandson = rd.get([key], REDIS_PREFIX_CI_RELATION2)[0] grandson = rd.get([key], REDIS_PREFIX_CI_RELATION2)[0]
grandson = json.loads(grandson) if grandson is not None else {} grandson = json.loads(grandson) if grandson is not None else {}
@@ -259,21 +251,3 @@ def calc_computed_attribute(attr_id, uid):
cis = CI.get_by(type_id=i.type_id, to_dict=False) cis = CI.get_by(type_id=i.type_id, to_dict=False)
for ci in cis: for ci in cis:
cim.update(ci.id, {}) cim.update(ci.id, {})
@celery.task(name="cmdb.write_ad_rule_sync_history", queue=CMDB_QUEUE)
@reconnect_db
def write_ad_rule_sync_history(rules, oneagent_id, oneagent_name, sync_at):
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleSyncHistoryCRUD
for rule in rules:
AutoDiscoveryRuleSyncHistoryCRUD().upsert(adt_id=rule['id'],
oneagent_id=oneagent_id,
oneagent_name=oneagent_name,
sync_at=sync_at,
commit=False)
try:
db.session.commit()
except Exception as e:
current_app.logger.error("write auto discovery rule sync history failed: {}".format(e))
db.session.rollback()

View File

@@ -7,7 +7,7 @@ msgid ""
msgstr "" msgstr ""
"Project-Id-Version: PROJECT VERSION\n" "Project-Id-Version: PROJECT VERSION\n"
"Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n"
"POT-Creation-Date: 2024-06-20 19:12+0800\n" "POT-Creation-Date: 2024-03-29 10:42+0800\n"
"PO-Revision-Date: 2023-12-25 20:21+0800\n" "PO-Revision-Date: 2023-12-25 20:21+0800\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language: zh\n" "Language: zh\n"
@@ -81,7 +81,7 @@ msgid "User {} does not exist"
msgstr "用户 {} 不存在" msgstr "用户 {} 不存在"
#: api/lib/resp_format.py:32 #: api/lib/resp_format.py:32
msgid "For resource: {}, you do not have {} permission!" msgid "You do not have {} permission for resource: {}!"
msgstr "您没有资源: {} 的{}权限!" msgstr "您没有资源: {} 的{}权限!"
#: api/lib/resp_format.py:33 #: api/lib/resp_format.py:33
@@ -238,248 +238,212 @@ msgstr "因为CI已经存在不能删除模型"
msgid "The inheritance cannot be deleted because the CI already exists" msgid "The inheritance cannot be deleted because the CI already exists"
msgstr "因为CI已经存在不能删除继承关系" msgstr "因为CI已经存在不能删除继承关系"
#: api/lib/cmdb/resp_format.py:65 #: api/lib/cmdb/resp_format.py:67
msgid "The model is inherited and cannot be deleted"
msgstr "该模型被继承, 不能删除"
#: api/lib/cmdb/resp_format.py:68
msgid "" msgid ""
"The model cannot be deleted because the model is referenced by the " "The model cannot be deleted because the model is referenced by the "
"relational view {}" "relational view {}"
msgstr "因为关系视图 {} 引用了该模型,不能删除模型" msgstr "因为关系视图 {} 引用了该模型,不能删除模型"
#: api/lib/cmdb/resp_format.py:70 #: api/lib/cmdb/resp_format.py:69
msgid "Model group {} does not exist" msgid "Model group {} does not exist"
msgstr "模型分组 {} 不存在" msgstr "模型分组 {} 不存在"
#: api/lib/cmdb/resp_format.py:71 #: api/lib/cmdb/resp_format.py:70
msgid "Model group {} already exists" msgid "Model group {} already exists"
msgstr "模型分组 {} 已经存在" msgstr "模型分组 {} 已经存在"
#: api/lib/cmdb/resp_format.py:72 #: api/lib/cmdb/resp_format.py:71
msgid "Model relationship {} does not exist" msgid "Model relationship {} does not exist"
msgstr "模型关系 {} 不存在" msgstr "模型关系 {} 不存在"
#: api/lib/cmdb/resp_format.py:73 #: api/lib/cmdb/resp_format.py:72
msgid "Attribute group {} already exists" msgid "Attribute group {} already exists"
msgstr "属性分组 {} 已存在" msgstr "属性分组 {} 已存在"
#: api/lib/cmdb/resp_format.py:74 #: api/lib/cmdb/resp_format.py:73
msgid "Attribute group {} does not exist" msgid "Attribute group {} does not exist"
msgstr "属性分组 {} 不存在" msgstr "属性分组 {} 不存在"
#: api/lib/cmdb/resp_format.py:76 #: api/lib/cmdb/resp_format.py:75
msgid "Attribute group <{0}> - attribute <{1}> does not exist" msgid "Attribute group <{0}> - attribute <{1}> does not exist"
msgstr "属性组<{0}> - 属性<{1}> 不存在" msgstr "属性组<{0}> - 属性<{1}> 不存在"
#: api/lib/cmdb/resp_format.py:77 #: api/lib/cmdb/resp_format.py:76
msgid "The unique constraint already exists!" msgid "The unique constraint already exists!"
msgstr "唯一约束已经存在!" msgstr "唯一约束已经存在!"
#: api/lib/cmdb/resp_format.py:79 #: api/lib/cmdb/resp_format.py:78
msgid "Uniquely constrained attributes cannot be JSON and multi-valued" msgid "Uniquely constrained attributes cannot be JSON and multi-valued"
msgstr "唯一约束的属性不能是 JSON 和 多值" msgstr "唯一约束的属性不能是 JSON 和 多值"
#: api/lib/cmdb/resp_format.py:80 #: api/lib/cmdb/resp_format.py:79
msgid "Duplicated trigger" msgid "Duplicated trigger"
msgstr "重复的触发器" msgstr "重复的触发器"
#: api/lib/cmdb/resp_format.py:81 #: api/lib/cmdb/resp_format.py:80
msgid "Trigger {} does not exist" msgid "Trigger {} does not exist"
msgstr "触发器 {} 不存在" msgstr "触发器 {} 不存在"
#: api/lib/cmdb/resp_format.py:82 #: api/lib/cmdb/resp_format.py:82
msgid "Duplicated reconciliation rule"
msgstr ""
#: api/lib/cmdb/resp_format.py:83
msgid "Reconciliation rule {} does not exist"
msgstr "关系类型 {} 不存在"
#: api/lib/cmdb/resp_format.py:85
msgid "Operation record {} does not exist" msgid "Operation record {} does not exist"
msgstr "操作记录 {} 不存在" msgstr "操作记录 {} 不存在"
#: api/lib/cmdb/resp_format.py:86 #: api/lib/cmdb/resp_format.py:83
msgid "Unique identifier cannot be deleted" msgid "Unique identifier cannot be deleted"
msgstr "不能删除唯一标识" msgstr "不能删除唯一标识"
#: api/lib/cmdb/resp_format.py:87 #: api/lib/cmdb/resp_format.py:84
msgid "Cannot delete default sorted attributes" msgid "Cannot delete default sorted attributes"
msgstr "不能删除默认排序的属性" msgstr "不能删除默认排序的属性"
#: api/lib/cmdb/resp_format.py:89 #: api/lib/cmdb/resp_format.py:86
msgid "No node selected" msgid "No node selected"
msgstr "没有选择节点" msgstr "没有选择节点"
#: api/lib/cmdb/resp_format.py:90 #: api/lib/cmdb/resp_format.py:87
msgid "This search option does not exist!" msgid "This search option does not exist!"
msgstr "该搜索选项不存在!" msgstr "该搜索选项不存在!"
#: api/lib/cmdb/resp_format.py:91 #: api/lib/cmdb/resp_format.py:88
msgid "This search option has a duplicate name!" msgid "This search option has a duplicate name!"
msgstr "该搜索选项命名重复!" msgstr "该搜索选项命名重复!"
#: api/lib/cmdb/resp_format.py:93 #: api/lib/cmdb/resp_format.py:90
msgid "Relationship type {} already exists" msgid "Relationship type {} already exists"
msgstr "关系类型 {} 已经存在" msgstr "关系类型 {} 已经存在"
#: api/lib/cmdb/resp_format.py:94 #: api/lib/cmdb/resp_format.py:91
msgid "Relationship type {} does not exist" msgid "Relationship type {} does not exist"
msgstr "关系类型 {} 不存在" msgstr "关系类型 {} 不存在"
#: api/lib/cmdb/resp_format.py:96 #: api/lib/cmdb/resp_format.py:93
msgid "Invalid attribute value: {}" msgid "Invalid attribute value: {}"
msgstr "无效的属性值: {}" msgstr "无效的属性值: {}"
#: api/lib/cmdb/resp_format.py:97 #: api/lib/cmdb/resp_format.py:94
msgid "{} Invalid value: {}" msgid "{} Invalid value: {}"
msgstr "{} 无效的值: {}" msgstr "{} 无效的值: {}"
#: api/lib/cmdb/resp_format.py:98 #: api/lib/cmdb/resp_format.py:95
msgid "{} is not in the predefined values" msgid "{} is not in the predefined values"
msgstr "{} 不在预定义值里" msgstr "{} 不在预定义值里"
#: api/lib/cmdb/resp_format.py:100 #: api/lib/cmdb/resp_format.py:97
msgid "The value of attribute {} must be unique, {} already exists" msgid "The value of attribute {} must be unique, {} already exists"
msgstr "属性 {} 的值必须是唯一的, 当前值 {} 已存在" msgstr "属性 {} 的值必须是唯一的, 当前值 {} 已存在"
#: api/lib/cmdb/resp_format.py:101 #: api/lib/cmdb/resp_format.py:98
msgid "Attribute {} value must exist" msgid "Attribute {} value must exist"
msgstr "属性 {} 值必须存在" msgstr "属性 {} 值必须存在"
#: api/lib/cmdb/resp_format.py:102 #: api/lib/cmdb/resp_format.py:99
msgid "Out of range value, the maximum value is 2147483647" msgid "Out of range value, the maximum value is 2147483647"
msgstr "超过最大值限制, 最大值是2147483647" msgstr "超过最大值限制, 最大值是2147483647"
#: api/lib/cmdb/resp_format.py:104 #: api/lib/cmdb/resp_format.py:101
msgid "Unknown error when adding or modifying attribute value: {}" msgid "Unknown error when adding or modifying attribute value: {}"
msgstr "新增或者修改属性值未知错误: {}" msgstr "新增或者修改属性值未知错误: {}"
#: api/lib/cmdb/resp_format.py:106 #: api/lib/cmdb/resp_format.py:103
msgid "Duplicate custom name" msgid "Duplicate custom name"
msgstr "订制名重复" msgstr "订制名重复"
#: api/lib/cmdb/resp_format.py:108 #: api/lib/cmdb/resp_format.py:105
msgid "Number of models exceeds limit: {}" msgid "Number of models exceeds limit: {}"
msgstr "模型数超过限制: {}" msgstr "模型数超过限制: {}"
#: api/lib/cmdb/resp_format.py:109 #: api/lib/cmdb/resp_format.py:106
msgid "The number of CIs exceeds the limit: {}" msgid "The number of CIs exceeds the limit: {}"
msgstr "CI数超过限制: {}" msgstr "CI数超过限制: {}"
#: api/lib/cmdb/resp_format.py:111 #: api/lib/cmdb/resp_format.py:108
msgid "Auto-discovery rule: {} already exists!" msgid "Auto-discovery rule: {} already exists!"
msgstr "自动发现规则: {} 已经存在!" msgstr "自动发现规则: {} 已经存在!"
#: api/lib/cmdb/resp_format.py:112 #: api/lib/cmdb/resp_format.py:109
msgid "Auto-discovery rule: {} does not exist!" msgid "Auto-discovery rule: {} does not exist!"
msgstr "自动发现规则: {} 不存在!" msgstr "自动发现规则: {} 不存在!"
#: api/lib/cmdb/resp_format.py:114 #: api/lib/cmdb/resp_format.py:111
msgid "This auto-discovery rule is referenced by the model and cannot be deleted!" msgid "This auto-discovery rule is referenced by the model and cannot be deleted!"
msgstr "该自动发现规则被模型引用, 不能删除!" msgstr "该自动发现规则被模型引用, 不能删除!"
#: api/lib/cmdb/resp_format.py:116 #: api/lib/cmdb/resp_format.py:113
msgid "The application of auto-discovery rules cannot be defined repeatedly!" msgid "The application of auto-discovery rules cannot be defined repeatedly!"
msgstr "自动发现规则的应用不能重复定义!" msgstr "自动发现规则的应用不能重复定义!"
#: api/lib/cmdb/resp_format.py:117 #: api/lib/cmdb/resp_format.py:114
msgid "The auto-discovery you want to modify: {} does not exist!" msgid "The auto-discovery you want to modify: {} does not exist!"
msgstr "您要修改的自动发现: {} 不存在!" msgstr "您要修改的自动发现: {} 不存在!"
#: api/lib/cmdb/resp_format.py:118 #: api/lib/cmdb/resp_format.py:115
msgid "Attribute does not include unique identifier: {}" msgid "Attribute does not include unique identifier: {}"
msgstr "属性字段没有包括唯一标识: {}" msgstr "属性字段没有包括唯一标识: {}"
#: api/lib/cmdb/resp_format.py:119 #: api/lib/cmdb/resp_format.py:116
msgid "The auto-discovery instance does not exist!" msgid "The auto-discovery instance does not exist!"
msgstr "自动发现的实例不存在!" msgstr "自动发现的实例不存在!"
#: api/lib/cmdb/resp_format.py:120 #: api/lib/cmdb/resp_format.py:117
msgid "The model is not associated with this auto-discovery!" msgid "The model is not associated with this auto-discovery!"
msgstr "模型并未关联该自动发现!" msgstr "模型并未关联该自动发现!"
#: api/lib/cmdb/resp_format.py:121 #: api/lib/cmdb/resp_format.py:118
msgid "Only the creator can modify the Secret!" msgid "Only the creator can modify the Secret!"
msgstr "只有创建人才能修改Secret!" msgstr "只有创建人才能修改Secret!"
#: api/lib/cmdb/resp_format.py:123 #: api/lib/cmdb/resp_format.py:120
msgid "This rule already has auto-discovery instances and cannot be deleted!" msgid "This rule already has auto-discovery instances and cannot be deleted!"
msgstr "该规则已经有自动发现的实例, 不能被删除!" msgstr "该规则已经有自动发现的实例, 不能被删除!"
#: api/lib/cmdb/resp_format.py:125 #: api/lib/cmdb/resp_format.py:122
msgid "The default auto-discovery rule is already referenced by model {}!" msgid "The default auto-discovery rule is already referenced by model {}!"
msgstr "该默认的自动发现规则 已经被模型 {} 引用!" msgstr "该默认的自动发现规则 已经被模型 {} 引用!"
#: api/lib/cmdb/resp_format.py:127 #: api/lib/cmdb/resp_format.py:124
msgid "The unique_key method must return a non-empty string!" msgid "The unique_key method must return a non-empty string!"
msgstr "unique_key方法必须返回非空字符串!" msgstr "unique_key方法必须返回非空字符串!"
#: api/lib/cmdb/resp_format.py:128 #: api/lib/cmdb/resp_format.py:125
msgid "The attributes method must return a list" msgid "The attributes method must return a list"
msgstr "attributes方法必须返回的是list" msgstr "attributes方法必须返回的是list"
#: api/lib/cmdb/resp_format.py:130 #: api/lib/cmdb/resp_format.py:127
msgid "The list returned by the attributes method cannot be empty!" msgid "The list returned by the attributes method cannot be empty!"
msgstr "attributes方法返回的list不能为空!" msgstr "attributes方法返回的list不能为空!"
#: api/lib/cmdb/resp_format.py:132 #: api/lib/cmdb/resp_format.py:129
msgid "Only administrators can define execution targets as: all nodes!" msgid "Only administrators can define execution targets as: all nodes!"
msgstr "只有管理员才可以定义执行机器为: 所有节点!" msgstr "只有管理员才可以定义执行机器为: 所有节点!"
#: api/lib/cmdb/resp_format.py:133 #: api/lib/cmdb/resp_format.py:130
msgid "Execute targets permission check failed: {}" msgid "Execute targets permission check failed: {}"
msgstr "执行机器权限检查不通过: {}" msgstr "执行机器权限检查不通过: {}"
#: api/lib/cmdb/resp_format.py:135 #: api/lib/cmdb/resp_format.py:132
msgid "CI filter authorization must be named!" msgid "CI filter authorization must be named!"
msgstr "CI过滤授权 必须命名!" msgstr "CI过滤授权 必须命名!"
#: api/lib/cmdb/resp_format.py:136 #: api/lib/cmdb/resp_format.py:133
msgid "CI filter authorization is currently not supported or query" msgid "CI filter authorization is currently not supported or query"
msgstr "CI过滤授权 暂时不支持 或 查询" msgstr "CI过滤授权 暂时不支持 或 查询"
#: api/lib/cmdb/resp_format.py:139 #: api/lib/cmdb/resp_format.py:136
msgid "You do not have permission to operate attribute {}!" msgid "You do not have permission to operate attribute {}!"
msgstr "您没有属性 {} 的操作权限!" msgstr "您没有属性 {} 的操作权限!"
#: api/lib/cmdb/resp_format.py:140 #: api/lib/cmdb/resp_format.py:137
msgid "You do not have permission to operate this CI!" msgid "You do not have permission to operate this CI!"
msgstr "您没有该CI的操作权限!" msgstr "您没有该CI的操作权限!"
#: api/lib/cmdb/resp_format.py:142 #: api/lib/cmdb/resp_format.py:139
msgid "Failed to save password: {}" msgid "Failed to save password: {}"
msgstr "保存密码失败: {}" msgstr "保存密码失败: {}"
#: api/lib/cmdb/resp_format.py:143 #: api/lib/cmdb/resp_format.py:140
msgid "Failed to get password: {}" msgid "Failed to get password: {}"
msgstr "获取密码失败: {}" msgstr "获取密码失败: {}"
#: api/lib/cmdb/resp_format.py:145
msgid "Scheduling time format error"
msgstr "{}格式错误,应该为:%Y-%m-%d %H:%M:%S"
#: api/lib/cmdb/resp_format.py:146
msgid "CMDB data reconciliation results"
msgstr ""
#: api/lib/cmdb/resp_format.py:147
msgid "Number of {} illegal: {}"
msgstr ""
#: api/lib/cmdb/resp_format.py:149
msgid "Topology view {} already exists"
msgstr "拓扑视图 {} 已经存在"
#: api/lib/cmdb/resp_format.py:150
msgid "Topology group {} already exists"
msgstr "拓扑视图分组 {} 已经存在"
#: api/lib/cmdb/resp_format.py:152
msgid "The group cannot be deleted because the topology view already exists"
msgstr "因为该分组下定义了拓扑视图,不能删除"
#: api/lib/common_setting/resp_format.py:8 #: api/lib/common_setting/resp_format.py:8
msgid "Company info already existed" msgid "Company info already existed"
msgstr "公司信息已存在,无法创建!" msgstr "公司信息已存在,无法创建!"
@@ -736,10 +700,6 @@ msgstr "LDAP测试用户名必填"
msgid "Company wide" msgid "Company wide"
msgstr "全公司" msgstr "全公司"
#: api/lib/common_setting/resp_format.py:84
msgid "No permission to access resource {}, perm {} "
msgstr "您没有资源: {} 的 {} 权限"
#: api/lib/perm/acl/resp_format.py:9 #: api/lib/perm/acl/resp_format.py:9
msgid "login successful" msgid "login successful"
msgstr "登录成功" msgstr "登录成功"

View File

@@ -1,30 +1,24 @@
# -*- coding:utf-8 -*- # -*- coding:utf-8 -*-
import copy
import json import json
import uuid from io import BytesIO
from flask import abort from flask import abort
from flask import current_app from flask import current_app
from flask import request from flask import request
from flask_login import current_user from flask_login import current_user
from io import BytesIO
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCICRUD from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCICRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeCRUD from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCITypeRelationCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryComponentsManager
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryCounterCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryExecHistoryCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryHTTPManager from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryHTTPManager
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleCRUD from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoveryRuleSyncHistoryCRUD
from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoverySNMPManager from api.lib.cmdb.auto_discovery.auto_discovery import AutoDiscoverySNMPManager
from api.lib.cmdb.auto_discovery.const import DEFAULT_INNER from api.lib.cmdb.auto_discovery.const import DEFAULT_HTTP
from api.lib.cmdb.auto_discovery.const import PRIVILEGED_USERS
from api.lib.cmdb.const import PermEnum from api.lib.cmdb.const import PermEnum
from api.lib.cmdb.const import ResourceTypeEnum from api.lib.cmdb.const import ResourceTypeEnum
from api.lib.cmdb.resp_format import ErrFormat from api.lib.cmdb.resp_format import ErrFormat
from api.lib.cmdb.search import SearchError from api.lib.cmdb.search import SearchError
from api.lib.cmdb.search.ci import search as ci_search from api.lib.cmdb.search.ci import search
from api.lib.decorator import args_required from api.lib.decorator import args_required
from api.lib.decorator import args_validate from api.lib.decorator import args_validate
from api.lib.perm.acl.acl import has_perm_from_args from api.lib.perm.acl.acl import has_perm_from_args
@@ -43,19 +37,14 @@ class AutoDiscoveryRuleView(APIView):
rebuild = False rebuild = False
exists = {i['name'] for i in res} exists = {i['name'] for i in res}
for i in copy.deepcopy(DEFAULT_INNER): for i in DEFAULT_HTTP:
if i['name'] not in exists: if i['name'] not in exists:
i.pop('en', None)
AutoDiscoveryRuleCRUD().add(**i) AutoDiscoveryRuleCRUD().add(**i)
rebuild = True rebuild = True
if rebuild: if rebuild:
_, res = AutoDiscoveryRuleCRUD.search(page=1, page_size=100000, **request.values) _, res = AutoDiscoveryRuleCRUD.search(page=1, page_size=100000, **request.values)
for i in res:
if i['type'] == 'http':
i['resources'] = AutoDiscoveryHTTPManager().get_resources(i['name'])
return self.jsonify(res) return self.jsonify(res)
@args_required("name", value_required=True) @args_required("name", value_required=True)
@@ -109,39 +98,24 @@ class AutoDiscoveryRuleTemplateFileView(APIView):
class AutoDiscoveryRuleHTTPView(APIView): class AutoDiscoveryRuleHTTPView(APIView):
url_prefix = ("/adr/http/<string:name>/categories", url_prefix = ("/adr/http/<string:name>/categories", "/adr/http/<string:name>/attributes",
"/adr/http/<string:name>/attributes", "/adr/snmp/<string:name>/attributes")
"/adr/http/<string:name>/mapping",
"/adr/snmp/<string:name>/attributes",
"/adr/components/<string:name>/attributes",)
def get(self, name): def get(self, name):
if "snmp" in request.url: if "snmp" in request.url:
return self.jsonify(AutoDiscoverySNMPManager.get_attributes()) return self.jsonify(AutoDiscoverySNMPManager.get_attributes())
if "components" in request.url:
return self.jsonify(AutoDiscoveryComponentsManager.get_attributes(name))
if "attributes" in request.url: if "attributes" in request.url:
resource = request.values.get('resource') category = request.values.get('category')
return self.jsonify(AutoDiscoveryHTTPManager.get_attributes(name, resource)) return self.jsonify(AutoDiscoveryHTTPManager.get_attributes(name, category))
if "mapping" in request.url:
resource = request.values.get('resource')
return self.jsonify(AutoDiscoveryHTTPManager.get_mapping(name, resource))
return self.jsonify(AutoDiscoveryHTTPManager.get_categories(name)) return self.jsonify(AutoDiscoveryHTTPManager.get_categories(name))
class AutoDiscoveryCITypeView(APIView): class AutoDiscoveryCITypeView(APIView):
url_prefix = ("/adt/ci_types/<int:type_id>", url_prefix = ("/adt/ci_types/<int:type_id>", "/adt/<int:adt_id>")
"/adt/ci_types/<int:type_id>/attributes",
"/adt/<int:adt_id>")
def get(self, type_id): def get(self, type_id):
if "attributes" in request.url:
return self.jsonify(AutoDiscoveryCITypeCRUD.get_ad_attributes(type_id))
_, res = AutoDiscoveryCITypeCRUD.search(page=1, page_size=100000, type_id=type_id, **request.values) _, res = AutoDiscoveryCITypeCRUD.search(page=1, page_size=100000, type_id=type_id, **request.values)
for i in res: for i in res:
if isinstance(i.get("extra_option"), dict) and i['extra_option'].get('secret'): if isinstance(i.get("extra_option"), dict) and i['extra_option'].get('secret'):
@@ -149,11 +123,6 @@ class AutoDiscoveryCITypeView(APIView):
i['extra_option'].pop('secret', None) i['extra_option'].pop('secret', None)
else: else:
i['extra_option']['secret'] = AESCrypto.decrypt(i['extra_option']['secret']) i['extra_option']['secret'] = AESCrypto.decrypt(i['extra_option']['secret'])
if isinstance(i.get("extra_option"), dict) and i['extra_option'].get('password'):
if not (current_user.username == "cmdb_agent" or current_user.uid == i['uid']):
i['extra_option'].pop('password', None)
else:
i['extra_option']['password'] = AESCrypto.decrypt(i['extra_option']['password'])
return self.jsonify(res) return self.jsonify(res)
@@ -177,27 +146,6 @@ class AutoDiscoveryCITypeView(APIView):
return self.jsonify(adt_id=adt_id) return self.jsonify(adt_id=adt_id)
class AutoDiscoveryCITypeRelationView(APIView):
url_prefix = ("/adt/ci_types/<int:type_id>/relations", "/adt/relations/<int:_id>")
def get(self, type_id):
_, res = AutoDiscoveryCITypeRelationCRUD.search(page=1, page_size=100000, ad_type_id=type_id, **request.values)
return self.jsonify(res)
@args_required("relations")
def post(self, type_id):
return self.jsonify(AutoDiscoveryCITypeRelationCRUD().upsert(type_id, request.values['relations']))
def put(self):
return self.post()
def delete(self, _id):
AutoDiscoveryCITypeRelationCRUD().delete(_id)
return self.jsonify(id=_id)
class AutoDiscoveryCIView(APIView): class AutoDiscoveryCIView(APIView):
url_prefix = ("/adc", "/adc/<int:adc_id>", "/adc/ci_types/<int:type_id>/attributes", "/adc/ci_types") url_prefix = ("/adc", "/adc/<int:adc_id>", "/adc/ci_types/<int:type_id>/attributes", "/adc/ci_types")
@@ -265,15 +213,16 @@ class AutoDiscoveryRuleSyncView(APIView):
url_prefix = ("/adt/sync",) url_prefix = ("/adt/sync",)
def get(self): def get(self):
if current_user.username not in PRIVILEGED_USERS: if current_user.username not in ("cmdb_agent", "worker", "admin"):
return abort(403) return abort(403)
oneagent_name = request.values.get('oneagent_name') oneagent_name = request.values.get('oneagent_name')
oneagent_id = request.values.get('oneagent_id') oneagent_id = request.values.get('oneagent_id')
last_update_at = request.values.get('last_update_at') last_update_at = request.values.get('last_update_at')
query = "oneagent_id:{}".format(oneagent_id) query = "{},oneagent_id:{}".format(oneagent_name, oneagent_id)
s = ci_search(query) current_app.logger.info(query)
s = search(query)
try: try:
response, _, _, _, _, _ = s.search() response, _, _, _, _, _ = s.search()
except SearchError as e: except SearchError as e:
@@ -281,77 +230,7 @@ class AutoDiscoveryRuleSyncView(APIView):
current_app.logger.error(traceback.format_exc()) current_app.logger.error(traceback.format_exc())
return abort(400, str(e)) return abort(400, str(e))
for res in response: ci_id = response and response[0]["_id"]
if res.get('{}_name'.format(res['ci_type'])) == oneagent_name or oneagent_name == res.get('oneagent_name'): rules, last_update_at = AutoDiscoveryCITypeCRUD.get(ci_id, oneagent_id, last_update_at)
ci_id = res["_id"]
rules, last_update_at = AutoDiscoveryCITypeCRUD.get(ci_id, oneagent_id, oneagent_name, last_update_at)
return self.jsonify(rules=rules, last_update_at=last_update_at)
rules, last_update_at = AutoDiscoveryCITypeCRUD.get(None, oneagent_id, oneagent_name, last_update_at)
return self.jsonify(rules=rules, last_update_at=last_update_at) return self.jsonify(rules=rules, last_update_at=last_update_at)
class AutoDiscoveryRuleSyncHistoryView(APIView):
url_prefix = ("/adt/<int:adt_id>/sync/histories",)
def get(self, adt_id):
page = get_page(request.values.pop('page', 1))
page_size = get_page_size(request.values.pop('page_size', None))
numfound, res = AutoDiscoveryRuleSyncHistoryCRUD.search(page=page,
page_size=page_size,
adt_id=adt_id,
**request.values)
return self.jsonify(page=page,
page_size=page_size,
numfound=numfound,
total=len(res),
result=res)
class AutoDiscoveryTestView(APIView):
url_prefix = ("/adt/<int:adt_id>/test", "/adt/test/<string:exec_id>/result")
def get(self, exec_id):
return self.jsonify(stdout="1\n2\n3", exec_id=exec_id)
def post(self, adt_id):
return self.jsonify(exec_id=uuid.uuid4().hex)
class AutoDiscoveryExecHistoryView(APIView):
url_prefix = ("/adc/exec/histories",)
@args_required('type_id')
def get(self):
page = get_page(request.values.pop('page', 1))
page_size = get_page_size(request.values.pop('page_size', None))
numfound, res = AutoDiscoveryExecHistoryCRUD.search(page=page,
page_size=page_size,
**request.values)
return self.jsonify(page=page,
page_size=page_size,
numfound=numfound,
total=len(res),
result=res)
@args_required('type_id')
@args_required('stdout')
def post(self):
AutoDiscoveryExecHistoryCRUD().add(type_id=request.values.get('type_id'),
stdout=request.values.get('stdout'))
return self.jsonify(code=200)
class AutoDiscoveryCounterView(APIView):
url_prefix = ("/adc/counter",)
@args_required('type_id')
def get(self):
type_id = request.values.get('type_id')
return self.jsonify(AutoDiscoveryCounterCRUD().get(type_id))

View File

@@ -268,7 +268,6 @@ class CIBaselineView(APIView):
return self.jsonify(CIManager().baseline(list(map(int, ci_ids)), before_date)) return self.jsonify(CIManager().baseline(list(map(int, ci_ids)), before_date))
@args_required("before_date") @args_required("before_date")
@has_perm_for_ci("ci_id", ResourceTypeEnum.CI, PermEnum.UPDATE, CIManager.get_type)
def post(self, ci_id): def post(self, ci_id):
if 'rollback' in request.url: if 'rollback' in request.url:
before_date = request.values.get('before_date') before_date = request.values.get('before_date')

View File

@@ -51,11 +51,7 @@ class CITypeView(APIView):
q = request.args.get("type_name") q = request.args.get("type_name")
if type_id is not None: if type_id is not None:
ci_type = CITypeCache.get(type_id) ci_type = CITypeCache.get(type_id).to_dict()
if ci_type is None:
return abort(404, ErrFormat.ci_type_not_found)
ci_type = ci_type.to_dict()
ci_type['parent_ids'] = CITypeInheritanceManager.get_parents(type_id) ci_type['parent_ids'] = CITypeInheritanceManager.get_parents(type_id)
ci_types = [ci_type] ci_types = [ci_type]
elif type_name is not None: elif type_name is not None:
@@ -361,13 +357,15 @@ class CITypeAttributeGroupView(APIView):
class CITypeTemplateView(APIView): class CITypeTemplateView(APIView):
url_prefix = ("/ci_types/template/import", "/ci_types/template/export") url_prefix = ("/ci_types/template/import", "/ci_types/template/export", "/ci_types/<int:type_id>/template/export")
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.Model_Configuration, @perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.Model_Configuration,
app_cli.op.download_CIType, app_cli.admin_name) app_cli.op.download_CIType, app_cli.admin_name)
def get(self): # export def get(self, type_id=None): # export
type_ids = list(map(int, handle_arg_list(request.values.get('type_ids')))) or None if type_id is not None:
return self.jsonify(dict(ci_type_template=CITypeTemplateManager.export_template(type_ids=type_ids))) return self.jsonify(dict(ci_type_template=CITypeTemplateManager.export_template_by_type(type_id)))
return self.jsonify(dict(ci_type_template=CITypeTemplateManager.export_template()))
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.Model_Configuration, @perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.Model_Configuration,
app_cli.op.download_CIType, app_cli.admin_name) app_cli.op.download_CIType, app_cli.admin_name)

View File

@@ -57,10 +57,10 @@ class CITypeRelationView(APIView):
def post(self, parent_id, child_id): def post(self, parent_id, child_id):
relation_type_id = request.values.get("relation_type_id") relation_type_id = request.values.get("relation_type_id")
constraint = request.values.get("constraint") constraint = request.values.get("constraint")
parent_attr_ids = request.values.get("parent_attr_ids") parent_attr_id = request.values.get("parent_attr_id")
child_attr_ids = request.values.get("child_attr_ids") child_attr_id = request.values.get("child_attr_id")
ctr_id = CITypeRelationManager.add(parent_id, child_id, relation_type_id, constraint, ctr_id = CITypeRelationManager.add(parent_id, child_id, relation_type_id, constraint,
parent_attr_ids, child_attr_ids) parent_attr_id, child_attr_id)
return self.jsonify(ctr_id=ctr_id) return self.jsonify(ctr_id=ctr_id)

View File

@@ -1,178 +0,0 @@
# -*- coding:utf-8 -*-
from flask import abort
from flask import request
from api.lib.cmdb.const import PermEnum, ResourceTypeEnum
from api.lib.cmdb.resp_format import ErrFormat
from api.lib.cmdb.topology import TopologyViewManager
from api.lib.common_setting.decorator import perms_role_required
from api.lib.common_setting.role_perm_base import CMDBApp
from api.lib.decorator import args_required
from api.lib.decorator import args_validate
from api.lib.perm.acl.acl import ACLManager
from api.lib.perm.acl.acl import has_perm_from_args
from api.lib.perm.acl.acl import is_app_admin
from api.resource import APIView
app_cli = CMDBApp()
class TopologyGroupView(APIView):
url_prefix = ('/topology_views/groups', '/topology_views/groups/<int:group_id>')
@args_required('name')
@args_validate(TopologyViewManager.group_cls)
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.create_topology_group, app_cli.admin_name)
def post(self):
name = request.values.get('name')
order = request.values.get('order')
group = TopologyViewManager.add_group(name, order)
return self.jsonify(group.to_dict())
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.update_topology_group, app_cli.admin_name)
def put(self, group_id):
name = request.values.get('name')
view_ids = request.values.get('view_ids')
group = TopologyViewManager().update_group(group_id, name, view_ids)
return self.jsonify(**group)
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.delete_topology_group, app_cli.admin_name)
def delete(self, group_id):
TopologyViewManager.delete_group(group_id)
return self.jsonify(group_id=group_id)
class TopologyGroupOrderView(APIView):
url_prefix = ('/topology_views/groups/order',)
@args_required('group_ids')
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.update_topology_group, app_cli.admin_name)
def post(self):
group_ids = request.values.get('group_ids')
TopologyViewManager.group_order(group_ids)
return self.jsonify(group_ids=group_ids)
def put(self):
return self.post()
class TopologyView(APIView):
url_prefix = ('/topology_views', '/topology_views/relations/ci_types/<int:type_id>', '/topology_views/<int:_id>')
def get(self, type_id=None, _id=None):
if type_id is not None:
return self.jsonify(TopologyViewManager.relation_from_ci_type(type_id))
if _id is not None:
return self.jsonify(TopologyViewManager().get_view_by_id(_id))
return self.jsonify(TopologyViewManager.get_all())
@args_required('name', 'central_node_type', 'central_node_instances', 'path', 'group_id')
@args_validate(TopologyViewManager.cls)
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.create_topology_view, app_cli.admin_name)
def post(self):
name = request.values.pop('name')
group_id = request.values.pop('group_id', None)
option = request.values.pop('option', None)
order = request.values.pop('order', None)
topo_view = TopologyViewManager.add(name, group_id, option, order, **request.values)
return self.jsonify(topo_view)
@args_validate(TopologyViewManager.cls)
@has_perm_from_args("_id", ResourceTypeEnum.TOPOLOGY_VIEW, PermEnum.UPDATE, TopologyViewManager.get_name_by_id)
def put(self, _id):
topo_view = TopologyViewManager.update(_id, **request.values)
return self.jsonify(topo_view)
@has_perm_from_args("_id", ResourceTypeEnum.TOPOLOGY_VIEW, PermEnum.DELETE, TopologyViewManager.get_name_by_id)
def delete(self, _id):
TopologyViewManager.delete(_id)
return self.jsonify(code=200)
class TopologyOrderView(APIView):
url_prefix = ('/topology_views/order',)
@args_required('view_ids')
@perms_role_required(app_cli.app_name, app_cli.resource_type_name, app_cli.op.TopologyView,
app_cli.op.create_topology_view, app_cli.admin_name)
def post(self):
view_ids = request.values.get('view_ids')
TopologyViewManager.group_inner_order(view_ids)
return self.jsonify(view_ids=view_ids)
def put(self):
return self.post()
class TopologyViewPreview(APIView):
url_prefix = ('/topology_views/preview', '/topology_views/<int:_id>/view')
def get(self, _id=None):
if _id is not None:
acl = ACLManager('cmdb')
resource_name = TopologyViewManager.get_name_by_id(_id)
if (not acl.has_permission(resource_name, ResourceTypeEnum.TOPOLOGY_VIEW, PermEnum.READ) and
not is_app_admin('cmdb')):
return abort(403, ErrFormat.no_permission.format(resource_name, PermEnum.READ))
return self.jsonify(TopologyViewManager().topology_view(view_id=_id))
else:
return self.jsonify(TopologyViewManager().topology_view(preview=request.values))
def post(self, _id=None):
return self.get(_id)
class TopologyViewGrantView(APIView):
url_prefix = "/topology_views/<int:view_id>/roles/<int:rid>/grant"
def post(self, view_id, rid):
perms = request.values.pop('perms', None)
view_name = TopologyViewManager.get_name_by_id(view_id) or abort(404, ErrFormat.not_found)
acl = ACLManager('cmdb')
if not acl.has_permission(view_name, ResourceTypeEnum.TOPOLOGY_VIEW,
PermEnum.GRANT) and not is_app_admin('cmdb'):
return abort(403, ErrFormat.no_permission.format(view_name, PermEnum.GRANT))
acl.grant_resource_to_role_by_rid(view_name, rid, ResourceTypeEnum.TOPOLOGY_VIEW, perms, rebuild=True)
return self.jsonify(code=200)
class TopologyViewRevokeView(APIView):
url_prefix = "/topology_views/<int:view_id>/roles/<int:rid>/revoke"
@args_required('perms')
def post(self, view_id, rid):
perms = request.values.pop('perms', None)
view_name = TopologyViewManager.get_name_by_id(view_id) or abort(404, ErrFormat.not_found)
acl = ACLManager('cmdb')
if not acl.has_permission(view_name, ResourceTypeEnum.TOPOLOGY_VIEW,
PermEnum.GRANT) and not is_app_admin('cmdb'):
return abort(403, ErrFormat.no_permission.format(view_name, PermEnum.GRANT))
acl.revoke_resource_from_role_by_rid(view_name, rid, ResourceTypeEnum.TOPOLOGY_VIEW, perms, rebuild=True)
return self.jsonify(code=200)

View File

@@ -1,7 +1,7 @@
-i https://mirrors.aliyun.com/pypi/simple -i https://mirrors.aliyun.com/pypi/simple
alembic==1.7.7 alembic==1.7.7
bs4==0.0.1 bs4==0.0.1
celery==5.3.1 celery>=5.3.1
celery-once==3.0.1 celery-once==3.0.1
click==8.1.3 click==8.1.3
elasticsearch==7.17.9 elasticsearch==7.17.9
@@ -31,7 +31,6 @@ marshmallow==2.20.2
more-itertools==5.0.0 more-itertools==5.0.0
msgpack-python==0.5.6 msgpack-python==0.5.6
Pillow>=10.0.1 Pillow>=10.0.1
pycryptodome==3.12.0
cryptography>=41.0.2 cryptography>=41.0.2
PyJWT==2.4.0 PyJWT==2.4.0
PyMySQL==1.1.0 PyMySQL==1.1.0
@@ -54,5 +53,4 @@ shamir~=17.12.0
pycryptodomex>=3.19.0 pycryptodomex>=3.19.0
colorama>=0.4.6 colorama>=0.4.6
lz4>=4.3.2 lz4>=4.3.2
python-magic==0.4.27 python-magic==0.4.27
jsonpath==0.82.2

View File

@@ -20,16 +20,10 @@ DEBUG_TB_INTERCEPT_REDIRECTS = False
ERROR_CODES = [400, 401, 403, 404, 405, 500, 502] ERROR_CODES = [400, 401, 403, 404, 405, 500, 502]
MYSQL_USER = env.str('MYSQL_USER', default='cmdb')
MYSQL_PASSWORD = env.str('MYSQL_PASSWORD', default='123456')
MYSQL_HOST = env.str('MYSQL_HOST', default='127.0.0.1')
MYSQL_PORT = env.int('MYSQL_PORT', default=3306)
MYSQL_DATABASE = env.str('MYSQL_DATABASE', default='cmdb')
# # database # # database
SQLALCHEMY_DATABASE_URI = f'mysql+pymysql://{MYSQL_USER}:{MYSQL_PASSWORD}@' \ SQLALCHEMY_DATABASE_URI = 'mysql+pymysql://{user}:{password}@127.0.0.1:3306/{db}?charset=utf8'
f'{MYSQL_HOST}:{MYSQL_PORT}/{MYSQL_DATABASE}?charset=utf8'
SQLALCHEMY_BINDS = { SQLALCHEMY_BINDS = {
'user': SQLALCHEMY_DATABASE_URI 'user': 'mysql+pymysql://{user}:{password}@127.0.0.1:3306/{db}?charset=utf8'
} }
SQLALCHEMY_ECHO = False SQLALCHEMY_ECHO = False
SQLALCHEMY_TRACK_MODIFICATIONS = False SQLALCHEMY_TRACK_MODIFICATIONS = False

View File

@@ -39,7 +39,7 @@
"md5": "^2.2.1", "md5": "^2.2.1",
"moment": "^2.24.0", "moment": "^2.24.0",
"nprogress": "^0.2.0", "nprogress": "^0.2.0",
"relation-graph": "^2.1.42", "relation-graph": "^1.1.0",
"snabbdom": "^3.5.1", "snabbdom": "^3.5.1",
"sortablejs": "1.9.0", "sortablejs": "1.9.0",
"style-resources-loader": "^1.5.0", "style-resources-loader": "^1.5.0",
@@ -59,7 +59,7 @@
"vue-template-compiler": "2.6.11", "vue-template-compiler": "2.6.11",
"vuedraggable": "^2.23.0", "vuedraggable": "^2.23.0",
"vuex": "^3.1.1", "vuex": "^3.1.1",
"vxe-table": "3.7.10", "vxe-table": "3.6.9",
"vxe-table-plugin-export-xlsx": "2.0.0", "vxe-table-plugin-export-xlsx": "2.0.0",
"xe-utils": "3", "xe-utils": "3",
"xlsx": "0.15.0", "xlsx": "0.15.0",

File diff suppressed because it is too large Load Diff

View File

@@ -1,8 +1,8 @@
@font-face { @font-face {
font-family: "iconfont"; /* Project id 3857903 */ font-family: "iconfont"; /* Project id 3857903 */
src: url('iconfont.woff2?t=1719487341033') format('woff2'), src: url('iconfont.woff2?t=1713840593232') format('woff2'),
url('iconfont.woff?t=1719487341033') format('woff'), url('iconfont.woff?t=1713840593232') format('woff'),
url('iconfont.ttf?t=1719487341033') format('truetype'); url('iconfont.ttf?t=1713840593232') format('truetype');
} }
.iconfont { .iconfont {
@@ -13,422 +13,6 @@
-moz-osx-font-smoothing: grayscale; -moz-osx-font-smoothing: grayscale;
} }
.veops-markdown:before {
content: "\e96a";
}
.veops-bar_horizontal:before {
content: "\e860";
}
.veops-gauge:before {
content: "\e965";
}
.veops-heatmap:before {
content: "\e966";
}
.veops-treemap:before {
content: "\e967";
}
.veops-radar:before {
content: "\e968";
}
.veops-data:before {
content: "\e969";
}
.veops-import:before {
content: "\e963";
}
.veops-batch_operation:before {
content: "\e964";
}
.cmdb-enterprise_edition:before {
content: "\e962";
}
.ops-KVM:before {
content: "\e961";
}
.cmdb-vcenter:before {
content: "\e960";
}
.cmdb-manual_warehousing:before {
content: "\e95f";
}
.cmdb-not_warehousing:before {
content: "\e95d";
}
.cmdb-warehousing:before {
content: "\e95e";
}
.cmdb-prompt:before {
content: "\e95c";
}
.cmdb-arrow:before {
content: "\e95b";
}
.cmdb-automatic_inventory:before {
content: "\e95a";
}
.cmdb-week_additions:before {
content: "\e959";
}
.cmdb-month_additions:before {
content: "\e958";
}
.cmdb-rule:before {
content: "\e955";
}
.cmdb-executing_machine:before {
content: "\e956";
}
.cmdb-resource:before {
content: "\e957";
}
.cmdb-discovery_resources:before {
content: "\e954";
}
.cmdb-association:before {
content: "\e953";
}
.ops-is_dynamic-disabled:before {
content: "\e952";
}
.itsm-pdf:before {
content: "\e951";
}
.monitor-sqlserver:before {
content: "\e950";
}
.monitor-dig2:before {
content: "\e94d";
}
.monitor-base2:before {
content: "\e94e";
}
.monitor-foreground1:before {
content: "\e94f";
}
.monitor-log2:before {
content: "\e945";
}
.monitor-backgroud1:before {
content: "\e946";
}
.monitor-port1:before {
content: "\e947";
}
.monitor-ipmi2:before {
content: "\e948";
}
.monitor-process2:before {
content: "\e949";
}
.monitor-snmp2:before {
content: "\e94a";
}
.monitor-performance1:before {
content: "\e94b";
}
.monitor-testing1:before {
content: "\e94c";
}
.monitor-ping2:before {
content: "\e941";
}
.monitor-prometheus:before {
content: "\e942";
}
.monitor-websocket2:before {
content: "\e943";
}
.monitor-traceroute2:before {
content: "\e944";
}
.monitor-port:before {
content: "\e93c";
}
.monitor-base1:before {
content: "\e93d";
}
.monitor-backgroud:before {
content: "\e93e";
}
.monitor-dig1:before {
content: "\e93f";
}
.monitor-foreground:before {
content: "\e940";
}
.monitor-log1:before {
content: "\e934";
}
.monitor-process1:before {
content: "\e935";
}
.monitor-testing:before {
content: "\e936";
}
.monitor-snmp1:before {
content: "\e937";
}
.monitor-performance:before {
content: "\e938";
}
.monitor-traceroute1:before {
content: "\e939";
}
.monitor-ping1:before {
content: "\e93a";
}
.monitor-ipmi1:before {
content: "\e93b";
}
.a-monitor-prometheus1:before {
content: "\e932";
}
.monitor-websocket1:before {
content: "\e933";
}
.monitor-group_expansion1:before {
content: "\e930";
}
.monitor-group_collapse1:before {
content: "\e931";
}
.monitor-group_expansion:before {
content: "\e92e";
}
.monitor-group_collapse:before {
content: "\e92f";
}
.monitor-list_view:before {
content: "\e92d";
}
.monitor-group_view:before {
content: "\e92c";
}
.ops-topology_view:before {
content: "\e92b";
}
.monitor-host_analysis:before {
content: "\e92a";
}
.monitor-add2:before {
content: "\e929";
}
.monitor-native:before {
content: "\e928";
}
.veops-filter2:before {
content: "\e927";
}
.ops-cmdb-data_companies-selected:before {
content: "\e601";
}
.ops-cmdb-data_companies:before {
content: "\e926";
}
.monitor-threshold_value:before {
content: "\e921";
}
.monitor-disposition:before {
content: "\e922";
}
.monitor-automatic_discovery:before {
content: "\e923";
}
.monitor-grouping_list:before {
content: "\e924";
}
.monitor-node_list:before {
content: "\e925";
}
.monitor-general_view:before {
content: "\e920";
}
.monitor-network_topology:before {
content: "\e91b";
}
.monitor-node_management:before {
content: "\e91c";
}
.monitor-alarm_policy:before {
content: "\e91d";
}
.monitor-alarm:before {
content: "\e91e";
}
.monitor-healing:before {
content: "\e91f";
}
.monitor-data_acquisition:before {
content: "\e8d4";
}
.monitor-analysis:before {
content: "\e91a";
}
.monitor-index:before {
content: "\e89b";
}
.monitor-user_defined:before {
content: "\e867";
}
.monitor-database:before {
content: "\e861";
}
.monitor-common:before {
content: "\e865";
}
.veops-edit:before {
content: "\e866";
}
.veops-empower:before {
content: "\e863";
}
.veops-share:before {
content: "\e864";
}
.veops-export:before {
content: "\e862";
}
.monitor-ip:before {
content: "\e807";
}
.monitor-director:before {
content: "\e803";
}
.monitor-host:before {
content: "\e804";
}
.a-cmdb-log1:before {
content: "\e802";
}
.monitor-add:before {
content: "\e7ff";
}
.monitor-down:before {
content: "\e7fc";
}
.monitor-up:before {
content: "\e7fd";
}
.itsm-unfold:before {
content: "\e7f9";
}
.itsm-stretch:before {
content: "\e7f8";
}
.monitor-data_comaparison2:before {
content: "\e7a1";
}
.monitor-data_comaparison1:before {
content: "\e7f7";
}
.a-monitor-online1:before {
content: "\e7a0";
}
.ops-setting-application-selected:before { .ops-setting-application-selected:before {
content: "\e919"; content: "\e919";
} }

File diff suppressed because one or more lines are too long

View File

@@ -5,734 +5,6 @@
"css_prefix_text": "", "css_prefix_text": "",
"description": "", "description": "",
"glyphs": [ "glyphs": [
{
"icon_id": "40896913",
"name": "veops-markdown",
"font_class": "veops-markdown",
"unicode": "e96a",
"unicode_decimal": 59754
},
{
"icon_id": "40896859",
"name": "veops-bar_horizontal",
"font_class": "veops-bar_horizontal",
"unicode": "e860",
"unicode_decimal": 59488
},
{
"icon_id": "40896881",
"name": "veops-gauge",
"font_class": "veops-gauge",
"unicode": "e965",
"unicode_decimal": 59749
},
{
"icon_id": "40896882",
"name": "veops-heatmap",
"font_class": "veops-heatmap",
"unicode": "e966",
"unicode_decimal": 59750
},
{
"icon_id": "40896884",
"name": "veops-treemap",
"font_class": "veops-treemap",
"unicode": "e967",
"unicode_decimal": 59751
},
{
"icon_id": "40896887",
"name": "veops-radar",
"font_class": "veops-radar",
"unicode": "e968",
"unicode_decimal": 59752
},
{
"icon_id": "40896905",
"name": "veops-data",
"font_class": "veops-data",
"unicode": "e969",
"unicode_decimal": 59753
},
{
"icon_id": "40872369",
"name": "veops-import",
"font_class": "veops-import",
"unicode": "e963",
"unicode_decimal": 59747
},
{
"icon_id": "40872361",
"name": "veops-batch_operation",
"font_class": "veops-batch_operation",
"unicode": "e964",
"unicode_decimal": 59748
},
{
"icon_id": "40834860",
"name": "cmdb-enterprise_edition",
"font_class": "cmdb-enterprise_edition",
"unicode": "e962",
"unicode_decimal": 59746
},
{
"icon_id": "40832458",
"name": "ops-KVM",
"font_class": "ops-KVM",
"unicode": "e961",
"unicode_decimal": 59745
},
{
"icon_id": "40822644",
"name": "cmdb-vcenter",
"font_class": "cmdb-vcenter",
"unicode": "e960",
"unicode_decimal": 59744
},
{
"icon_id": "40795271",
"name": "cmdb-manual_warehousing",
"font_class": "cmdb-manual_warehousing",
"unicode": "e95f",
"unicode_decimal": 59743
},
{
"icon_id": "40791408",
"name": "cmdb-not_warehousing",
"font_class": "cmdb-not_warehousing",
"unicode": "e95d",
"unicode_decimal": 59741
},
{
"icon_id": "40791401",
"name": "cmdb-warehousing",
"font_class": "cmdb-warehousing",
"unicode": "e95e",
"unicode_decimal": 59742
},
{
"icon_id": "40731588",
"name": "cmdb-prompt",
"font_class": "cmdb-prompt",
"unicode": "e95c",
"unicode_decimal": 59740
},
{
"icon_id": "40722326",
"name": "cmdb-arrow",
"font_class": "cmdb-arrow",
"unicode": "e95b",
"unicode_decimal": 59739
},
{
"icon_id": "40711364",
"name": "cmdb-automatic_inventory",
"font_class": "cmdb-automatic_inventory",
"unicode": "e95a",
"unicode_decimal": 59738
},
{
"icon_id": "40711409",
"name": "cmdb-week_additions",
"font_class": "cmdb-week_additions",
"unicode": "e959",
"unicode_decimal": 59737
},
{
"icon_id": "40711428",
"name": "cmdb-month_additions",
"font_class": "cmdb-month_additions",
"unicode": "e958",
"unicode_decimal": 59736
},
{
"icon_id": "40711344",
"name": "cmdb-rule",
"font_class": "cmdb-rule",
"unicode": "e955",
"unicode_decimal": 59733
},
{
"icon_id": "40711349",
"name": "cmdb-executing_machine",
"font_class": "cmdb-executing_machine",
"unicode": "e956",
"unicode_decimal": 59734
},
{
"icon_id": "40711356",
"name": "cmdb-resource",
"font_class": "cmdb-resource",
"unicode": "e957",
"unicode_decimal": 59735
},
{
"icon_id": "40705423",
"name": "cmdb-discovery_resources",
"font_class": "cmdb-discovery_resources",
"unicode": "e954",
"unicode_decimal": 59732
},
{
"icon_id": "40701723",
"name": "cmdb-association",
"font_class": "cmdb-association",
"unicode": "e953",
"unicode_decimal": 59731
},
{
"icon_id": "40645466",
"name": "ops-is_dynamic-disabled",
"font_class": "ops-is_dynamic-disabled",
"unicode": "e952",
"unicode_decimal": 59730
},
{
"icon_id": "40590472",
"name": "itsm-pdf",
"font_class": "itsm-pdf",
"unicode": "e951",
"unicode_decimal": 59729
},
{
"icon_id": "40552176",
"name": "monitor-sqlserver",
"font_class": "monitor-sqlserver",
"unicode": "e950",
"unicode_decimal": 59728
},
{
"icon_id": "40548499",
"name": "monitor-dig",
"font_class": "monitor-dig2",
"unicode": "e94d",
"unicode_decimal": 59725
},
{
"icon_id": "40548507",
"name": "monitor-base",
"font_class": "monitor-base2",
"unicode": "e94e",
"unicode_decimal": 59726
},
{
"icon_id": "40548498",
"name": "monitor-foreground",
"font_class": "monitor-foreground1",
"unicode": "e94f",
"unicode_decimal": 59727
},
{
"icon_id": "40548504",
"name": "monitor-log",
"font_class": "monitor-log2",
"unicode": "e945",
"unicode_decimal": 59717
},
{
"icon_id": "40548508",
"name": "monitor-backgroud",
"font_class": "monitor-backgroud1",
"unicode": "e946",
"unicode_decimal": 59718
},
{
"icon_id": "40548502",
"name": "monitor-port",
"font_class": "monitor-port1",
"unicode": "e947",
"unicode_decimal": 59719
},
{
"icon_id": "40548501",
"name": "monitor-ipmi",
"font_class": "monitor-ipmi2",
"unicode": "e948",
"unicode_decimal": 59720
},
{
"icon_id": "40548511",
"name": "monitor-process",
"font_class": "monitor-process2",
"unicode": "e949",
"unicode_decimal": 59721
},
{
"icon_id": "40548506",
"name": "monitor-snmp",
"font_class": "monitor-snmp2",
"unicode": "e94a",
"unicode_decimal": 59722
},
{
"icon_id": "40548500",
"name": "monitor-performance",
"font_class": "monitor-performance1",
"unicode": "e94b",
"unicode_decimal": 59723
},
{
"icon_id": "40548510",
"name": "monitor-testing",
"font_class": "monitor-testing1",
"unicode": "e94c",
"unicode_decimal": 59724
},
{
"icon_id": "40548503",
"name": "monitor-ping",
"font_class": "monitor-ping2",
"unicode": "e941",
"unicode_decimal": 59713
},
{
"icon_id": "40548509",
"name": "monitor-prometheus",
"font_class": "monitor-prometheus",
"unicode": "e942",
"unicode_decimal": 59714
},
{
"icon_id": "40548505",
"name": "monitor-websocket",
"font_class": "monitor-websocket2",
"unicode": "e943",
"unicode_decimal": 59715
},
{
"icon_id": "40548512",
"name": "monitor-traceroute",
"font_class": "monitor-traceroute2",
"unicode": "e944",
"unicode_decimal": 59716
},
{
"icon_id": "40548205",
"name": "monitor-port",
"font_class": "monitor-port",
"unicode": "e93c",
"unicode_decimal": 59708
},
{
"icon_id": "40548204",
"name": "monitor-base",
"font_class": "monitor-base1",
"unicode": "e93d",
"unicode_decimal": 59709
},
{
"icon_id": "40548203",
"name": "monitor-backgroud",
"font_class": "monitor-backgroud",
"unicode": "e93e",
"unicode_decimal": 59710
},
{
"icon_id": "40548202",
"name": "monitor-dig",
"font_class": "monitor-dig1",
"unicode": "e93f",
"unicode_decimal": 59711
},
{
"icon_id": "40548201",
"name": "monitor-foreground",
"font_class": "monitor-foreground",
"unicode": "e940",
"unicode_decimal": 59712
},
{
"icon_id": "40548213",
"name": "monitor-log",
"font_class": "monitor-log1",
"unicode": "e934",
"unicode_decimal": 59700
},
{
"icon_id": "40548212",
"name": "monitor-process",
"font_class": "monitor-process1",
"unicode": "e935",
"unicode_decimal": 59701
},
{
"icon_id": "40548211",
"name": "monitor-testing",
"font_class": "monitor-testing",
"unicode": "e936",
"unicode_decimal": 59702
},
{
"icon_id": "40548210",
"name": "monitor-snmp",
"font_class": "monitor-snmp1",
"unicode": "e937",
"unicode_decimal": 59703
},
{
"icon_id": "40548209",
"name": "monitor-performance",
"font_class": "monitor-performance",
"unicode": "e938",
"unicode_decimal": 59704
},
{
"icon_id": "40548208",
"name": "monitor-traceroute",
"font_class": "monitor-traceroute1",
"unicode": "e939",
"unicode_decimal": 59705
},
{
"icon_id": "40548207",
"name": "monitor-ping",
"font_class": "monitor-ping1",
"unicode": "e93a",
"unicode_decimal": 59706
},
{
"icon_id": "40548206",
"name": "monitor-ipmi",
"font_class": "monitor-ipmi1",
"unicode": "e93b",
"unicode_decimal": 59707
},
{
"icon_id": "40548217",
"name": "monitor-prometheus (1)",
"font_class": "a-monitor-prometheus1",
"unicode": "e932",
"unicode_decimal": 59698
},
{
"icon_id": "40548214",
"name": "monitor-websocket",
"font_class": "monitor-websocket1",
"unicode": "e933",
"unicode_decimal": 59699
},
{
"icon_id": "40521692",
"name": "monitor-group_expansion",
"font_class": "monitor-group_expansion1",
"unicode": "e930",
"unicode_decimal": 59696
},
{
"icon_id": "40521691",
"name": "monitor-group_collapse",
"font_class": "monitor-group_collapse1",
"unicode": "e931",
"unicode_decimal": 59697
},
{
"icon_id": "40520774",
"name": "monitor-group_expansion",
"font_class": "monitor-group_expansion",
"unicode": "e92e",
"unicode_decimal": 59694
},
{
"icon_id": "40520787",
"name": "monitor-group_collapse",
"font_class": "monitor-group_collapse",
"unicode": "e92f",
"unicode_decimal": 59695
},
{
"icon_id": "40519707",
"name": "monitor-list_view",
"font_class": "monitor-list_view",
"unicode": "e92d",
"unicode_decimal": 59693
},
{
"icon_id": "40519711",
"name": "monitor-group_view",
"font_class": "monitor-group_view",
"unicode": "e92c",
"unicode_decimal": 59692
},
{
"icon_id": "40499246",
"name": "ops-topology_view",
"font_class": "ops-topology_view",
"unicode": "e92b",
"unicode_decimal": 59691
},
{
"icon_id": "40411336",
"name": "monitor-host_analysis",
"font_class": "monitor-host_analysis",
"unicode": "e92a",
"unicode_decimal": 59690
},
{
"icon_id": "40372105",
"name": "monitor-add2",
"font_class": "monitor-add2",
"unicode": "e929",
"unicode_decimal": 59689
},
{
"icon_id": "40368097",
"name": "monitor-native",
"font_class": "monitor-native",
"unicode": "e928",
"unicode_decimal": 59688
},
{
"icon_id": "40357355",
"name": "veops-filter2",
"font_class": "veops-filter2",
"unicode": "e927",
"unicode_decimal": 59687
},
{
"icon_id": "40356229",
"name": "ops-cmdb-data_companies-selected",
"font_class": "ops-cmdb-data_companies-selected",
"unicode": "e601",
"unicode_decimal": 58881
},
{
"icon_id": "40343814",
"name": "ops-cmdb-data_companies",
"font_class": "ops-cmdb-data_companies",
"unicode": "e926",
"unicode_decimal": 59686
},
{
"icon_id": "40326916",
"name": "monitor-threshold_value",
"font_class": "monitor-threshold_value",
"unicode": "e921",
"unicode_decimal": 59681
},
{
"icon_id": "40326913",
"name": "monitor-disposition",
"font_class": "monitor-disposition",
"unicode": "e922",
"unicode_decimal": 59682
},
{
"icon_id": "40326911",
"name": "monitor-automatic_discovery",
"font_class": "monitor-automatic_discovery",
"unicode": "e923",
"unicode_decimal": 59683
},
{
"icon_id": "40326907",
"name": "monitor-grouping_list",
"font_class": "monitor-grouping_list",
"unicode": "e924",
"unicode_decimal": 59684
},
{
"icon_id": "40326906",
"name": "monitor-node_list",
"font_class": "monitor-node_list",
"unicode": "e925",
"unicode_decimal": 59685
},
{
"icon_id": "40326667",
"name": "monitor-general_view",
"font_class": "monitor-general_view",
"unicode": "e920",
"unicode_decimal": 59680
},
{
"icon_id": "40326683",
"name": "monitor-network_topology",
"font_class": "monitor-network_topology",
"unicode": "e91b",
"unicode_decimal": 59675
},
{
"icon_id": "40326682",
"name": "monitor-node_management",
"font_class": "monitor-node_management",
"unicode": "e91c",
"unicode_decimal": 59676
},
{
"icon_id": "40326681",
"name": "monitor-alarm_policy",
"font_class": "monitor-alarm_policy",
"unicode": "e91d",
"unicode_decimal": 59677
},
{
"icon_id": "40326680",
"name": "monitor-alarm",
"font_class": "monitor-alarm",
"unicode": "e91e",
"unicode_decimal": 59678
},
{
"icon_id": "40326679",
"name": "monitor-healing",
"font_class": "monitor-healing",
"unicode": "e91f",
"unicode_decimal": 59679
},
{
"icon_id": "40326685",
"name": "monitor-data_acquisition",
"font_class": "monitor-data_acquisition",
"unicode": "e8d4",
"unicode_decimal": 59604
},
{
"icon_id": "40326684",
"name": "monitor-analysis",
"font_class": "monitor-analysis",
"unicode": "e91a",
"unicode_decimal": 59674
},
{
"icon_id": "40308359",
"name": "monitor-index",
"font_class": "monitor-index",
"unicode": "e89b",
"unicode_decimal": 59547
},
{
"icon_id": "40307829",
"name": "monitor-user_defined",
"font_class": "monitor-user_defined",
"unicode": "e867",
"unicode_decimal": 59495
},
{
"icon_id": "40307835",
"name": "monitor-database",
"font_class": "monitor-database",
"unicode": "e861",
"unicode_decimal": 59489
},
{
"icon_id": "40307833",
"name": "monitor-common",
"font_class": "monitor-common",
"unicode": "e865",
"unicode_decimal": 59493
},
{
"icon_id": "40307035",
"name": "veops-edit",
"font_class": "veops-edit",
"unicode": "e866",
"unicode_decimal": 59494
},
{
"icon_id": "40307027",
"name": "veops-empower",
"font_class": "veops-empower",
"unicode": "e863",
"unicode_decimal": 59491
},
{
"icon_id": "40307026",
"name": "veops-share",
"font_class": "veops-share",
"unicode": "e864",
"unicode_decimal": 59492
},
{
"icon_id": "40306997",
"name": "veops-export",
"font_class": "veops-export",
"unicode": "e862",
"unicode_decimal": 59490
},
{
"icon_id": "40262335",
"name": "monitor-ip (1)",
"font_class": "monitor-ip",
"unicode": "e807",
"unicode_decimal": 59399
},
{
"icon_id": "40262337",
"name": "monitor-director",
"font_class": "monitor-director",
"unicode": "e803",
"unicode_decimal": 59395
},
{
"icon_id": "40262336",
"name": "monitor-host",
"font_class": "monitor-host",
"unicode": "e804",
"unicode_decimal": 59396
},
{
"icon_id": "40262216",
"name": "cmdb-log",
"font_class": "a-cmdb-log1",
"unicode": "e802",
"unicode_decimal": 59394
},
{
"icon_id": "40261712",
"name": "monitor-add",
"font_class": "monitor-add",
"unicode": "e7ff",
"unicode_decimal": 59391
},
{
"icon_id": "40248186",
"name": "monitor-down",
"font_class": "monitor-down",
"unicode": "e7fc",
"unicode_decimal": 59388
},
{
"icon_id": "40248184",
"name": "monitor-up",
"font_class": "monitor-up",
"unicode": "e7fd",
"unicode_decimal": 59389
},
{
"icon_id": "40235502",
"name": "itsm-unfold",
"font_class": "itsm-unfold",
"unicode": "e7f9",
"unicode_decimal": 59385
},
{
"icon_id": "40235453",
"name": "itsm-shrink",
"font_class": "itsm-stretch",
"unicode": "e7f8",
"unicode_decimal": 59384
},
{
"icon_id": "40217123",
"name": "monitor-data_comaparison2",
"font_class": "monitor-data_comaparison2",
"unicode": "e7a1",
"unicode_decimal": 59297
},
{
"icon_id": "40217122",
"name": "monitor-data_comaparison1",
"font_class": "monitor-data_comaparison1",
"unicode": "e7f7",
"unicode_decimal": 59383
},
{
"icon_id": "40176936",
"name": "monitor-online",
"font_class": "a-monitor-online1",
"unicode": "e7a0",
"unicode_decimal": 59296
},
{ {
"icon_id": "40043662", "icon_id": "40043662",
"name": "ops-setting-application-selected", "name": "ops-setting-application-selected",

Binary file not shown.

View File

@@ -9,7 +9,7 @@
:bodyStyle="{ padding: '24px 12px' }" :bodyStyle="{ padding: '24px 12px' }"
:placement="placement" :placement="placement"
> >
<ResourceSearch ref="resourceSearch" :fromCronJob="true" :type="type" :typeId="typeId" @copySuccess="copySuccess" /> <ResourceSearch :fromCronJob="true" @copySuccess="copySuccess" />
</CustomDrawer> </CustomDrawer>
</template> </template>
@@ -23,14 +23,6 @@ export default {
type: String, type: String,
default: 'right', default: 'right',
}, },
type: {
type: String,
default: 'resourceSearch'
},
typeId: {
type: Number,
default: null
}
}, },
data() { data() {
return { return {

View File

@@ -182,8 +182,8 @@ export default {
<tag {...{ props, attrs }}> <tag {...{ props, attrs }}>
{this.renderIcon({ icon: menu.meta.icon, customIcon: menu.meta.customIcon, name: menu.meta.name, typeId: menu.meta.typeId, routeName: menu.name, selectedIcon: menu.meta.selectedIcon, })} {this.renderIcon({ icon: menu.meta.icon, customIcon: menu.meta.customIcon, name: menu.meta.name, typeId: menu.meta.typeId, routeName: menu.name, selectedIcon: menu.meta.selectedIcon, })}
<span> <span>
<span style={menu.meta.style} class={this.renderI18n(menu.meta.title).length > 10 ? 'scroll' : ''}>{this.renderI18n(menu.meta.title)}</span> <span class={this.renderI18n(menu.meta.title).length > 10 ? 'scroll' : ''}>{this.renderI18n(menu.meta.title)}</span>
{isShowDot && !menu.meta.disabled && {isShowDot &&
<a-popover <a-popover
overlayClassName="custom-menu-extra-submenu" overlayClassName="custom-menu-extra-submenu"
placement="rightTop" placement="rightTop"

View File

@@ -10,10 +10,10 @@ export const regList = () => {
{ id: 'landline', label: i18n.t('regexSelect.landline'), value: '^(?:(?:\\d{3}-)?\\d{8}|^(?:\\d{4}-)?\\d{7,8})(?:-\\d+)?$', message: '请输入正确座机' }, { id: 'landline', label: i18n.t('regexSelect.landline'), value: '^(?:(?:\\d{3}-)?\\d{8}|^(?:\\d{4}-)?\\d{7,8})(?:-\\d+)?$', message: '请输入正确座机' },
{ id: 'zipCode', label: i18n.t('regexSelect.zipCode'), value: '^(0[1-7]|1[0-356]|2[0-7]|3[0-6]|4[0-7]|5[1-7]|6[1-7]|7[0-5]|8[013-6])\\d{4}$', message: '请输入正确邮政编码' }, { id: 'zipCode', label: i18n.t('regexSelect.zipCode'), value: '^(0[1-7]|1[0-356]|2[0-7]|3[0-6]|4[0-7]|5[1-7]|6[1-7]|7[0-5]|8[013-6])\\d{4}$', message: '请输入正确邮政编码' },
{ id: 'IDCard', label: i18n.t('regexSelect.IDCard'), value: '(^[1-9]\\d{5}(18|19|([23]\\d))\\d{2}((0[1-9])|(10|11|12))(([0-2][1-9])|10|20|30|31)\\d{3}[0-9Xx]$)|(^[1-9]\\d{5}\\d{2}((0[1-9])|(10|11|12))(([0-2][1-9])|10|20|30|31)\\d{3}$)', message: '请输入正确身份证号' }, { id: 'IDCard', label: i18n.t('regexSelect.IDCard'), value: '(^[1-9]\\d{5}(18|19|([23]\\d))\\d{2}((0[1-9])|(10|11|12))(([0-2][1-9])|10|20|30|31)\\d{3}[0-9Xx]$)|(^[1-9]\\d{5}\\d{2}((0[1-9])|(10|11|12))(([0-2][1-9])|10|20|30|31)\\d{3}$)', message: '请输入正确身份证号' },
{ id: 'ip', label: i18n.t('regexSelect.ip'), value: '^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$', message: '请输入正确IP地址' }, { id: 'ip', label: i18n.t('regexSelect.ip'), value: '^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$', message: '请输入正确IP地址' },
{ id: 'email', label: i18n.t('regexSelect.email'), value: '^\\w+([-+.]\\w+)*@\\w+([-.]\\w+)*\\.\\w+([-.]\\w+)*$', message: '请输入正确邮箱' }, { id: 'email', label: i18n.t('regexSelect.email'), value: '^\\w+([-+.]\\w+)*@\\w+([-.]\\w+)*\.\\w+([-.]\\w+)*$', message: '请输入正确邮箱' },
{ id: 'link', label: i18n.t('regexSelect.link'), value: '^(https:\/\/www\\.|http:\/\/www\\.|https:\/\/|http:\/\/)?[a-zA-Z0-9]{2,}(\\.[a-zA-Z0-9]{2,})(\\.[a-zA-Z0-9]{2,})?$', message: '请输入链接' }, { id: 'link', label: i18n.t('regexSelect.link'), value: '^(https:\/\/www\.|http:\/\/www\.|https:\/\/|http:\/\/)?[a-zA-Z0-9]{2,}(\.[a-zA-Z0-9]{2,})(\.[a-zA-Z0-9]{2,})?$', message: '请输入链接' },
{ id: 'monetaryAmount', label: i18n.t('regexSelect.monetaryAmount'), value: '^-?\\d+(,\\d{3})*(\\.\\d{1,2})?$', message: '请输入货币金额' }, { id: 'monetaryAmount', label: i18n.t('regexSelect.monetaryAmount'), value: '^-?\\d+(,\\d{3})*(\.\\d{1,2})?$', message: '请输入货币金额' },
{ id: 'custom', label: i18n.t('regexSelect.custom'), value: '', message: '' } { id: 'custom', label: i18n.t('regexSelect.custom'), value: '', message: '' }
] ]
} }

View File

@@ -81,7 +81,7 @@ export default {
if (route.name === 'cmdb') { if (route.name === 'cmdb') {
const preference = await getPreference() const preference = await getPreference()
const lastTypeId = window.localStorage.getItem('ops_ci_typeid') || undefined const lastTypeId = window.localStorage.getItem('ops_ci_typeid') || undefined
if (lastTypeId && preference.type_ids.some((item) => item === Number(lastTypeId))) { if (lastTypeId && preference.some((item) => item.id === Number(lastTypeId))) {
this.$router.push(`/cmdb/instances/types/${lastTypeId}`) this.$router.push(`/cmdb/instances/types/${lastTypeId}`)
} else { } else {
this.$router.push('/cmdb/dashboard') this.$router.push('/cmdb/dashboard')

View File

@@ -57,9 +57,7 @@ export default {
computed: { computed: {
...mapState(['user', 'locale']), ...mapState(['user', 'locale']),
hasBackendPermission() { hasBackendPermission() {
const isAdmin = this?.user?.roles?.permissions?.includes('acl_admin') return this.user?.detailPermissions?.backend?.length
return isAdmin || this.user?.detailPermissions?.backend?.length
}, },
}, },
methods: { methods: {

View File

@@ -160,7 +160,7 @@ export default {
landline: 'landline', landline: 'landline',
zipCode: 'zip code', zipCode: 'zip code',
IDCard: 'ID card', IDCard: 'ID card',
ip: 'IPv4', ip: 'IP',
email: 'email', email: 'email',
link: 'link', link: 'link',
monetaryAmount: 'monetary amount', monetaryAmount: 'monetary amount',

View File

@@ -160,7 +160,7 @@ export default {
landline: '座机', landline: '座机',
zipCode: '邮政编码', zipCode: '邮政编码',
IDCard: '身份证号', IDCard: '身份证号',
ip: 'IPv4地址', ip: 'IP地址',
email: '邮箱', email: '邮箱',
link: '链接', link: '链接',
monetaryAmount: '货币金额', monetaryAmount: '货币金额',

View File

@@ -2,12 +2,11 @@ import { axios } from '@/utils/request'
const urlPrefix = '/v0.1' const urlPrefix = '/v0.1'
export function searchCI(params, isShowMessage = true) { export function searchCI(params) {
return axios({ return axios({
url: urlPrefix + `/ci/s`, url: urlPrefix + `/ci/s`,
method: 'GET', method: 'GET',
params: params, params: params
isShowMessage
}) })
} }

View File

@@ -50,13 +50,3 @@ export const putCITypeGroups = (data) => {
data: data data: data
}) })
} }
// 导出模型分组
export function exportCITypeGroups(params) {
return axios({
url: `${urlPrefix}/ci_types/template/export`,
method: 'GET',
params: params,
timeout: 30 * 1000,
})
}

View File

@@ -45,21 +45,11 @@ export function getHttpAttributes(name, params) {
}) })
} }
export function getSnmpAttributes(type, name) { export function getSnmpAttributes(name) {
return axios({ return axios({
url: `/v0.1/adr/${type}/${name}/attributes`, url: `/v0.1/adr/snmp/${name}/attributes`,
method: 'GET', method: 'GET',
}) })
}
export function getHttpAttrMapping(name, resource) {
return axios({
url: `/v0.1/adr/http/${name}/mapping`,
method: 'GET',
params: {
resource
}
})
} }
export function getCITypeDiscovery(type_id) { export function getCITypeDiscovery(type_id) {
@@ -128,65 +118,3 @@ export function deleteAdc(adc_id) {
method: 'DELETE', method: 'DELETE',
}) })
} }
export function getAdcCounter(params) {
return axios({
url: `v0.1/adc/counter`,
method: 'GET',
params
})
}
export function getAdcExecHistories(params) {
return axios({
url: `v0.1/adc/exec/histories`,
method: 'GET',
params
})
}
export function getAdtSyncHistories(adt_id) {
return axios({
url: `/v0.1/adt/${adt_id}/sync/histories`,
method: 'GET',
params: {
page_size: 9999
}
})
}
export function postAdtTest(adt_id) {
return axios({
url: `/v0.1/adt/${adt_id}/test`,
method: 'POST',
})
}
export function getAdtTestResult(exec_id) {
return axios({
url: `/v0.1/adt/test/${exec_id}/result`,
method: 'GET'
})
}
export function getCITypeAttributes(type_id) {
return axios({
url: `/v0.1/adt/ci_types/${type_id}/attributes`,
method: 'GET',
})
}
export function getCITypeRelations(type_id) {
return axios({
url: `/v0.1/adt/ci_types/${type_id}/relations`,
method: 'GET',
})
}
export function postCITypeRelations(type_id, data) {
return axios({
url: `/v0.1/adt/ci_types/${type_id}/relations`,
method: 'POST',
data
})
}

View File

@@ -1,110 +0,0 @@
import { axios } from '@/utils/request'
const urlPrefix = '/v0.1'
export function getTopoGroups() {
return axios({
url: `${urlPrefix}/topology_views`,
method: 'GET',
})
}
export function getTopoView(_id) {
return axios({
url: `${urlPrefix}/topology_views/${_id}`,
method: 'GET',
})
}
export function postTopoGroup(data) {
return axios({
url: `${urlPrefix}/topology_views/groups`,
method: 'POST',
data: data
})
}
export function putTopoGroupByGId(gid, data) {
return axios({
url: `${urlPrefix}/topology_views/groups/${gid}`,
method: 'PUT',
data: data
})
}
export function putTopoGroupsOrder(data) {
return axios({
url: `${urlPrefix}/topology_views/groups/order`,
method: 'PUT',
data: data
})
}
export function deleteTopoGroup(gid, data) {
return axios({
url: `${urlPrefix}/topology_views/groups/${gid}`,
method: 'DELETE',
data: data
})
}
export function addTopoView(data) {
return axios({
url: `${urlPrefix}/topology_views`,
method: 'POST',
data: data
})
}
export function updateTopoView(_id, data) {
return axios({
url: `${urlPrefix}/topology_views/${_id}`,
method: 'PUT',
data: data
})
}
export function deleteTopoView(_id) {
return axios({
url: `${urlPrefix}/topology_views/${_id}`,
method: 'DELETE',
})
}
export function getRelationsByTypeId(_id) {
return axios({
url: `${urlPrefix}/topology_views/relations/ci_types/${_id}`,
method: 'GET',
})
}
export function previewTopoView(params) {
return axios({
url: `${urlPrefix}/topology_views/preview`,
method: 'POST',
data: params,
})
}
export function showTopoView(_id) {
return axios({
url: `${urlPrefix}/topology_views/${_id}/view`,
method: 'GET',
})
}
export function grantTopologyView(viewId, rid, data) {
return axios({
url: `/v0.1/topology_views/${viewId}/roles/${rid}/grant`,
method: 'POST',
data: data
})
}
export function revokeTopologyView(viewId, rid, data) {
return axios({
url: `/v0.1/topology_views/${viewId}/roles/${rid}/revoke`,
method: 'POST',
data: data
})
}

View File

@@ -1,196 +0,0 @@
<template>
<div class="attr-map-table">
<div class="attr-map-table-left">
<div class="attr-map-table-title">{{ $t('cmdb.ciType.attributes') }}</div>
<vxe-table
ref="attr-xTable-left"
size="mini"
:data="tableData"
:scroll-y="{ enabled: true }"
:min-height="78"
>
<vxe-column field="attr" :title="$t('name')">
<template #default="{ row }">
<div class="attr-select">
<span
v-if="uniqueKey"
:style="{
opacity: uniqueKey === row.name ? 1 : 0
}"
class="attr-select-unique"
>
*
</span>
<vxe-select
filterable
clearable
v-model="row.attr"
type="text"
:options="ciTypeAttributes"
transfer
:placeholder="$t('cmdb.ciType.attrMapTableAttrPlaceholder')"
></vxe-select>
</div>
</template>
</vxe-column>
</vxe-table>
</div>
<div class="attr-map-table-right">
<div class="attr-map-table-title">{{ $t('cmdb.ciType.autoDiscovery') }}</div>
<vxe-table
ref="attr-xTable-right"
size="mini"
show-overflow
show-header-overflow
:data="tableData"
:scroll-y="{ enabled: true }"
:row-config="{ height: 42 }"
:min-height="78"
>
<vxe-column field="name" :title="$t('name')"></vxe-column>
<vxe-column field="type" :title="$t('type')"></vxe-column>
<vxe-column v-if="ruleType !== 'agent'" field="example" :title="$t('cmdb.components.example')">
<template #default="{row}">
<span v-if="row.type === 'json'">{{ JSON.stringify(row.example) }}</span>
<span v-else>{{ row.example }}</span>
</template>
</vxe-column>
<vxe-column field="desc" :title="$t('desc')"></vxe-column>
</vxe-table>
</div>
<div class="attr-map-table-link">
<div
v-for="item in tableData"
:key="item._X_ROW_KEY"
class="attr-map-table-link-item"
>
<div class="attr-map-table-link-left"></div>
<div class="attr-map-table-link-right"></div>
</div>
</div>
</div>
</template>
<script>
export default {
name: 'AttrMapTable',
props: {
tableData: {
type: Array,
default: () => [],
},
ciTypeAttributes: {
type: Array,
default: () => [],
},
ruleType: {
type: String,
default: '',
},
uniqueKey: {
type: String,
default: '',
}
},
data() {
return {}
},
methods: {
getTableData() {
const leftTable = this.$refs?.['attr-xTable-left']
const rightTable = this.$refs?.['attr-xTable-right']
const { fullData: leftFullData } = leftTable.getTableData()
const { fullData: rightFullData } = rightTable.getTableData()
const fullData = leftFullData.map((item, index) => {
return {
...(rightFullData?.[index] || {}),
...(item || {})
}
})
return {
fullData
}
},
}
}
</script>
<style lang="less" scoped>
.attr-map-table {
display: flex;
justify-content: space-between;
position: relative;
&-left {
width: 30%;
}
&-right {
width: calc(70% - 60px);
}
&-title {
font-size: 14px;
font-weight: 700;
line-height: 22px;
margin-bottom: 12px;
}
&-link {
position: absolute;
z-index: 10;
bottom: 0;
left: calc(30% - 6px);
width: 66px;
&-item {
position: relative;
display: flex;
justify-content: space-between;
align-items: center;
margin-bottom: calc(42px - 12px);
width: 100%;
&:last-child {
margin-bottom: calc(21px - 6px);
}
&::after {
content: '';
position: absolute;
top: 50%;
left: 0;
width: 100%;
height: 1px;
background-color: @border-color-base;
z-index: -1;
}
}
&-left {
width: 12px;
height: 12px;
background-color: @primary-color;
border: solid 3px #E2E7FC;
border-radius: 50%;
}
&-right {
width: 2px;
height: 10px;
border-radius: 1px 0px 0px 1px;
background-color: @primary-color;
}
}
.attr-select {
display: flex;
align-items: center;
gap: 10px;
&-unique {
color: #FD4C6A;
}
}
}
</style>

View File

@@ -57,20 +57,6 @@
:addedRids="addedRids" :addedRids="addedRids"
/> />
</template> </template>
<template v-if="cmdbGrantType.includes('TopologyView')">
<div class="cmdb-grant-title">{{ resourceTypeName }}{{ $t('cmdb.components.perm') }}</div>
<TopologyViewGrant
:resourceTypeName="resourceTypeName"
:tableData="tableData"
:viewId="CITypeId"
grantType="TopologyView"
@grantDepart="grantDepart"
@grantRole="grantRole"
@getTableData="getTableData"
ref="grantTopologyView"
:addedRids="addedRids"
/>
</template>
<GrantModal ref="grantModal" @handleOk="handleOk" /> <GrantModal ref="grantModal" @handleOk="handleOk" />
<ReadGrantModal ref="readGrantModal" :CITypeId="CITypeId" @updateTableDataRead="updateTableDataRead" /> <ReadGrantModal ref="readGrantModal" :CITypeId="CITypeId" @updateTableDataRead="updateTableDataRead" />
@@ -86,12 +72,11 @@ import { getResourcePerms } from '@/modules/acl/api/permission'
import GrantModal from './grantModal.vue' import GrantModal from './grantModal.vue'
import ReadGrantModal from './readGrantModal' import ReadGrantModal from './readGrantModal'
import RelationViewGrant from './relationViewGrant.vue' import RelationViewGrant from './relationViewGrant.vue'
import TopologyViewGrant from './topologyViewGrant.vue'
import { getCITypeGroupById, ciTypeFilterPermissions } from '../../api/CIType' import { getCITypeGroupById, ciTypeFilterPermissions } from '../../api/CIType'
export default { export default {
name: 'GrantComp', name: 'GrantComp',
components: { CiTypeGrant, TypeRelationGrant, RelationViewGrant, TopologyViewGrant, GrantModal, ReadGrantModal }, components: { CiTypeGrant, TypeRelationGrant, RelationViewGrant, GrantModal, ReadGrantModal },
props: { props: {
CITypeId: { CITypeId: {
type: Number, type: Number,
@@ -306,20 +291,6 @@ export default {
}) })
) )
} }
if (grantType === 'TopologyView') {
this.tableData.unshift(
...rids.map(({ rid, name }) => {
return {
rid,
name,
read: false,
update: false,
delete: false,
grant: false,
}
})
)
}
this.addedRids = rids this.addedRids = rids
this.$nextTick(() => { this.$nextTick(() => {
setTimeout(() => { setTimeout(() => {

View File

@@ -1,102 +0,0 @@
<template>
<div class="topology-view-grant">
<vxe-table
ref="xTable"
size="mini"
stripe
class="ops-stripe-table"
:data="tableData"
:max-height="`${tableHeight}px`"
:scroll-y="{enabled: true}"
:row-style="(params) => getCurrentRowStyle(params, addedRids)"
>
<vxe-column field="name"></vxe-column>
<vxe-column v-for="col in columns" :key="col" :field="col" :title="permMap[col]">
<template #default="{row}">
<a-checkbox @change="(e) => handleChange(e, col, row)" v-model="row[col]"></a-checkbox>
</template>
</vxe-column>
</vxe-table>
<a-space>
<span class="grant-button" @click="grantDepart">{{ $t('cmdb.components.grantUser') }}</span>
<span class="grant-button" @click="grantRole">{{ $t('cmdb.components.grantRole') }}</span>
</a-space>
</div>
</template>
<script>
import { permMap } from './constants.js'
import { grantTopologyView, revokeTopologyView } from '@/modules/cmdb/api/topology.js'
import { getCurrentRowStyle } from './utils'
export default {
name: 'TopologyViewGrant',
inject: ['loading', 'isModal'],
props: {
viewId: {
type: Number,
default: null,
},
resourceTypeName: {
type: String,
default: '',
},
tableData: {
type: Array,
default: () => [],
},
grantType: {
type: String,
default: 'relation_view',
},
addedRids: {
type: Array,
default: () => [],
},
},
data() {
return {
columns: ['read', 'update', 'delete', 'grant'],
}
},
computed: {
windowHeight() {
return this.$store.state.windowHeight
},
tableHeight() {
if (this.isModal) {
return (this.windowHeight - 104) / 2
}
return (this.windowHeight - 104) / 2 - 116
},
permMap() {
return permMap()
}
},
methods: {
getCurrentRowStyle,
grantDepart() {
this.$emit('grantDepart', this.grantType)
},
grantRole() {
this.$emit('grantRole', this.grantType)
},
handleChange(e, col, row) {
if (e.target.checked) {
grantTopologyView(this.viewId, row.rid, { perms: [col], name: this.resourceTypeName }).catch(() => {
this.$emit('getTableData')
})
} else {
revokeTopologyView(this.viewId, row.rid, { perms: [col], name: this.resourceTypeName }).catch(() => {
this.$emit('getTableData')
})
}
},
},
}
</script>
<style lang="less" scoped>
.topology-view-grant {
padding: 10px 0;
}
</style>

View File

@@ -1,39 +0,0 @@
<template>
<vxe-table
size="mini"
stripe
class="ops-stripe-table"
show-overflow
keep-source
ref="xTable"
resizable
height="100%"
:data="tableData"
:scroll-y="{enabled: true}"
>
<vxe-column field="name" :title="$t('name')" width="100"> </vxe-column>
<vxe-column field="type" :title="$t('type')" width="80"> </vxe-column>
<vxe-column field="example" :title="$t('cmdb.components.example')">
<template #default="{row}">
<span v-if="row.type === 'object'">{{ row.example ? JSON.stringify(row.example) : '' }}</span>
<span v-else>{{ row.example }}</span>
</template>
</vxe-column>
<vxe-column field="desc" :title="$t('desc')"> </vxe-column>
</vxe-table>
</template>
<script>
export default {
name: 'ADPreviewTable',
props: {
tableData: {
type: Array,
default: () => [],
},
}
}
</script>
<style lang="less" scoped>
</style>

View File

@@ -1,300 +0,0 @@
<template>
<div class="http-ad-category">
<div class="http-ad-category-preview" v-if="currentCate && isPreviewDetail">
<div class="category-side">
<div
v-for="(category, categoryIndex) in categories"
:key="category.category"
class="category-side-item"
>
<div class="category-side-title">
<div class="category-side-title">
<a-icon
v-if="categoryIndex === 0"
type="left"
@click="clickBack"
/>
{{ category.category }}
</div>
</div>
<div class="category-side-children">
<div
v-for="(item, itemIndex) in category.items"
:key="item"
:class="['category-side-children-item', item === currentCate ? 'category-side-children-item_active' : '']"
@click="clickCategory(item)"
>
{{ item }}
<span
class="category-side-children-item-corporate"
v-if="ruleType === 'private_cloud' || (ruleType === 'http' && (categoryIndex !== 0 || itemIndex !== 0))"
>
</span>
</div>
</div>
</div>
</div>
<div class="category-table">
<ADPreviewTable
:tableData="tableData"
/>
</div>
</div>
<template v-else>
<a-input-search
class="category-search"
:placeholder="$t('cmdb.ad.httpSearchPlaceHolder')"
@search="onSearchHttp"
/>
<div class="category-main">
<div
v-for="(category, categoryIndex) in filterCategories"
:key="category.category"
class="category-item"
>
<div class="category-title">{{ category.category }}</div>
<div class="category-children">
<div
v-for="(item, itemIndex) in category.items"
:key="item"
:class="['category-children-item', item === currentCate ? 'category-children-item_active' : '']"
@click="clickCategory(item)"
>
{{ item }}
<div
class="corporate-flag"
v-if="ruleType === 'private_cloud' || (ruleType === 'http' && (categoryIndex !== 0 || itemIndex !== 0))"
>
<span class="corporate-flag-text"></span>
</div>
</div>
</div>
</div>
</div>
<div class="corporate-tip">
{{ $t('cmdb.ad.corporateTip') }} <a href="mailto:bd@veops.cn">bd@veops.cn</a>
</div>
</template>
</div>
</template>
<script>
import _ from 'lodash'
import ADPreviewTable from './adPreviewTable.vue'
export default {
name: 'HttpADCategory',
components: {
ADPreviewTable
},
props: {
categories: {
type: Array,
default: () => {},
},
currentCate: {
type: String,
default: ''
},
tableData: {
type: Array,
default: () => [],
},
ruleType: {
type: String,
default: 'http',
},
},
data() {
return {
searchValue: '',
isPreviewDetail: false,
}
},
computed: {
filterCategories() {
const categories = _.cloneDeep(this.categories)
const filterCategories = categories.filter((category) => {
category.items = category.items.filter((item) => {
return item?.indexOf(this.searchValue) !== -1
})
return category?.items?.length > 0
})
return filterCategories
}
},
methods: {
onSearchHttp(v) {
this.searchValue = v
},
clickCategory(item) {
this.$emit('clickCategory', item)
this.isPreviewDetail = true
},
clickBack() {
this.isPreviewDetail = false
}
}
}
</script>
<style lang="less" scoped>
.http-ad-category {
&-preview {
display: flex;
width: 100%;
height: calc(100vh - 156px);
justify-content: space-between;
}
.category-side {
flex-shrink: 0;
width: 150px;
height: 100%;
border-right: solid 1px @border-color-base;
padding-right: 10px;
&-item {
&:not(:last-child) {
margin-bottom: 24px;
}
.category-side-title {
font-size: 12px;
font-weight: 400;
color: @text-color_4;
}
.category-side-children {
margin-top: 5px;
&-item {
padding: 7px 10px;
background-color: @layout-content-background;
border-radius: @border-radius-base;
color: @text-color_2;
font-size: 12px;
font-weight: 400;
cursor: pointer;
position: relative;
margin-top: 5px;
display: flex;
align-items: center;
justify-content: space-between;
&:hover {
background-color: @layout-sidebar-selected-color;
color: @layout-header-font-selected-color;
}
&_active {
background-color: @layout-sidebar-selected-color;
color: @layout-header-font-selected-color;
}
&-corporate {
flex-shrink: 0;
width: 18px;
height: 18px;
background-color: #E1EFFF;
display: inline-flex;
align-items: center;
justify-content: center;
border-radius: 50%;
color: #2F54EB;
font-size: 12px;
}
}
}
}
}
.category-table {
width: calc(100% - 150px - 10px - 16px);
flex-shrink: 0;
height: 100%;
}
.category-search {
width: 254px;
}
.category-main {
.category-item {
margin-top: 24px;
.category-title {
font-size: 14px;
font-weight: 700;
}
.category-children {
margin-top: 8px;
display: flex;
align-items: center;
flex-wrap: wrap;
gap: 19px;
&-item {
padding: 18px 19px;
background-color: @layout-content-background;
border-radius: @border-radius-base;
color: @text-color_2;
font-size: 14px;
font-weight: 400;
cursor: pointer;
position: relative;
min-width: 100px;
text-align: center;
&:hover {
background-color: @layout-sidebar-selected-color;
color: @layout-header-font-selected-color;
}
&_active {
background-color: @layout-sidebar-selected-color;
color: @layout-header-font-selected-color;
}
}
}
}
}
.corporate-tip {
margin-top: 20px;
}
.corporate-flag {
position: absolute;
top: 0;
right: 0;
z-index: 4;
width: 38px;
height: 28px;
border-left: 38px solid transparent;
border-top: 28px solid @primary-color_4;
&-text {
width: 37px;
position: absolute;
top: -28px;
right: 3px;
text-align: right;
color: @primary-color;
font-size: 10px;
font-weight: 400;
}
}
}
</style>

View File

@@ -1,47 +1,68 @@
<template> <template>
<div class="http-snmp-ad"> <div>
<HttpADCategory <a-select v-if="ruleType === 'http'" :style="{ marginBottom: '10px' }" v-model="currentCate">
v-if="!isEdit && isCloud" <a-select-option v-for="cate in categories" :key="cate" :value="cate">{{ cate }}</a-select-option>
:categories="categories" </a-select>
:currentCate="currentCate" <vxe-table
:tableData="tableData" size="mini"
:ruleType="ruleType" stripe
@clickCategory="setCurrentCate" class="ops-stripe-table"
/> show-overflow
<template v-else> keep-source
<a-select v-if="isCloud" :style="{ marginBottom: '10px', minWidth: '200px' }" v-model="currentCate"> ref="xTable"
<a-select-option v-for="cate in categoriesSelect" :key="cate" :value="cate">{{ cate }}</a-select-option> resizable
</a-select> :data="tableData"
<AttrMapTable :edit-config="isEdit ? { trigger: 'click', mode: 'cell' } : {}"
v-if="isEdit" >
ref="attrMapTable" <template v-if="isEdit">
:ruleType="ruleType" <vxe-colgroup :title="$t('cmdb.ciType.autoDiscovery')">
:tableData="tableData" <vxe-column field="name" :title="$t('name')" width="100"> </vxe-column>
:ciTypeAttributes="ciTypeAttributes" <vxe-column field="type" :title="$t('type')" width="80"> </vxe-column>
:uniqueKey="uniqueKey" <vxe-column field="example" :title="$t('cmdb.components.example')">
/> <template #default="{row}">
<ADPreviewTable <span v-if="row.type === 'json'">{{ JSON.stringify(row.example) }}</span>
v-else <span v-else>{{ row.example }}</span>
:tableData="tableData" </template>
/> </vxe-column>
</template> <vxe-column field="desc" :title="$t('desc')"> </vxe-column>
</vxe-colgroup>
<vxe-colgroup :title="$t('cmdb.ciType.attributes')">
<vxe-column field="attr" :title="$t('name')" :edit-render="{}">
<template #default="{row}">
{{ row.attr }}
</template>
<template #edit="{ row }">
<vxe-select
filterable
clearable
v-model="row.attr"
type="text"
:options="ciTypeAttributes"
transfer
></vxe-select>
</template>
</vxe-column>
</vxe-colgroup>
</template>
<template v-else>
<vxe-column field="name" :title="$t('name')" width="100"> </vxe-column>
<vxe-column field="type" :title="$t('type')" width="80"> </vxe-column>
<vxe-column field="example" :title="$t('cmdb.components.example')">
<template #default="{row}">
<span v-if="row.type === 'object'">{{ JSON.stringify(row.example) }}</span>
<span v-else>{{ row.example }}</span>
</template>
</vxe-column>
<vxe-column field="desc" :title="$t('desc')"> </vxe-column>
</template>
</vxe-table>
</div> </div>
</template> </template>
<script> <script>
import _ from 'lodash' import { getHttpCategories, getHttpAttributes, getSnmpAttributes } from '../../api/discovery'
import { getHttpCategories, getHttpAttributes, getSnmpAttributes, getHttpAttrMapping } from '../../api/discovery'
import AttrMapTable from '@/modules/cmdb/components/attrMapTable/index.vue'
import ADPreviewTable from './adPreviewTable.vue'
import HttpADCategory from './httpADCategory.vue'
export default { export default {
name: 'HttpSnmpAD', name: 'HttpSnmpAD',
components: {
AttrMapTable,
ADPreviewTable,
HttpADCategory
},
props: { props: {
ruleName: { ruleName: {
type: String, type: String,
@@ -67,22 +88,12 @@ export default {
type: Number, type: Number,
default: 0, default: 0,
}, },
uniqueKey: {
type: String,
default: '',
},
currentAdt: {
type: Object,
default: () => {},
}
}, },
data() { data() {
return { return {
categories: [], categories: [],
categoriesSelect: [],
currentCate: '', currentCate: '',
tableData: [], tableData: [],
httpAttrMap: {}
} }
}, },
computed: { computed: {
@@ -96,20 +107,21 @@ export default {
腾讯云: { name: 'tencentcloud' }, 腾讯云: { name: 'tencentcloud' },
华为云: { name: 'huaweicloud' }, 华为云: { name: 'huaweicloud' },
AWS: { name: 'aws' }, AWS: { name: 'aws' },
VCenter: { name: 'vcenter' },
KVM: { name: 'kvm' },
} }
}, },
isCloud() {
return ['http', 'private_cloud'].includes(this.ruleType)
}
}, },
watch: { watch: {
currentCate: { currentCate: {
immediate: true, immediate: true,
handler(newVal) { handler(newVal) {
if (newVal) { if (newVal) {
this.getHttpAttr(newVal) getHttpAttributes(this.httpMap[`${this.ruleName}`].name, { category: newVal }).then((res) => {
if (this.isEdit) {
this.formatTableData(res)
} else {
this.tableData = res
}
})
} }
}, },
}, },
@@ -119,8 +131,8 @@ export default {
this.currentCate = '' this.currentCate = ''
this.$nextTick(() => { this.$nextTick(() => {
const { ruleType, ruleName } = newVal const { ruleType, ruleName } = newVal
if (['snmp', 'components'].includes(ruleType) && ruleName) { if (ruleType === 'snmp' && ruleName) {
getSnmpAttributes(ruleType, ruleName).then((res) => { getSnmpAttributes(ruleName).then((res) => {
if (this.isEdit) { if (this.isEdit) {
this.formatTableData(res) this.formatTableData(res)
} else { } else {
@@ -128,19 +140,11 @@ export default {
} }
}) })
} }
if (ruleType === 'http' && ruleName) {
if (this.isCloud && ruleName) { getHttpCategories(this.httpMap[`${this.ruleName}`].name).then((res) => {
getHttpCategories(this.ruleName).then((res) => {
this.categories = res this.categories = res
const categoriesSelect = [] if (res && res.length) {
res.forEach((category) => { this.currentCate = res[0]
if (category?.items?.length) {
categoriesSelect.push(...category.items)
}
})
this.categoriesSelect = categoriesSelect
if (this.isEdit && categoriesSelect?.length) {
this.currentCate = this?.currentAdt?.extra_option?.category || categoriesSelect[0]
} }
}) })
} }
@@ -158,61 +162,31 @@ export default {
}, },
formatTableData(list) { formatTableData(list) {
const _findADT = this.adCITypeList.find((item) => Number(item.adr_id) === Number(this.currentTab)) const _findADT = this.adCITypeList.find((item) => Number(item.adr_id) === Number(this.currentTab))
this.tableData = (list || []).map((val) => { this.tableData = (list || []).map((item) => {
const item = _.cloneDeep(val) if (_findADT.attributes) {
return {
if (_findADT?.attributes?.[item.name]) { ...item,
item.attr = _findADT.attributes[item.name] attr: _findADT.attributes[`${item.name}`],
} }
} else {
const attrMapName = this.httpAttrMap?.[item?.name]
if (
this.isEdit &&
!item.attr &&
attrMapName &&
this.ciTypeAttributes.some((ele) => ele.name === attrMapName)
) {
item.attr = attrMapName
}
if (!item.attr) {
const _find = this.ciTypeAttributes.find((ele) => ele.name === item.name) const _find = this.ciTypeAttributes.find((ele) => ele.name === item.name)
if (_find) { if (_find) {
item.attr = _find.name return {
...item,
attr: _find.name,
}
} }
return item
} }
return item
}) })
}, },
getTableData() { getTableData() {
const $table = this.$refs.attrMapTable const $table = this.$refs.xTable
const { fullData } = $table.getTableData() const { fullData } = $table.getTableData()
return fullData || [] return fullData || []
}, },
async getHttpAttr(val) {
await this.getHttpAttrMapping(this.ruleName, val)
getHttpAttributes(this.ruleName, { resource: val }).then((res) => {
if (this.isEdit) {
this.formatTableData(res)
} else {
this.tableData = res
}
})
},
async getHttpAttrMapping(name, resource) {
const res = await getHttpAttrMapping(name, resource)
this.httpAttrMap = res || {}
}
}, },
} }
</script> </script>
<style> <style></style>
.http-snmp-ad {
height: 100%;
}
</style>

View File

@@ -1,207 +0,0 @@
<template>
<div class="node-setting-wrap">
<a-row v-for="(node) in nodes" :key="node.id">
<a-col :span="6">
<a-form-item :label="$t('cmdb.ciType.nodeSettingIp')">
<a-input
allowClear
v-decorator="[
`node_ip_${node.id}`,
{
rules: [
{ required: false, message: $t('cmdb.ciType.nodeSettingIpTip') },
{
pattern:
'^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$',
message: $t('cmdb.ciType.nodeSettingIpTip1'),
trigger: 'blur',
},
],
},
]"
:placeholder="$t('cmdb.ciType.nodeSettingIpTip')"
/>
</a-form-item>
</a-col>
<a-col :span="6">
<a-form-item :label="$t('cmdb.ciType.nodeSettingCommunity')">
<a-input
allowClear
v-decorator="[
`node_community_${node.id}`,
{
rules: [{ required: false, message: $t('cmdb.ciType.nodeSettingCommunityTip') }],
},
]"
:placeholder="$t('cmdb.ciType.nodeSettingCommunityTip')"
/>
</a-form-item>
</a-col>
<a-col :span="5">
<a-form-item :label="$t('cmdb.ciType.nodeSettingVersion')">
<a-select
v-decorator="[
`node_version_${node.id}`,
{
rules: [{ required: false, message: $t('cmdb.ciType.nodeSettingVersionTip') }],
},
]"
:placeholder="$t('cmdb.ciType.nodeSettingVersionTip')"
allowClear
class="node-setting-select"
>
<a-select-option value="1">
v1
</a-select-option>
<a-select-option value="2c">
v2c
</a-select-option>
<a-select-option value="3">
v3
</a-select-option>
</a-select>
</a-form-item>
</a-col>
<a-col :span="3">
<div class="action">
<a @click="() => copyNode(node.id)">
<a-icon type="copy" />
</a>
<a @click="() => removeNode(node.id, 1)">
<a-icon type="minus-circle" />
</a>
<a @click="addNode">
<a-icon type="plus-circle" />
</a>
</div>
</a-col>
</a-row>
</div>
</template>
<script>
import _ from 'lodash'
import { v4 as uuidv4 } from 'uuid'
export default {
name: 'MonitorNodeSetting',
props: {
initNodes: {
type: Array,
default: () => [],
},
form: {
type: Object,
default: null,
},
},
data() {
return {
nodes: [],
}
},
methods: {
initNodesFunc() {
this.nodes = _.cloneDeep(this.initNodes)
},
addNode() {
const newNode = {
id: uuidv4(),
ip: '',
community: '',
version: '',
}
this.nodes.push(newNode)
this.$nextTick(() => {
this.form.setFieldsValue({
[`node_ip_${newNode.id}`]: newNode.ip,
[`node_community_${newNode.id}`]: newNode.community,
[`node_version_${newNode.id}`]: newNode.version,
})
})
},
removeNode(removeId, minLength) {
if (this.nodes.length <= minLength) {
this.$message.error('不可再删除!')
return
}
const _idx = this.nodes.findIndex((item) => item.id === removeId)
if (_idx > -1) {
this.nodes.splice(_idx, 1)
}
},
copyNode(id) {
const newNode = {
id: uuidv4(),
ip: this.form.getFieldValue(`node_ip_${id}`),
community: this.form.getFieldValue(`node_community_${id}`),
version: this.form.getFieldValue(`node_version_${id}`),
}
this.nodes.push(newNode)
this.$nextTick(() => {
this.form.setFieldsValue({
[`node_ip_${newNode.id}`]: newNode.ip,
[`node_community_${newNode.id}`]: newNode.community,
[`node_version_${newNode.id}`]: newNode.version,
})
})
},
getInfoValuesFromForm(values) {
return this.nodes.map((item) => {
return {
id: item.id,
ip: values[`node_ip_${item.id}`],
community: values[`node_community_${item.id}`],
version: values[`node_version_${item.id}`],
}
})
},
setNodeField() {
if (this.nodes && this.nodes.length) {
this.nodes.forEach((item) => {
this.form.setFieldsValue({
[`node_ip_${item.id}`]: item.ip,
[`node_community_${item.id}`]: item.community,
[`node_version_${item.id}`]: item.version,
})
})
}
},
getNodeValue() {
const values = this.form.getFieldsValue()
return this.getInfoValuesFromForm(values)
},
},
}
</script>
<style lang="less" scoped>
.node-setting-wrap {
margin-left: 17px;
.ant-row {
// display: flex;
/deep/ .ant-input-clear-icon {
color: rgba(0,0,0,.25);
&:hover {
color: rgba(0, 0, 0, 0.45);
}
}
}
.node-setting-select {
width: 150px;
}
}
.action {
height: 36px;
display: flex;
align-items: center;
gap: 12px;
}
</style>

View File

@@ -1,319 +1,317 @@
<template> <template>
<div> <div>
<div id="search-form-bar" class="search-form-bar"> <div id="search-form-bar" class="search-form-bar">
<div :style="{ display: 'inline-flex', alignItems: 'center' }"> <div :style="{ display: 'inline-flex', alignItems: 'center' }">
<a-space> <a-space>
<treeselect <treeselect
v-if="type === 'resourceSearch'" v-if="type === 'resourceSearch'"
class="custom-treeselect custom-treeselect-bgcAndBorder" class="custom-treeselect custom-treeselect-bgcAndBorder"
:style="{ :style="{
width: '200px', width: '200px',
marginRight: '10px', marginRight: '10px',
'--custom-height': '32px', '--custom-height': '32px',
'--custom-bg-color': '#fff', '--custom-bg-color': '#fff',
'--custom-border': '1px solid #d9d9d9', '--custom-border': '1px solid #d9d9d9',
'--custom-multiple-lineHeight': '16px', '--custom-multiple-lineHeight': '16px',
}" }"
v-model="currenCiType" v-model="currenCiType"
:multiple="true" :multiple="true"
:clearable="true" :clearable="true"
searchable searchable
:options="ciTypeGroup" :options="ciTypeGroup"
:limit="1" :limit="1"
:limitText="(count) => `+ ${count}`" :limitText="(count) => `+ ${count}`"
value-consists-of="LEAF_PRIORITY" value-consists-of="LEAF_PRIORITY"
:placeholder="$t('cmdb.ciType.ciType')" :placeholder="$t('cmdb.ciType.ciType')"
@close="closeCiTypeGroup" @close="closeCiTypeGroup"
@open="openCiTypeGroup" @open="openCiTypeGroup"
@input="inputCiTypeGroup" @input="inputCiTypeGroup"
:normalizer=" :normalizer="
(node) => { (node) => {
return { return {
id: node.id || -1, id: node.id || -1,
label: node.alias || node.name || $t('other'), label: node.alias || node.name || $t('other'),
title: node.alias || node.name || $t('other'), title: node.alias || node.name || $t('other'),
children: node.ci_types, children: node.ci_types,
} }
} }
" "
> >
<div <div
:title="node.label" :title="node.label"
slot="option-label" slot="option-label"
slot-scope="{ node }" slot-scope="{ node }"
:style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }" :style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }"
> >
{{ node.label }} {{ node.label }}
</div> </div>
</treeselect> </treeselect>
<a-input <a-input
v-model="fuzzySearch" v-model="fuzzySearch"
:style="{ display: 'inline-block', width: '200px' }" :style="{ display: 'inline-block', width: '200px' }"
:placeholder="$t('cmdb.components.pleaseSearch')" :placeholder="$t('cmdb.components.pleaseSearch')"
@pressEnter="emitRefresh" @pressEnter="emitRefresh"
> >
<a-icon <a-icon
type="search" type="search"
slot="suffix" slot="suffix"
:style="{ color: fuzzySearch ? '#2f54eb' : '#d9d9d9', cursor: 'pointer' }" :style="{ color: fuzzySearch ? '#2f54eb' : '#d9d9d9', cursor: 'pointer' }"
@click="emitRefresh" @click="emitRefresh"
/> />
<a-tooltip slot="prefix" placement="bottom" :overlayStyle="{ maxWidth: '550px', whiteSpace: 'pre-line' }"> <a-tooltip slot="prefix" placement="bottom" :overlayStyle="{ maxWidth: '550px', whiteSpace: 'pre-line' }">
<template slot="title"> <template slot="title">
{{ $t('cmdb.components.ciSearchTips') }} {{ $t('cmdb.components.ciSearchTips') }}
</template> </template>
<a><a-icon type="question-circle"/></a> <a><a-icon type="question-circle"/></a>
</a-tooltip> </a-tooltip>
</a-input> </a-input>
<a-tooltip :title="$t('reset')"> <a-tooltip :title="$t('reset')">
<a-button @click="reset">{{ $t('reset') }}</a-button> <a-button @click="reset">{{ $t('reset') }}</a-button>
</a-tooltip> </a-tooltip>
<FilterComp <FilterComp
ref="filterComp" ref="filterComp"
:canSearchPreferenceAttrList="canSearchPreferenceAttrList" :canSearchPreferenceAttrList="canSearchPreferenceAttrList"
@setExpFromFilter="setExpFromFilter" @setExpFromFilter="setExpFromFilter"
:expression="expression" :expression="expression"
placement="bottomLeft" placement="bottomLeft"
> >
<div slot="popover_item" class="search-form-bar-filter"> <div slot="popover_item" class="search-form-bar-filter">
<a-icon class="search-form-bar-filter-icon" type="filter" /> <a-icon class="search-form-bar-filter-icon" type="filter" />
{{ $t('cmdb.components.conditionFilter') }} {{ $t('cmdb.components.conditionFilter') }}
<a-icon class="search-form-bar-filter-icon" type="down" :style="{ color: '#d9d9d9' }" /> <a-icon class="search-form-bar-filter-icon" type="down" :style="{ color: '#d9d9d9' }" />
</div> </div>
</FilterComp> </FilterComp>
<a-input <a-input
v-if="isShowExpression" v-if="isShowExpression"
v-model="expression" v-model="expression"
v-show="!selectedRowKeys.length" v-show="!selectedRowKeys.length"
@focus=" @focus="
() => { () => {
isFocusExpression = true isFocusExpression = true
} }
" "
@blur=" @blur="
() => { () => {
isFocusExpression = false isFocusExpression = false
} }
" "
:class="{ 'ci-searchform-expression': true, 'ci-searchform-expression-has-value': expression }" :class="{ 'ci-searchform-expression': true, 'ci-searchform-expression-has-value': expression }"
:style="{ width }" :style="{ width }"
:placeholder="placeholder" :placeholder="placeholder"
@keyup.enter="emitRefresh" @keyup.enter="emitRefresh"
> >
<a-icon slot="suffix" type="check-circle" @click="handleCopyExpression" /> <a-icon slot="suffix" type="check-circle" @click="handleCopyExpression" />
</a-input> </a-input>
<slot></slot> <slot></slot>
</a-space> </a-space>
</div> </div>
<a-space> <a-space>
<slot name="extraContent"></slot> <slot name="extraContent"></slot>
<a-tooltip :title="$t('cmdb.components.attributeDesc')" v-if="type === 'relationView'"> <a-tooltip :title="$t('cmdb.components.attributeDesc')" v-if="type === 'relationView'">
<a <a
@click=" @click="
() => { () => {
$refs.metadataDrawer.open(typeId) $refs.metadataDrawer.open(typeId)
} }
" "
><a-icon ><a-icon
v-if="type === 'relationView'" v-if="type === 'relationView'"
type="question-circle" type="question-circle"
/></a> /></a>
</a-tooltip> </a-tooltip>
</a-space> </a-space>
</div> </div>
<MetadataDrawer ref="metadataDrawer" /> <MetadataDrawer ref="metadataDrawer" />
</div> </div>
</template> </template>
<script> <script>
import _ from 'lodash' import _ from 'lodash'
import Treeselect from '@riophae/vue-treeselect' import Treeselect from '@riophae/vue-treeselect'
import MetadataDrawer from '../../views/ci/modules/MetadataDrawer.vue' import MetadataDrawer from '../../views/ci/modules/MetadataDrawer.vue'
import FilterComp from '@/components/CMDBFilterComp' import FilterComp from '@/components/CMDBFilterComp'
import { getCITypeGroups } from '../../api/ciTypeGroup' import { getCITypeGroups } from '../../api/ciTypeGroup'
export default { export default {
name: 'SearchForm', name: 'SearchForm',
components: { MetadataDrawer, FilterComp, Treeselect }, components: { MetadataDrawer, FilterComp, Treeselect },
props: { props: {
preferenceAttrList: { preferenceAttrList: {
type: Array, type: Array,
required: true, required: true,
}, },
isShowExpression: { isShowExpression: {
type: Boolean, type: Boolean,
default: true, default: true,
}, },
typeId: { typeId: {
type: Number, type: Number,
default: null, default: null,
}, },
type: { type: {
type: String, type: String,
default: '', default: '',
}, },
selectedRowKeys: { selectedRowKeys: {
type: Array, type: Array,
default: () => [], default: () => [],
}, },
}, },
data() { data() {
return { return {
// Advanced Search Expand/Close // Advanced Search Expand/Close
advanced: false, advanced: false,
queryParam: {}, queryParam: {},
isFocusExpression: false, isFocusExpression: false,
expression: '', expression: '',
fuzzySearch: '', fuzzySearch: '',
currenCiType: [], currenCiType: [],
ciTypeGroup: [], ciTypeGroup: [],
lastCiType: [], lastCiType: [],
} }
}, },
computed: { computed: {
placeholder() { placeholder() {
return this.isFocusExpression ? this.$t('cmdb.components.ciSearchTips2') : this.$t('cmdb.ciType.expr') return this.isFocusExpression ? this.$t('cmdb.components.ciSearchTips2') : this.$t('cmdb.ciType.expr')
}, },
width() { width() {
return '200px' return '200px'
}, },
canSearchPreferenceAttrList() { canSearchPreferenceAttrList() {
return this.preferenceAttrList.filter((item) => item.value_type !== '6') return this.preferenceAttrList.filter((item) => item.value_type !== '6')
}, },
}, },
watch: { watch: {
'$route.path': function(newValue, oldValue) { '$route.path': function(newValue, oldValue) {
this.queryParam = {} this.queryParam = {}
this.expression = '' this.expression = ''
this.fuzzySearch = '' this.fuzzySearch = ''
}, },
}, },
inject: { inject: {
setPreferenceSearchCurrent: { setPreferenceSearchCurrent: {
from: 'setPreferenceSearchCurrent', from: 'setPreferenceSearchCurrent',
default: null, default: null,
}, },
}, },
mounted() { mounted() {
if (this.type === 'resourceSearch') { if (this.type === 'resourceSearch') {
this.getCITypeGroups() this.getCITypeGroups()
} }
if (this.typeId) { if (this.typeId) {
this.currenCiType = [this.typeId] this.currenCiType = [this.typeId]
} }
}, },
methods: { methods: {
// toggleAdvanced() { // toggleAdvanced() {
// this.advanced = !this.advanced // this.advanced = !this.advanced
// }, // },
getCITypeGroups() { getCITypeGroups() {
getCITypeGroups({ need_other: true }).then((res) => { getCITypeGroups({ need_other: true }).then((res) => {
this.ciTypeGroup = res this.ciTypeGroup = res
.filter((item) => item.ci_types && item.ci_types.length) .filter((item) => item.ci_types && item.ci_types.length)
.map((item) => { .map((item) => {
item.id = `parent_${item.id || -1}` item.id = `parent_${item.id || -1}`
return { ..._.cloneDeep(item) } return { ..._.cloneDeep(item) }
}) })
}) })
}, },
reset() { reset() {
this.queryParam = {} this.queryParam = {}
this.expression = '' this.expression = ''
this.fuzzySearch = '' this.fuzzySearch = ''
if (this.type !== 'resourceView') { this.currenCiType = []
this.currenCiType = [] this.emitRefresh()
} },
this.emitRefresh() setExpFromFilter(filterExp) {
}, const regSort = /(?<=sort=).+/g
setExpFromFilter(filterExp) { const expSort = this.expression.match(regSort) ? this.expression.match(regSort)[0] : undefined
const regSort = /(?<=sort=).+/g let expression = ''
const expSort = this.expression.match(regSort) ? this.expression.match(regSort)[0] : undefined if (filterExp) {
let expression = '' expression = `q=${filterExp}`
if (filterExp) { }
expression = `q=${filterExp}` if (expSort) {
} expression += `&sort=${expSort}`
if (expSort) { }
expression += `&sort=${expSort}` this.expression = expression
} this.emitRefresh()
this.expression = expression },
this.emitRefresh() handleSubmit() {
}, this.$refs.filterComp.handleSubmit()
handleSubmit() { },
this.$refs.filterComp.handleSubmit() openCiTypeGroup() {
}, this.lastCiType = _.cloneDeep(this.currenCiType)
openCiTypeGroup() { },
this.lastCiType = _.cloneDeep(this.currenCiType) closeCiTypeGroup(value) {
}, if (!_.isEqual(value, this.lastCiType)) {
closeCiTypeGroup(value) { this.$emit('updateAllAttributesList', value)
if (!_.isEqual(value, this.lastCiType)) { }
this.$emit('updateAllAttributesList', value) },
} inputCiTypeGroup(value) {
}, if (!value || !value.length) {
inputCiTypeGroup(value) { this.$emit('updateAllAttributesList', value)
if (!value || !value.length) { }
this.$emit('updateAllAttributesList', value) },
} emitRefresh() {
}, if (this.setPreferenceSearchCurrent) {
emitRefresh() { this.setPreferenceSearchCurrent(null)
if (this.setPreferenceSearchCurrent) { }
this.setPreferenceSearchCurrent(null) this.$nextTick(() => {
} this.$emit('refresh', true)
this.$nextTick(() => { })
this.$emit('refresh', true) },
}) handleCopyExpression() {
}, this.$emit('copyExpression')
handleCopyExpression() { },
this.$emit('copyExpression') },
}, }
}, </script>
} <style lang="less">
</script> @import '../../views/index.less';
<style lang="less"> .ci-searchform-expression {
@import '../../views/index.less'; > input {
.ci-searchform-expression { border-bottom: 2px solid #d9d9d9;
> input { border-top: none;
border-bottom: 2px solid #d9d9d9; border-left: none;
border-top: none; border-right: none;
border-left: none; &:hover,
border-right: none; &:focus {
&:hover, border-bottom: 2px solid @primary-color;
&:focus { }
border-bottom: 2px solid @primary-color; &:focus {
} box-shadow: 0 2px 2px -2px #1f78d133;
&:focus { }
box-shadow: 0 2px 2px -2px #1f78d133; }
} .ant-input-suffix {
} color: #d9d9d9;
.ant-input-suffix { cursor: pointer;
color: #d9d9d9; }
cursor: pointer; }
} .ci-searchform-expression-has-value .ant-input-suffix {
} color: @func-color_3;
.ci-searchform-expression-has-value .ant-input-suffix { }
color: @func-color_3; .cmdb-search-form {
} .ant-form-item-label {
.cmdb-search-form { overflow: hidden;
.ant-form-item-label { text-overflow: ellipsis;
overflow: hidden; white-space: nowrap;
text-overflow: ellipsis; }
white-space: nowrap; }
} </style>
}
</style> <style lang="less" scoped>
.search-form-bar {
<style lang="less" scoped> margin-bottom: 20px;
.search-form-bar { display: flex;
margin-bottom: 20px; justify-content: space-between;
display: flex; align-items: center;
justify-content: space-between; height: 32px;
align-items: center; .search-form-bar-filter {
height: 32px; .ops_display_wrapper(transparent);
.search-form-bar-filter { .search-form-bar-filter-icon {
.ops_display_wrapper(transparent); color: @primary-color;
.search-form-bar-filter-icon { font-size: 12px;
color: @primary-color; }
font-size: 12px; }
} }
} </style>
}
</style>

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -16,12 +16,6 @@ const genCmdbRoutes = async () => {
meta: { title: 'dashboard', icon: 'ops-cmdb-dashboard', selectedIcon: 'ops-cmdb-dashboard', keepAlive: false }, meta: { title: 'dashboard', icon: 'ops-cmdb-dashboard', selectedIcon: 'ops-cmdb-dashboard', keepAlive: false },
component: () => import('../views/dashboard/index_v2.vue') component: () => import('../views/dashboard/index_v2.vue')
}, },
{
path: '/cmdb/topoviews',
name: 'cmdb_topology_views',
meta: { title: 'cmdb.menu.topologyView', appName: 'cmdb', icon: 'ops-topology_view', selectedIcon: 'ops-topology_view', keepAlive: false },
component: () => import('../views/topology_view/index.vue')
},
{ {
path: '/cmdb/disabled1', path: '/cmdb/disabled1',
name: 'cmdb_disabled1', name: 'cmdb_disabled1',
@@ -149,30 +143,21 @@ const genCmdbRoutes = async () => {
} }
// Dynamically add subscription items and business relationships // Dynamically add subscription items and business relationships
const [preference, relation] = await Promise.all([getPreference(), getRelationView()]) const [preference, relation] = await Promise.all([getPreference(), getRelationView()])
const resourceViewsIndex = routes.children.findIndex(item => item.name === 'cmdb_resource_views')
preference.group_types.forEach(group => { preference.forEach(item => {
if (preference.group_types.length > 1) { routes.children[2].children.push({
routes.children[resourceViewsIndex].children.push({ path: `/cmdb/instances/types/${item.id}`,
path: `/cmdb/instances/types/group${group.id}`, component: () => import(`../views/ci/index`),
name: `cmdb_instances_group_${group.id}`, name: `cmdb_${item.id}`,
meta: { title: group.name || 'other', disabled: true, style: 'margin-left: 12px' }, meta: { title: item.alias, keepAlive: false, typeId: item.id, name: item.name, customIcon: item.icon },
}) // hideChildrenInMenu: true // Force display of MenuItem instead of SubMenu
}
group.ci_types.forEach(item => {
routes.children[resourceViewsIndex].children.push({
path: `/cmdb/instances/types/${item.id}`,
component: () => import(`../views/ci/index`),
name: `cmdb_${item.id}`,
meta: { title: item.alias, keepAlive: false, typeId: item.id, name: item.name, customIcon: item.icon },
// hideChildrenInMenu: true // Force display of MenuItem instead of SubMenu
})
}) })
}) })
const lastTypeId = window.localStorage.getItem('ops_ci_typeid') || undefined const lastTypeId = window.localStorage.getItem('ops_ci_typeid') || undefined
if (lastTypeId && preference.type_ids.some(item => item === Number(lastTypeId))) { if (lastTypeId && preference.some(item => item.id === Number(lastTypeId))) {
routes.redirect = `/cmdb/instances/types/${lastTypeId}` routes.redirect = `/cmdb/instances/types/${lastTypeId}`
} else if (routes.children[resourceViewsIndex]?.children?.length > 0) { } else if (routes.children[2]?.children?.length > 0) {
routes.redirect = routes.children[resourceViewsIndex].children.find(item => !item.hidden && !item.meta.disabled)?.path routes.redirect = routes.children[2].children.find(item => !item.hidden)?.path
} else { } else {
routes.redirect = '/cmdb/dashboard' routes.redirect = '/cmdb/dashboard'
} }
@@ -184,7 +169,7 @@ const genCmdbRoutes = async () => {
meta: { title: item[0], icon: 'ops-cmdb-relation', selectedIcon: 'ops-cmdb-relation', keepAlive: false, name: item[0] }, meta: { title: item[0], icon: 'ops-cmdb-relation', selectedIcon: 'ops-cmdb-relation', keepAlive: false, name: item[0] },
} }
}) })
routes.children.splice(resourceViewsIndex, 0, ...relationViews) routes.children.splice(2, 0, ...relationViews)
return routes return routes
} }

View File

@@ -101,14 +101,10 @@
:cell-style="getCellStyle" :cell-style="getCellStyle"
:scroll-y="{ enabled: true, gt: 20 }" :scroll-y="{ enabled: true, gt: 20 }"
:scroll-x="{ enabled: true, gt: 0 }" :scroll-x="{ enabled: true, gt: 0 }"
class="ops-unstripe-table checkbox-hover-table" class="ops-unstripe-table"
:custom-config="{ storage: true }" :custom-config="{ storage: true }"
> >
<vxe-column align="center" type="checkbox" width="60" :fixed="isCheckboxFixed ? 'left' : ''"> <vxe-column align="center" type="checkbox" width="60" :fixed="isCheckboxFixed ? 'left' : ''"></vxe-column>
<template #default="{row}">
{{ getRowSeq(row) }}
</template>
</vxe-column>
<vxe-table-column <vxe-table-column
v-for="(col, index) in columns" v-for="(col, index) in columns"
:key="`${col.field}_${index}`" :key="`${col.field}_${index}`"
@@ -171,20 +167,16 @@
#default="{ row }" #default="{ row }"
> >
<span v-if="col.value_type === '6' && row[col.field]">{{ row[col.field] }}</span> <span v-if="col.value_type === '6' && row[col.field]">{{ row[col.field] }}</span>
<template v-else-if="col.is_link && row[col.field]"> <a
<a v-else-if="col.is_link && row[col.field]"
v-for="(item, linkIndex) in (col.is_list ? row[col.field] : [row[col.field]])" :href="
:key="linkIndex" row[col.field].startsWith('http') || row[col.field].startsWith('https')
:href=" ? `${row[col.field]}`
item.startsWith('http') || item.startsWith('https') : `http://${row[col.field]}`
? `${item}` "
: `http://${item}` target="_blank"
" >{{ row[col.field] }}</a
target="_blank" >
>
{{ item }}
</a>
</template>
<PasswordField <PasswordField
v-else-if="col.is_password && row[col.field]" v-else-if="col.is_password && row[col.field]"
:ci_id="row._id" :ci_id="row._id"
@@ -1052,9 +1044,6 @@ export default {
this.visible = false this.visible = false
} }
}, },
getRowSeq(row) {
return this.$refs.xTable.getVxetableRef().getRowSeq(row)
}
}, },
} }
</script> </script>
@@ -1072,33 +1061,4 @@ export default {
overflow: auto; overflow: auto;
margin-bottom: -24px; margin-bottom: -24px;
} }
.checkbox-hover-table {
/deep/ .vxe-table--body-wrapper {
.vxe-checkbox--label {
display: inline;
padding-left: 0px !important;
color: #bfbfbf;
}
.vxe-icon-checkbox-unchecked {
display: none;
}
.vxe-icon-checkbox-checked ~ .vxe-checkbox--label {
display: none;
}
.vxe-cell--checkbox {
&:hover {
.vxe-icon-checkbox-unchecked {
display: inline;
}
.vxe-checkbox--label {
display: none;
}
}
}
}
}
</style> </style>

View File

@@ -163,12 +163,6 @@ export default {
width: 110, width: 110,
help: this.$t('cmdb.ci.tips10'), help: this.$t('cmdb.ci.tips10'),
}, },
{
field: 'is_dynamic',
title: this.$t('cmdb.ciType.isDynamic'),
width: 110,
help: this.$t('cmdb.ciType.dynamicTips'),
},
] ]
}, },
}, },

View File

@@ -269,7 +269,7 @@ export default {
return { nodes, edges } return { nodes, edges }
}, },
exsited_ci() { exsited_ci() {
const _exsited_ci = [this.ciId] const _exsited_ci = [this.typeId]
this.parentCITypes.forEach((parent) => { this.parentCITypes.forEach((parent) => {
if (this.firstCIs[parent.name]) { if (this.firstCIs[parent.name]) {
this.firstCIs[parent.name].forEach((parentCi) => { this.firstCIs[parent.name].forEach((parentCi) => {

View File

@@ -100,37 +100,35 @@ export default {
const r = res.result[i] const r = res.result[i]
if (!this.exsited_ci.includes(r._id)) { if (!this.exsited_ci.includes(r._id)) {
const _findCiType = ci_types_list.find((item) => item.id === r._type) const _findCiType = ci_types_list.find((item) => item.id === r._type)
if (_findCiType) { const { attributes } = await getCITypeAttributesById(_findCiType.id)
const { attributes } = await getCITypeAttributesById(_findCiType.id) const unique_id = _findCiType.show_id || _findCiType.unique_id
const unique_id = _findCiType.show_id || _findCiType.unique_id const _findUnique = attributes.find((attr) => attr.id === unique_id)
const _findUnique = attributes.find((attr) => attr.id === unique_id) const unique_name = _findUnique?.name
const unique_name = _findUnique?.name const unique_alias = _findUnique?.alias || _findUnique?.name || ''
const unique_alias = _findUnique?.alias || _findUnique?.name || '' newNodes.push({
newNodes.push({ id: `${r._id}`,
id: `${r._id}`, Class: Node,
Class: Node, title: r.ci_type_alias || r.ci_type,
title: r.ci_type_alias || r.ci_type, name: r.ci_type,
name: r.ci_type, side: side,
side: side, unique_alias,
unique_alias, unique_name,
unique_name, unique_value: r[unique_name],
unique_value: r[unique_name], children: [],
children: [], icon: _findCiType?.icon || '',
icon: _findCiType?.icon || '', endpoints: [
endpoints: [ {
{ id: 'left',
id: 'left', orientation: [-1, 0],
orientation: [-1, 0], pos: [0, 0.5],
pos: [0, 0.5], },
}, {
{ id: 'right',
id: 'right', orientation: [1, 0],
orientation: [1, 0], pos: [0, 0.5],
pos: [0, 0.5], },
}, ],
], })
})
}
} }
newEdges.push({ newEdges.push({
id: `${r._id}`, id: `${r._id}`,

View File

@@ -29,7 +29,7 @@
? attr.default.default ? attr.default.default
: attr.default.default.split(',') : attr.default.default.split(',')
: attr.default.default : attr.default.default
: attr.is_list ? [] : null, : null,
}, },
]" ]"
:placeholder="$t('placeholder2')" :placeholder="$t('placeholder2')"

View File

@@ -1,10 +1,6 @@
<template> <template>
<a-modal width="800px" :visible="visible" @ok="handleOK" @cancel="handleCancel" :closable="false"> <a-modal width="800px" :visible="visible" @ok="handleOK" @cancel="handleCancel" :closable="false">
<Discovery <Discovery :isSelected="true" :style="{ maxHeight: '75vh', overflow: 'auto' }" />
:isSelected="true"
:style="{ maxHeight: '75vh', overflow: 'auto' }"
v-if="visible"
/>
<template #footer> <template #footer>
<a-space> <a-space>
<a-button @click="handleCancel">{{ $t('cancel') }}</a-button> <a-button @click="handleCancel">{{ $t('cancel') }}</a-button>
@@ -18,7 +14,7 @@
<script> <script>
import _ from 'lodash' import _ from 'lodash'
import Discovery from '../discovery' import Discovery from '../discovery'
import { postCITypeDiscovery } from '../../api/discovery'
export default { export default {
name: 'ADModal', name: 'ADModal',
components: { Discovery }, components: { Discovery },
@@ -53,17 +49,20 @@ export default {
}, },
async handleOK() { async handleOK() {
if (this.selectedIds && this.selectedIds.length) { if (this.selectedIds && this.selectedIds.length) {
const adCITypeList = this.selectedIds.map((item, index) => { const promises = this.selectedIds.map(({ id, type }) => {
return { return postCITypeDiscovery(this.CITypeId, { adr_id: id, interval: type === 'agent' ? 300 : 3600 })
adr_id: item.id,
id: new Date().getTime() + index,
extra_option: {
alias: ''
},
isClient: true,
}
}) })
this.$emit('pushCITypeList', adCITypeList) await Promise.all(promises)
.then((res) => {
this.getCITypeDiscovery(res[0].id)
this.$message.success(this.$t('addSuccess'))
})
.catch(() => {
this.getCITypeDiscovery()
})
.finally(() => {
this.handleCancel()
})
} }
this.handleCancel() this.handleCancel()
}, },

View File

@@ -1,105 +0,0 @@
<template>
<div class="ad-container" :style="{ height: `${windowHeight - 130}px` }">
<div class="ad-btns">
<div
:class="['ad-btns-item', activeKey === item.key ? 'ad-btns-item_active' : '']"
v-for="item in tabs"
:key="item.key"
@click="changeTab(item.key)"
>
{{ $t(item.label) }}
</div>
</div>
<AttrAD
v-if="activeKey === AD_TAB_KEY.ATTR"
:CITypeId="CITypeId"
></AttrAD>
<RelationAD
v-else-if="activeKey === AD_TAB_KEY.RELATION"
:CITypeId="CITypeId"
></RelationAD>
</div>
</template>
<script>
import { mapState } from 'vuex'
import AttrAD from './attrAD.vue'
import RelationAD from './relationAD.vue'
const AD_TAB_KEY = {
ATTR: '1',
RELATION: '2'
}
export default {
name: 'ADTab',
components: {
AttrAD,
RelationAD,
},
props: {
CITypeId: {
type: Number,
default: null,
},
},
data() {
return {
AD_TAB_KEY,
activeKey: AD_TAB_KEY.ATTR,
tabs: [
{
key: AD_TAB_KEY.ATTR,
label: 'cmdb.ciType.attributeAD'
},
{
key: AD_TAB_KEY.RELATION,
label: 'cmdb.ciType.relationAD'
}
]
}
},
computed: {
...mapState({
windowHeight: (state) => state.windowHeight,
}),
},
methods: {
changeTab(activeKey) {
this.activeKey = activeKey
}
}
}
</script>
<style lang="less" scoped>
.ad-btns {
display: inline-flex;
align-items: center;
border: solid 1px @border-color-base;
margin-left: 17px;
margin-bottom: 15px;
&-item {
display: flex;
align-items: center;
justify-content: center;
padding: 6px 20px;
background-color: #FFFFFF;
cursor: pointer;
color: @text-color_2;
font-size: 14px;
font-weight: 400;
&:not(:first-child) {
border-left: solid 1px @border-color-base;
}
&_active {
background-color: @primary-color;
color: #FFFFFF;
}
}
}
</style>

View File

@@ -1,28 +1,37 @@
<template> <template>
<div class="attr-ad" :style="{ height: `${windowHeight - 130}px` }"> <div class="attr-ad" :style="{ height: `${windowHeight - 130}px` }">
<div v-if="adCITypeList && adCITypeList.length"> <div v-if="adCITypeList && adCITypeList.length">
<AttrADTabs <a-tabs size="small" v-model="currentTab">
:adCITypeList="adCITypeList" <a-tab-pane v-for="item in adCITypeList" :key="item.id">
:currentTab="currentTab" <a-space slot="tab">
:getADCITypeParam="getADCITypeParam" <span v-if="item.extra_option && item.extra_option.alias">{{ item.extra_option.alias }}</span>
@changeTab="changeTab" <span v-else>{{ getADCITypeParam(item.adr_id) }}</span>
@changeAlias="changeAlias" <a-icon type="close-circle" @click="(e) => deleteADT(e, item)" />
@deleteADT="deleteADT" </a-space>
@clickAdd="() => $refs.adModal.open()" <AttrADTabpane
/> :ref="`attrAdTabpane_${item.id}`"
<AttrADTabpane :adr_id="item.adr_id"
:key="`attrAdTabpane_${currentTab}`" :adrList="adrList"
:ref="`attrAdTabpaneRef`" :adCITypeList="adCITypeList"
:adr_id="currentADData.adr_id" :currentAdt="item"
:CITypeId="CITypeId" :ciTypeAttributes="ciTypeAttributes"
:adrList="adrList" :currentAdr="getADCITypeParam(item.adr_id, undefined, true)"
:adCITypeList="adCITypeList" @openEditDrawer="(data, type, adType) => openEditDrawer(data, type, adType)"
:currentAdt="currentADData" @handleSave="getCITypeDiscovery"
:ciTypeAttributes="ciTypeAttributes" />
:currentAdr="getADCITypeParam(currentADData.adr_id, undefined, true)" </a-tab-pane>
@openEditDrawer="(data, type, adType) => openEditDrawer(data, type, adType)" <a-space
@handleSave="saveTabpane" @click="
/> () => {
$refs.adModal.open()
}
"
slot="tabBarExtraContent"
:style="{ cursor: 'pointer' }"
>
<ops-icon type="icon-xianxing-tianjia" :style="{ color: '#2F54EB' }" /><a>{{ $t('add') }}</a>
</a-space>
</a-tabs>
</div> </div>
<a-empty <a-empty
v-else v-else
@@ -45,41 +54,28 @@
{{ $t('add') }} {{ $t('add') }}
</a-button> </a-button>
</a-empty> </a-empty>
<ADModal <ADModal ref="adModal" :CITypeId="CITypeId" @addPlugin="openEditDrawer(null, 'add', 'agent')" />
ref="adModal"
:CITypeId="CITypeId"
@pushCITypeList="pushCITypeList"
@addPlugin="openEditDrawer(null, 'add', 'plugin')"
/>
<EditDrawer ref="editDrawer" :is_inner="false" @updateNotInner="updateNotInner" /> <EditDrawer ref="editDrawer" :is_inner="false" @updateNotInner="updateNotInner" />
</div> </div>
</template> </template>
<script> <script>
import _ from 'lodash'
import { mapState } from 'vuex' import { mapState } from 'vuex'
import ADModal from './adModal.vue'
import { import {
getDiscovery, getDiscovery,
getCITypeDiscovery, getCITypeDiscovery,
deleteCITypeDiscovery, deleteCITypeDiscovery,
postCITypeDiscovery,
deleteDiscovery, deleteDiscovery,
putCITypeDiscovery
} from '../../api/discovery' } from '../../api/discovery'
import { getCITypeAttributesById } from '../../api/CITypeAttr' import { getCITypeAttributesById } from '../../api/CITypeAttr'
import ADModal from './adModal.vue'
import AttrADTabpane from './attrADTabpane.vue' import AttrADTabpane from './attrADTabpane.vue'
import EditDrawer from '../discovery/editDrawer.vue' import EditDrawer from '../discovery/editDrawer.vue'
import AttrADTabs from './attrADTabs.vue'
export default { export default {
name: 'AttrAutoDiscovery', name: 'AttrAutoDiscovery',
components: { components: { ADModal, AttrADTabpane, EditDrawer },
ADModal,
AttrADTabpane,
EditDrawer,
AttrADTabs
},
props: { props: {
CITypeId: { CITypeId: {
type: Number, type: Number,
@@ -90,8 +86,7 @@ export default {
return { return {
ciTypeAttributes: [], ciTypeAttributes: [],
adrList: [], adrList: [],
serviceCITYpeList: [], adCITypeList: [],
clientCITypeList: [],
currentTab: '', currentTab: '',
deletePlugin: false, deletePlugin: false,
} }
@@ -100,13 +95,6 @@ export default {
...mapState({ ...mapState({
windowHeight: (state) => state.windowHeight, windowHeight: (state) => state.windowHeight,
}), }),
currentADData() {
return this?.adCITypeList?.find((item) => item?.id === this?.currentTab) ?? {}
},
adCITypeList() {
const uniqueArray = _.differenceBy(this.clientCITypeList, this.serviceCITYpeList, 'id')
return [...this.serviceCITYpeList, ...uniqueArray]
}
}, },
provide() { provide() {
return { return {
@@ -118,7 +106,7 @@ export default {
handler() { handler() {
if (this.currentTab) { if (this.currentTab) {
this.$nextTick(() => { this.$nextTick(() => {
this.$refs[`attrAdTabpaneRef`].init() this.$refs[`attrAdTabpane_${this.currentTab}`][0].init()
}) })
} }
}, },
@@ -133,7 +121,7 @@ export default {
}) })
if (this.currentTab) { if (this.currentTab) {
this.$nextTick(() => { this.$nextTick(() => {
this.$refs[`attrAdTabpaneRef`].init() this.$refs[`attrAdTabpane_${this.currentTab}`][0].init()
}) })
} }
}) })
@@ -146,34 +134,15 @@ export default {
}, },
async getCITypeDiscovery(currentTab) { async getCITypeDiscovery(currentTab) {
await getCITypeDiscovery(this.CITypeId).then((res) => { await getCITypeDiscovery(this.CITypeId).then((res) => {
const serviceCITYpeList = res.filter((item) => item.adr_id) this.adCITypeList = res.filter((item) => item.adr_id)
serviceCITYpeList.forEach((item) => { if (this.adCITypeList && this.adCITypeList.length && !this.currentTab) {
const _find = this.adrList.find((adr) => adr.id === item.adr_id) this.currentTab = this.adCITypeList[0].id
item.icon = _find?.option?.icon || {} }
}) if (currentTab) {
this.currentTab = currentTab
this.serviceCITYpeList = serviceCITYpeList }
this.$nextTick(() => {
if (this.adCITypeList && this.adCITypeList.length && !this.currentTab) {
this.currentTab = this.adCITypeList[0].id
}
if (currentTab) {
this.currentTab = currentTab
}
})
}) })
}, },
pushCITypeList(list) {
list.forEach((item) => {
const _find = this.adrList.find((adr) => adr.id === item.adr_id)
item.icon = _find?.option?.icon || {}
})
this.$set(this, 'clientCITypeList', [
...this.clientCITypeList,
...list
])
this.currentTab = list[0].id
},
getADCITypeParam(adr_id, params = 'name', isAll = false) { getADCITypeParam(adr_id, params = 'name', isAll = false) {
const _find = this.adrList.find((item) => item.id === adr_id) const _find = this.adrList.find((item) => item.id === adr_id)
if (_find) { if (_find) {
@@ -183,119 +152,52 @@ export default {
return _find[`${params}`] return _find[`${params}`]
} }
}, },
async deleteADT(item) { async deleteADT(e, item) {
e.preventDefault()
e.stopPropagation()
const that = this const that = this
const is_plugin = this.getADCITypeParam(item.adr_id, 'is_plugin')
this.$confirm({ this.$confirm({
title: that.$t('cmdb.ciType.confirmDeleteADT', { pluginName: `${item?.extra_option?.alias || this.getADCITypeParam(item.adr_id)}` }), title: that.$t('cmdb.ciType.confirmDeleteADT', { pluginName: `${item?.extra_option?.alias || this.getADCITypeParam(item.adr_id)}` }),
content: (h) => { content: (h) => (
if (!is_plugin) { <div>
return '' <a-checkbox v-model={that.deletePlugin}>{that.$t('cmdb.ciType.deletePlugin')}</a-checkbox>
} </div>
return ( ),
<div> onOk() {
<a-checkbox deleteCITypeDiscovery(item.id).then(async () => {
v-model={that.deletePlugin} if (that.currentTab === item.id) {
> that.currentTab = ''
{that.$t('cmdb.ciType.deletePlugin')}
</a-checkbox>
</div>
)
},
onOk () {
if (item.isClient) {
const adtIndex = that.clientCITypeList.findIndex((listItem) => listItem.id === item.id)
if (adtIndex !== -1) {
that.clientCITypeList.splice(adtIndex, 1)
that.currentTab = that?.adCITypeList?.[0]?.id ?? ''
if (is_plugin && that.deletePlugin) {
that.deleteDiscovery(item.adr_id)
}
} }
} else { that.$message.success(that.$t('deleteSuccess'))
deleteCITypeDiscovery(item.id).then(async () => { that.getCITypeDiscovery()
if (that.currentTab === item.id) { if (that.deletePlugin) {
that.currentTab = '' await deleteDiscovery(item.adr_id).finally(() => {
} that.deletePlugin = false
that.$message.success(that.$t('deleteSuccess')) })
that.getCITypeDiscovery() }
if (is_plugin && that.deletePlugin) { that.deletePlugin = false
that.deleteDiscovery(item.adr_id) })
}
that.deletePlugin = false
})
}
}, },
onCancel() { onCancel() {
that.deletePlugin = false that.deletePlugin = false
}, },
}) })
}, },
deleteDiscovery(id) {
deleteDiscovery(id).finally(async () => {
this.deletePlugin = false
await this.getDiscovery()
})
},
openEditDrawer(data, type, adType) { openEditDrawer(data, type, adType) {
this.$refs.editDrawer.open(data, type, adType) this.$refs.editDrawer.open(data, type, adType)
}, },
async updateNotInner(adr) { async updateNotInner(adr) {
const _idx = this.adCITypeList.findIndex((item) => item.adr_id === adr.id) const _idx = this.adCITypeList.findIndex((item) => item.adr_id === adr.id)
await this.getDiscovery() let res
if (_idx < 0) { if (_idx < 0) {
const ciType = { res = await postCITypeDiscovery(this.CITypeId, { adr_id: adr.id, interval: 300 })
adr_id: adr.id,
id: new Date().getTime(),
extra_option: {
alias: ''
},
isClient: true,
}
this.pushCITypeList([ciType])
} }
await this.getDiscovery()
await this.getCITypeDiscovery(res?.id ?? undefined)
this.$nextTick(() => { this.$nextTick(() => {
this.$refs[`attrAdTabpaneRef`].init() this.$refs[`attrAdTabpane_${this.currentTab}`][0].init()
}) })
}, },
changeTab(id) {
console.log('changeTab', id)
this.currentTab = id
},
changeAlias({ id, value, isClient }) {
if (isClient) {
const adtIndex = this.clientCITypeList.findIndex((item) => item.id === id)
this.clientCITypeList[adtIndex].extra_option.alias = value
} else {
const adtIndex = this.adCITypeList.findIndex((item) => item.id === id)
const oldExtraOption = this.adCITypeList?.[adtIndex]?.extra_option
const params = {
extra_option: {
...(oldExtraOption || {}),
alias: value
}
}
putCITypeDiscovery(id, params).then(async () => {
this.$message.success(this.$t('saveSuccess'))
await this.getCITypeDiscovery()
})
}
},
saveTabpane(id) {
const adtIndex = this.clientCITypeList.findIndex((listItem) => listItem.id === this.currentTab)
if (adtIndex !== -1) {
this.clientCITypeList.splice(adtIndex, 1)
}
this.getCITypeDiscovery(id)
}
}, },
} }
</script> </script>
@@ -304,7 +206,6 @@ export default {
.attr-ad { .attr-ad {
position: relative; position: relative;
padding: 0 20px; padding: 0 20px;
.attr-ad-header { .attr-ad-header {
width: 100%; width: 100%;
display: inline-flex; display: inline-flex;
@@ -315,13 +216,7 @@ export default {
border-left: 4px solid @primary-color; border-left: 4px solid @primary-color;
font-size: 16px; font-size: 16px;
color: rgba(0, 0, 0, 0.75); color: rgba(0, 0, 0, 0.75);
margin-top: 30px;
} }
.attr-ad-header-margin {
margin-bottom: 0px;
}
.attr-ad-footer { .attr-ad-footer {
width: 60%; width: 60%;
text-align: right; text-align: right;

View File

@@ -1,11 +1,11 @@
<template> <template>
<div class="attr-ad-tab-pane" :style="{ height: `${windowHeight - 254}px` }"> <div :style="{ height: `${windowHeight - 187}px`, overflow: 'auto', position: 'relative' }">
<a <a
v-if="!adrIsInner" v-if="!adrIsInner"
:style="{ position: 'absolute', right: 0, top: 0 }" :style="{ position: 'absolute', right: 0, top: 0 }"
@click=" @click="
() => { () => {
$emit('openEditDrawer', currentAdr, 'edit', 'plugin') $emit('openEditDrawer', currentAdr, 'edit', 'agent')
} }
" "
> >
@@ -14,60 +14,76 @@
<span>{{ $t('edit') }}</span> <span>{{ $t('edit') }}</span>
</a-space> </a-space>
</a> </a>
<div class="attr-ad-header attr-ad-header_between"> <div>{{ $t('alias') }}<a-input v-model="alias" style="width:200px;" /></div>
{{ $t('cmdb.ciType.attributeMap') }} <div class="attr-ad-header">{{ $t('cmdb.ciType.attributeMap') }}</div>
<div class="attr-ad-open"> <vxe-table
<span class="attr-ad-open-label">{{ $t('cmdb.ciType.enable') }}</span> v-if="adrType === 'agent'"
<a-switch v-model="form.enabled" v-if="isClient" /> ref="xTable"
<a-popconfirm :edit-config="{ trigger: 'click', mode: 'cell' }"
v-else size="mini"
:title="$t('cmdb.ciType.enableTip')" stripe
:ok-text="$t('confirm')" class="ops-stripe-table"
:cancel-text="$t('cancel')" :data="tableData"
@confirm="changeEnabled" :style="{ width: '700px', marginBottom: '20px' }"
>
<a-switch :checked="form.enabled" />
</a-popconfirm>
</div>
</div>
<div class="attr-ad-attributemap-main">
<AttrMapTable
v-if="adrType === 'agent'"
ref="attrMapTable"
:ruleType="adrType"
:tableData="tableData"
:ciTypeAttributes="ciTypeAttributes"
:uniqueKey="uniqueKey"
/>
<HttpSnmpAD
v-else
:isEdit="true"
ref="httpSnmpAd"
:ruleType="adrType"
:ruleName="adrName"
:ciTypeAttributes="ciTypeAttributes"
:adCITypeList="adCITypeList"
:currentTab="adr_id"
:uniqueKey="uniqueKey"
:currentAdt="currentAdt"
:style="{ marginBottom: '20px' }"
/>
</div>
<template v-if="adrType === 'snmp'">
<div class="attr-ad-header">{{ $t('cmdb.ciType.nodeConfig') }}</div>
<a-form :form="form3" layout="inline" class="attr-ad-snmp-form">
<NodeSetting ref="nodeSetting" :initNodes="nodes" :form="form3" />
</a-form>
</template>
<div class="attr-ad-header">{{ $t('cmdb.ciType.adExecConfig') }}</div>
<a-form-model
:model="form"
:labelCol="labelCol"
labelAlign="left"
:wrapperCol="{ span: 14 }"
class="attr-ad-form"
> >
<a-form-model-item :required="true" :label="$t('cmdb.ciType.adExecTarget')"> <vxe-colgroup :title="$t('cmdb.ciType.autoDiscovery')">
<vxe-column field="name" :title="$t('name')"> </vxe-column>
<vxe-column field="type" :title="$t('type')"> </vxe-column>
<vxe-column field="desc" :title="$t('desc')"> </vxe-column>
</vxe-colgroup>
<vxe-colgroup :title="$t('cmdb.ciType.attributes')">
<vxe-column field="attr" :title="$t('name')" :edit-render="{}">
<template #default="{row}">
{{ row.attr }}
</template>
<template #edit="{ row }">
<vxe-select
filterable
clearable
v-model="row.attr"
type="text"
:options="ciTypeAttributes"
transfer
></vxe-select>
</template>
</vxe-column>
</vxe-colgroup>
</vxe-table>
<HttpSnmpAD
v-else
:isEdit="true"
ref="httpSnmpAd"
:ruleType="adrType"
:ruleName="adrName"
:ciTypeAttributes="ciTypeAttributes"
:adCITypeList="adCITypeList"
:currentTab="adr_id"
:style="{ marginBottom: '20px' }"
/>
<a-form-model
v-if="adrType === 'http'"
:model="form2"
:labelCol="{ span: 2 }"
:wrapperCol="{ span: 8 }"
:style="{ margin: '20px 0' }"
>
<a-form-model-item label="key">
<a-input-password v-model="form2.key" />
</a-form-model-item>
<a-form-model-item label="secret">
<a-input-password v-model="form2.secret" />
</a-form-model-item>
</a-form-model>
<a-form :form="form3" v-if="adrType === 'snmp'" class="attr-ad-snmp-form">
<a-col :span="24">
<a-form-item :label="$t('cmdb.ciType.node')" :labelCol="{ span: 2 }" :wrapperCol="{ span: 20 }">
<MonitorNodeSetting ref="monitorNodeSetting" :initNodes="nodes" :form="form3" />
</a-form-item>
</a-col>
</a-form>
<div class="attr-ad-header">{{ $t('cmdb.ciType.adExecConfig') }}</div>
<a-form-model :model="form" :labelCol="{ span: 2 }" :wrapperCol="{ span: 20 }">
<a-form-model-item :label="$t('cmdb.ciType.adExecTarget')">
<CustomRadio v-model="agent_type" :radioList="agentTypeRadioList"> <CustomRadio v-model="agent_type" :radioList="agentTypeRadioList">
<a-input <a-input
:style="{ width: '300px' }" :style="{ width: '300px' }"
@@ -85,101 +101,18 @@
> >
<a @click="handleOpenCmdb" slot="suffix"><a-icon type="menu"/></a> <a @click="handleOpenCmdb" slot="suffix"><a-icon type="menu"/></a>
</a-input> </a-input>
<span
v-show="agent_type === 'master'"
slot="extra_master"
class="radio-master-tip"
>
{{ $t('cmdb.ciType.masterNodeTip') }}
</span>
</CustomRadio> </CustomRadio>
</a-form-model-item> </a-form-model-item>
<a-form-model-item <a-form-model-item :label="$t('cmdb.ciType.adAutoInLib')">
:labelCol="labelCol"
:label="$t('cmdb.ciType.adAutoInLib')"
:extra="$t('cmdb.ciType.adAutoInLibTip')"
>
<a-switch v-model="form.auto_accept" /> <a-switch v-model="form.auto_accept" />
</a-form-model-item> </a-form-model-item>
<a-form-model-item
:labelCol="labelCol"
:wrapperCol="{ span: 6 }"
:label="$t('cmdb.ciType.adInterval')"
:required="true"
>
<el-popover v-model="cronVisible" trigger="click">
<template slot>
<Vcrontab
v-if="adrType"
ref="cronTab"
:hideComponent="['second', 'year']"
:expression="cron"
:hasFooter="true"
@fill="crontabFill"
@hide="hideCron"
></Vcrontab>
</template>
<a-input
v-model="cron"
slot="reference"
:placeholder="$t('cmdb.ciType.cronTips')"
/>
</el-popover>
</a-form-model-item>
</a-form-model> </a-form-model>
<template v-if="adrType === 'http'"> <div class="attr-ad-header">{{ $t('cmdb.ciType.adInterval') }}</div>
<template v-if="isPrivateCloud"> <CustomRadio :radioList="radioList" v-model="interval">
<template v-if="privateCloudName === PRIVATE_CLOUD_NAME.VCenter"> <span v-show="interval === 'interval'" slot="extra_interval">
<div class="attr-ad-header">{{ $t('cmdb.ciType.privateCloud') }}</div> <a-input-number v-model="intervalValue" :min="1" /> {{ $t('seconds') }}
<a-form-model </span>
:model="privateCloudForm" </CustomRadio>
labelAlign="left"
:labelCol="labelCol"
:wrapperCol="{ span: 6 }"
class="attr-ad-form"
>
<a-form-model-item :required="true" :label="$t('cmdb.ciType.host')">
<a-input v-model="privateCloudForm.host" />
</a-form-model-item>
<a-form-model-item :required="true" :label="$t('cmdb.ciType.account')">
<a-input v-model="privateCloudForm.account" />
</a-form-model-item>
<a-form-model-item :required="true" :label="$t('cmdb.ciType.password')">
<a-input-password v-model="privateCloudForm.password" />
</a-form-model-item>
<!-- <a-form-model-item :label="$t('cmdb.ciType.insecure')">
<a-switch v-model="privateCloudForm.insecure" />
</a-form-model-item> -->
<a-form-model-item :label="$t('cmdb.ciType.vcenterName')">
<a-input v-model="privateCloudForm.vcenterName" />
</a-form-model-item>
</a-form-model>
</template>
</template>
<template v-else>
<div class="attr-ad-header">{{ $t('cmdb.ciType.cloudAccessKey') }}</div>
<!-- <div class="public-cloud-info">{{ $t('cmdb.ciType.cloudAccessKeyTip') }}</div> -->
<a-form-model
:model="form2"
labelAlign="left"
:labelCol="labelCol"
:wrapperCol="{ span: 6 }"
class="attr-ad-form"
>
<a-form-model-item :required="true" label="key">
<a-input-password v-model="form2.key" />
</a-form-model-item>
<a-form-model-item :required="true" label="secret">
<a-input-password v-model="form2.secret" />
</a-form-model-item>
</a-form-model>
</template>
</template>
<AttrADTest
:adtId="currentAdt.id"
/>
<div class="attr-ad-footer"> <div class="attr-ad-footer">
<a-button type="primary" @click="handleSave">{{ $t('save') }}</a-button> <a-button type="primary" @click="handleSave">{{ $t('save') }}</a-button>
@@ -189,31 +122,17 @@
</template> </template>
<script> <script>
import _ from 'lodash'
import { v4 as uuidv4 } from 'uuid' import { v4 as uuidv4 } from 'uuid'
import { mapState } from 'vuex' import { mapState } from 'vuex'
import Vcrontab from '@/components/Crontab' import Vcrontab from '@/components/Crontab'
import { putCITypeDiscovery, postCITypeDiscovery } from '../../api/discovery' import { putCITypeDiscovery } from '../../api/discovery'
import { PRIVATE_CLOUD_NAME } from '@/modules/cmdb/views/discovery/constants.js'
import HttpSnmpAD from '../../components/httpSnmpAD' import HttpSnmpAD from '../../components/httpSnmpAD'
import AttrMapTable from '@/modules/cmdb/components/attrMapTable/index.vue'
import CMDBExprDrawer from '@/components/CMDBExprDrawer' import CMDBExprDrawer from '@/components/CMDBExprDrawer'
import NodeSetting from '@/modules/cmdb/components/nodeSetting/index.vue' import MonitorNodeSetting from '@/components/MonitorNodeSetting'
import AttrADTest from './attrADTest.vue'
import { Popover } from 'element-ui'
export default { export default {
name: 'AttrADTabpane', name: 'AttrADTabpane',
components: { components: { Vcrontab, HttpSnmpAD, CMDBExprDrawer, MonitorNodeSetting },
Vcrontab,
HttpSnmpAD,
CMDBExprDrawer,
NodeSetting,
AttrMapTable,
AttrADTest,
ElPopover: Popover
},
props: { props: {
adr_id: { adr_id: {
type: Number, type: Number,
@@ -239,10 +158,6 @@ export default {
type: Array, type: Array,
default: () => [], default: () => [],
}, },
CITypeId: {
type: Number,
default: null,
},
}, },
data() { data() {
return { return {
@@ -251,20 +166,12 @@ export default {
agent_id: '', agent_id: '',
auto_accept: false, auto_accept: false,
query_expr: '', query_expr: '',
enabled: true,
}, },
form2: { form2: {
key: '', key: '',
secret: '', secret: '',
}, },
privateCloudForm: { interval: 'interval', // interval cron
host: '',
account: '',
password: '',
// insecure: false,
vcenterName: '',
},
interval: 'cron', // interval cron
cron: '', cron: '',
intervalValue: 3, intervalValue: 3,
agent_type: 'agent_id', agent_type: 'agent_id',
@@ -277,103 +184,60 @@ export default {
}, },
], ],
form3: this.$form.createForm(this, { name: 'snmp_form' }), form3: this.$form.createForm(this, { name: 'snmp_form' }),
cronVisible: false, alias: '',
uniqueKey: '',
isPrivateCloud: false,
privateCloudName: '',
PRIVATE_CLOUD_NAME,
isClient: false, // 是否前端新增临时数据
} }
}, },
computed: { computed: {
...mapState({ ...mapState({
windowHeight: (state) => state.windowHeight, windowHeight: (state) => state.windowHeight,
user: (state) => state.user, userRoles: (state) => state.user.roles,
}), }),
adrType() { adrType() {
return this.currentAdr?.type || '' return this.currentAdr.type
}, },
adrName() { adrName() {
return this?.currentAdr?.option?.en || this.currentAdr?.name || '' return this.currentAdr.name
}, },
adrIsInner() { adrIsInner() {
return this.currentAdr?.is_inner || '' return this.currentAdr.is_inner
}, },
agentTypeRadioList() { agentTypeRadioList() {
const radios = [ const { permissions = [] } = this.userRoles
if ((permissions.includes('cmdb_admin') || permissions.includes('admin')) && this.adrType !== 'http') {
return [
{ value: 'all', label: this.$t('cmdb.ciType.allNodes') },
{ value: 'agent_id', label: this.$t('cmdb.ciType.specifyNodes') },
{ value: 'query_expr', label: this.$t('cmdb.ciType.selectFromCMDBTips') },
]
}
return [
{ value: 'agent_id', label: this.$t('cmdb.ciType.specifyNodes') }, { value: 'agent_id', label: this.$t('cmdb.ciType.specifyNodes') },
{ value: 'query_expr', label: this.$t('cmdb.ciType.selectFromCMDBTips') }, { value: 'query_expr', label: this.$t('cmdb.ciType.selectFromCMDBTips') },
] ]
const permissions = this?.user?.roles?.permissions
if ((permissions.includes('cmdb_admin') || permissions.includes('admin')) && this.adrType === 'agent') {
radios.unshift({ value: 'all', label: this.$t('cmdb.ciType.allNodes') })
}
if (this.adrType !== 'agent' || this?.currentAdr?.is_plugin) {
radios.unshift({ value: 'master', label: this.$t('cmdb.ciType.masterNode') })
}
return radios
}, },
radioList() { radioList() {
return [ return [
{ value: 'interval', label: this.$t('cmdb.ciType.byInterval') }, { value: 'interval', label: this.$t('cmdb.ciType.byInterval') },
{ value: 'cron', label: '按cron', layout: 'vertical' }, // { value: 'cron', label: '按cron', layout: 'vertical' },
] ]
}, },
labelCol() {
const span = this.$i18n.locale === 'en' ? 5 : 3
return {
span
}
}
}, },
mounted() {}, mounted() {},
methods: { methods: {
init() { init() {
const _find = this.adrList.find((item) => Number(item.id) === Number(this.adr_id)) const _find = this.adrList.find((item) => Number(item.id) === Number(this.adr_id))
const _findADT = this.adCITypeList.find((item) => Number(item.id) === Number(this.currentAdt.id)) const _findADT = this.adCITypeList.find((item) => Number(item.id) === Number(this.currentAdt.id))
this.uniqueKey = _find?.unique_key ?? '' this.alias = _findADT?.extra_option?.alias ?? ''
this.isClient = _findADT?.isClient ?? false
if (this.adrType === 'http') { if (this.adrType === 'http') {
const { const { category = undefined, key = '', secret = '' } = _findADT?.extra_option ?? {}
category = undefined, this.form2 = {
key = '', key,
secret = '', secret,
host = '',
account = '',
password = '',
// insecure = false,
vcenterName = ''
} = _findADT?.extra_option ?? {}
if (_find?.option?.category === 'private_cloud') {
this.isPrivateCloud = true
this.privateCloudName = _find?.option?.en || ''
if (this.privateCloudName === PRIVATE_CLOUD_NAME.VCenter) {
this.privateCloudForm = {
host,
account,
password,
// insecure,
vcenterName,
}
}
} else {
this.isPrivateCloud = false
this.form2 = {
key,
secret,
}
} }
this.$refs.httpSnmpAd.setCurrentCate(category) this.$refs.httpSnmpAd.setCurrentCate(category)
} }
if (this.adrType === 'snmp') { if (this.adrType === 'snmp') {
this.nodes = _findADT?.extra_option?.nodes?.length ? _findADT?.extra_option?.nodes : [ this.nodes = _findADT?.extra_option?.nodes ?? [
{ {
id: uuidv4(), id: uuidv4(),
ip: '', ip: '',
@@ -382,9 +246,9 @@ export default {
}, },
] ]
this.$nextTick(() => { this.$nextTick(() => {
this.$refs.nodeSetting.initNodesFunc() this.$refs.monitorNodeSetting.initNodesFunc()
this.$nextTick(() => { this.$nextTick(() => {
this.$refs.nodeSetting.setNodeField() this.$refs.monitorNodeSetting.setNodeField()
}) })
}) })
} }
@@ -409,58 +273,49 @@ export default {
} }
this.form = { this.form = {
auto_accept: _findADT?.auto_accept || false, auto_accept: _findADT?.auto_accept || false,
agent_id: _findADT?.agent_id && _findADT?.agent_id !== '0x0000' ? _findADT.agent_id : '', agent_id: _findADT.agent_id || '',
query_expr: _findADT.query_expr || '', query_expr: _findADT.query_expr || '',
enabled: _findADT?.enabled ?? true,
} }
if (_findADT.query_expr) { if (_findADT.query_expr) {
this.agent_type = 'query_expr' this.agent_type = 'query_expr'
} else if (_findADT.agent_id) { } else if (_findADT.agent_id) {
this.agent_type = _findADT.agent_id === '0x0000' ? 'master' : 'agent_id' this.agent_type = 'agent_id'
} else { } else {
this.agent_type = this.agentTypeRadioList[0].value this.agent_type = this.agentTypeRadioList[0].value
} }
if (_findADT.interval || (!_findADT.interval && !_findADT.cron)) {
this.interval = 'cron' this.interval = 'interval'
this.cron = _findADT?.cron || '' this.intervalValue = _findADT.interval || ''
} else {
this.interval = 'cron'
this.cron = `0 ${_findADT.cron}`
}
},
getAttrNameByAttrName(attrName) {
const _find = this.ciTypeAttributes.find((item) => item.name === attrName)
return _find?.alias || _find?.name || ''
}, },
crontabFill(cron) { crontabFill(cron) {
this.cron = cron this.cron = cron
}, },
handleSave() { handleSave() {
const { currentAdt } = this const { currentAdt, alias } = this
let params let params
const isError = this.validateForm()
if (isError) {
return
}
if (this.adrType === 'http') { if (this.adrType === 'http') {
let cloudOption = {}
if (this.isPrivateCloud) {
if (this.privateCloudName === PRIVATE_CLOUD_NAME.VCenter) {
cloudOption = this.privateCloudForm
}
} else {
cloudOption = this.form2
}
params = { params = {
extra_option: { extra_option: {
...cloudOption, ...this.form2,
category: this.$refs.httpSnmpAd.currentCate, category: this.$refs.httpSnmpAd.currentCate,
}, },
} }
} }
if (this.adrType === 'snmp') { if (this.adrType === 'snmp') {
params = { params = {
extra_option: { nodes: this.$refs.nodeSetting?.getNodeValue() ?? [] }, extra_option: { nodes: this.$refs.monitorNodeSetting?.getNodeValue() ?? [] },
} }
} }
if (this.adrType === 'agent') { if (this.adrType === 'agent') {
const $table = this.$refs.attrMapTable const $table = this.$refs.xTable
const { fullData: _tableData } = $table.getTableData() const { fullData: _tableData } = $table.getTableData()
const attributes = {} const attributes = {}
_tableData.forEach((td) => { _tableData.forEach((td) => {
@@ -485,14 +340,17 @@ export default {
attributes, attributes,
} }
} }
if (this.interval === 'cron') {
this.$refs.cronTab.submitFill()
}
params = { params = {
...params, ...params,
...this.form, ...this.form,
type_id: this.CITypeId,
adr_id: currentAdt.adr_id, adr_id: currentAdt.adr_id,
interval: this.interval === 'interval' ? this.intervalValue : null,
cron: this.interval === 'cron' ? this.cron : null, cron: this.interval === 'cron' ? this.cron : null,
} }
if (this.agent_type === 'agent_id' || this.agent_type === 'all') { if (this.agent_type === 'agent_id' || this.agent_type === 'all') {
params.query_expr = '' params.query_expr = ''
if (this.agent_type === 'agent_id' && !params.agent_id) { if (this.agent_type === 'agent_id' && !params.agent_id) {
@@ -500,7 +358,6 @@ export default {
return return
} }
} }
if (this.agent_type === 'query_expr' || this.agent_type === 'all') { if (this.agent_type === 'query_expr' || this.agent_type === 'all') {
params.agent_id = '' params.agent_id = ''
if (this.agent_type === 'query_expr' && !params.query_expr) { if (this.agent_type === 'query_expr' && !params.query_expr) {
@@ -508,73 +365,17 @@ export default {
return return
} }
} }
if (this.agent_type === 'master') {
params.agent_id = '0x0000'
}
if (!this.cron) {
this.$message.error(this.$t('cmdb.ciType.cronRequiredTip'))
return
}
if (currentAdt?.extra_option) {
params.extra_option = {
...(currentAdt?.extra_option || {}),
...(params?.extra_option || {})
}
}
if (params.extra_option) { if (params.extra_option) {
params.extra_option = _.omit(params.extra_option, 'insecure') params.extra_option.alias = alias
}
if (currentAdt?.isClient) {
postCITypeDiscovery(this.CITypeId, params).then((res) => {
this.$message.success(this.$t('saveSuccess'))
this.$emit('handleSave', res.id)
})
} else { } else {
putCITypeDiscovery(currentAdt.id, params).then((res) => { params.extra_option = {}
this.$message.success(this.$t('saveSuccess')) params.extra_option.alias = alias
this.$emit('handleSave', res.id)
})
} }
putCITypeDiscovery(currentAdt.id, params).then((res) => {
this.$message.success(this.$t('saveSuccess'))
this.$emit('handleSave')
})
}, },
validateForm() {
let isError = false
if (this.adrType === 'http') {
if (this.isPrivateCloud) {
if (this.privateCloudName === PRIVATE_CLOUD_NAME.VCenter) {
const vcenterErros = {
'host': `${this.$t('placeholder1')} ${this.$t('cmdb.ciType.host')}`,
'account': `${this.$t('placeholder1')} ${this.$t('cmdb.ciType.account')}`,
'password': `${this.$t('placeholder1')} ${this.$t('cmdb.ciType.password')}`
}
const findError = Object.keys(this.privateCloudForm).find((key) => !this.privateCloudForm[key] && vcenterErros[key])
if (findError) {
isError = true
this.$message.error(this.$t(vcenterErros[findError]))
}
}
} else {
const publicCloudErros = {
'key': `${this.$t('placeholder1')} key`,
'secret': `${this.$t('placeholder1')} secret`
}
const findError = Object.keys(this.form2).find((key) => !this.form2[key] && publicCloudErros[key])
if (findError) {
isError = true
this.$message.error(this.$t(publicCloudErros[findError]))
}
}
}
return isError
},
handleOpenCmdb() { handleOpenCmdb() {
this.$refs.cmdbDrawer.open() this.$refs.cmdbDrawer.open()
}, },
@@ -584,77 +385,11 @@ export default {
query_expr: `${text}`, query_expr: `${text}`,
} }
}, },
hideCron() {
this.cronVisible = false
},
changeEnabled() {
if (!this.isClient) {
putCITypeDiscovery(this.currentAdt.id, {
enabled: !this.form.enabled
}).then((res) => {
this.form.enabled = !this.form.enabled
this.$message.success(this.$t('saveSuccess'))
this.$emit('handleSave', res.id)
})
}
}
}, },
} }
</script> </script>
<style lang="less" scoped> <style lang="less">
.attr-ad-tab-pane {
overflow-y: auto;
overflow-x: hidden;
position: relative;
.attr-ad-header_between {
display: flex;
align-items: center;
justify-content: space-between;
margin-top: 20px;
}
.attr-ad-open {
display: flex;
align-items: center;
justify-content: flex-end;
padding: 0px 20px;
&-label {
font-size: 14px;
font-weight: 600;
margin-right: 6px;
}
}
.attr-ad-attributemap-main {
margin-left: 17px;
}
.attr-ad-form {
/deep/ .ant-form-item-label {
margin-left: 17px;
}
/deep/ .ant-form-item-control-wrapper {
// margin-left: -40px;
}
}
.public-cloud-info {
color: @text-color_3;
font-size: 12px;
font-weight: 400;
margin-left: 17px;
margin-bottom: 20px;
}
.radio-master-tip {
font-size: 12px;
color: #86909c;
}
}
.attr-ad-snmp-form { .attr-ad-snmp-form {
.ant-form-item { .ant-form-item {
margin-bottom: 0; margin-bottom: 0;

View File

@@ -1,183 +0,0 @@
<template>
<div class="attr-ad-tabs">
<div
v-for="item in adCITypeList"
:key="item.id"
:class="['attr-ad-tab', currentTab === item.id ? 'attr-ad-tab_active' : '']"
@click="changeTab(item.id)"
>
<img
v-if="item.icon.id && item.icon.url"
:src="`/api/common-setting/v1/file/${item.icon.url}`"
class="attr-ad-tab-icon"
/>
<ops-icon
v-else-if="item.icon.name"
:type="item.icon.name || 'caise-chajian'"
:style="{ color: item.icon.color }"
class="attr-ad-tab-icon"
/>
<a-input
v-if="nameEditId === item.id"
v-model="nameEditValue"
:ref="`name-edit-${item.id}`"
size="small"
:autofocus="true"
@blur="changeAlias(item.isClient || false)"
/>
<span v-else class="attr-ad-tab-name">
{{ item.extra_option && item.extra_option.alias ? item.extra_option.alias : getADCITypeParam(item.adr_id) }}
</span>
<a-icon
type="edit"
class="attr-ad-tab-edit"
@click="(e) => openNameEdit(e, item)"
/>
<a-icon
type="delete"
class="attr-ad-tab-delete"
@click="(e) => deleteADT(e, item)"
/>
</div>
<a-icon
type="plus-circle"
class="attr-ad-tabs-add"
@click="clickAdd"
></a-icon>
</div>
</template>
<script>
export default {
name: 'AttrADTabs',
props: {
currentTab: {
type: [String, Number],
default: ''
},
adCITypeList: {
type: Array,
default: () => [],
},
getADCITypeParam: {
type: Function,
default: () => ''
}
},
data() {
return {
nameEditId: '',
nameEditValue: '',
}
},
methods: {
changeTab(id) {
this.$emit('changeTab', id)
},
openNameEdit(e, item) {
e.preventDefault()
e.stopPropagation()
this.nameEditId = item.id
if (item?.extra_option?.alias) {
this.nameEditValue = item.extra_option.alias
}
this.$nextTick(() => {
if (this.$refs?.[`name-edit-${item.id}`]?.[0]) {
this.$refs[`name-edit-${item.id}`][0].focus()
}
})
},
changeAlias(isClient) {
this.$emit('changeAlias', {
id: this.nameEditId,
value: this.nameEditValue,
isClient
})
this.$nextTick(() => {
this.nameEditId = ''
this.nameEditValue = ''
})
},
deleteADT(e, item) {
e.preventDefault()
e.stopPropagation()
this.$emit('deleteADT', item)
},
clickAdd() {
this.$emit('clickAdd')
}
}
}
</script>
<style lang="less" scoepd>
.attr-ad-tabs {
display: flex;
align-items: center;
width: 100%;
overflow-x: auto;
padding-bottom: 10px;
.attr-ad-tab {
display: flex;
align-items: center;
justify-content: center;
padding: 8px 24px;
margin-right: 12px;
background-color: @primary-color_7;
cursor: pointer;
flex-shrink: 0;
&-name {
font-weight: 400;
font-size: 12px;
}
&-icon {
font-size: 12px;
width: 12px;
height: 12px;
margin-right: 4px;
}
&-edit {
display: none;
font-size: 10px;
color: @text-color_4;
margin-left: 4px;
}
&-delete {
display: none;
font-size: 10px;
color: @func-color_1;
margin-left: 6px;
}
&_active {
border: solid 1px @primary-color_8;
background-color: @primary-color_6;
.attr-ad-tab-name {
color: @primary-color;
}
}
&:hover {
.attr-ad-tab-edit {
display: inline-block;
}
.attr-ad-tab-delete {
display: inline-block;
}
}
}
&-add {
padding: 11px;
background-color: @primary-color_7;
font-size: 12px;
color: @text-color_4;
}
}
</style>

View File

@@ -1,205 +0,0 @@
<template>
<div>
<div class="attr-ad-header attr-ad-header-margin">{{ $t('cmdb.ciType.configCheckTitle') }}</div>
<div class="attr-ad-content">
<div class="ad-test-title-info">{{ $t('cmdb.ciType.checkTestTip') }}</div>
<div
class="ad-test-btn"
@click="showCheckModal"
>
{{ $t('cmdb.ciType.checkTestBtn') }}
</div>
<div class="ad-test-btn-info">{{ $t('cmdb.ciType.checkTestTip2') }}</div>
<!-- <div
class="ad-test-btn"
@click="showTestModal"
>
{{ $t('cmdb.ciType.checkTestBtn1') }}
</div>
<div class="ad-test-btn-info">{{ $t('cmdb.ciType.checkTestTip3') }}</div> -->
</div>
<a-modal
v-model="checkModalVisible"
:footer="null"
:width="900"
>
<div class="check-modal-title">{{ $t('cmdb.ciType.checkModalTitle') }}</div>
<div class="check-modal-info">{{ $t('cmdb.ciType.checkModalTip') }}</div>
<div class="check-modal-info">{{ $t('cmdb.ciType.checkModalTip1') }}</div>
<div class="check-modal-info">{{ $t('cmdb.ciType.checkModalTip2') }}</div>
<ops-table
size="mini"
:data="checkTableData"
:scroll-y="{ enabled: true }"
height="400"
class="check-modal-table"
>
<vxe-column field="oneagent_name" :title="$t('cmdb.ciType.checkModalColumn1')"></vxe-column>
<vxe-column field="oneagent_id" :title="$t('cmdb.ciType.checkModalColumn2')"></vxe-column>
<vxe-column
field="status"
:min-width="70"
:title="$t('cmdb.ciType.checkModalColumn3')"
>
<template #default="{ row }">
<div
:class="['check-modal-status', row.status ? 'check-modal-status-online' : 'check-modal-status-offline']"
>
{{ $t(`cmdb.ciType.${row.status ? 'checkModalColumnStatus1' : 'checkModalColumnStatus2'}`) }}
</div>
</template>
</vxe-column>
<vxe-column field="sync_at" :title="$t('cmdb.ciType.checkModalColumn4')"></vxe-column>
</ops-table>
</a-modal>
<a-modal
v-model="testModalVisible"
:footer="null"
:width="596"
>
<div class="check-modal-title">{{ $t('cmdb.ciType.testModalTitle') }}</div>
<p class="test-modal-text">{{ testResultText }}</p>
</a-modal>
</div>
</template>
<script>
import {
getAdtSyncHistories,
postAdtTest,
getAdtTestResult
} from '@/modules/cmdb/api/discovery.js'
import moment from 'moment'
export default {
name: 'AttrADTest',
props: {
adtId: {
type: Number,
default: 0,
}
},
data() {
return {
checkModalVisible: false,
checkTableData: [],
testModalVisible: false,
testResultText: '',
}
},
methods: {
async showCheckModal() {
await this.queryCheckTableData()
this.checkModalVisible = true
},
async queryCheckTableData() {
const res = await getAdtSyncHistories(this.adtId)
if (res?.result?.length) {
const newTableData = res.result
newTableData.forEach((item) => {
const syncTime = moment(item.sync_at).valueOf()
const nowTime = new Date().getTime()
item.status = nowTime - syncTime <= 10 * 60 * 1000
})
this.checkTableData = newTableData
} else {
this.checkTableData = []
}
},
async showTestModal() {
await this.queryTestResult()
this.testModalVisible = true
},
async queryTestResult() {
const res = await postAdtTest(this.adtId)
const exec_id = res?.exec_id
if (exec_id) {
const res = await getAdtTestResult(exec_id)
if (res?.stdout) {
this.testResultText = res.stdout
}
}
}
},
}
</script>
<style lang="less" scoped>
.attr-ad-content {
margin-left: 17px;
margin-bottom: 20px;
.ad-test-title-info {
color: @text-color_3;
font-size: 12px;
font-weight: 400;
}
.ad-test-btn {
margin-top: 30px;
padding: 5px 12px;
background-color: #F4F9FF;
border: solid 1px @primary-color_8;
display: inline-block;
cursor: pointer;
color: @link-color;
font-size: 12px;
font-weight: 400;
}
.ad-test-btn-info {
margin-top: 4px;
color: @text-color_3;
font-size: 12px;
font-weight: 400;
}
}
.check-modal-table {
margin-top: 14px;
}
.check-modal-title {
font-size: 14px;
font-weight: 500;
margin-bottom: 5px;
}
.check-modal-info {
color: @text-color_3;
font-size: 12px;
font-weight: 400;
}
.check-modal-status {
display: inline-block;
padding: 2px 11px;
font-size: 12px;
font-weight: 400;
&-online {
background-color: #E5F6DF;
color: #30AD2D;
}
&-offline {
background-color: #FFDADA;
color: #F14E4E;
}
}
.test-modal-text {
margin-top: 14px;
padding: 12px;
width: 100%;
height: 312px;
overflow: auto;
white-space: pre-wrap;
word-break: break-all;
border: solid 1px @border-color-base;
}
</style>

View File

@@ -180,10 +180,6 @@ export default {
label: this.$t('cmdb.ciType.isIndex'), label: this.$t('cmdb.ciType.isIndex'),
property: 'is_index', property: 'is_index',
}, },
{
label: this.$t('cmdb.ciType.isDynamic'),
property: 'is_dynamic',
},
] ]
}, },
inherited() { inherited() {
@@ -241,8 +237,8 @@ export default {
<style lang="less" scoped> <style lang="less" scoped>
.attribute-card { .attribute-card {
width: 172px; width: 182px;
height: 75px; height: 80px;
background: @primary-color_6; background: @primary-color_6;
border-radius: 2px; border-radius: 2px;
position: relative; position: relative;
@@ -308,7 +304,7 @@ export default {
} }
} }
.attribute-card-footer { .attribute-card-footer {
width: 172px; width: 182px;
height: 30px; height: 30px;
padding: 0 8px; padding: 0 8px;
position: absolute; position: absolute;

View File

@@ -157,6 +157,33 @@
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col :span="6">
<a-form-item
:label-col="horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('required')"
>
<a-switch
@change="(checked) => onChange(checked, 'is_required')"
name="is_required"
v-decorator="['is_required', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6" v-if="currentValueType !== '6' && currentValueType !== '7'">
<a-form-item
:label-col="{ span: 8 }"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('cmdb.ciType.unique')"
>
<a-switch
:disabled="isShowComputedArea"
@change="onChange"
name="is_unique"
v-decorator="['is_unique', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="currentValueType === '2' ? 6 : 0" v-if="currentValueType !== '6'"> <a-col :span="currentValueType === '2' ? 6 : 0" v-if="currentValueType !== '6'">
<a-form-item <a-form-item
:hidden="currentValueType === '2' ? false : true" :hidden="currentValueType === '2' ? false : true"
@@ -169,7 +196,7 @@
>{{ $t('cmdb.ciType.index') }} >{{ $t('cmdb.ciType.index') }}
<a-tooltip :title="$t('cmdb.ciType.indexTips')"> <a-tooltip :title="$t('cmdb.ciType.indexTips')">
<a-icon <a-icon
style="position:absolute;top:2px;left:-17px;color:#2f54eb;" style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle" type="question-circle"
theme="filled" theme="filled"
@click=" @click="
@@ -190,37 +217,10 @@
/> />
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col :span="6" v-if="currentValueType !== '6' && currentValueType !== '7'"> <a-col :span="6">
<a-form-item <a-form-item
:label-col="currentValueType === '2' ? { span: 8 } : horizontalFormItemLayout.labelCol" :label-col="currentValueType === '2' ? { span: 8 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol" :wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('cmdb.ciType.unique')"
>
<a-switch
:disabled="isShowComputedArea"
@change="onChange"
name="is_unique"
v-decorator="['is_unique', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6">
<a-form-item
:label-col="['2', '6', '7'].findIndex(i => currentValueType === i) === -1 ? { span: 8 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('required')"
>
<a-switch
@change="(checked) => onChange(checked, 'is_required')"
name="is_required"
v-decorator="['is_required', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6">
<a-form-item
:label-col="currentValueType === '2' ? { span: 12 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
> >
<template slot="label"> <template slot="label">
<span <span
@@ -228,7 +228,7 @@
>{{ $t('cmdb.ciType.defaultShow') }} >{{ $t('cmdb.ciType.defaultShow') }}
<a-tooltip :title="$t('cmdb.ciType.defaultShowTips')"> <a-tooltip :title="$t('cmdb.ciType.defaultShowTips')">
<a-icon <a-icon
style="position:absolute;top:2px;left:-17px;color:#2f54eb;" style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle" type="question-circle"
theme="filled" theme="filled"
@click=" @click="
@@ -295,37 +295,6 @@
/> />
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col span="6">
<a-form-item
:label-col="['2', '6', '7'].findIndex(i => currentValueType === i) === -1 ? { span: 12 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
>
<template slot="label">
<span
style="position:relative;white-space:pre;"
>{{ $t('cmdb.ciType.isDynamic') }}
<a-tooltip :title="$t('cmdb.ciType.dynamicTips')">
<a-icon
style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle"
theme="filled"
@click="
(e) => {
e.stopPropagation()
e.preventDefault()
}
"
/>
</a-tooltip>
</span>
</template>
<a-switch
@change="(checked) => onChange(checked, 'is_dynamic')"
name="is_dynamic"
v-decorator="['is_dynamic', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-divider style="font-size:14px;margin-top:6px;">{{ $t('cmdb.ciType.advancedSettings') }}</a-divider> <a-divider style="font-size:14px;margin-top:6px;">{{ $t('cmdb.ciType.advancedSettings') }}</a-divider>
<a-row> <a-row>
<a-col :span="24" v-if="!['6'].includes(currentValueType)"> <a-col :span="24" v-if="!['6'].includes(currentValueType)">
@@ -565,7 +534,6 @@ export default {
is_index: _record.is_index, is_index: _record.is_index,
is_sortable: _record.is_sortable, is_sortable: _record.is_sortable,
is_computed: _record.is_computed, is_computed: _record.is_computed,
is_dynamic: _record.is_dynamic,
}) })
} }
console.log(_record) console.log(_record)

View File

@@ -104,7 +104,7 @@
:filter="'.filter-empty'" :filter="'.filter-empty'"
:animation="300" :animation="300"
tag="div" tag="div"
style="width: 100%; display: flex; flex-flow: wrap; column-gap: 10px;" style="width: 100%; display: flex;flex-flow: wrap"
handle=".handle" handle=".handle"
> >
<AttributeCard <AttributeCard
@@ -146,7 +146,7 @@
} }
" "
:animation="300" :animation="300"
style="min-height: 2rem; width: 100%; display: flex; flex-flow: wrap; column-gap: 10px;" style="min-height: 2rem; width: 100%; display: flex; flex-flow: wrap"
handle=".handle" handle=".handle"
> >
<AttributeCard <AttributeCard
@@ -645,7 +645,7 @@ export default {
width: 100%; width: 100%;
display: flex; display: flex;
flex-wrap: wrap; flex-wrap: wrap;
justify-content: flex-start; justify-content: space-between;
min-height: 20px; min-height: 20px;
> i { > i {
width: 182px; width: 182px;

View File

@@ -150,19 +150,42 @@
</a-col> </a-col>
</a-row> </a-row>
<a-col :span="currentValueType === '2' ? 6 : 0" v-if="currentValueType !== '6'"> <a-col :span="6">
<a-form-item <a-form-item
:hidden="currentValueType === '2' ? false : true"
:label-col="horizontalFormItemLayout.labelCol" :label-col="horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol" :wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('required')"
> >
<a-switch
@change="(checked) => onChange(checked, 'is_required')"
name="is_required"
v-decorator="['is_required', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6" v-if="currentValueType !== '6' && currentValueType !== '7'">
<a-form-item
:label-col="{ span: 8 }"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('cmdb.ciType.unique')"
>
<a-switch
:disabled="isShowComputedArea"
@change="onChange"
name="is_unique"
v-decorator="['is_unique', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6" v-if="currentValueType === '2'">
<a-form-item :label-col="horizontalFormItemLayout.labelCol" :wrapper-col="horizontalFormItemLayout.wrapperCol">
<template slot="label"> <template slot="label">
<span <span
style="position:relative;white-space:pre;" style="position:relative;white-space:pre;"
>{{ $t('cmdb.ciType.index') }} >{{ $t('cmdb.ciType.index') }}
<a-tooltip :title="$t('cmdb.ciType.indexTips')"> <a-tooltip :title="$t('cmdb.ciType.indexTips')">
<a-icon <a-icon
style="position:absolute;top:2px;left:-17px;color:#2f54eb;" style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle" type="question-circle"
theme="filled" theme="filled"
@click=" @click="
@@ -183,37 +206,10 @@
/> />
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col :span="6" v-if="currentValueType !== '6' && currentValueType !== '7'"> <a-col :span="6">
<a-form-item <a-form-item
:label-col="currentValueType === '2' ? { span: 8 } : horizontalFormItemLayout.labelCol" :label-col="currentValueType === '2' ? { span: 8 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol" :wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('cmdb.ciType.unique')"
>
<a-switch
:disabled="isShowComputedArea"
@change="onChange"
name="is_unique"
v-decorator="['is_unique', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6">
<a-form-item
:label-col="['2', '6', '7'].findIndex(i => currentValueType === i) === -1 ? { span: 8 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
:label="$t('required')"
>
<a-switch
@change="(checked) => onChange(checked, 'is_required')"
name="is_required"
v-decorator="['is_required', { rules: [], valuePropName: 'checked' }]"
/>
</a-form-item>
</a-col>
<a-col :span="6">
<a-form-item
:label-col="currentValueType === '2' ? { span: 12 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
> >
<template slot="label"> <template slot="label">
<span <span
@@ -221,7 +217,7 @@
>{{ $t('cmdb.ciType.defaultShow') }} >{{ $t('cmdb.ciType.defaultShow') }}
<a-tooltip :title="$t('cmdb.ciType.defaultShowTips')"> <a-tooltip :title="$t('cmdb.ciType.defaultShowTips')">
<a-icon <a-icon
style="position:absolute;top:2px;left:-17px;color:#2f54eb;" style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle" type="question-circle"
theme="filled" theme="filled"
@click=" @click="
@@ -288,37 +284,6 @@
/> />
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col span="6">
<a-form-item
:label-col="['2', '6', '7'].findIndex(i => currentValueType === i) === -1 ? { span: 12 } : horizontalFormItemLayout.labelCol"
:wrapper-col="horizontalFormItemLayout.wrapperCol"
>
<template slot="label">
<span
style="position:relative;white-space:pre;"
>{{ $t('cmdb.ciType.isDynamic') }}
<a-tooltip :title="$t('cmdb.ciType.dynamicTips')">
<a-icon
style="position:absolute;top:3px;left:-17px;color:#2f54eb;"
type="question-circle"
theme="filled"
@click="
(e) => {
e.stopPropagation()
e.preventDefault()
}
"
/>
</a-tooltip>
</span>
</template>
<a-switch
@change="(checked) => onChange(checked, 'is_dynamic')"
name="is_dynamic"
v-decorator="['is_dynamic', { rules: [], valuePropName: 'checked', initialValue: currentValueType === '6' ? true: false }]"
/>
</a-form-item>
</a-col>
<a-divider style="font-size:14px;margin-top:6px;">{{ $t('cmdb.ciType.advancedSettings') }}</a-divider> <a-divider style="font-size:14px;margin-top:6px;">{{ $t('cmdb.ciType.advancedSettings') }}</a-divider>
<a-row> <a-row>
<a-col :span="24" v-if="!['6'].includes(currentValueType)"> <a-col :span="24" v-if="!['6'].includes(currentValueType)">
@@ -439,8 +404,8 @@ export default {
} }
console.log(values) console.log(values)
const { is_required, default_show, default_value, is_dynamic } = values const { is_required, default_show, default_value } = values
const data = { is_required, default_show, is_dynamic } const data = { is_required, default_show }
delete values.is_required delete values.is_required
delete values.default_show delete values.default_show
if (values.value_type === '0' && default_value) { if (values.value_type === '0' && default_value) {

View File

@@ -5,31 +5,32 @@
<AttributesTable ref="attributesTable" :CITypeId="CITypeId" :CITypeName="CITypeName"></AttributesTable> <AttributesTable ref="attributesTable" :CITypeId="CITypeId" :CITypeName="CITypeName"></AttributesTable>
</a-tab-pane> </a-tab-pane>
<a-tab-pane key="2" :tab="$t('cmdb.ciType.relation')"> <a-tab-pane key="2" :tab="$t('cmdb.ciType.relation')">
<RelationTable v-if="activeKey === '2'" :CITypeId="CITypeId" :CITypeName="CITypeName"></RelationTable> <RelationTable :CITypeId="CITypeId" :CITypeName="CITypeName"></RelationTable>
</a-tab-pane> </a-tab-pane>
<a-tab-pane key="3" :tab="$t('cmdb.ciType.autoDiscoveryTab')"> <a-tab-pane key="3" :tab="$t('cmdb.ciType.trigger')">
<ADTab v-if="activeKey === '3'" :CITypeId="CITypeId"></ADTab>
</a-tab-pane>
<a-tab-pane key="5" :tab="$t('cmdb.ciType.trigger')">
<TriggerTable ref="triggerTable" :CITypeId="CITypeId"></TriggerTable> <TriggerTable ref="triggerTable" :CITypeId="CITypeId"></TriggerTable>
</a-tab-pane> </a-tab-pane>
<a-tab-pane key="4" :tab="$t('cmdb.ciType.attributeAD')">
<AttrAD :CITypeId="CITypeId"></AttrAD>
</a-tab-pane>
<a-tab-pane key="5" :tab="$t('cmdb.ciType.relationAD')">
<RelationAD :CITypeId="CITypeId"></RelationAD>
</a-tab-pane>
<a-tab-pane key="6" :tab="$t('cmdb.ciType.grant')"> <a-tab-pane key="6" :tab="$t('cmdb.ciType.grant')">
<div class="grant-config-wrap" :style="{ maxHeight: `${windowHeight - 150}px` }" v-if="activeKey === '6'"> <GrantComp :CITypeId="CITypeId" resourceType="CIType" :resourceTypeName="CITypeName"></GrantComp>
<GrantComp :CITypeId="CITypeId" resourceType="CIType" :resourceTypeName="CITypeName"></GrantComp> <div class="citype-detail-title">{{ $t('cmdb.components.relationGrant') }}</div>
<div class="citype-detail-title">{{ $t('cmdb.components.relationGrant') }}</div> <RelationTable isInGrantComp :CITypeId="CITypeId" :CITypeName="CITypeName"></RelationTable>
<RelationTable isInGrantComp :CITypeId="CITypeId" :CITypeName="CITypeName"></RelationTable>
</div>
</a-tab-pane> </a-tab-pane>
</a-tabs> </a-tabs>
</a-card> </a-card>
</template> </template>
<script> <script>
import { mapState } from 'vuex'
import AttributesTable from './attributesTable' import AttributesTable from './attributesTable'
import RelationTable from './relationTable' import RelationTable from './relationTable'
import TriggerTable from './triggerTable.vue' import TriggerTable from './triggerTable.vue'
import ADTab from './adTab.vue' import AttrAD from './attrAD.vue'
import RelationAD from './relationAD.vue'
import GrantComp from '../../components/cmdbGrant/grantComp.vue' import GrantComp from '../../components/cmdbGrant/grantComp.vue'
export default { export default {
@@ -38,7 +39,8 @@ export default {
AttributesTable, AttributesTable,
RelationTable, RelationTable,
TriggerTable, TriggerTable,
ADTab, AttrAD,
RelationAD,
GrantComp, GrantComp,
}, },
props: { props: {
@@ -58,11 +60,6 @@ export default {
}, },
beforeCreate() {}, beforeCreate() {},
mounted() {}, mounted() {},
computed: {
...mapState({
windowHeight: (state) => state.windowHeight,
}),
},
methods: { methods: {
changeTab(activeKey) { changeTab(activeKey) {
this.activeKey = activeKey this.activeKey = activeKey
@@ -70,7 +67,7 @@ export default {
if (activeKey === '1') { if (activeKey === '1') {
this.$refs.attributesTable.getCITypeGroupData() this.$refs.attributesTable.getCITypeGroupData()
} }
if (activeKey === '5') { if (activeKey === '3') {
this.$refs.triggerTable.getTableData() this.$refs.triggerTable.getTableData()
} }
}) })
@@ -87,7 +84,4 @@ export default {
margin-left: 20px; margin-left: 20px;
margin-bottom: 10px; margin-bottom: 10px;
} }
.grant-config-wrap {
overflow: auto;
}
</style> </style>

View File

@@ -6,12 +6,7 @@
</a-tab-pane> </a-tab-pane>
<a-tab-pane key="script" :disabled="!canDefineComputed"> <a-tab-pane key="script" :disabled="!canDefineComputed">
<span style="font-size:12px;" slot="tab">{{ $t('cmdb.ciType.code') }}</span> <span style="font-size:12px;" slot="tab">{{ $t('cmdb.ciType.code') }}</span>
<codemirror <codemirror style="z-index: 9999" :options="cmOptions" v-model="compute_script"></codemirror>
style="z-index: 9999"
:options="cmOptions"
v-model="compute_script"
@input="onCodeChange"
></codemirror>
</a-tab-pane> </a-tab-pane>
<template slot="tabBarExtraContent" v-if="showCalcComputed"> <template slot="tabBarExtraContent" v-if="showCalcComputed">
<a-button type="primary" size="small" @click="handleCalcComputed"> <a-button type="primary" size="small" @click="handleCalcComputed">
@@ -54,26 +49,8 @@ export default {
height: '200px', height: '200px',
theme: 'monokai', theme: 'monokai',
tabSize: 4, tabSize: 4,
indentUnit: 4, lineWrapping: true,
lineWrapping: false,
readOnly: !this.canDefineComputed, readOnly: !this.canDefineComputed,
extraKeys: {
Tab: (cm) => {
if (cm.somethingSelected()) {
cm.indentSelection('add')
} else {
cm.replaceSelection(Array(cm.getOption('indentUnit') + 1).join(' '), 'end', '+input')
}
},
'Shift-Tab': (cm) => {
if (cm.somethingSelected()) {
cm.indentSelection('subtract')
} else {
const cursor = cm.getCursor()
cm.setCursor({ line: cursor.line, ch: cursor.ch - 4 })
}
},
},
}, },
} }
}, },
@@ -106,9 +83,6 @@ export default {
}, },
}) })
}, },
onCodeChange(v) {
this.compute_script = v.replace('\t', ' ')
}
}, },
} }
</script> </script>

File diff suppressed because it is too large Load Diff

View File

@@ -1,239 +0,0 @@
<template>
<a-modal
:visible="visible"
:title="$t('cmdb.ciType.modelExport')"
:width="560"
@cancel="handleCancel"
@ok="handleOK"
>
<a-form
:form="form"
:labelCol="{ span: 5 }"
:wrapperCol="{ span: 19 }"
>
<a-form-item
:label="$t('cmdb.ciType.filename')"
>
<a-input v-decorator="['name', { rules: [{ required: true, message: $t('cmdb.ciType.filenameInputTips') }], initialValue: 'cmdb_template' }]" />
</a-form-item>
<a-form-item
:label="$t('cmdb.ciType.selectModel')"
>
<a-transfer
class="model-export-transfer"
:dataSource="transferDataSource"
:targetKeys="targetKeys"
:render="item => item.title"
:titles="[$t('cmdb.ciType.unselectModel'), $t('cmdb.ciType.selectedModel')]"
:listStyle="{
width: '180px',
height: `262px`,
}"
@change="onChange"
>
<template
slot="children"
slot-scope="{ props: { direction, selectedKeys }, on: { itemSelect, itemSelectAll } }"
>
<a-tree
v-if="direction === 'left'"
blockNode
checkable
:checkedKeys="[...selectedKeys, ...targetKeys]"
:treeData="treeData"
:checkStrictly="false"
@check="
(_, props) => {
onChecked(_, props, [...selectedKeys, ...targetKeys], itemSelect, itemSelectAll);
}
"
@select="
(_, props) => {
onChecked(_, props, [...selectedKeys, ...targetKeys], itemSelect, itemSelectAll);
}
"
/>
</template>
</a-transfer>
</a-form-item>
</a-form>
</a-modal>
</template>
<script>
import _ from 'lodash'
import { exportCITypeGroups } from '@/modules/cmdb/api/ciTypeGroup'
export default {
name: 'ModelExport',
props: {
visible: {
type: Boolean,
default: false,
},
CITypeGroups: {
type: Array,
default: () => []
}
},
data() {
return {
form: this.$form.createForm(this, { name: 'model-export' }),
targetKeys: [],
btnLoading: false,
}
},
computed: {
transferDataSource() {
const dataSource = this.CITypeGroups.reduce((acc, group) => {
const types = _.cloneDeep(group?.ci_types || [])
types.forEach((item) => {
item.key = `${group.id}-${item.id}`
item.title = item?.alias || item?.name || this.$t('other')
})
return acc.concat(types)
}, [])
return dataSource
},
treeData() {
const treeData = _.cloneDeep(this.CITypeGroups)
let newTreeData = treeData.map((item) => {
const childrenKeys = []
const children = (item.ci_types || []).map((child) => {
const key = `${item.id}-${child.id}`
const disabled = this.targetKeys.includes(key)
childrenKeys.push(key)
return {
key,
title: child?.alias || child?.name || this.$t('other'),
disabled,
children: []
}
})
return {
key: String(item?.id),
title: item?.name || this.$t('other'),
children,
childrenKeys,
disabled: children.every((item) => item.disabled),
}
})
newTreeData = newTreeData.filter((item) => item.children.length > 0)
return newTreeData
}
},
methods: {
onChange(targetKeys, direction, moveKeys) {
const childKeys = []
const newTargetKeys = [...targetKeys]
if (direction === 'right') {
// 如果是选中父节点添加时去除父节点添加其子节点
this.treeData.forEach((item) => {
const parentIndex = newTargetKeys.findIndex((key) => item.key === key)
if (parentIndex !== -1) {
newTargetKeys.splice(parentIndex, 1)
childKeys.push(...item.childrenKeys)
}
})
}
const uniqTargetKeys = _.uniq([...newTargetKeys, ...childKeys])
this.targetKeys = uniqTargetKeys
},
onChecked(_, e, checkedKeys, itemSelect, itemSelectAll) {
const { eventKey } = e.node
const selected = checkedKeys.indexOf(eventKey) === -1
const childrenKeys = this.treeData.find((item) => item.key === eventKey)?.childrenKeys || []
// 如果当前点击是子节点处理其联动父节点
this.treeData.forEach((item) => {
if (item.childrenKeys.includes(eventKey)) {
if (selected && item.childrenKeys.every((childKey) => [eventKey, ...checkedKeys].includes(childKey))) {
itemSelect(item.key, true)
} else if (!selected) {
itemSelect(item.key, false)
}
}
})
itemSelectAll([eventKey, ...childrenKeys], selected)
},
handleCancel() {
this.$emit('cancel')
this.form.resetFields()
this.targetKeys = []
},
handleOK() {
this.form.validateFields(async (err, values) => {
if (err || !this.targetKeys.length || this.btnLoading) {
return
}
this.btnLoading = true
const hide = this.$message.loading(this.$t('loading'), 0)
try {
const typeIds = this.getTypeIds(this.targetKeys)
const res = await exportCITypeGroups({
type_ids: typeIds
})
console.log('exportCITypeGroups res', res)
if (res) {
const jsonStr = JSON.stringify(res)
const blob = new Blob([jsonStr], { type: 'application/json' })
const url = URL.createObjectURL(blob)
const a = document.createElement('a')
a.href = url
const fileName = values.name
a.download = fileName
a.click()
URL.revokeObjectURL(url)
}
} catch (error) {
console.log('exportCITypeGroups fail', error)
hide()
this.btnLoading = false
}
hide()
this.btnLoading = false
})
},
getTypeIds(targetKeys) {
let typeIds = targetKeys?.map((key) => {
return this?.transferDataSource?.find((node) => node?.key === key)?.id || ''
})
typeIds = typeIds.filter((id) => id)
return typeIds?.join(',')
}
}
}
</script>
<style lang="less" scoped>
.model-export-transfer {
/deep/ .ant-transfer-list {
.ant-transfer-list-body {
overflow: auto;
}
&:first-child {
.ant-transfer-list-header {
.ant-transfer-list-header-selected {
span:first-child {
display: none;
}
}
}
}
.ant-transfer-list-header-title {
color: @primary-color;
font-weight: 400;
font-size: 12px;
}
}
}
</style>

View File

@@ -1,124 +1,95 @@
<template> <template>
<div class="relation-ad" :style="{ height: `${windowHeight - 200}px` }"> <div class="relation-ad" :style="{ height: `${windowHeight - 130}px` }">
<div class="relation-ad-table-tip"> <div class="relation-ad-item" v-for="item in relationList" :key="item.id">
<ops-icon class="relation-ad-table-tip-icon" type="cmdb-prompt" /> <treeselect
<span class="relation-ad-table-tip-text">1. {{ $t('cmdb.ciType.relationADTip') }}</span> class="custom-treeselect"
<span class="relation-ad-table-tip-text">2. {{ $t('cmdb.ciType.relationADTip2') }}</span> :style="{ width: '200px', marginRight: '10px', '--custom-height': '32px' }"
<span class="relation-ad-table-tip-text">3. {{ $t('cmdb.ciType.relationADTip3') }}</span> v-model="item.attrName"
</div> :multiple="false"
<!-- <div class="relation-ad-tip">{{ $t('cmdb.ciType.relationADTip') }}</div> --> :clearable="true"
<div class="relation-ad-header"> searchable
<div class="relation-ad-header-left">{{ $t('cmdb.ciType.relationADHeader1') }}</div> :options="ciTypeADTAttributes"
<div class="relation-ad-header-left">{{ $t('cmdb.ciType.relationADHeader2') }}</div> value-consists-of="LEAF_PRIORITY"
</div> :placeholder="$t('cmdb.ciType.selectAttributes')"
<div class="relation-ad-main"> :normalizer="
<div class="relation-ad-item" v-for="item in relationList" :key="item.id"> (node) => {
<treeselect return {
class="custom-treeselect" id: node.name,
:style="{ width: '230px', '--custom-height': '32px' }" label: node.name,
v-model="item.ad_key"
:multiple="false"
:clearable="true"
searchable
:options="ciTypeADTAttributes"
value-consists-of="LEAF_PRIORITY"
:placeholder="$t('cmdb.ciType.relationADSelectAttr')"
:normalizer="
(node) => {
return {
id: node.value,
label: node.label,
}
} }
" }
> "
<div :title="node.label" slot="option-label" slot-scope="{ node }"> >
<div>{{ node.label }}</div> <div :title="node.label" slot="option-label" slot-scope="{ node }">
<!-- <div :style="{ fontSize: '12px', color: '#cbcbcb', lineHeight: '12px' }">{{ node.raw.desc }}</div> --> <div>{{ node.label }}</div>
</div> <div :style="{ fontSize: '12px', color: '#cbcbcb', lineHeight: '12px' }">{{ node.raw.desc }}</div>
</treeselect> </div>
</treeselect>
<a><a-icon type="swap"/></a>
<treeselect
class="custom-treeselect"
:style="{ width: '200px', margin: '0 10px', '--custom-height': '32px' }"
v-model="item.type_name"
:multiple="false"
:clearable="true"
searchable
:options="ciTypeGroup"
value-consists-of="LEAF_PRIORITY"
:placeholder="$t('cmdb.ciType.selectCIType')"
:disableBranchNodes="true"
@select="changeType(item)"
:normalizer="
(node) => {
return {
id: node.name || $t('other'),
label: node.alias || node.name || $t('other'),
title: node.alias || node.name || $t('other'),
children: node.ci_types,
}
}
"
>
<div <div
class="relation-ad-item-link" :title="node.label"
slot="option-label"
slot-scope="{ node }"
:style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }"
> >
<div class="relation-ad-item-link-left"></div> {{ node.label }}
<div class="relation-ad-item-link-right"></div>
</div> </div>
<treeselect </treeselect>
class="custom-treeselect" <treeselect
:style="{ width: '230px', marginRight: '10px', '--custom-height': '32px' }" class="custom-treeselect"
v-model="item.peer_type_id" :style="{ width: '200px', marginRight: '10px', '--custom-height': '32px' }"
:multiple="false" v-model="item.attr_name"
:clearable="true" :multiple="false"
searchable :clearable="true"
:options="relationOptions" searchable
value-consists-of="LEAF_PRIORITY" :options="item.attributes"
:placeholder="$t('cmdb.ciType.relationADSelectCIType')" value-consists-of="LEAF_PRIORITY"
:disableBranchNodes="true" :placeholder="$t('cmdb.ciType.selectAttributes')"
@select="changeType(item)" :normalizer="
:normalizer=" (node) => {
(node) => { return {
return { id: node.name,
id: node.value || $t('other'), label: node.alias || node.name,
label: node.alias || node.name || $t('other'), title: node.alias || node.name,
title: node.alias || node.name || $t('other'),
children: node.ci_types,
}
} }
" }
"
>
<div
:title="node.label"
slot="option-label"
slot-scope="{ node }"
:style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }"
> >
<div {{ node.label }}
:title="node.label"
slot="option-label"
slot-scope="{ node }"
:style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }"
>
{{ node.label }}
</div>
</treeselect>
<treeselect
class="custom-treeselect"
:style="{ width: '230px', marginRight: '18px', '--custom-height': '32px' }"
v-model="item.peer_attr_id"
:multiple="false"
:clearable="true"
searchable
:options="item.attributes"
value-consists-of="LEAF_PRIORITY"
:placeholder="$t('cmdb.ciType.relationADSelectModelAttr')"
:normalizer="
(node) => {
return {
id: node.value,
label: node.alias || node.name,
title: node.alias || node.name,
}
}
"
>
<div
:title="node.label"
slot="option-label"
slot-scope="{ node }"
:style="{ width: '100%', whiteSpace: 'nowrap', textOverflow: 'ellipsis', overflow: 'hidden' }"
>
{{ node.label }}
</div>
</treeselect>
<div class="relation-ad-item-action">
<a @click="copyRelation(item)">
<a-icon type="copy" />
</a>
<a @click="deleteRelation(item)">
<a-icon type="minus-circle" />
</a>
<a @click="addRelation">
<a-icon type="plus-circle" />
</a>
</div> </div>
</div> </treeselect>
<div class="relation-ad-footer"> </div>
<a-button type="primary" @click="handleSave">{{ $t('save') }}</a-button> <div class="relation-ad-footer">
</div> <a-button type="primary" @click="handleSave">{{ $t('save') }}</a-button>
</div> </div>
</div> </div>
</template> </template>
@@ -128,15 +99,9 @@ import _ from 'lodash'
import { mapState } from 'vuex' import { mapState } from 'vuex'
import { v4 as uuidv4 } from 'uuid' import { v4 as uuidv4 } from 'uuid'
import Treeselect from '@riophae/vue-treeselect' import Treeselect from '@riophae/vue-treeselect'
import { import { getCITypeAttributesById } from '../../api/CITypeAttr'
getCITypeAttributes, import { getCITypeGroups } from '../../api/ciTypeGroup'
getCITypeRelations, import { getDiscovery, getCITypeDiscovery, postCITypeDiscovery, putCITypeDiscovery } from '../../api/discovery'
postCITypeRelations
} from '../../api/discovery'
import {
getCITypeChildren,
getCITypeParent
} from '../../api/CITypeRelation.js'
export default { export default {
name: 'RelationAutoDiscovery', name: 'RelationAutoDiscovery',
@@ -149,11 +114,11 @@ export default {
}, },
data() { data() {
return { return {
relationList: [], // 关系自动发现数据 relationList: [],
ciTypeADTAttributes: [], // 自动发现 options ciTypeADTAttributes: [],
ciTypeGroup: [],
adt_id: null, adt_id: null,
adrList: [], adrList: [],
relationOptions: [],
} }
}, },
computed: { computed: {
@@ -161,62 +126,64 @@ export default {
windowHeight: (state) => state.windowHeight, windowHeight: (state) => state.windowHeight,
}), }),
}, },
created() {
getCITypeGroups({ need_other: true }).then((res) => {
this.ciTypeGroup = res
.filter((item) => item.ci_types && item.ci_types.length)
.map((item) => {
item.id = `parent_${item.id || -1}`
return { ..._.cloneDeep(item) }
})
})
},
async mounted() { async mounted() {
await this.getCITypeAttributes() await this.getDiscovery()
await this.getCITypeRelationOptions() this.getCITypeDiscovery()
this.getCITypeRelations()
}, },
methods: { methods: {
async getCITypeAttributes() { async getDiscovery() {
const res = await getCITypeAttributes(this.CITypeId) await getDiscovery().then((res) => {
this.ciTypeADTAttributes = res.map((item) => { this.adrList = res
return {
id: item,
value: item,
label: item
}
}) })
}, },
async getCITypeRelationOptions() { getCITypeDiscovery() {
const childRes = await getCITypeChildren(this.CITypeId) getCITypeDiscovery(this.CITypeId).then(async (res) => {
const parentRes = await getCITypeParent(this.CITypeId) // Options for the first drop-down box
const options = [...childRes.children, ...parentRes.parents] const _ciTypeADTAttributes = []
res
options.forEach((item) => { .filter((adt) => adt.adr_id)
item.value = item.id .forEach((adt) => {
item.label = item.alias || item.name const _find = this.adrList.find((adr) => adr.id === adt.adr_id)
const attributes = item?.attributes?.filter((attr) => !attr.is_password && !attr.is_list && attr.value_type !== '6') if (_find && _find.attributes) {
attributes.forEach((attr) => { _ciTypeADTAttributes.push(..._find.attributes)
attr.value = attr.id }
attr.label = attr.alias || attr.name })
}) console.log(_ciTypeADTAttributes)
item.attributes = attributes this.ciTypeADTAttributes = _.uniqBy(_ciTypeADTAttributes, 'name')
}) // Options for the first drop-down box
this.relationOptions = options const _find = res.find((adt) => !adt.adr_id)
}, if (_find) {
async getCITypeRelations() { this.adt_id = _find.id
getCITypeRelations(this.CITypeId).then(async (res) => {
if (res?.length) {
// this.adt_id = _find.id
const _relationList = [] const _relationList = []
res.forEach((item) => { const keys = Object.keys(_find.relation)
const attributes = this?.relationOptions?.find((option) => option?.value === item.peer_type_id)?.attributes || [] for (let i = 0; i < keys.length; i++) {
const { attributes } = await getCITypeAttributesById(_find.relation[`${keys[i]}`].type_name)
_relationList.push({ _relationList.push({
id: uuidv4(), id: uuidv4(),
ad_key: item.ad_key, attrName: keys[i],
peer_type_id: item.peer_type_id, type_name: _find.relation[`${keys[i]}`].type_name,
peer_attr_id: item.peer_attr_id, attr_name: _find.relation[`${keys[i]}`].attr_name,
attributes, attributes,
}) })
}) }
this.relationList = _relationList.length this.relationList = _relationList.length
? _relationList ? _relationList
: [ : [
{ {
id: uuidv4(), id: uuidv4(),
ad_key: undefined, attrName: undefined,
peer_type_id: undefined, type_name: undefined,
peer_attr_id: undefined, attr_name: undefined,
attributes: [], attributes: [],
}, },
] ]
@@ -225,9 +192,9 @@ export default {
this.relationList = [ this.relationList = [
{ {
id: uuidv4(), id: uuidv4(),
ad_key: undefined, attrName: undefined,
peer_type_id: undefined, type_name: undefined,
peer_attr_id: undefined, attr_name: undefined,
attributes: [], attributes: [],
}, },
] ]
@@ -235,57 +202,48 @@ export default {
}) })
}, },
changeType(item) { changeType(item) {
console.log(item)
this.$nextTick(() => { this.$nextTick(() => {
const peer_type_id = item.peer_type_id getCITypeAttributesById(item.type_name).then((res) => {
const attributes = this?.relationOptions?.find((option) => option?.value === peer_type_id)?.attributes item.attr_name = undefined
item.attributes = res.attributes.map((item) => {
item.attributes = attributes return { ...item, value: item.id, label: item.alias || item.name }
item.peer_attr_id = undefined })
})
}) })
}, },
addRelation() { addRelation() {
const _relationList = _.cloneDeep(this.relationList) const _relationList = _.cloneDeep(this.relationList)
_relationList.push({ _relationList.push({
id: uuidv4(), id: uuidv4(),
ad_key: undefined, attrName: undefined,
peer_type_id: undefined, type_name: undefined,
peer_attr_id: undefined, attr_name: undefined,
attributes: [], attributes: [],
}) })
this.relationList = _relationList this.relationList = _relationList
}, },
copyRelation(item) {
const _relationList = _.cloneDeep(this.relationList)
_relationList.push({
...item,
id: uuidv4()
})
this.relationList = _relationList
},
deleteRelation(item) { deleteRelation(item) {
if (this.relationList.length <= 1) {
this.$message.error(this.$t('cmdb.ciType.deleteRelationAdTip'))
return
}
const _idx = this.relationList.findIndex(({ id }) => item.id === id) const _idx = this.relationList.findIndex(({ id }) => item.id === id)
if (_idx > -1) { if (_idx > -1) {
this.relationList.splice(_idx, 1) this.relationList.splice(_idx, 1)
} }
}, },
async handleSave() { async handleSave() {
const _relation = this.relationList.map(({ ad_key, peer_attr_id, peer_type_id }) => { const _relation = {}
return { this.relationList.forEach(({ attrName, type_name, attr_name }) => {
ad_key, if (attrName) {
peer_attr_id, _relation[`${attrName}`] = { type_name, attr_name }
peer_type_id
} }
}) })
if (_relation.length) { if (_relation) {
await postCITypeRelations(this.CITypeId, { relations: _relation }) if (this.adt_id) {
await putCITypeDiscovery(this.adt_id, { relation: _relation })
} else {
await postCITypeDiscovery(this.CITypeId, { relation: _relation })
}
this.$message.success(this.$t('saveSuccess')) this.$message.success(this.$t('saveSuccess'))
this.getCITypeRelations() this.getCITypeDiscovery()
} }
}, },
}, },
@@ -296,103 +254,14 @@ export default {
.relation-ad { .relation-ad {
overflow: auto; overflow: auto;
padding: 0 20px; padding: 0 20px;
&-tip {
color: @text-color_4;
font-size: 12px;
font-weight: 400;
line-height: 22px;
}
&-header {
margin-top: 20px;
display: flex;
align-items: center;
font-size: 14px;
font-weight: 700;
line-height: 22px;
&-left {
width: 230px;
margin-right: 63px;
}
}
&-main {
display: inline-block;
}
.relation-ad-item { .relation-ad-item {
display: flex; display: inline-flex;
justify-content: flex-start; justify-content: flex-start;
align-items: center; align-items: center;
margin-top: 10px; margin: 10px 0;
&-link {
position: relative;
height: 1px;
width: 63px;
background-color: @border-color-base;
&-left {
position: absolute;
top: -6px;
left: -6px;
z-index: 10;
width: 12px;
height: 12px;
background-color: @primary-color;
border: solid 3px #E2E7FC;
border-radius: 50%
}
&-right {
position: absolute;
z-index: 10;
top: -5px;
right: 0px;
width: 2px;
height: 10px;
border-radius: 1px 0px 0px 1px;
background-color: @primary-color;
}
}
&-action {
display: flex;
align-items: center;
gap: 12px;
}
} }
.relation-ad-footer {
&-table-tip { width: 690px;
display: inline-flex;
align-items: center;
padding: 3px 16px;
color: @text-color_2;
font-size: 14px;
font-weight: 400;
border: solid 1px @primary-color_8;
background-color: @primary-color_5;
border-radius: 2px;
&-icon {
font-size: 16px;
color: @primary-color;
margin-right: 8px;
}
&-text {
&:not(:last-child) {
padding-right: 10px;
margin-right: 10px;
border-right: solid 1px @primary-color_8;
}
}
}
&-footer {
// width: 690px;
text-align: right; text-align: right;
margin: 10px 0; margin: 10px 0;
} }

View File

@@ -1,5 +1,5 @@
<template> <template>
<div class="relation-table" :style="{ padding: '0 20px 20px' }"> <div :style="{ padding: '0 20px 20px' }">
<a-button <a-button
v-if="!isInGrantComp" v-if="!isInGrantComp"
style="margin-bottom: 10px" style="margin-bottom: 10px"
@@ -10,7 +10,6 @@
>{{ $t('cmdb.ciType.addRelation') }}</a-button >{{ $t('cmdb.ciType.addRelation') }}</a-button
> >
<vxe-table <vxe-table
ref="xTable"
stripe stripe
:data="tableData" :data="tableData"
size="small" size="small"
@@ -19,7 +18,6 @@
highlight-hover-row highlight-hover-row
keep-source keep-source
class="ops-stripe-table" class="ops-stripe-table"
min-height="500"
:row-class-name="rowClass" :row-class-name="rowClass"
:edit-config="{ trigger: 'dblclick', mode: 'cell', showIcon: false }" :edit-config="{ trigger: 'dblclick', mode: 'cell', showIcon: false }"
resizable resizable
@@ -45,7 +43,7 @@
<span v-else>{{ constraintMap[row.constraint] }}</span> <span v-else>{{ constraintMap[row.constraint] }}</span>
</template> </template>
</vxe-column> </vxe-column>
<vxe-column :width="300" field="attributeAssociation" :edit-render="{}"> <vxe-column :width="250" field="attributeAssociation" :edit-render="{}">
<template #header> <template #header>
<span> <span>
<a-tooltip :title="$t('cmdb.ciType.attributeAssociationTip1')"> <a-tooltip :title="$t('cmdb.ciType.attributeAssociationTip1')">
@@ -58,73 +56,43 @@
</span> </span>
</template> </template>
<template #default="{row}"> <template #default="{row}">
<template <span
v-for="item in row.parentAndChildAttrList" v-if="row.parent_attr_id && row.child_attr_id"
>{{ getAttrNameById(row.isParent ? row.attributes : attributes, row.parent_attr_id) }}=>
{{ getAttrNameById(row.isParent ? attributes : row.attributes, row.child_attr_id) }}</span
> >
<div
:key="item.id"
v-if="item.parentAttrId && item.childAttrId"
>
{{ getAttrNameById(row.isParent ? row.attributes : attributes, item.parentAttrId) }}=>
{{ getAttrNameById(row.isParent ? attributes : row.attributes, item.childAttrId) }}
</div>
</template>
</template> </template>
<template #edit="{ row }"> <template #edit="{ row }">
<div <div style="display:inline-flex;align-items:center;">
v-for="item in tableAttrList"
:key="item.id"
class="table-attribute-row"
>
<a-select <a-select
allowClear allowClear
size="small" size="small"
v-model="item.parentAttrId" v-model="parent_attr_id"
:getPopupContainer="(trigger) => trigger.parentNode" :getPopupContainer="(trigger) => trigger.parentNode"
:style="{ width: '100px' }" :style="{ width: '100px' }"
show-search
optionFilterProp="title"
> >
<a-select-option <a-select-option
v-for="attr in filterAttributes(row.isParent ? row.attributes : attributes)" v-for="attr in filterAttributes(row.isParent ? row.attributes : attributes)"
:key="attr.id" :key="attr.id"
:value="attr.id"
:title="attr.alias || attr.name"
> >
{{ attr.alias || attr.name }} {{ attr.alias || attr.name }}
</a-select-option> </a-select-option>
</a-select> </a-select>
<span class="table-attribute-row-link">=></span> =>
<a-select <a-select
allowClear allowClear
size="small" size="small"
v-model="item.childAttrId" v-model="child_attr_id"
:getPopupContainer="(trigger) => trigger.parentNode" :getPopupContainer="(trigger) => trigger.parentNode"
:style="{ width: '100px' }" :style="{ width: '100px' }"
show-search
optionFilterProp="title"
> >
<a-select-option <a-select-option
v-for="attr in filterAttributes(row.isParent ? attributes : row.attributes)" v-for="attr in filterAttributes(row.isParent ? attributes : row.attributes)"
:key="attr.id" :key="attr.id"
:value="attr.id"
:title="attr.alias || attr.name"
> >
{{ attr.alias || attr.name }} {{ attr.alias || attr.name }}
</a-select-option> </a-select-option>
</a-select> </a-select>
<a
class="table-attribute-row-action"
@click="removeTableAttr(item.id)"
>
<a-icon type="minus-circle" />
</a>
<a
class="table-attribute-row-action"
@click="addTableAttr"
>
<a-icon type="plus-circle" />
</a>
</div> </div>
</template> </template>
</vxe-column> </vxe-column>
@@ -211,16 +179,13 @@
</a-select> </a-select>
</a-form-item> </a-form-item>
<a-form-item :label="$t('cmdb.ciType.attributeAssociation')"> <a-form-item :label="$t('cmdb.ciType.attributeAssociation')">
<a-row <a-row>
v-for="item in modalAttrList" <a-col :span="11">
:key="item.id"
>
<a-col :span="10">
<a-form-item> <a-form-item>
<a-select <a-select
:placeholder="$t('cmdb.ciType.attributeAssociationTip4')" :placeholder="$t('cmdb.ciType.attributeAssociationTip4')"
allowClear allowClear
v-model="item.parentAttrId" v-decorator="['parent_attr_id', { rules: [{ required: false }] }]"
> >
<a-select-option v-for="attr in filterAttributes(attributes)" :key="attr.id"> <a-select-option v-for="attr in filterAttributes(attributes)" :key="attr.id">
{{ attr.alias || attr.name }} {{ attr.alias || attr.name }}
@@ -231,12 +196,12 @@
<a-col :span="2" :style="{ textAlign: 'center' }"> <a-col :span="2" :style="{ textAlign: 'center' }">
=> =>
</a-col> </a-col>
<a-col :span="9"> <a-col :span="11">
<a-form-item> <a-form-item>
<a-select <a-select
:placeholder="$t('cmdb.ciType.attributeAssociationTip5')" :placeholder="$t('cmdb.ciType.attributeAssociationTip5')"
allowClear allowClear
v-model="item.childAttrId" v-decorator="['child_attr_id', { rules: [{ required: false }] }]"
> >
<a-select-option v-for="attr in filterAttributes(modalChildAttributes)" :key="attr.id"> <a-select-option v-for="attr in filterAttributes(modalChildAttributes)" :key="attr.id">
{{ attr.alias || attr.name }} {{ attr.alias || attr.name }}
@@ -244,20 +209,6 @@
</a-select> </a-select>
</a-form-item> </a-form-item>
</a-col> </a-col>
<a-col :span="3">
<a
class="modal-attribute-action"
@click="removeModalAttr(item.id)"
>
<a-icon type="minus-circle" />
</a>
<a
class="modal-attribute-action"
@click="addModalAttr"
>
<a-icon type="plus-circle" />
</a>
</a-col>
</a-row> </a-row>
</a-form-item> </a-form-item>
</a-form> </a-form>
@@ -276,7 +227,6 @@ import {
} from '@/modules/cmdb/api/CITypeRelation' } from '@/modules/cmdb/api/CITypeRelation'
import { getCITypes } from '@/modules/cmdb/api/CIType' import { getCITypes } from '@/modules/cmdb/api/CIType'
import { getCITypeAttributesById } from '@/modules/cmdb/api/CITypeAttr' import { getCITypeAttributesById } from '@/modules/cmdb/api/CITypeAttr'
import { v4 as uuidv4 } from 'uuid'
import CMDBGrant from '../../components/cmdbGrant' import CMDBGrant from '../../components/cmdbGrant'
@@ -309,11 +259,9 @@ export default {
tableData: [], tableData: [],
parentTableData: [], parentTableData: [],
attributes: [], attributes: [],
tableAttrList: [], parent_attr_id: undefined,
modalAttrList: [], child_attr_id: undefined,
modalChildAttributes: [], modalChildAttributes: [],
currentEditData: null,
isContinueCloseEdit: false,
} }
}, },
computed: { computed: {
@@ -344,16 +292,13 @@ export default {
if (!this.isInGrantComp) { if (!this.isInGrantComp) {
await this.getCITypeParent() await this.getCITypeParent()
} }
await this.getCITypeChildren() this.getCITypeChildren()
}, },
async getCITypeParent() { async getCITypeParent() {
await getCITypeParent(this.CITypeId).then((res) => { await getCITypeParent(this.CITypeId).then((res) => {
this.parentTableData = res.parents.map((item) => { this.parentTableData = res.parents.map((item) => {
const parentAndChildAttrList = this.handleAttrList(item)
return { return {
...item, ...item,
parentAndChildAttrList,
source_ci_type_name: this.CITypeName, source_ci_type_name: this.CITypeName,
source_ci_type_id: this.CITypeId, source_ci_type_id: this.CITypeId,
isParent: true, isParent: true,
@@ -361,14 +306,11 @@ export default {
}) })
}) })
}, },
async getCITypeChildren() { getCITypeChildren() {
await getCITypeChildren(this.CITypeId).then((res) => { getCITypeChildren(this.CITypeId).then((res) => {
const data = res.children.map((obj) => { const data = res.children.map((obj) => {
const parentAndChildAttrList = this.handleAttrList(obj)
return { return {
...obj, ...obj,
parentAndChildAttrList,
source_ci_type_name: this.CITypeName, source_ci_type_name: this.CITypeName,
source_ci_type_id: this.CITypeId, source_ci_type_id: this.CITypeId,
} }
@@ -380,20 +322,6 @@ export default {
} }
}) })
}, },
handleAttrList(data) {
const length = Math.min(data?.parent_attr_ids?.length || 0, data.child_attr_ids?.length || 0)
const parentAndChildAttrList = []
for (let i = 0; i < length; i++) {
parentAndChildAttrList.push({
id: uuidv4(),
parentAttrId: data?.parent_attr_ids?.[i] ?? '',
childAttrId: data?.child_attr_ids?.[i] ?? ''
})
}
return parentAndChildAttrList
},
getCITypes() { getCITypes() {
getCITypes().then((res) => { getCITypes().then((res) => {
this.CITypes = res.ci_types this.CITypes = res.ci_types
@@ -414,13 +342,6 @@ export default {
handleCreate() { handleCreate() {
this.drawerTitle = this.$t('cmdb.ciType.addRelation') this.drawerTitle = this.$t('cmdb.ciType.addRelation')
this.visible = true this.visible = true
this.$set(this, 'modalAttrList', [
{
id: uuidv4(),
parentAttrId: undefined,
childAttrId: undefined
}
])
this.$nextTick(() => { this.$nextTick(() => {
this.form.setFieldsValue({ this.form.setFieldsValue({
source_ci_type_id: this.CITypeId, source_ci_type_id: this.CITypeId,
@@ -444,22 +365,19 @@ export default {
ci_type_id, ci_type_id,
relation_type_id, relation_type_id,
constraint, constraint,
parent_attr_id = undefined,
child_attr_id = undefined,
} = values } = values
const { if ((!parent_attr_id && child_attr_id) || (parent_attr_id && !child_attr_id)) {
parent_attr_ids, this.$message.warning(this.$t('cmdb.ciType.attributeAssociationTip3'))
child_attr_ids,
validate
} = this.handleValidateAttrList(this.modalAttrList)
if (!validate) {
return return
} }
createRelation(source_ci_type_id, ci_type_id, { createRelation(source_ci_type_id, ci_type_id, {
relation_type_id, relation_type_id,
constraint, constraint,
parent_attr_ids, parent_attr_id,
child_attr_ids, child_attr_id,
}).then((res) => { }).then((res) => {
this.$message.success(this.$t('addSuccess')) this.$message.success(this.$t('addSuccess'))
this.onClose() this.onClose()
@@ -468,37 +386,6 @@ export default {
} }
}) })
}, },
/**
* 校验属性列表
* @param {*} attrList
*/
handleValidateAttrList(attrList) {
const parent_attr_ids = []
const child_attr_ids = []
attrList.map((attr) => {
if (attr.parentAttrId) {
parent_attr_ids.push(attr.parentAttrId)
}
if (attr.childAttrId) {
child_attr_ids.push(attr.childAttrId)
}
})
if (parent_attr_ids.length !== child_attr_ids.length) {
this.$message.warning(this.$t('cmdb.ciType.attributeAssociationTip3'))
return {
validate: false
}
}
return {
validate: true,
parent_attr_ids,
child_attr_ids
}
},
handleOpenGrant(record) { handleOpenGrant(record) {
this.$refs.cmdbGrant.open({ this.$refs.cmdbGrant.open({
name: `${record.source_ci_type_name} -> ${record.name}`, name: `${record.source_ci_type_name} -> ${record.name}`,
@@ -514,75 +401,25 @@ export default {
if (row.isParent) return 'relation-table-parent' if (row.isParent) return 'relation-table-parent'
}, },
handleEditActived({ row }) { handleEditActived({ row }) {
this.$nextTick(async () => { this.parent_attr_id = row?.parent_attr_id ?? undefined
if (this.isContinueCloseEdit) { this.child_attr_id = row?.child_attr_id ?? undefined
const editRecord = this.$refs.xTable.getEditRecord()
const { row: editRow, column } = editRecord
this.currentEditData = {
row: editRow,
column
}
return
}
const tableAttrList = []
const length = Math.min(row?.parent_attr_ids?.length || 0, row.child_attr_ids?.length || 0)
if (length) {
for (let i = 0; i < length; i++) {
tableAttrList.push({
id: uuidv4(),
parentAttrId: row?.parent_attr_ids?.[i] ?? undefined,
childAttrId: row?.child_attr_ids?.[i] ?? undefined
})
}
} else {
tableAttrList.push({
id: uuidv4(),
parentAttrId: undefined,
childAttrId: undefined
})
}
this.$set(this, 'tableAttrList', tableAttrList)
})
}, },
async handleEditClose({ row }) { async handleEditClose({ row }) {
if (this.currentEditData) {
this.currentEditData = null
return
}
this.isContinueCloseEdit = true
const { source_ci_type_id: parentId, id: childrenId, constraint, relation_type } = row const { source_ci_type_id: parentId, id: childrenId, constraint, relation_type } = row
const { parent_attr_id, child_attr_id } = this
const _find = this.relationTypes.find((item) => item.name === relation_type) const _find = this.relationTypes.find((item) => item.name === relation_type)
const relation_type_id = _find?.id const relation_type_id = _find?.id
if ((!parent_attr_id && child_attr_id) || (parent_attr_id && !child_attr_id)) {
const { this.$message.warning(this.$t('cmdb.ciType.attributeAssociationTip3'))
parent_attr_ids,
child_attr_ids,
validate
} = this.handleValidateAttrList(this.tableAttrList)
if (!validate) {
this.isContinueCloseEdit = false
return return
} }
await createRelation(row.isParent ? childrenId : parentId, row.isParent ? parentId : childrenId, { await createRelation(row.isParent ? childrenId : parentId, row.isParent ? parentId : childrenId, {
relation_type_id, relation_type_id,
constraint, constraint,
parent_attr_ids, parent_attr_id,
child_attr_ids, child_attr_id,
}).finally(async () => { }).finally(() => {
await this.getData() this.getData()
this.isContinueCloseEdit = false
if (this.currentEditData) {
setTimeout(async () => {
const { fullData } = this.$refs.xTable.getTableData()
const findEdit = fullData.find((item) => item.id === this?.currentEditData?.row?.id)
await this.$refs.xTable.setEditRow(findEdit, 'attributeAssociation')
})
}
}) })
}, },
getAttrNameById(attributes, id) { getAttrNameById(attributes, id) {
@@ -590,9 +427,7 @@ export default {
return _find?.alias ?? _find?.name ?? id return _find?.alias ?? _find?.name ?? id
}, },
changeChild(value) { changeChild(value) {
this.modalAttrList.forEach((item) => { this.form.setFieldsValue({ child_attr_id: undefined })
item.childAttrId = undefined
})
getCITypeAttributesById(value).then((res) => { getCITypeAttributesById(value).then((res) => {
this.modalChildAttributes = res?.attributes ?? [] this.modalChildAttributes = res?.attributes ?? []
}) })
@@ -601,75 +436,10 @@ export default {
// filter password/json/is_list // filter password/json/is_list
return attributes.filter((attr) => !attr.is_password && !attr.is_list && attr.value_type !== '6') return attributes.filter((attr) => !attr.is_password && !attr.is_list && attr.value_type !== '6')
}, },
addTableAttr() {
this.tableAttrList.push({
id: uuidv4(),
parentAttrId: undefined,
childAttrId: undefined
})
},
removeTableAttr(id) {
if (this.tableAttrList.length <= 1) {
this.$message.error(this.$t('cmdb.ciType.attributeAssociationTip6'))
return
}
const index = this.tableAttrList.findIndex((item) => item.id === id)
if (index !== -1) {
this.tableAttrList.splice(index, 1)
}
},
addModalAttr() {
this.modalAttrList.push({
id: uuidv4(),
parentAttrId: undefined,
childAttrId: undefined
})
},
removeModalAttr(id) {
if (this.modalAttrList.length <= 1) {
this.$message.error(this.$t('cmdb.ciType.attributeAssociationTip6'))
return
}
const index = this.modalAttrList.findIndex((item) => item.id === id)
if (index !== -1) {
this.modalAttrList.splice(index, 1)
}
}
}, },
} }
</script> </script>
<style lang="less" scoped>
.relation-table {
/deep/ .vxe-cell {
max-height: max-content !important;
}
}
.table-attribute-row {
display: inline-flex;
align-items: center;
margin-top: 5px;
&:last-child {
margin-bottom: 5px;
}
&-link {
margin: 0 5px;
}
&-action {
margin-left: 5px;
}
}
.modal-attribute-action {
margin-left: 5px;
}
</style>
<style lang="less"> <style lang="less">
.ops-stripe-table .vxe-body--row.row--stripe.relation-table-divider { .ops-stripe-table .vxe-body--row.row--stripe.relation-table-divider {
background-color: #b1b8d3 !important; background-color: #b1b8d3 !important;

View File

@@ -91,7 +91,7 @@
show-search show-search
> >
<a-select-option <a-select-option
v-for="attr in commonAttributes.filter((attr) => !attr.is_password && attr.value_type !== '6')" v-for="attr in commonAttributes.filter((attr) => !attr.is_password)"
:key="attr.id" :key="attr.id"
:value="attr.id" :value="attr.id"
>{{ attr.alias || attr.name }}</a-select-option >{{ attr.alias || attr.name }}</a-select-option

View File

@@ -1,36 +0,0 @@
<template>
<vxe-table
size="mini"
stripe
class="ops-stripe-table"
show-overflow
keep-source
ref="xTable"
max-height="100%"
:data="tableData"
:scroll-y="{enabled: true}"
>
<vxe-column field="name" :title="$t('name')">
<template #edit="{ row }">
<vxe-input v-model="row.name" type="text"></vxe-input>
</template>
</vxe-column>
<vxe-column field="type" :title="$t('type')"></vxe-column>
<vxe-column field="desc" :title="$t('desc')"></vxe-column>
</vxe-table>
</template>
<script>
export default {
name: 'AgentTable',
props: {
tableData: {
type: Array,
default: () => [],
},
}
}
</script>
<style lang="less" scoped>
</style>

View File

@@ -1,12 +0,0 @@
export const DISCOVERY_CATEGORY_TYPE = {
AGENT: 'agent',
SNMP: 'snmp',
HTTP: 'http',
PLUGIN: 'plugin',
COMPONENT: 'components',
PRIVATE_CLOUD: 'private_cloud'
}
export const PRIVATE_CLOUD_NAME = {
VCenter: 'vcenter'
}

View File

@@ -2,82 +2,34 @@
<div <div
:class="{ :class="{
'discovery-card': true, 'discovery-card': true,
'discovery-card-http': rule.type === DISCOVERY_CATEGORY_TYPE.HTTP,
'discovery-card-small': isSelected, 'discovery-card-small': isSelected,
'discovery-card-small-selected': isSelected && selectedIds().findIndex((item) => item.id === rule.id) > -1, 'discovery-card-small-selected': isSelected && selectedIds().findIndex((item) => item.id === rule.id) > -1,
}" }"
@click="clickCard" @click="clickCard"
> >
<div <div class="discovery-bottom"></div>
class="discovery-card-inner"
v-if="rule.is_inner"
>
<span class="discovery-card-inner-text">{{ $t('cmdb.ad.innerFlag') }}</span>
</div>
<div
class="discovery-background-top"
:style="{ background: borderTopColorMap[rule.name] || '' }"
></div>
<div class="discovery-top"> <div class="discovery-top">
<div class="discovery-header"> <div class="discovery-header">
<img <img
v-if="icon.id && icon.url" v-if="icon.id && icon.url"
class="discovery-header-icon"
:src="`/api/common-setting/v1/file/${icon.url}`" :src="`/api/common-setting/v1/file/${icon.url}`"
:style="{ maxHeight: '30px', maxWidth: '30px' }"
/> />
<ops-icon <ops-icon v-else :type="icon.name || 'caise-chajian'" :style="{ fontSize: '30px', color: icon.color }" />
v-else
:type="icon.name || 'caise-chajian'"
:style="{ color: icon.color }"
class="discovery-header-icon"
/>
<span :title="rule.name">{{ rule.name }}</span> <span :title="rule.name">{{ rule.name }}</span>
</div> </div>
<template v-if="!isSelected"> <template v-if="!isSelected">
<div <a-divider :style="{ margin: '5px 0' }" />
class="discovery-resources"
v-if="rule.type === DISCOVERY_CATEGORY_TYPE.HTTP && rule.resources.length"
>
<a-tooltip>
<template slot="title">
{{ $t('cmdb.ad.discoveryCardResoureTip') }}
</template>
<div class="discovery-resources-left">
<ops-icon class="discovery-resources-icon" type="cmdb-discovery_resources" />
<span class="discovery-resources-count">{{ rule.resources.length }}{{ $i18n.locale === 'zh' ? '' : '' }}</span>
</div>
</a-tooltip>
<div class="discovery-resources-right">
<template v-for="(item, index) in rule.resources">
<span
:key="index"
v-if="index < 2"
class="discovery-resources-item"
:style="{ maxWidth: rule.resources.length >= 2 ? '70px' : '160px' }"
>
{{ item }}
</span>
</template>
<span v-if="rule.resources.length > 2" class="discovery-resources-item">
<ops-icon type="veops-more" />
</span>
</div>
</div>
<a-divider
:style="{ margin: rule.type === DISCOVERY_CATEGORY_TYPE.HTTP ? '10px 0' : '7px 0' }"
/>
<div class="discovery-footer"> <div class="discovery-footer">
<a-space v-if="rule.type === 'agent' && rule.is_plugin"> <a-space v-if="rule.type === 'agent'">
<a @click="handleEdit"> <a @click="handleEdit"><ops-icon type="icon-xianxing-edit"/></a>
<a-icon type="edit" />
</a>
<a <a
v-if="isDeletable" v-if="isDeletable"
@click="handleDelete" @click="handleDelete"
:style="{ color: 'red' }" :style="{ color: 'red' }"
> ><ops-icon
<a-icon type="delete" /> type="icon-xianxing-delete"
</a> /></a>
</a-space> </a-space>
<a v-else @click="handleEdit"><a-icon type="eye"/></a> <a v-else @click="handleEdit"><a-icon type="eye"/></a>
<span>{{ rule.is_plugin ? 'Plugin' : $t('cmdb.custom_dashboard.default') }}</span> <span>{{ rule.is_plugin ? 'Plugin' : $t('cmdb.custom_dashboard.default') }}</span>
@@ -88,8 +40,6 @@
</template> </template>
<script> <script>
import { DISCOVERY_CATEGORY_TYPE } from './constants.js'
export default { export default {
name: 'DiscoveryCard', name: 'DiscoveryCard',
props: { props: {
@@ -102,17 +52,6 @@ export default {
default: false, default: false,
}, },
}, },
data() {
return {
DISCOVERY_CATEGORY_TYPE,
borderTopColorMap: {
'阿里云': '#FFB287',
'腾讯云': '#87BEFF',
'华为云': '#FFB8B8',
'AWS': '#FFC187',
}
}
},
computed: { computed: {
icon() { icon() {
return this.rule?.option?.icon ?? { color: '', name: 'caise-wuliji' } return this.rule?.option?.icon ?? { color: '', name: 'caise-wuliji' }
@@ -156,32 +95,7 @@ export default {
position: relative; position: relative;
margin-bottom: 40px; margin-bottom: 40px;
margin-right: 40px; margin-right: 40px;
.discovery-bottom {
&-inner {
position: absolute;
top: 0;
right: 0;
z-index: 4;
width: 50px;
height: 30px;
border-left: 50px solid transparent;
border-top: 30px solid @primary-color_4;
&-text {
width: 30px;
position: absolute;
top: -28px;
right: 3px;
text-align: right;
color: @primary-color;
font-size: 10px;
font-weight: 400;
}
}
.discovery-background-top {
width: 100%; width: 100%;
height: 10px; height: 10px;
position: absolute; position: absolute;
@@ -191,7 +105,6 @@ export default {
background: linear-gradient(90.54deg, #879fff 1.32%, #a0ddff 99.13%); background: linear-gradient(90.54deg, #879fff 1.32%, #a0ddff 99.13%);
border-radius: 4px 4px 0 0; border-radius: 4px 4px 0 0;
} }
.discovery-top { .discovery-top {
width: 100%; width: 100%;
height: calc(100% - 5px); height: calc(100% - 5px);
@@ -205,7 +118,7 @@ export default {
padding: 12px; padding: 12px;
.discovery-header { .discovery-header {
width: 100%; width: 100%;
height: 45px; height: 50px;
display: flex; display: flex;
align-items: center; align-items: center;
> i { > i {
@@ -217,73 +130,17 @@ export default {
text-overflow: ellipsis; text-overflow: ellipsis;
color: #000; color: #000;
} }
&-icon {
font-size: 22px;
max-height: 22px;
max-width: 22px;
}
} }
.discovery-resources {
display: flex;
justify-content: space-between;
align-items: center;
&-count {
margin-left: 3px;
color: @text-color_3;
font-size: 12px;
font-weight: 400;
flex-shrink: 0;
}
&-right {
display: flex;
align-items: center;
}
&-item {
padding: 3px 6px;
border-radius: 12px;
background-color: @layout-content-background;
color: @text-color_3;
font-size: 11px;
font-weight: 400;
overflow: hidden;
white-space: nowrap;
text-overflow: ellipsis;
&:not(:last-child) {
margin-right: 6px;
}
}
}
.discovery-footer { .discovery-footer {
display: flex; display: flex;
align-items: center; align-items: center;
justify-content: space-between; justify-content: space-between;
> span { > span {
color: #86909c; color: #a5a9bc;
background-color: #f0f5ff; background-color: #d8eaff;
border-radius: 2px; border-radius: 2px;
padding: 2px 8px; padding: 0 5px;
font-size: 11px; font-size: 12px;
}
}
}
&-http {
width: 263px;
height: 142px;
.discovery-header {
&-icon {
font-size: 30px !important;
max-height: 30px !important;
max-width: 30px !important;
} }
} }
} }
@@ -292,11 +149,6 @@ export default {
width: 170px; width: 170px;
height: 80px; height: 80px;
cursor: pointer; cursor: pointer;
// &:hover {
// .discovery-top {
// background-color: #f0f1f5;
// }
// }
} }
.discovery-card-small:hover, .discovery-card-small:hover,
.discovery-card-small-selected { .discovery-card-small-selected {

View File

@@ -1,16 +1,6 @@
<template> <template>
<CustomDrawer <CustomDrawer width="800px" :title="title" :visible="visible" @close="handleClose">
width="800px" <template v-if="adType === 'agent'">
:title="title"
:visible="visible"
:bodyStyle="{ height: 'calc(-108px + 100vh)' }"
@close="handleClose"
>
<AgentTable
v-if="adType === DISCOVERY_CATEGORY_TYPE.AGENT"
:tableData="tableData"
/>
<template v-else-if="adType === DISCOVERY_CATEGORY_TYPE.PLUGIN">
<a-form-model <a-form-model
ref="autoDiscoveryForm" ref="autoDiscoveryForm"
:model="form" :model="form"
@@ -57,9 +47,8 @@
icon="plus" icon="plus"
:style="{ marginBottom: '10px' }" :style="{ marginBottom: '10px' }"
@click="insertEvent(-1)" @click="insertEvent(-1)"
>{{ $t('new') }}</a-button
> >
{{ $t('new') }}
</a-button>
<vxe-table <vxe-table
size="mini" size="mini"
stripe stripe
@@ -88,11 +77,7 @@
<vxe-input v-model="row.desc" type="text"></vxe-input> <vxe-input v-model="row.desc" type="text"></vxe-input>
</template> </template>
</vxe-column> </vxe-column>
<vxe-column <vxe-column :title="$t('operation')" width="60" v-if="!form.is_plugin">
:title="$t('operation')"
width="60"
v-if="!form.is_plugin"
>
<template #default="{ row }"> <template #default="{ row }">
<a-space v-if="$refs.xTable.isActiveByRow(row)"> <a-space v-if="$refs.xTable.isActiveByRow(row)">
<a @click="saveRowEvent(row)"><a-icon type="save"/></a> <a @click="saveRowEvent(row)"><a-icon type="save"/></a>
@@ -112,30 +97,21 @@
</div> </div>
</template> </template>
<template v-else> <template v-else>
<HttpSnmpAD ref="httpSnmpAd" :ruleType="adType" :ruleName="ruleName" /> <HttpSnmpAD ref="httpSnmpAd" :ruleType="adType" :ruleName="ruleData.name" />
</template> </template>
</CustomDrawer> </CustomDrawer>
</template> </template>
<script> <script>
import { postDiscovery, putDiscovery } from '../../api/discovery'
import { DISCOVERY_CATEGORY_TYPE } from './constants.js'
import AgentTable from './agentTable.vue'
import CustomIconSelect from '@/components/CustomIconSelect' import CustomIconSelect from '@/components/CustomIconSelect'
import { postDiscovery, putDiscovery } from '../../api/discovery'
import HttpSnmpAD from '../../components/httpSnmpAD' import HttpSnmpAD from '../../components/httpSnmpAD'
import CustomCodeMirror from '@/components/CustomCodeMirror' import CustomCodeMirror from '@/components/CustomCodeMirror'
import 'codemirror/lib/codemirror.css' import 'codemirror/lib/codemirror.css'
import 'codemirror/theme/monokai.css' import 'codemirror/theme/monokai.css'
export default { export default {
name: 'EditDrawer', name: 'EditDrawer',
components: { components: { CustomIconSelect, CustomCodeMirror, HttpSnmpAD },
CustomIconSelect,
CustomCodeMirror,
HttpSnmpAD,
AgentTable
},
props: { props: {
is_inner: { is_inner: {
type: Boolean, type: Boolean,
@@ -166,12 +142,11 @@ export default {
tabSize: 4, tabSize: 4,
lineWrapping: true, lineWrapping: true,
}, },
DISCOVERY_CATEGORY_TYPE,
} }
}, },
computed: { computed: {
title() { title() {
if ([DISCOVERY_CATEGORY_TYPE.HTTP, DISCOVERY_CATEGORY_TYPE.SNMP, DISCOVERY_CATEGORY_TYPE.AGENT, DISCOVERY_CATEGORY_TYPE.PRIVATE_CLOUD, DISCOVERY_CATEGORY_TYPE.COMPONENT].includes(this.adType)) { if (this.adType === 'http' || this.adType === 'snmp') {
return this.ruleData.name return this.ruleData.name
} }
if (this.type === 'edit') { if (this.type === 'edit') {
@@ -179,9 +154,6 @@ export default {
} }
return this.$t('new') return this.$t('new')
}, },
ruleName() {
return this?.ruleData?.option?.en || this?.ruleData?.name || ''
}
}, },
inject: { inject: {
getDiscovery: { getDiscovery: {
@@ -201,15 +173,10 @@ export default {
is_plugin: true, is_plugin: true,
} }
} }
if (adType === DISCOVERY_CATEGORY_TYPE.HTTP || adType === DISCOVERY_CATEGORY_TYPE.SNMP) { if (adType === 'http' || adType === 'snmp') {
return return
} }
this.$nextTick(() => { this.$nextTick(() => {
if ([DISCOVERY_CATEGORY_TYPE.HTTP, DISCOVERY_CATEGORY_TYPE.SNMP, DISCOVERY_CATEGORY_TYPE.PRIVATE_CLOUD].includes(adType)) {
this.tableData = data?.attributes ?? []
return
}
if (this.type === 'edit') { if (this.type === 'edit') {
this.form = { this.form = {
name: data.name, name: data.name,
@@ -236,7 +203,7 @@ export default {
this.tableData = [] this.tableData = []
this.customIcon = { name: '', color: '' } this.customIcon = { name: '', color: '' }
this.form = { name: '', is_plugin: false } this.form = { name: '', is_plugin: false }
if (this.adType === DISCOVERY_CATEGORY_TYPE.PLUGIN) { if (this.adType === 'agent') {
this.$refs.autoDiscoveryForm.clearValidate() this.$refs.autoDiscoveryForm.clearValidate()
} else { } else {
// this.$refs.httpSnmpAd.currentCate = '' // this.$refs.httpSnmpAd.currentCate = ''
@@ -277,10 +244,9 @@ export default {
const $table = this.$refs.xTable const $table = this.$refs.xTable
const { fullData: _tableData } = $table.getTableData() const { fullData: _tableData } = $table.getTableData()
console.log(_tableData) console.log(_tableData)
const type = this.adType === DISCOVERY_CATEGORY_TYPE.PLUGIN ? DISCOVERY_CATEGORY_TYPE.AGENT : this.adType
const params = { const params = {
...this.form, ...this.form,
type, type: this.adType,
is_inner: this.is_inner, is_inner: this.is_inner,
option: { icon: this.customIcon }, option: { icon: this.customIcon },
attributes: this.form.is_plugin attributes: this.form.is_plugin

Some files were not shown because too many files have changed in this diff Show More