From: Mandeep Khinda Date: Fri, 8 Sep 2017 15:33:28 +0000 (+0000) Subject: Merge "Policy 1.1 in Kubernetes" X-Git-Tag: 2.0.0-ONAP~680 X-Git-Url: https://gerrit.onap.org/r/gitweb?a=commitdiff_plain;h=f6a39a8d6b2d2ee44d157c71a396e4de32ccba69;hp=cdaafde182424c51185909a7fd98924364616fb2;p=oom.git Merge "Policy 1.1 in Kubernetes" --- diff --git a/cloudify/scripts/onap/configure_docker_secret_workaround.py b/cloudify/scripts/onap/configure_docker_secret_workaround.py new file mode 100644 index 0000000000..6e9deff059 --- /dev/null +++ b/cloudify/scripts/onap/configure_docker_secret_workaround.py @@ -0,0 +1,40 @@ +from fabric.api import run + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +def _retrieve_namespace(): + namespace = ctx.node.properties.get( + 'namespace', + ctx.node.properties + .get('options', {}) + .get('namespace', None) + ) + + if not namespace: + raise NonRecoverableError( + 'Namespace is not defined (node={})'.format(ctx.node.name) + ) + + return namespace + + +def configure_secret(): + namespace = _retrieve_namespace() + ctx.logger.info( + 'Configuring docker secrets for namespace: {0}'.format(namespace) + ) + + command = 'kubectl create secret ' \ + 'docker-registry onap-docker-registry-key ' \ + '--docker-server=nexus3.onap.org:10001 ' \ + '--docker-username=docker ' \ + '--docker-password=docker ' \ + '--docker-email=email@email.com ' \ + '--namespace={0}'.format(namespace) + + ctx.logger.info('Command "{0}" will be executed'.format(command)) + run(command) + + ctx.logger.info('Docker secrets configured successfully') diff --git a/cloudify/scripts/onap/create_init_pod.py b/cloudify/scripts/onap/create_init_pod.py new file mode 100644 index 0000000000..c82172d15f --- /dev/null +++ b/cloudify/scripts/onap/create_init_pod.py @@ -0,0 +1,65 @@ +import pip + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +SERVICES_FILE_PARTS_SEPARATOR = '---' + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + import yaml + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin + + +def _retrieve_path(): + return ctx.node.properties.get('init_pod', None) + + +def _save_deployment_result(key): + result = ctx.instance.runtime_properties['kubernetes'] + ctx.instance.runtime_properties[key] = result + ctx.instance.runtime_properties['kubernetes'] = {} + + +def _do_create_init_pod(kubernetes_plugin, yaml): + ctx.logger.info('Creating init pod') + init_pod_file_path = _retrieve_path() + + if not init_pod_file_path: + raise NonRecoverableError('Init pod file is not defined.') + + temp_file_path = ctx.download_resource_and_render( + init_pod_file_path + ) + + with open(temp_file_path) as temp_file: + init_pod_file_content = temp_file.read() + init_pod_yaml_content = yaml.load(init_pod_file_content) + + kubernetes_plugin.resource_create(definition=init_pod_yaml_content) + _save_deployment_result('init_pod') + + ctx.logger.info('Init pod created successfully') + + +if __name__ == '__main__': + yaml, kubernetes_plugin = _import_or_install() + + _do_create_init_pod(kubernetes_plugin, yaml) + diff --git a/cloudify/scripts/onap/create_namespace.py b/cloudify/scripts/onap/create_namespace.py new file mode 100644 index 0000000000..c0f1f19680 --- /dev/null +++ b/cloudify/scripts/onap/create_namespace.py @@ -0,0 +1,101 @@ +import pip + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + import yaml + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin + + +def _retrieve_namespace(): + namespace = ctx.node.properties.get( + 'namespace', + ctx.node.properties + .get('options', {}) + .get('namespace', None) + ) + + if not namespace: + raise NonRecoverableError( + 'Namespace is not defined (node={})'.format(ctx.node.name) + ) + + return namespace + + +def _prepare_namespace_resource_template(name): + return { + 'definition': { + 'apiVersion': 'v1', + 'kind': 'Namespace', + 'metadata': { + 'name': name, + 'labels': { + 'name': name + }, + }, + }, + 'api_mapping': { + 'create': { + 'api': 'CoreV1Api', + 'method': 'create_namespace', + 'payload': 'V1Namespace' + }, + 'read': { + 'api': 'CoreV1Api', + 'method': 'read_namespace', + }, + 'delete': { + 'api': 'CoreV1Api', + 'method': 'delete_namespace', + 'payload': 'V1DeleteOptions' + } + } + } + + +def _save_deployment_result(key): + result = ctx.instance.runtime_properties['kubernetes'] + ctx.instance.runtime_properties[key] = result + ctx.instance.runtime_properties['kubernetes'] = {} + + +def _do_create_namespace(kubernetes_plugin): + namespace = _retrieve_namespace() + ctx.logger.info('Creating namespace: {0}'.format(namespace)) + + namespace_resource_template = _prepare_namespace_resource_template( + namespace + ) + + ctx.logger.debug( + 'Kubernetes object which will be deployed: {0}' + .format(namespace_resource_template) + ) + + kubernetes_plugin.custom_resource_create(**namespace_resource_template) + _save_deployment_result('namespace') + ctx.logger.info('Namespace created successfully') + + +if __name__ == '__main__': + _, kubernetes_plugin = _import_or_install() + + _do_create_namespace(kubernetes_plugin) diff --git a/cloudify/scripts/onap/create_resources_services.py b/cloudify/scripts/onap/create_resources_services.py new file mode 100644 index 0000000000..8548e29b70 --- /dev/null +++ b/cloudify/scripts/onap/create_resources_services.py @@ -0,0 +1,131 @@ +import pip + +from cloudify import ctx + + +SERVICES_FILE_PARTS_SEPARATOR = '---' + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + try: + import jinja2 + except ImportError: + pip.main(["install", "jinja2"]) + + import yaml + import jinja2 + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin, jinja2 + + +def _init_jinja(jinja2): + return jinja2.Environment( + loader=jinja2.BaseLoader() + ) + + +def _render_template(jinja_env, template_content, values): + template_content = template_content.replace('.Values', 'Values') + + template = jinja_env.from_string(template_content) + rendered_template = template.render(Values=values) + return rendered_template + + +def _retrieve_resources_paths(): + return ctx.node.properties.get('resources', []) + + +def _retrieve_services_paths(): + return ctx.node.properties.get('services', None) + + +def _retrieve_values(yaml): + values_file_path = ctx.node.properties.get('values', None) + + if values_file_path: + return yaml.load(ctx.get_resource(values_file_path)) + + ctx.logger.warn('Values file not found') + + +def _save_deployment_result(key): + result = ctx.instance.runtime_properties['kubernetes'] + ctx.instance.runtime_properties[key] = result + ctx.instance.runtime_properties['kubernetes'] = {} + + +def _do_create_resources(kubernetes_plugin, yaml, jinja_env, values): + for path in _retrieve_resources_paths(): + ctx.logger.info('Creating resource defined in: {0}'.format(path)) + + template_content = ctx.get_resource(path) + yaml_content = _render_template( + jinja_env, + template_content, + values + ) + content = yaml.load(yaml_content) + + kubernetes_plugin.resource_create(definition=content) + _save_deployment_result( + 'resource_{0}'.format(content['metadata']['name']) + ) + + ctx.logger.info('Resources created successfully') + + +def _do_create_services(kubernetes_plugin, yaml, jinja_env, values): + ctx.logger.info('Creating services') + services_file_path = _retrieve_services_paths() + + if not services_file_path: + ctx.logger.warn( + 'Service file is not defined. Skipping services provisioning !' + ) + + return + + template_content = ctx.get_resource(services_file_path) + yaml_content = _render_template( + jinja_env, + template_content, + values + ) + + yaml_content_parts = \ + yaml_content.split(SERVICES_FILE_PARTS_SEPARATOR) + + for yaml_content_part in yaml_content_parts: + content = yaml.load(yaml_content_part) + + kubernetes_plugin.resource_create(definition=content) + _save_deployment_result( + 'service_{0}'.format(content['metadata']['name']) + ) + + ctx.logger.info('Services created successfully') + + +if __name__ == '__main__': + yaml, kubernetes_plugin, jinja2 = _import_or_install() + jinja_env = _init_jinja(jinja2) + values = _retrieve_values(yaml) + + _do_create_resources(kubernetes_plugin, yaml, jinja_env, values) + _do_create_services(kubernetes_plugin, yaml, jinja_env, values) + diff --git a/cloudify/scripts/onap/delete_init_pod.py b/cloudify/scripts/onap/delete_init_pod.py new file mode 100644 index 0000000000..1da805b959 --- /dev/null +++ b/cloudify/scripts/onap/delete_init_pod.py @@ -0,0 +1,64 @@ +import pip + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +SERVICES_FILE_PARTS_SEPARATOR = '---' + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + import yaml + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin + + +def _retrieve_path(): + return ctx.node.properties.get('init_pod', None) + + +def _set_deployment_result(key): + result = ctx.instance.runtime_properties.pop(key) + ctx.instance.runtime_properties['kubernetes'] = result + + +def _do_delete_init_pod(kubernetes_plugin, yaml): + ctx.logger.info('Deleting init pod') + init_pod_file_path = _retrieve_path() + + if not init_pod_file_path: + raise NonRecoverableError('Init pod file is not defined.') + + temp_file_path = ctx.download_resource_and_render( + init_pod_file_path + ) + + with open(temp_file_path) as temp_file: + init_pod_file_content = temp_file.read() + init_pod_yaml_content = yaml.load(init_pod_file_content) + + _set_deployment_result('init_pod') + kubernetes_plugin.resource_delete(definition=init_pod_yaml_content) + + ctx.logger.info('Init pod deleted successfully') + + +if __name__ == '__main__': + yaml, kubernetes_plugin = _import_or_install() + + _do_delete_init_pod(kubernetes_plugin, yaml) + diff --git a/cloudify/scripts/onap/delete_namespace.py b/cloudify/scripts/onap/delete_namespace.py new file mode 100644 index 0000000000..6973e59944 --- /dev/null +++ b/cloudify/scripts/onap/delete_namespace.py @@ -0,0 +1,101 @@ +import pip + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + import yaml + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin + + +def _retrieve_namespace(): + namespace = ctx.node.properties.get( + 'namespace', + ctx.node.properties + .get('options', {}) + .get('namespace', None) + ) + + if not namespace: + raise NonRecoverableError( + 'Namespace is not defined (node={})'.format(ctx.node.name) + ) + + return namespace + + +def _prepare_namespace_resource_template(name): + return { + 'definition': { + 'apiVersion': 'v1', + 'kind': 'Namespace', + 'metadata': { + 'name': name, + 'labels': { + 'name': name + }, + }, + }, + 'api_mapping': { + 'create': { + 'api': 'CoreV1Api', + 'method': 'create_namespace', + 'payload': 'V1Namespace' + }, + 'read': { + 'api': 'CoreV1Api', + 'method': 'read_namespace', + }, + 'delete': { + 'api': 'CoreV1Api', + 'method': 'delete_namespace', + 'payload': 'V1DeleteOptions' + } + } + } + + +def _set_deployment_result(key): + result = ctx.instance.runtime_properties.pop(key) + ctx.instance.runtime_properties['kubernetes'] = result + + +def _do_delete_namespace(kubernetes_plugin): + namespace = _retrieve_namespace() + ctx.logger.info('Deleting namespace: {0}'.format(namespace)) + + namespace_resource_template = _prepare_namespace_resource_template( + namespace + ) + + ctx.logger.debug( + 'Kubernetes object which will be deleted: {0}' + .format(namespace_resource_template) + ) + + _set_deployment_result('namespace') + kubernetes_plugin.custom_resource_delete(**namespace_resource_template) + ctx.logger.info('Namespace deleted successfully') + + +if __name__ == '__main__': + _, kubernetes_plugin = _import_or_install() + + _do_delete_namespace(kubernetes_plugin) + diff --git a/cloudify/scripts/onap/delete_resources_services.py b/cloudify/scripts/onap/delete_resources_services.py new file mode 100644 index 0000000000..305a7484bd --- /dev/null +++ b/cloudify/scripts/onap/delete_resources_services.py @@ -0,0 +1,132 @@ +import pip + +from cloudify import ctx +from cloudify.exceptions import NonRecoverableError + + +SERVICES_FILE_PARTS_SEPARATOR = '---' + + +def _import_or_install(): + try: + import yaml + except ImportError: + pip.main(["install", "pyaml"]) + + try: + import cloudify_kubernetes.tasks as kubernetes_plugin + except ImportError: + pip.main([ + "install", + "https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/archive/1.2.1rc1.zip" + ]) + + try: + import jinja2 + except ImportError: + pip.main(["install", "jinja2"]) + + import yaml + import jinja2 + import cloudify_kubernetes.tasks as kubernetes_plugin + + return yaml, kubernetes_plugin, jinja2 + + +def _init_jinja(jinja2): + return jinja2.Environment( + loader=jinja2.BaseLoader() + ) + + +def _render_template(jinja_env, template_content, values): + template_content = template_content.replace('.Values', 'Values') + + template = jinja_env.from_string(template_content) + rendered_template = template.render(Values=values) + return rendered_template + + +def _retrieve_resources_paths(): + return ctx.node.properties.get('resources', []) + + +def _retrieve_services_paths(): + return ctx.node.properties.get('services', None) + + +def _retrieve_values(yaml): + values_file_path = ctx.node.properties.get('values', None) + + if values_file_path: + return yaml.load(ctx.get_resource(values_file_path)) + + ctx.logger.warn('Values file not found') + + +def _set_deployment_result(key): + result = ctx.instance.runtime_properties.pop(key) + ctx.instance.runtime_properties['kubernetes'] = result + + +def _do_delete_resources(kubernetes_plugin, yaml, jinja_env, values): + for path in _retrieve_resources_paths(): + ctx.logger.info('Deleting resource defined in: {0}'.format(path)) + + template_content = ctx.get_resource(path) + yaml_content = _render_template( + jinja_env, + template_content, + values + ) + content = yaml.load(yaml_content) + + _set_deployment_result( + 'resource_{0}'.format(content['metadata']['name']) + ) + kubernetes_plugin.resource_delete(definition=content) + + ctx.logger.info('Resources deleted successfully') + + +def _do_delete_services(kubernetes_plugin, yaml, jinja_env, values): + ctx.logger.info('Deleting services') + services_file_path = _retrieve_services_paths() + + if not services_file_path: + ctx.logger.warn( + 'Service file is not defined. Skipping services provisioning !' + ) + + return + + template_content = ctx.get_resource(services_file_path) + yaml_content = _render_template( + jinja_env, + template_content, + values + ) + + yaml_content_parts = \ + yaml_content.split(SERVICES_FILE_PARTS_SEPARATOR) + + for yaml_content_part in yaml_content_parts: + content = yaml.load(yaml_content_part) + + _set_deployment_result( + 'service_{0}'.format(content['metadata']['name']) + ) + kubernetes_plugin.resource_delete(definition=content) + + ctx.logger.info('Services deleted successfully') + + +if __name__ == '__main__': + yaml, kubernetes_plugin, jinja2 = _import_or_install() + jinja_env = _init_jinja(jinja2) + values = _retrieve_values(yaml) + + _do_delete_services(kubernetes_plugin, yaml, jinja_env, values) + _do_delete_resources(kubernetes_plugin, yaml, jinja_env, values) + + diff --git a/cloudify/scripts/onap/patch_definitions.py b/cloudify/scripts/onap/patch_definitions.py deleted file mode 100644 index d43e921593..0000000000 --- a/cloudify/scripts/onap/patch_definitions.py +++ /dev/null @@ -1 +0,0 @@ -from cloudify import ctx diff --git a/cloudify/scripts/onap/provision_definitions.py b/cloudify/scripts/onap/provision_definitions.py deleted file mode 100644 index d43e921593..0000000000 --- a/cloudify/scripts/onap/provision_definitions.py +++ /dev/null @@ -1 +0,0 @@ -from cloudify import ctx diff --git a/cloudify/scripts/onap/read_definitions.py b/cloudify/scripts/onap/read_definitions.py deleted file mode 100644 index d43e921593..0000000000 --- a/cloudify/scripts/onap/read_definitions.py +++ /dev/null @@ -1 +0,0 @@ -from cloudify import ctx diff --git a/cloudify/types/onap.yaml b/cloudify/types/onap.yaml index 20ef33f2f3..7e9b83425e 100644 --- a/cloudify/types/onap.yaml +++ b/cloudify/types/onap.yaml @@ -1,4 +1,33 @@ node_types: + cloudify.onap.kubernetes.Environment: + derived_from: cloudify.nodes.Root + properties: + namespace: + type: string + init_pod: + type: string + description: > + Path to init pod YAML file + options: + description: > + For compatibility with kubernetes plugin. + To be removed in the future. + default: {} + interfaces: + cloudify.interfaces.lifecycle: + create: + implementation: cloudify/scripts/onap/create_namespace.py + executor: central_deployment_agent + start: + implementation: cloudify/scripts/onap/create_init_pod.py + executor: central_deployment_agent + stop: + implementation: cloudify/scripts/onap/delete_init_pod.py + executor: central_deployment_agent + delete: + implementation: cloudify/scripts/onap/delete_namespace.py + executor: central_deployment_agent + cloudify.onap.kubernetes.App: derived_from: cloudify.nodes.Root properties: @@ -6,6 +35,11 @@ node_types: type: string description: > Name of ONAP app + values: + type: string + description: > + Paths (relative, blueprint prespective) to values.yaml file + required: false resources: description: > List of paths (relative, blueprint prespective) @@ -21,14 +55,35 @@ node_types: description: > Parameters required to create kubernetes resources for each app default: {} + options: + description: > + For compatibility with kubernetes plugin. + To be removed in the future. + default: {} interfaces: cloudify.interfaces.lifecycle: create: - implementation: cloudify/scripts/onap/read_definitions.py + implementation: cloudify/scripts/onap/create_namespace.py executor: central_deployment_agent configure: - implementation: cloudify/scripts/onap/patch_definitions.py + implementation: fabric.fabric_plugin.tasks.run_task executor: central_deployment_agent + inputs: + tasks_file: + default: cloudify/scripts/onap/configure_docker_secret_workaround.py + task_name: + default: configure_secret + fabric_env: + default: + host_string: { get_secret: kubernetes_master_ip } + user: { get_secret: agent_user } + key: { get_secret: agent_key_private } start: - implementation: cloudify/scripts/onap/provision_definitions.py + implementation: cloudify/scripts/onap/create_resources_services.py + executor: central_deployment_agent + stop: + implementation: cloudify/scripts/onap/delete_resources_services.py + executor: central_deployment_agent + delete: + implementation: cloudify/scripts/onap/delete_namespace.py executor: central_deployment_agent diff --git a/kubernetes/aai/templates/aai-deployment.yaml b/kubernetes/aai/templates/aai-deployment.yaml index 162fb99bf9..9b55d4e736 100644 --- a/kubernetes/aai/templates/aai-deployment.yaml +++ b/kubernetes/aai/templates/aai-deployment.yaml @@ -13,58 +13,37 @@ spec: app: aai-service name: aai-service annotations: - pod.beta.kubernetes.io/init-containers: '[ - { - "args": [ - "--container-name", - "hbase" - ], - "command": [ - "/root/ready.py" - ], - "env": [ - { - "name": "NAMESPACE", - "valueFrom": { - "fieldRef": { - "apiVersion": "v1", - "fieldPath": "metadata.namespace" - } - } - } - ], - "image": "{{ .Values.image.readiness }}", - "imagePullPolicy": "{{ .Values.pullPolicy }}", - "name": "aai-service-readiness" - } - ]' + pod.beta.kubernetes.io/init-containers: '[{ + "args": [ + "--container-name", "aai-resources", + "--container-name", "aai-traversal" + ], + "command": [ + "/root/ready.py" + ], + "env": [{ + "name": "NAMESPACE", + "valueFrom": { + "fieldRef": { + "apiVersion": "v1", + "fieldPath": "metadata.namespace" + } + } + }], + "image": "{{ .Values.image.readiness }}", + "imagePullPolicy": "{{ .Values.pullPolicy }}", + "name": "aai-service-readiness" + }]' spec: containers: - - env: - - name: AAI_REPO_PATH - value: r/aai - - name: AAI_CHEF_ENV - value: simpledemo - - name: AAI_CHEF_LOC - value: /var/chef/aai-data/environments - - name: docker_gitbranch - value: release-1.0.0 - - name: DEBIAN_FRONTEND - value: noninteractive - - name: JAVA_HOME - value: /usr/lib/jvm/java-8-openjdk-amd64 - image: {{ .Values.image.ajscAai }} + - name: aai-service + image: "{{ .Values.image.aaiProxy }}:{{ .Values.image.aaiProxyVersion}}" imagePullPolicy: {{ .Values.pullPolicy }} - name: aai-service volumeMounts: - - mountPath: /etc/ssl/certs/ - name: aai-service-certs - - mountPath: /opt/aai/logroot/ - name: aai-service-logroot - - mountPath: /var/chef/aai-config/ - name: aai-config - - mountPath: /var/chef/aai-data/ - name: aai-data + - mountPath: /dev/log + name: aai-service-log + - mountPath: /usr/local/etc/haproxy/haproxy.cfg + name: haproxy-cfg ports: - containerPort: 8080 - containerPort: 8443 @@ -74,18 +53,12 @@ spec: initialDelaySeconds: 5 periodSeconds: 10 volumes: - - name: aai-service-certs + - name: aai-service-log hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/aai/etc/ssl/certs/ - - name: aai-service-logroot + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/haproxy/log/" + - name: haproxy-cfg hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/aai/opt/aai/logroot/ - - name: aai-config - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-config/ - - name: aai-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-data/ + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/haproxy/haproxy.cfg" restartPolicy: Always imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/aai-resources-deployment.yaml b/kubernetes/aai/templates/aai-resources-deployment.yaml new file mode 100644 index 0000000000..1aff10bb94 --- /dev/null +++ b/kubernetes/aai/templates/aai-resources-deployment.yaml @@ -0,0 +1,83 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: aai-resources + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: aai-resources + template: + metadata: + labels: + app: aai-resources + name: aai-resources + annotations: + pod.beta.kubernetes.io/init-containers: '[ + { + "args": [ + "--container-name", + "hbase" + ], + "command": [ + "/root/ready.py" + ], + "env": [ + { + "name": "NAMESPACE", + "valueFrom": { + "fieldRef": { + "apiVersion": "v1", + "fieldPath": "metadata.namespace" + } + } + } + ], + "image": "{{ .Values.image.readiness }}", + "imagePullPolicy": "{{ .Values.pullPolicy }}", + "name": "aai-resources-readiness" + } + ]' + spec: + containers: + - name: aai-resources + image: "{{ .Values.image.aaiResourcesImage }}:{{ .Values.image.aaiResourcesVersion}}" + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: CHEF_BRANCH + value: master + - name: AAI_CHEF_ENV + value: simpledemo + - name: AAI_CORE_VERSION + value: 1.1.0-SNAPSHOT + - name: AAI_CHEF_LOC + value: /var/chef/aai-data/environments + - name: CHEF_GIT_URL + value: http://gerrit.onap.org/r/aai + volumeMounts: + - mountPath: /opt/aai/logroot/ + name: aai-resources-logs + - mountPath: /var/chef/aai-data/ + name: aai-data + - mountPath: /docker-entrypoint.sh + name: entrypoint-override + ports: + - containerPort: 8447 + readinessProbe: + tcpSocket: + port: 8447 + initialDelaySeconds: 5 + periodSeconds: 10 + volumes: + - name: aai-resources-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-resources/logs/" + - name: aai-data + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-data/" + - name: entrypoint-override + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-resources/docker-entrypoint.sh" + restartPolicy: Always + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/aai-traversal-deployment.yaml b/kubernetes/aai/templates/aai-traversal-deployment.yaml new file mode 100644 index 0000000000..debd1f6926 --- /dev/null +++ b/kubernetes/aai/templates/aai-traversal-deployment.yaml @@ -0,0 +1,85 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: aai-traversal + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: aai-traversal + template: + metadata: + labels: + app: aai-traversal + name: aai-traversal + annotations: + pod.beta.kubernetes.io/init-containers: '[ + { + "args": [ + "--container-name", + "hbase", + "--container-name", + "aai-resources" + ], + "command": [ + "/root/ready.py" + ], + "env": [ + { + "name": "NAMESPACE", + "valueFrom": { + "fieldRef": { + "apiVersion": "v1", + "fieldPath": "metadata.namespace" + } + } + } + ], + "image": "{{ .Values.image.readiness }}", + "imagePullPolicy": "{{ .Values.pullPolicy }}", + "name": "aai-traversal-readiness" + } + ]' + spec: + containers: + - name: aai-traversal + image: "{{ .Values.image.aaiTraversalImage }}:{{ .Values.image.aaiTraversalVersion }}" + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: CHEF_BRANCH + value: master + - name: AAI_CHEF_ENV + value: simpledemo + - name: AAI_CORE_VERSION + value: 1.1.0-SNAPSHOT + - name: AAI_CHEF_LOC + value: /var/chef/aai-data/environments + - name: CHEF_GIT_URL + value: http://gerrit.onap.org/r/aai + volumeMounts: + - mountPath: /opt/aai/logroot/ + name: aai-traversal-logs + - mountPath: /var/chef/aai-data/ + name: aai-data + - mountPath: /docker-entrypoint.sh + name: entrypoint-override + ports: + - containerPort: 8446 + readinessProbe: + tcpSocket: + port: 8446 + initialDelaySeconds: 5 + periodSeconds: 10 + volumes: + - name: aai-traversal-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-traversal/logs/" + - name: aai-data + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-data/" + - name: entrypoint-override + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/aai-traversal/docker-entrypoint.sh" + restartPolicy: Always + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/all-services.yaml b/kubernetes/aai/templates/all-services.yaml index 2c0fbc4a5b..01e24e8373 100644 --- a/kubernetes/aai/templates/all-services.yaml +++ b/kubernetes/aai/templates/all-services.yaml @@ -7,8 +7,20 @@ metadata: app: hbase spec: ports: - - name: "hbase-port" - port: 8020 + - name: "hbase-port-1" + port: 2181 + - name: "hbase-port-2" + port: 8080 + - name: "hbase-port-3" + port: 8085 + - name: "hbase-port-4" + port: 9090 + - name: "hbase-port-5" + port: 16000 + - name: "hbase-port-6" + port: 16010 + - name: "hbase-port-7" + port: 16201 selector: app: hbase clusterIP: None @@ -20,16 +32,133 @@ metadata: namespace: "{{ .Values.nsPrefix }}-aai" labels: app: aai-service + annotations: + msb.onap.org/service-info: '[ + { + "serviceName": "aai-cloudInfrastructure", + "version": "v11", + "url": "/aai/v11/cloud-infrastructure", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-cloudInfrastructure-deprecated", + "version": "v11", + "url": "/aai/v11/cloud-infrastructure", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/cloud-infrastructure" + }, + { + "serviceName": "aai-business", + "version": "v11", + "url": "/aai/v11/business", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-business-deprecated", + "version": "v11", + "url": "/aai/v11/business", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/business" + }, + { + "serviceName": "aai-search", + "version": "v11", + "url": "/aai/v11/search", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-search-deprecated", + "version": "v11", + "url": "/aai/v11/search", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/search" + }, + { + "serviceName": "aai-actions", + "version": "v11", + "url": "/aai/v11/actions", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-actions-deprecated", + "version": "v11", + "url": "/aai/v11/actions", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/actions" + }, + { + "serviceName": "aai-service-design-and-creation", + "version": "v11", + "url": "/aai/v11/service-design-and-creation", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-service-design-and-creation-deprecated", + "version": "v11", + "url": "/aai/v11/service-design-and-creation", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/service-design-and-creation" + }, + { + "serviceName": "aai-network", + "version": "v11", + "url": "/aai/v11/network", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1" + }, + { + "serviceName": "aai-network-deprecated", + "version": "v11", + "url": "/aai/v11/network", + "protocol": "REST", + "port": "8443", + "enable_ssl":"True", + "visualRange":"1", + "path":"/aai/v11/network" + } + ]' spec: ports: - name: "aai-service-port-8443" port: 8443 targetPort: 8443 - nodePort: 30233 + nodePort: {{ .Values.nodePortPrefix }}33 - name: "aai-service-port-8080" port: 8080 targetPort: 8080 - nodePort: 30232 + nodePort: {{ .Values.nodePortPrefix }}32 type: NodePort selector: app: aai-service @@ -45,10 +174,104 @@ spec: ports: - name: "model-loader-service-port-8443" port: 8443 - nodePort: 30229 + nodePort: {{ .Values.nodePortPrefix }}29 - name: "model-loader-service-port-8080" port: 8080 - nodePort: 30210 + nodePort: {{ .Values.nodePortPrefix }}10 type: NodePort selector: app: model-loader-service +--- +apiVersion: v1 +kind: Service +metadata: + name: gremlin + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: gremlin +spec: + ports: + - name: "gremlin-port" + port: 8182 + selector: + app: gremlin + clusterIP: None +--- +apiVersion: v1 +kind: Service +metadata: + name: elasticsearch + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: elasticsearch +spec: + ports: + - name: "elasticsearch-port" + port: 9200 + selector: + app: elasticsearch + clusterIP: None +--- +apiVersion: v1 +kind: Service +metadata: + name: search-data-service + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: search-data-service +spec: + ports: + - name: "search-data-service-port-9509" + port: 9509 + selector: + app: search-data-service + clusterIP: None +--- +apiVersion: v1 +kind: Service +metadata: + name: aai-traversal + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: aai-traversal +spec: + ports: + - name: "aai-traversal-port-8446" + port: 8446 + - name: aai-traversal-port-debug + port: 5005 + selector: + app: aai-traversal + clusterIP: None +--- +apiVersion: v1 +kind: Service +metadata: + name: aai-resources + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: aai-resources +spec: + ports: + - name: "aai-resources-port-8447" + port: 8447 + - name: aai-resources-port-debug + port: 5005 + selector: + app: aai-resources + clusterIP: None +--- +apiVersion: v1 +kind: Service +metadata: + name: sparky-be + namespace: "{{ .Values.nsPrefix }}-aai" + labels: + app: sparky-be +spec: + ports: + - name: "sparky-be-port-9517" + port: 9517 + selector: + app: sparky-be + clusterIP: None \ No newline at end of file diff --git a/kubernetes/aai/templates/data-router-deployment.yaml b/kubernetes/aai/templates/data-router-deployment.yaml new file mode 100644 index 0000000000..f823061c33 --- /dev/null +++ b/kubernetes/aai/templates/data-router-deployment.yaml @@ -0,0 +1,61 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: data-router + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: data-router + template: + metadata: + labels: + app: data-router + name: data-router + spec: + containers: + - name: data-router + image: "{{ .Values.image.dataRouterImage }}:{{ .Values.image.dataRouterVersion }}" + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: SERVICE_BEANS + value: /opt/app/data-router/dynamic/conf + - name: CONFIG_HOME + value: /opt/app/data-router/config/ + - name: KEY_STORE_PASSWORD + value: OBF:1y0q1uvc1uum1uvg1pil1pjl1uuq1uvk1uuu1y10 + - name: DYNAMIC_ROUTES + value: /opt/app/data-router/dynamic/routes + - name: KEY_MANAGER_PASSWORD + value: OBF:1y0q1uvc1uum1uvg1pil1pjl1uuq1uvk1uuu1y10 + - name: PATH + value: /usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin + - name: JAVA_HOME + value: usr/lib/jvm/java-8-openjdk-amd64 + volumeMounts: + - mountPath: /opt/app/data-router/config/ + name: data-router-config + - mountPath: /opt/app/data-router/dynamic/ + name: data-router-dynamic + - mountPath: /logs/ + name: data-router-logs + ports: + - containerPort: 9502 + readinessProbe: + tcpSocket: + port: 9502 + initialDelaySeconds: 5 + periodSeconds: 10 + volumes: + - name: data-router-config + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/data-router/appconfig/" + - name: data-router-dynamic + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/data-router/dynamic/" + - name: data-router-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/data-router/logs/" + restartPolicy: Always + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/elasticsearch-deployment.yaml b/kubernetes/aai/templates/elasticsearch-deployment.yaml new file mode 100644 index 0000000000..1c2a2ad57b --- /dev/null +++ b/kubernetes/aai/templates/elasticsearch-deployment.yaml @@ -0,0 +1,41 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: elasticsearch + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: elasticsearch + template: + metadata: + labels: + app: elasticsearch + name: elasticsearch + spec: + hostname: elasticsearch + containers: + - name: elasticsearch + image: "{{ .Values.image.elasticsearchImage }}:{{ .Values.image.elasticsearchVersion }}" + imagePullPolicy: {{ .Values.pullPolicy }} + ports: + - containerPort: 9200 + readinessProbe: + tcpSocket: + port: 9200 + initialDelaySeconds: 5 + periodSeconds: 10 + volumeMounts: + - name: elasticsearch-config + mountPath: /usr/share/elasticsearch/config/elasticsearch.yml + - name: elasticsearch-data + mountPath: /usr/share/elasticsearch/data + volumes: + - name: elasticsearch-config + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/elasticsearch/config/elasticsearch.yml" + - name: elasticsearch-data + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/elasticsearch/es-data" + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/gremlin-deployment.yaml b/kubernetes/aai/templates/gremlin-deployment.yaml new file mode 100644 index 0000000000..d28b286b68 --- /dev/null +++ b/kubernetes/aai/templates/gremlin-deployment.yaml @@ -0,0 +1,62 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: gremlin + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: gremlin + template: + metadata: + labels: + app: gremlin + name: gremlin + annotations: + pod.beta.kubernetes.io/init-containers: '[ + { + "args": [ + "--container-name", + "hbase" + ], + "command": [ + "/root/ready.py" + ], + "env": [ + { + "name": "NAMESPACE", + "valueFrom": { + "fieldRef": { + "apiVersion": "v1", + "fieldPath": "metadata.namespace" + } + } + } + ], + "image": "{{ .Values.image.readiness }}", + "imagePullPolicy": "{{ .Values.pullPolicy }}", + "name": "gremlin-readiness" + } + ]' + spec: + hostname: gremlin + containers: + - name: gremlin + image: {{ .Values.image.gremlinServerImage }} + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: SERVER_HOST + value: "hbase.{{ .Values.nsPrefix }}-aai" + - name: SERVER_TABLE + value: aaigraph.dev + - name: GREMLIN_HOST + value: "gremlin" + ports: + - containerPort: 8182 + readinessProbe: + tcpSocket: + port: 8182 + initialDelaySeconds: 5 + periodSeconds: 10 + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/hbase-deployment.yaml b/kubernetes/aai/templates/hbase-deployment.yaml index 79983eba08..98c38828ec 100644 --- a/kubernetes/aai/templates/hbase-deployment.yaml +++ b/kubernetes/aai/templates/hbase-deployment.yaml @@ -16,13 +16,19 @@ spec: hostname: hbase containers: - name: hbase - image: {{ .Values.image.aaiHbase }} + image: "{{ .Values.image.aaiHbaseImage }}:{{ .Values.image.aaiHbaseVersion }}" imagePullPolicy: {{ .Values.pullPolicy }} ports: - - containerPort: 8020 + - containerPort: 2181 + - containerPort: 8080 + - containerPort: 8085 + - containerPort: 9090 + - containerPort: 16000 + - containerPort: 16010 + - containerPort: 16201 readinessProbe: tcpSocket: - port: 8020 + port: 2181 initialDelaySeconds: 5 periodSeconds: 10 imagePullSecrets: diff --git a/kubernetes/aai/templates/modelloader-deployment.yaml b/kubernetes/aai/templates/modelloader-deployment.yaml index f7d855bbf9..5391273d9d 100644 --- a/kubernetes/aai/templates/modelloader-deployment.yaml +++ b/kubernetes/aai/templates/modelloader-deployment.yaml @@ -12,88 +12,29 @@ spec: labels: app: model-loader-service name: model-loader-service - annotations: - pod.beta.kubernetes.io/init-containers: '[ - { - "args": [ - "--container-name", - "aai-service" - ], - "command": [ - "/root/ready.py" - ], - "env": [ - { - "name": "NAMESPACE", - "valueFrom": { - "fieldRef": { - "apiVersion": "v1", - "fieldPath": "metadata.namespace" - } - } - } - ], - "image": "{{ .Values.image.readiness }}", - "imagePullPolicy": "{{ .Values.pullPolicy }}", - "name": "model-loader-readiness" - }, - { - "args": [ - "--container-name", - "sdc-es", - "--container-name", - "sdc-cs", - "--container-name", - "sdc-kb", - "--container-name", - "sdc-be", - "--container-name", - "sdc-fe" - ], - "command": [ - "/root/ready.py" - ], - "env": [ - { - "name": "NAMESPACE", - "value": "{{ .Values.nsPrefix }}-sdc" - } - ], - "image": "{{ .Values.image.readiness }}", - "imagePullPolicy": "{{ .Values.pullPolicy }}", - "name": "model-loader-sdc-readiness" - } - ]' spec: containers: - env: - - name: DISTR_CLIENT_ASDC_ADDRESS - value: sdc-be.{{ .Values.nsPrefix }}-sdc:8443 - - name: DISTR_CLIENT_ENVIRONMENT_NAME - value: AUTO - - name: DISTR_CLIENT_USER - value: aai - - name: DISTR_CLIENT_PASSWORD - value: OBF:1ks51l8d1o3i1pcc1r2r1e211r391kls1pyj1z7u1njf1lx51go21hnj1y0k1mli1sop1k8o1j651vu91mxw1vun1mze1vv11j8x1k5i1sp11mjc1y161hlr1gm41m111nkj1z781pw31kku1r4p1e391r571pbm1o741l4x1ksp - - name: APP_SERVER_BASE_URL - value: https://aai-service.{{ .Values.nsPrefix }}-aai:8443 - - name: APP_SERVER_KEYSTORE_PASSWORD - value: OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o - - name: APP_SERVER_AUTH_USER - value: ModelLoader - - name: APP_SERVER_AUTH_PASSWORD - value: OBF:1qvu1v2h1sov1sar1wfw1j7j1wg21saj1sov1v1x1qxw - image: {{ .Values.image.modelLoader }} + - name: CONFIG_HOME + value: /opt/app/model-loader/config/ + volumeMounts: + - mountPath: /opt/app/model-loader/config/ + name: aai-model-loader-config + - mountPath: /logs/ + name: aai-model-loader-logs + image: "{{ .Values.image.modelLoaderImage }}:{{ .Values.image.modelLoaderVersion }}" imagePullPolicy: {{ .Values.pullPolicy }} name: model-loader-service ports: - containerPort: 8080 - containerPort: 8443 - readinessProbe: - tcpSocket: - port: 8080 - initialDelaySeconds: 5 - periodSeconds: 10 + volumes: + - name: aai-model-loader-config + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/model-loader/appconfig/" + - name: aai-model-loader-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/model-loader/logs/" restartPolicy: Always imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/search-data-service-deployment.yaml b/kubernetes/aai/templates/search-data-service-deployment.yaml new file mode 100644 index 0000000000..f2db9370fd --- /dev/null +++ b/kubernetes/aai/templates/search-data-service-deployment.yaml @@ -0,0 +1,48 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: search-data-service + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: search-data-service + template: + metadata: + labels: + app: search-data-service + name: search-data-service + spec: + containers: + - name: search-data-service + image: "{{ .Values.image.searchDataImage }}:{{ .Values.image.searchDataVersion }}" + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: CONFIG_HOME + value: /opt/app/search-data-service/config/ + - name: KEY_STORE_PASSWORD + value: OBF:1y0q1uvc1uum1uvg1pil1pjl1uuq1uvk1uuu1y10 + - name: KEY_MANAGER_PASSWORD + value: OBF:1y0q1uvc1uum1uvg1pil1pjl1uuq1uvk1uuu1y10 + volumeMounts: + - mountPath: /opt/app/search-data-service/config/ + name: aai-search-data-service-config + - mountPath: /logs/ + name: aai-search-data-service-logs + ports: + - containerPort: 9509 + readinessProbe: + tcpSocket: + port: 9509 + initialDelaySeconds: 5 + periodSeconds: 10 + volumes: + - name: aai-search-data-service-config + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/search-data-service/appconfig/" + - name: aai-search-data-service-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/search-data-service/logs/" + restartPolicy: Always + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/templates/sparky-be-deployment.yaml b/kubernetes/aai/templates/sparky-be-deployment.yaml new file mode 100644 index 0000000000..6a8ff9308d --- /dev/null +++ b/kubernetes/aai/templates/sparky-be-deployment.yaml @@ -0,0 +1,48 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: sparky-be + namespace: "{{ .Values.nsPrefix }}-aai" +spec: + selector: + matchLabels: + app: sparky-be + template: + metadata: + labels: + app: sparky-be + name: sparky-be + spec: + containers: + - name: sparky-be + image: "{{ .Values.image.sparkyBeImage }}:{{ .Values.image.sparkyBeVersion }}" + imagePullPolicy: {{ .Values.pullPolicy }} + env: + - name: CONFIG_HOME + value: /opt/app/sparky/config/ + - name: KEY_MANAGER_PASSWORD + value: OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o + - name: KEY_STORE_PASSWORD + value: OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o + volumeMounts: + - mountPath: /opt/app/sparky/config/ + name: aai-sparky-be-config + - mountPath: /logs/ + name: aai-sparky-be-logs + ports: + - containerPort: 9517 + readinessProbe: + tcpSocket: + port: 9517 + initialDelaySeconds: 5 + periodSeconds: 10 + volumes: + - name: aai-sparky-be-config + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/sparky-be/appconfig/" + - name: aai-sparky-be-logs + hostPath: + path: "/dockerdata-nfs/{{ .Values.nsPrefix }}/aai/sparky-be/logs/" + restartPolicy: Always + imagePullSecrets: + - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/aai/values.yaml b/kubernetes/aai/values.yaml index 3c6894c638..1504b4021e 100644 --- a/kubernetes/aai/values.yaml +++ b/kubernetes/aai/values.yaml @@ -1,7 +1,24 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 - ajscAai: nexus3.onap.org:10001/openecomp/ajsc-aai:1.0-STAGING-latest - aaiHbase: aaidocker/aai-hbase-1.2.3:latest - modelLoader: nexus3.onap.org:10001/openecomp/model-loader:1.0-STAGING-latest + aaiProxy: aaionap/haproxy + aaiProxyVersion: latest + aaiHbaseImage: harisekhon/hbase + aaiHbaseVersion: latest + modelLoaderImage: nexus3.onap.org:10001/openecomp/model-loader + modelLoaderVersion: 1.1-STAGING-latest + aaiResourcesImage: nexus3.onap.org:10001/openecomp/aai-resources + aaiResourcesVersion: 1.1-STAGING-latest + aaiTraversalImage: nexus3.onap.org:10001/openecomp/aai-traversal + aaiTraversalVersion: 1.1-STAGING-latest + dataRouterImage: nexus3.onap.org:10001/openecomp/data-router + dataRouterVersion: 1.1-STAGING-latest + elasticsearchImage: elasticsearch + elasticsearchVersion: 2.4.1 + searchDataImage: nexus3.onap.org:10001/openecomp/search-data-service + searchDataVersion: 1.1-STAGING-latest + sparkyBeImage: nexus3.onap.org:10001/openecomp/sparky-be + sparkyBeVersion: 1.1-STAGING-latest + gremlinServerImage: aaionap/gremlin-server diff --git a/kubernetes/appc/templates/all-services.yaml b/kubernetes/appc/templates/all-services.yaml index 95472319ed..5c42d72a01 100644 --- a/kubernetes/appc/templates/all-services.yaml +++ b/kubernetes/appc/templates/all-services.yaml @@ -53,10 +53,10 @@ spec: - name: "appc-port-8282" port: 8282 targetPort: 8181 - nodePort: 30230 + nodePort: {{ .Values.nodePortPrefix }}30 - name: "appc-port-1830" port: 1830 - nodePort: 30231 + nodePort: {{ .Values.nodePortPrefix }}31 type: NodePort selector: app: appc @@ -73,7 +73,7 @@ spec: - name: "appc-dgbuilder-port" port: 3000 targetPort: 3100 - nodePort: 30228 + nodePort: {{ .Values.nodePortPrefix }}28 type: NodePort selector: app: appc-dgbuilder diff --git a/kubernetes/appc/templates/appc-pv-pvc.yaml b/kubernetes/appc/templates/appc-pv-pvc.yaml new file mode 100644 index 0000000000..51392f7c30 --- /dev/null +++ b/kubernetes/appc/templates/appc-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: appc-db + namespace: "{{ .Values.nsPrefix }}-appc" + labels: + name: appc-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/appc/data +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: appc-db + namespace: "{{ .Values.nsPrefix }}-appc" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: appc-db diff --git a/kubernetes/appc/templates/db-deployment.yaml b/kubernetes/appc/templates/db-deployment.yaml index 239d76f083..542f8f4d42 100644 --- a/kubernetes/appc/templates/db-deployment.yaml +++ b/kubernetes/appc/templates/db-deployment.yaml @@ -34,7 +34,7 @@ spec: restartPolicy: Always volumes: - name: appc-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/appc/data + persistentVolumeClaim: + claimName: appc-db imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/appc/values.yaml b/kubernetes/appc/values.yaml index 74b189f371..7916b734aa 100644 --- a/kubernetes/appc/values.yaml +++ b/kubernetes/appc/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 appc: nexus3.onap.org:10001/openecomp/appc-image:1.1-STAGING-latest diff --git a/kubernetes/config/docker/init/Dockerfile b/kubernetes/config/docker/init/Dockerfile index 9f6a3632b7..a1eb021b69 100644 --- a/kubernetes/config/docker/init/Dockerfile +++ b/kubernetes/config/docker/init/Dockerfile @@ -1,7 +1,6 @@ from ubuntu:16.04 RUN mkdir -p /opt/config/src/ -VOLUME /config-init/ COPY onap-cfg.tar.gz /tmp/ RUN tar -zxvf /tmp/onap-cfg.tar.gz -C /opt/config/src/ diff --git a/kubernetes/config/docker/init/config-init.sh b/kubernetes/config/docker/init/config-init.sh index 5597527238..15b4181a75 100755 --- a/kubernetes/config/docker/init/config-init.sh +++ b/kubernetes/config/docker/init/config-init.sh @@ -20,12 +20,31 @@ mkdir -p /config-init/$NAMESPACE/sdc/logs/ASDC/ASDC-KB/ mkdir -p /config-init/$NAMESPACE/sdc/logs/ASDC/ASDC-BE/ mkdir -p /config-init/$NAMESPACE/sdc/logs/ASDC/ASDC-FE/ mkdir -p /config-init/$NAMESPACE/aai/opt/aai/logroot/ +mkdir -p /config-init/$NAMESPACE/aai/model-loader/logs/ +mkdir -p /config-init/$NAMESPACE/aai/haproxy/log/ +mkdir -p /config-init/$NAMESPACE/aai/aai-traversal/logs/ +mkdir -p /config-init/$NAMESPACE/aai/aai-resources/logs/ +mkdir -p /config-init/$NAMESPACE/aai/sparky-be/logs/ +mkdir -p /config-init/$NAMESPACE/aai/elasticsearch/es-data/ +mkdir -p /config-init/$NAMESPACE/aai/search-data-service/logs/ +mkdir -p /config-init/$NAMESPACE/aai/data-router/logs/ +mkdir -p /config-init/$NAMESPACE/mso/mariadb/data chmod -R 777 /config-init/$NAMESPACE/sdc/logs/ chmod -R 777 /config-init/$NAMESPACE/portal/logs/ chmod -R 777 /config-init/$NAMESPACE/aai/aai-config/ chmod -R 777 /config-init/$NAMESPACE/aai/aai-data/ chmod -R 777 /config-init/$NAMESPACE/aai/opt/aai/logroot/ +chmod -R 777 /config-init/$NAMESPACE/aai/model-loader/logs/ +chmod -R 777 /config-init/$NAMESPACE/aai/haproxy/log/ +chmod -R 777 /config-init/$NAMESPACE/aai/aai-traversal/logs/ +chmod -R 777 /config-init/$NAMESPACE/aai/aai-resources/logs/ +chmod -R 777 /config-init/$NAMESPACE/aai/sparky-be/logs/ +chmod -R 777 /config-init/$NAMESPACE/aai/elasticsearch/es-data/ +chmod -R 777 /config-init/$NAMESPACE/aai/search-data-service/logs/ +chmod -R 777 /config-init/$NAMESPACE/aai/data-router/logs/ +chmod -R 777 /config-init/$NAMESPACE/policy/mariadb/ + # replace the default 'onap' namespace qualification of K8s hostnames within the config files -find /config-init/$NAMESPACE/ -type f -exec sed -i -e "s/onap-/$NAMESPACE-/g" {} \; +find /config-init/$NAMESPACE/ -type f -exec sed -i -e "s/\.onap-/\.$NAMESPACE-/g" {} \; diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/README.md deleted file mode 100755 index c7ec3b069a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/README.md +++ /dev/null @@ -1,54 +0,0 @@ -This directory contains the cookbooks used to configure systems in your infrastructure with Chef. - -Knife needs to be configured to know where the cookbooks are located with the `cookbook_path` setting. If this is not set, then several cookbook operations will fail to work properly. - - cookbook_path ["./cookbooks"] - -This setting tells knife to look for the cookbooks directory in the present working directory. This means the knife cookbook subcommands need to be run in the `chef-repo` directory itself. To make sure that the cookbooks can be found elsewhere inside the repository, use an absolute path. This is a Ruby file, so something like the following can be used: - - current_dir = File.dirname(__FILE__) - cookbook_path ["#{current_dir}/../cookbooks"] - -Which will set `current_dir` to the location of the knife.rb file itself (e.g. `~/chef-repo/.chef/knife.rb`). - -Configure knife to use your preferred copyright holder, email contact and license. Add the following lines to `.chef/knife.rb`. - - cookbook_copyright "Example, Com." - cookbook_email "cookbooks@example.com" - cookbook_license "apachev2" - -Supported values for `cookbook_license` are "apachev2", "mit","gplv2","gplv3", or "none". These settings are used to prefill comments in the default recipe, and the corresponding values in the metadata.rb. You are free to change the the comments in those files. - -Create new cookbooks in this directory with Knife. - - knife cookbook create COOKBOOK - -This will create all the cookbook directory components. You don't need to use them all, and can delete the ones you don't need. It also creates a README file, metadata.rb and default recipe. - -You can also download cookbooks directly from the Opscode Cookbook Site. There are two subcommands to help with this depending on what your preference is. - -The first and recommended method is to use a vendor branch if you're using Git. This is automatically handled with Knife. - - knife cookbook site install COOKBOOK - -This will: - -* Download the cookbook tarball from the Chef Supermarket. -* Ensure its on the git master branch. -* Checks for an existing vendor branch, and creates if it doesn't. -* Checks out the vendor branch (chef-vendor-COOKBOOK). -* Removes the existing (old) version. -* Untars the cookbook tarball it downloaded in the first step. -* Adds the cookbook files to the git index and commits. -* Creates a tag for the version downloaded. -* Checks out the master branch again. -* Merges the cookbook into master. -* Repeats the above for all the cookbooks dependencies, downloading them from the community site - -The last step will ensure that any local changes or modifications you have made to the cookbook are preserved, so you can keep your changes through upstream updates. - -If you're not using Git, use the site download subcommand to download the tarball. - - knife cookbook site download COOKBOOK - -This creates the COOKBOOK.tar.gz from in the current directory (e.g., `~/chef-repo`). We recommend following a workflow similar to the above for your version control tool. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/CHANGELOG.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/CHANGELOG.md old mode 100755 new mode 100644 similarity index 70% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/CHANGELOG.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/CHANGELOG.md index 575f2f7946..c58a2742e8 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/CHANGELOG.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/CHANGELOG.md @@ -1,11 +1,11 @@ ajsc-aai-auth CHANGELOG ======================= -This file is used to list changes made in each version of the ajsc-aai-auth cookbook. +This file is used to list changes made in each version of the aai-resources-auth cookbook. 0.1.0 ----- -- [your_name] - Initial release of ajsc-aai-auth +- [your_name] - Initial release of aai-resources-auth - - - Check the [Markdown Syntax Guide](http://daringfireball.net/projects/markdown/syntax) for help with Markdown. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/README.md old mode 100755 new mode 100644 similarity index 91% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/README.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/README.md index da8fe00aa5..b5157ab7bd --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/README.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/README.md @@ -1,4 +1,4 @@ -ajsc-aai-auth Cookbook +aai-resources-auth Cookbook ====================== TODO: Enter the cookbook description here. @@ -36,11 +36,11 @@ e.g. Usage ----- -#### ajsc-aai-auth::default +#### aai-resources-auth::default TODO: Write usage instructions for each cookbook. e.g. -Just include `ajsc-aai-auth` in your node's `run_list`: +Just include `aai-resources-auth` in your node's `run_list`: ```json { diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-dev b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/files/default/aai_keystore-dev old mode 100755 new mode 100644 similarity index 100% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-dev rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/files/default/aai_keystore-dev diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/metadata.rb new file mode 100644 index 0000000000..6b940b8e40 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/metadata.rb @@ -0,0 +1,7 @@ +name 'aai-resources-auth' +maintainer 'ATT' +maintainer_email '' +license 'All rights reserved' +description 'Installs/Configures aai-resources-auth' +long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) +version '1.0.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/recipes/aai-resources-aai-keystore.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/recipes/aai-resources-aai-keystore.rb new file mode 100644 index 0000000000..3c55162a34 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-auth/recipes/aai-resources-aai-keystore.rb @@ -0,0 +1,8 @@ +cookbook_file "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/auth/aai_keystore" do + source "aai_keystore-#{node['aai-resources-config']['AAIENV']}" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' + action :create +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/CHANGELOG.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/CHANGELOG.md old mode 100755 new mode 100644 similarity index 93% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/CHANGELOG.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/CHANGELOG.md index ea3ec7a381..8752651421 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/CHANGELOG.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/CHANGELOG.md @@ -1,4 +1,4 @@ -ajsc-aai-config CHANGELOG +aai-resources-config CHANGELOG ========================= This file is used to list changes made in each version of the ajsc-aai-config cookbook. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/README.md old mode 100755 new mode 100644 similarity index 93% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/README.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/README.md index decd065ef9..b71fb908f8 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/README.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/README.md @@ -1,4 +1,4 @@ -ajsc-aai-config Cookbook +aai-resources-config Cookbook ======================== TODO: Enter the cookbook description here. @@ -11,7 +11,7 @@ TODO: List your cookbook requirements. Be sure to include any requirements this e.g. #### packages -- `toaster` - ajsc-aai-config needs toaster to brown your bagel. +- `toaster` - aai-resources-config needs toaster to brown your bagel. Attributes ---------- diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aai-resources-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aai-resources-config.rb new file mode 100644 index 0000000000..9d000ae967 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aai-resources-config.rb @@ -0,0 +1,15 @@ +node.default["aai-resources-config"]["AAIENV"] = 'devINT1' +node.default["aai-resources-config"]["PROJECT_HOME"] = '/opt/app/aai-resources' +node.default["aai-resources-config"]["LOGROOT"] = '/opt/aai/logroot' +node.default["aai-resources-config"]["JAVA_HOME"] = '/usr/lib/jvm/java-8-openjdk-amd64' +node.default["aai-resources-config"]["AAI_SERVER_URL_BASE"] = 'https://localhost:8443/aai/' +node.default["aai-resources-config"]["AAI_SERVER_URL"] = 'https://localhost:8443/aai/v11/' +node.default["aai-resources-config"]["AAI_GLOBAL_CALLBACK_URL"] = 'https://localhost:8443/aai/' +node.default["aai-resources-config"]["AAI_TRUSTSTORE_FILENAME"] = 'aai_keystore' +node.default["aai-resources-config"]["AAI_TRUSTSTORE_PASSWD_X"] = 'OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0' +node.default["aai-resources-config"]["AAI_KEYSTORE_FILENAME"] = 'aai_keystore' +node.default["aai-resources-config"]["AAI_KEYSTORE_PASSWD_X"] = 'OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0' +node.default["aai-resources-config"]["TXN_HBASE_TABLE_NAME"] = 'aailogging.dev' +node.default["aai-resources-config"]["TXN_ZOOKEEPER_QUORUM"] = 'localhost' +node.default["aai-resources-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"] = '2181' +node.default["aai-resources-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aaiEventDMaaPPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aaiEventDMaaPPublisher.rb new file mode 100644 index 0000000000..91bc7bb682 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/aaiEventDMaaPPublisher.rb @@ -0,0 +1,3 @@ +node.default["aai-resources-config"]["AAI_DMAAP_PROTOCOL"] = 'http' +node.default["aai-resources-config"]["AAI_DMAAP_HOST_PORT"] = 'localhost:3904' +node.default["aai-resources-config"]["AAI_DMAAP_TOPIC_NAME"] = 'AAI-EVENT' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/preferredRoute.rb new file mode 100644 index 0000000000..21eb295148 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/preferredRoute.rb @@ -0,0 +1 @@ +node.default["aai-resources-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] = 'MR1' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-cached.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-cached.rb new file mode 100644 index 0000000000..103583b645 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-cached.rb @@ -0,0 +1,6 @@ +node.default["aai-resources-config"]["STORAGE_HOSTNAME"] = 'localhost' +node.default["aai-resources-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' +node.default["aai-resources-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' +node.default["aai-resources-config"]["DB_CACHE_CLEAN_WAIT"] = 20 +node.default["aai-resources-config"]["DB_CACHE_TIME"] = 180000 +node.default["aai-resources-config"]["DB_CACHE_SIZE"] = 0.3 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-realtime.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-realtime.rb new file mode 100644 index 0000000000..c289a63ac0 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/attributes/titan-realtime.rb @@ -0,0 +1,3 @@ +node.default["aai-resources-config"]["STORAGE_HOSTNAME"] = 'localhost' +node.default["aai-resources-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' +node.default["aai-resources-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/metadata.rb new file mode 100644 index 0000000000..d32f4cff33 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/metadata.rb @@ -0,0 +1,7 @@ +name 'aai-resources-config' +maintainer 'ATT' +maintainer_email '' +license 'All rights reserved' +description 'Installs/Configures aai-resources-config' +long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) +version '1.0.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-preferredRoute.rb new file mode 100644 index 0000000000..b018237bab --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-preferredRoute.rb @@ -0,0 +1,11 @@ +['preferredRoute.txt'].each do |file| + template "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-resources-config/preferredRoute.txt" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_WORKLOAD_PREFERRED_ROUTE_KEY => node["aai-resources-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] + ) + end +end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-resources-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-resources-config.rb new file mode 100644 index 0000000000..13f34c25c2 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aai-resources-config.rb @@ -0,0 +1,78 @@ +################ +# Update aaiResourcesConfig.properties +################ +include_recipe 'aai-resources-config::createConfigDirectories' + +['aaiconfig.properties'].each do |file| + template "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-resources-config/aaiconfig.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_SERVER_URL_BASE => node["aai-resources-config"]["AAI_SERVER_URL_BASE"], +:AAI_SERVER_URL => node["aai-resources-config"]["AAI_SERVER_URL"], +:AAI_GLOBAL_CALLBACK_URL => node["aai-resources-config"]["AAI_GLOBAL_CALLBACK_URL"], +:AAI_TRUSTSTORE_FILENAME => node["aai-resources-config"]["AAI_TRUSTSTORE_FILENAME"], +:AAI_TRUSTSTORE_PASSWD_X => node["aai-resources-config"]["AAI_TRUSTSTORE_PASSWD_X"], +:AAI_KEYSTORE_FILENAME => node["aai-resources-config"]["AAI_KEYSTORE_FILENAME"], +:AAI_KEYSTORE_PASSWD_X => node["aai-resources-config"]["AAI_KEYSTORE_PASSWD_X"], +:APPLICATION_SERVERS => node["aai-resources-config"]["APPLICATION_SERVERS"], +:TXN_HBASE_TABLE_NAME => node["aai-resources-config"]["TXN_HBASE_TABLE_NAME"], +:TXN_ZOOKEEPER_QUORUM => node["aai-resources-config"]["TXN_ZOOKEEPER_QUORUM"], +:TXN_ZOOKEEPER_PROPERTY_CLIENTPORT => node["aai-resources-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"], +:TXN_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-resources-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"], +:RESOURCE_VERSION_ENABLE_FLAG => node["aai-resources-config"]["RESOURCE_VERSION_ENABLE_FLAG"], + :AAI_NOTIFICATION_CURRENT_PACKAGE => node["aai-resources-config"]["AAI_NOTIFICATION_CURRENT_PACKAGE"], + :AAI_NOTIFICATION_CURRENT_VERSION => node["aai-resources-config"]["AAI_NOTIFICATION_CURRENT_VERSION"], + :AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"], + :AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"], + :AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"], + :AAI_NOTIFICATION_EVENT_DEFAULT_VERSION => node["aai-resources-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"], +:AAI_DEFAULT_API_VERSION => node["aai-resources-config"]["AAI_DEFAULT_API_VERSION"] + ) + end +end + +#remote_directory "/opt/mso/etc/ecomp/mso/config/" do +# source "mso-asdc-controller-config" +# #cookbook "default is current" +# files_mode "0700" +# files_owner "jboss" +# files_group "jboss" +# mode "0755" +# owner "jboss" +# group "jboss" +# overwrite true +# recursive true +# action :create +#end + + +################ +# Alternative example1 +# This updates all the timestamps +# Seting preserve never changes the timestamp when the file is changed +###### +# ruby_block "copy_recurse" do +# block do +# FileUtils.cp_r("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/.",\ +# "/opt/mso/etc/ecomp/mso/config/", :preserve => true) +# end +# action :run +# end + +################ +# Alternative example2 +###### +# Dir.glob("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/*").sort.each do |entry| +# cookbook_file "/opt/mso/etc/ecomp/mso/config/#{entry}" do +# source entry +# owner "root" +# group "root" +# mode 0755 +# end +# end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aaiEventDMaaPPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aaiEventDMaaPPublisher.rb new file mode 100644 index 0000000000..1e626db3ab --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/aaiEventDMaaPPublisher.rb @@ -0,0 +1,14 @@ +['aaiEventDMaaPPublisher.properties'].each do |file| + template "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-resources-config/aaiEventDMaaPPublisher.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_DMAAP_PROTOCOL => node["aai-resources-config"]["AAI_DMAAP_PROTOCOL"], +:AAI_DMAAP_HOST_PORT => node["aai-resources-config"]["AAI_DMAAP_HOST_PORT"], +:AAI_DMAAP_TOPIC_NAME => node["aai-resources-config"]["AAI_DMAAP_TOPIC_NAME"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/createConfigDirectories.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/createConfigDirectories.rb new file mode 100644 index 0000000000..e944195e8c --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/createConfigDirectories.rb @@ -0,0 +1,44 @@ +# Create or update the needed directories/links. +# If the directory already exists, it is updated to match +# +# LOGROOT should already be created by the SWM installation script +# It needs to run as root + +[ + "#{node['aai-resources-config']['LOGROOT']}/AAI-RES", + "#{node['aai-resources-config']['LOGROOT']}/AAI-RES/data", + "#{node['aai-resources-config']['LOGROOT']}/AAI-RES/misc", + "#{node['aai-resources-config']['LOGROOT']}/AAI-RES/ajsc-jetty" ].each do |path| + directory path do + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' + recursive=true + action :create + end +end + +[ "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/auth" ].each do |path| + directory path do + owner 'aaiadmin' + group 'aaiadmin' + mode '0777' + recursive=true + action :create + end +end +#Application logs +link "#{node['aai-resources-config']['PROJECT_HOME']}/logs" do + to "#{node['aai-resources-config']['LOGROOT']}/AAI-RES" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' +end + +#Make a link from /opt/app/aai-resources/scripts to /opt/app/aai-resources/bin +link "#{node['aai-resources-config']['PROJECT_HOME']}/scripts" do + to "#{node['aai-resources-config']['PROJECT_HOME']}/bin" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' +end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-cached.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-cached.rb new file mode 100644 index 0000000000..53ada49d99 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-cached.rb @@ -0,0 +1,17 @@ +['titan-cached.properties'].each do |file| + template "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-resources-config/titan-cached.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:STORAGE_HOSTNAME => node["aai-resources-config"]["STORAGE_HOSTNAME"], +:STORAGE_HBASE_TABLE => node["aai-resources-config"]["STORAGE_HBASE_TABLE"], +:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-resources-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"], +:DB_CACHE_CLEAN_WAIT => node["aai-resources-config"]["DB_CACHE_CLEAN_WAIT"], +:DB_CACHE_TIME => node["aai-resources-config"]["DB_CACHE_TIME"], +:DB_CACHE_SIZE => node["aai-resources-config"]["DB_CACHE_SIZE"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-realtime.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-realtime.rb new file mode 100644 index 0000000000..c456eb3d5b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/recipes/titan-realtime.rb @@ -0,0 +1,14 @@ +['titan-realtime.properties'].each do |file| + template "#{node['aai-resources-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-resources-config/titan-realtime.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:STORAGE_HOSTNAME => node["aai-resources-config"]["STORAGE_HOSTNAME"], +:STORAGE_HBASE_TABLE => node["aai-resources-config"]["STORAGE_HBASE_TABLE"], +:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-resources-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiEventDMaaPPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiEventDMaaPPublisher.properties new file mode 100644 index 0000000000..8ad92cdf44 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiEventDMaaPPublisher.properties @@ -0,0 +1,4 @@ +Protocol=<%= @AAI_DMAAP_PROTOCOL %> +contenttype=application/json +host=<%= @AAI_DMAAP_HOST_PORT %> +topic=<%= @AAI_DMAAP_TOPIC_NAME %> diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiconfig.properties old mode 100755 new mode 100644 similarity index 66% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiconfig.properties index efeeb82216..37e5dcdeaa --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/aaiconfig.properties @@ -8,61 +8,24 @@ aai.config.checktime=1000 # this could come from siteconfig.pl? aai.config.nodename=AutomaticallyOverwritten -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI aai.auth.cspcookies_on=false aai.dbmodel.filename=ex5.json + aai.server.url.base=<%= @AAI_SERVER_URL_BASE %> aai.server.url=<%= @AAI_SERVER_URL %> aai.global.callback.url=<%= @AAI_GLOBAL_CALLBACK_URL %> + +aai.tools.enableBasicAuth=true +aai.tools.username=AAI +aai.tools.password=AAI + aai.truststore.filename=<%= @AAI_TRUSTSTORE_FILENAME %> aai.truststore.passwd.x=<%= @AAI_TRUSTSTORE_PASSWD_X %> aai.keystore.filename=<%= @AAI_KEYSTORE_FILENAME %> aai.keystore.passwd.x=<%= @AAI_KEYSTORE_PASSWD_X %> -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=<%= @STORAGE_BACKEND %> -storage.hostname=<%= @STORAGE_HOSTNAME %> -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> -storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=<%= @TXN_HBASE_TABLE_NAME %> -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=<%= @TXN_ZOOKEEPER_QUORUM %> -hbase.zookeeper.property.clientPort=<%= @TXN_ZOOKEEPER_PROPERTY_CLIENTPORT %> -hbase.zookeeper.znode.parent=<%= @TXN_HBASE_ZOOKEEPER_ZNODE_PARENT %> -hbase.column.ttl.days=<%= @HBASE_COLUMN_TTL_DAYS %> - -# single primary server -aai.primary.filetransfer.serverlist=<%= @APPLICATION_SERVERS %> -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y aai.notification.current.version=<%= @AAI_NOTIFICATION_CURRENT_VERSION %> aai.notificationEvent.default.status=<%= @AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS %> @@ -77,16 +40,40 @@ aai.resourceversion.enableflag=<%= @RESOURCE_VERSION_ENABLE_FLAG %> aai.logging.maxStackTraceEntries=10 aai.default.api.version=<%= @AAI_DEFAULT_API_VERSION %> + + # Used by Model-processing code aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 +aai.model.query.resultset.maxcount=50 aai.model.query.timeout.sec=90 # Used by Data Grooming -aai.grooming.default.max.fix=150 +aai.grooming.default.max.file=150 aai.grooming.default.sleep.minutes=7 aai.model.proc.max.levels=50 aai.edgeTag.proc.max.levels=50 -aai.dmaap.workload.enableEventProcessing=<%= @AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING %> \ No newline at end of file +# for transaction log +aai.logging.hbase.interceptor=true +aai.logging.hbase.enabled=true +aai.logging.hbase.logrequest=true +aai.logging.hbase.logresponse=true + +# for gremlin server +aai.server.rebind=g +hbase.table.name=<%= @TXN_HBASE_TABLE_NAME %> +hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS +hbase.zookeeper.quorum=<%= @TXN_ZOOKEEPER_QUORUM %> +hbase.zookeeper.property.clientPort=<%= @TXN_ZOOKEEPER_PROPERTY_CLIENTPORT %> +hbase.zookeeper.znode.parent=<%= @TXN_HBASE_ZOOKEEPER_ZNODE_PARENT %> + +aai.logging.trace.enabled=true +aai.logging.trace.logrequest=false +aai.logging.trace.logresponse=false + + +aai.transaction.logging=true +aai.transaction.logging.get=false +aai.transaction.logging.post=false + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/preferredRoute.txt b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/preferredRoute.txt old mode 100755 new mode 100644 similarity index 100% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/preferredRoute.txt rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/preferredRoute.txt diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-cached.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-cached.properties new file mode 100644 index 0000000000..d6c9c2d893 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-cached.properties @@ -0,0 +1,13 @@ +# the following parameters are not reloaded automatically and require a manual bounce +query.fast-property=true +storage.backend=hbase +storage.hostname=<%= @STORAGE_HOSTNAME %> +#schema.default=none +storage.lock.wait-time=300 +storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> +storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> +#caching on +cache.db-cache = true +cache.db-cache-clean-wait = <%= @DB_CACHE_CLEAN_WAIT %> +cache.db-cache-time = <%= @DB_CACHE_TIME %> +cache.db-cache-size = <%= @DB_CACHE_SIZE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-realtime.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-realtime.properties new file mode 100644 index 0000000000..2935cc1104 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/aai-resources-config/templates/default/aai-resources-config/titan-realtime.properties @@ -0,0 +1,13 @@ +# the following parameters are not reloaded automatically and require a manual bounce +query.fast-property=true +storage.backend=hbase +storage.hostname=<%= @STORAGE_HOSTNAME %> +#schema.default=none +storage.lock.wait-time=300 +storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> +storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> +# Setting db-cache to false ensure the fastest propagation of changes across servers +cache.db-cache = false +#cache.db-cache-clean-wait = 20 +#cache.db-cache-time = 180000 +#cache.db-cache-size = 0.5 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/runlist-aai-resources.json b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/runlist-aai-resources.json new file mode 100644 index 0000000000..92c493d031 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-resources/runlist-aai-resources.json @@ -0,0 +1,11 @@ +{ + "run_list": [ + "recipe[aai-resources-config::createConfigDirectories]", + "recipe[aai-resources-auth::aai-resources-aai-keystore]", + "recipe[aai-resources-config::aaiEventDMaaPPublisher]", + "recipe[aai-resources-config::aai-resources-config]", + "recipe[aai-resources-config::titan-cached]", + "recipe[aai-resources-config::titan-realtime]", + "recipe[aai-resources-config::aai-preferredRoute]" + ] +} diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/CHANGELOG.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/CHANGELOG.md old mode 100755 new mode 100644 similarity index 70% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/CHANGELOG.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/CHANGELOG.md index 575f2f7946..c86d50bfc2 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/CHANGELOG.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/CHANGELOG.md @@ -1,11 +1,11 @@ ajsc-aai-auth CHANGELOG ======================= -This file is used to list changes made in each version of the ajsc-aai-auth cookbook. +This file is used to list changes made in each version of the aai-traversal-auth cookbook. 0.1.0 ----- -- [your_name] - Initial release of ajsc-aai-auth +- [your_name] - Initial release of aai-traversal-auth - - - Check the [Markdown Syntax Guide](http://daringfireball.net/projects/markdown/syntax) for help with Markdown. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/README.md old mode 100755 new mode 100644 similarity index 91% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/README.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/README.md index da8fe00aa5..370816b9dd --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/README.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/README.md @@ -1,4 +1,4 @@ -ajsc-aai-auth Cookbook +aai-traversal-auth Cookbook ====================== TODO: Enter the cookbook description here. @@ -36,11 +36,11 @@ e.g. Usage ----- -#### ajsc-aai-auth::default +#### aai-traversal-auth::default TODO: Write usage instructions for each cookbook. e.g. -Just include `ajsc-aai-auth` in your node's `run_list`: +Just include `aai-traversal-auth` in your node's `run_list`: ```json { diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-dev b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/files/default/aai_keystore-dev old mode 100755 new mode 100644 similarity index 100% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-dev rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/files/default/aai_keystore-dev diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/metadata.rb new file mode 100644 index 0000000000..e6537493a1 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/metadata.rb @@ -0,0 +1,7 @@ +name 'aai-traversal-auth' +maintainer 'ATT' +maintainer_email '' +license 'All rights reserved' +description 'Installs/Configures aai-traversal-auth' +long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) +version '1.0.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/recipes/aai-traversal-aai-keystore.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/recipes/aai-traversal-aai-keystore.rb new file mode 100644 index 0000000000..c1b3f2800c --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-auth/recipes/aai-traversal-aai-keystore.rb @@ -0,0 +1,8 @@ +cookbook_file "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/auth/aai_keystore" do + source "aai_keystore-#{node['aai-traversal-config']['AAIENV']}" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' + action :create +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/CHANGELOG.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/CHANGELOG.md old mode 100755 new mode 100644 similarity index 93% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/CHANGELOG.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/CHANGELOG.md index ea3ec7a381..1e69e21832 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/CHANGELOG.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/CHANGELOG.md @@ -1,4 +1,4 @@ -ajsc-aai-config CHANGELOG +aai-traversal-config CHANGELOG ========================= This file is used to list changes made in each version of the ajsc-aai-config cookbook. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/README.md old mode 100755 new mode 100644 similarity index 93% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/README.md rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/README.md index decd065ef9..3e6fcc91f8 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/README.md +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/README.md @@ -1,4 +1,4 @@ -ajsc-aai-config Cookbook +aai-traversal-config Cookbook ======================== TODO: Enter the cookbook description here. @@ -11,7 +11,7 @@ TODO: List your cookbook requirements. Be sure to include any requirements this e.g. #### packages -- `toaster` - ajsc-aai-config needs toaster to brown your bagel. +- `toaster` - aai-traversal-config needs toaster to brown your bagel. Attributes ---------- diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aai-traversal-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aai-traversal-config.rb new file mode 100644 index 0000000000..33d3eb22ea --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aai-traversal-config.rb @@ -0,0 +1,15 @@ +node.default["aai-traversal-config"]["AAIENV"] = 'solo' +node.default["aai-traversal-config"]["PROJECT_HOME"] = '/opt/app/aai-traversal' +node.default["aai-traversal-config"]["LOGROOT"] = '/opt/aai/logroot' +node.default["aai-traversal-config"]["JAVA_HOME"] = '/usr/lib/jvm/java-8-openjdk-amd64' +node.default["aai-traversal-config"]["AAI_SERVER_URL_BASE"] = 'https://localhost:8443/aai/' +node.default["aai-traversal-config"]["AAI_SERVER_URL"] = 'https://localhost:8443/aai/v11/' +node.default["aai-traversal-config"]["AAI_GLOBAL_CALLBACK_URL"] = 'https://localhost:8443/aai/' +node.default["aai-traversal-config"]["AAI_TRUSTSTORE_FILENAME"] = 'aai_keystore' +node.default["aai-traversal-config"]["AAI_TRUSTSTORE_PASSWD_X"] = 'OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0' +node.default["aai-traversal-config"]["AAI_KEYSTORE_FILENAME"] = 'aai_keystore' +node.default["aai-traversal-config"]["AAI_KEYSTORE_PASSWD_X"] = 'OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0' +node.default["aai-traversal-config"]["TXN_HBASE_TABLE_NAME"] = 'aailogging.dev' +node.default["aai-traversal-config"]["TXN_ZOOKEEPER_QUORUM"] = 'localhost' +node.default["aai-traversal-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"] = '2181' +node.default["aai-traversal-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aaiEventDMaaPPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aaiEventDMaaPPublisher.rb new file mode 100644 index 0000000000..7d20b30bad --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/aaiEventDMaaPPublisher.rb @@ -0,0 +1,3 @@ +node.default["aai-traversal-config"]["AAI_DMAAP_PROTOCOL"] = 'http' +node.default["aai-traversal-config"]["AAI_DMAAP_HOST_PORT"] = 'localhost:3904' +node.default["aai-traversal-config"]["AAI_DMAAP_TOPIC_NAME"] = 'AAI-EVENT' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/gremlin-server-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/gremlin-server-config.rb new file mode 100644 index 0000000000..97fa6fd286 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/gremlin-server-config.rb @@ -0,0 +1 @@ +node.default["aai-traversal-config"]["AAI_GREMLIN_SERVER_CONFIG_HOST_LIST"] = '[localhost]' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/preferredRoute.rb new file mode 100644 index 0000000000..21af6721ce --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/preferredRoute.rb @@ -0,0 +1 @@ +node.default["aai-traversal-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] = 'MR1' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-cached.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-cached.rb new file mode 100644 index 0000000000..cb88f3c77a --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-cached.rb @@ -0,0 +1,6 @@ +node.default["aai-traversal-config"]["STORAGE_HOSTNAME"] = 'localhost' +node.default["aai-traversal-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' +node.default["aai-traversal-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' +node.default["aai-traversal-config"]["DB_CACHE_CLEAN_WAIT"] = 20 +node.default["aai-traversal-config"]["DB_CACHE_TIME"] = 180000 +node.default["aai-traversal-config"]["DB_CACHE_SIZE"] = 0.3 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-realtime.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-realtime.rb new file mode 100644 index 0000000000..f67c64631a --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/attributes/titan-realtime.rb @@ -0,0 +1,3 @@ +node.default["aai-traversal-config"]["STORAGE_HOSTNAME"] = 'localhost' +node.default["aai-traversal-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' +node.default["aai-traversal-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/metadata.rb new file mode 100644 index 0000000000..fd654fa5cf --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/metadata.rb @@ -0,0 +1,7 @@ +name 'aai-traversal-config' +maintainer 'ATT' +maintainer_email '' +license 'All rights reserved' +description 'Installs/Configures aai-traversal-config' +long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) +version '1.0.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-preferredRoute.rb new file mode 100644 index 0000000000..2672e9bdb5 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-preferredRoute.rb @@ -0,0 +1,11 @@ +['preferredRoute.txt'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/preferredRoute.txt" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_WORKLOAD_PREFERRED_ROUTE_KEY => node["aai-traversal-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] + ) + end +end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-traversal-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-traversal-config.rb new file mode 100644 index 0000000000..aae12d0d4f --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aai-traversal-config.rb @@ -0,0 +1,77 @@ +################ +# Update aaiGraphQueryConfig.properties +################ +include_recipe 'aai-traversal-config::createConfigDirectories' + +['aaiconfig.properties'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/aaiconfig.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_SERVER_URL_BASE => node["aai-traversal-config"]["AAI_SERVER_URL_BASE"], +:AAI_SERVER_URL => node["aai-traversal-config"]["AAI_SERVER_URL"], +:AAI_GLOBAL_CALLBACK_URL => node["aai-traversal-config"]["AAI_GLOBAL_CALLBACK_URL"], +:AAI_TRUSTSTORE_FILENAME => node["aai-traversal-config"]["AAI_TRUSTSTORE_FILENAME"], +:AAI_TRUSTSTORE_PASSWD_X => node["aai-traversal-config"]["AAI_TRUSTSTORE_PASSWD_X"], +:AAI_KEYSTORE_FILENAME => node["aai-traversal-config"]["AAI_KEYSTORE_FILENAME"], +:AAI_KEYSTORE_PASSWD_X => node["aai-traversal-config"]["AAI_KEYSTORE_PASSWD_X"], +:APPLICATION_SERVERS => node["aai-traversal-config"]["APPLICATION_SERVERS"], +:TXN_HBASE_TABLE_NAME => node["aai-traversal-config"]["TXN_HBASE_TABLE_NAME"], +:TXN_ZOOKEEPER_QUORUM => node["aai-traversal-config"]["TXN_ZOOKEEPER_QUORUM"], +:TXN_ZOOKEEPER_PROPERTY_CLIENTPORT => node["aai-traversal-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"], +:TXN_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-traversal-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"], +:RESOURCE_VERSION_ENABLE_FLAG => node["aai-traversal-config"]["RESOURCE_VERSION_ENABLE_FLAG"], + :AAI_NOTIFICATION_CURRENT_VERSION => node["aai-traversal-config"]["AAI_NOTIFICATION_CURRENT_VERSION"], + :AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"], + :AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"], + :AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"], + :AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"], + :AAI_NOTIFICATION_EVENT_DEFAULT_VERSION => node["aai-traversal-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"], +:AAI_DEFAULT_API_VERSION => node["aai-traversal-config"]["AAI_DEFAULT_API_VERSION"] + ) + end +end + +#remote_directory "/opt/mso/etc/ecomp/mso/config/" do +# source "mso-asdc-controller-config" +# #cookbook "default is current" +# files_mode "0700" +# files_owner "jboss" +# files_group "jboss" +# mode "0755" +# owner "jboss" +# group "jboss" +# overwrite true +# recursive true +# action :create +#end + + +################ +# Alternative example1 +# This updates all the timestamps +# Seting preserve never changes the timestamp when the file is changed +###### +# ruby_block "copy_recurse" do +# block do +# FileUtils.cp_r("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/.",\ +# "/opt/mso/etc/ecomp/mso/config/", :preserve => true) +# end +# action :run +# end + +################ +# Alternative example2 +###### +# Dir.glob("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/*").sort.each do |entry| +# cookbook_file "/opt/mso/etc/ecomp/mso/config/#{entry}" do +# source entry +# owner "root" +# group "root" +# mode 0755 +# end +# end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aaiEventDMaaPPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aaiEventDMaaPPublisher.rb new file mode 100644 index 0000000000..6b66a6d40b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/aaiEventDMaaPPublisher.rb @@ -0,0 +1,14 @@ +['aaiEventDMaaPPublisher.properties'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/aaiEventDMaaPPublisher.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_DMAAP_PROTOCOL => node["aai-traversal-config"]["AAI_DMAAP_PROTOCOL"], +:AAI_DMAAP_HOST_PORT => node["aai-traversal-config"]["AAI_DMAAP_HOST_PORT"], +:AAI_DMAAP_TOPIC_NAME => node["aai-traversal-config"]["AAI_DMAAP_TOPIC_NAME"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/createConfigDirectories.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/createConfigDirectories.rb new file mode 100644 index 0000000000..9739c1a876 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/createConfigDirectories.rb @@ -0,0 +1,44 @@ +# Create or update the needed directories/links. +# If the directory already exists, it is updated to match +# +# LOGROOT should already be created by the SWM installation script +# It needs to run as root + +[ + "#{node['aai-traversal-config']['LOGROOT']}/AAI-GQ", + "#{node['aai-traversal-config']['LOGROOT']}/AAI-GQ/data", + "#{node['aai-traversal-config']['LOGROOT']}/AAI-GQ/misc", + "#{node['aai-traversal-config']['LOGROOT']}/AAI-GQ/ajsc-jetty" ].each do |path| + directory path do + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' + recursive=true + action :create + end +end + +[ "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/auth" ].each do |path| + directory path do + owner 'aaiadmin' + group 'aaiadmin' + mode '0777' + recursive=true + action :create + end +end +#Application logs +link "#{node['aai-traversal-config']['PROJECT_HOME']}/logs" do + to "#{node['aai-traversal-config']['LOGROOT']}/AAI-GQ" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' +end + +#Make a link from /opt/app/aai-traversal/scripts to /opt/app/aai-traversal/bin +link "#{node['aai-traversal-config']['PROJECT_HOME']}/scripts" do + to "#{node['aai-traversal-config']['PROJECT_HOME']}/bin" + owner 'aaiadmin' + group 'aaiadmin' + mode '0755' +end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/gremlin-server-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/gremlin-server-config.rb new file mode 100644 index 0000000000..2af775b324 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/gremlin-server-config.rb @@ -0,0 +1,11 @@ +['gremlin-server-config.yaml'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/gremlin-server-config.yaml" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:AAI_GREMLIN_SERVER_CONFIG_HOST_LIST => node["aai-traversal-config"]["AAI_GREMLIN_SERVER_CONFIG_HOST_LIST"] + ) + end +end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-cached.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-cached.rb new file mode 100644 index 0000000000..b00e6ba029 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-cached.rb @@ -0,0 +1,17 @@ +['titan-cached.properties'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/titan-cached.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:STORAGE_HOSTNAME => node["aai-traversal-config"]["STORAGE_HOSTNAME"], +:STORAGE_HBASE_TABLE => node["aai-traversal-config"]["STORAGE_HBASE_TABLE"], +:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-traversal-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"], +:DB_CACHE_CLEAN_WAIT => node["aai-traversal-config"]["DB_CACHE_CLEAN_WAIT"], +:DB_CACHE_TIME => node["aai-traversal-config"]["DB_CACHE_TIME"], +:DB_CACHE_SIZE => node["aai-traversal-config"]["DB_CACHE_SIZE"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-realtime.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-realtime.rb new file mode 100644 index 0000000000..cd6686ab2b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/recipes/titan-realtime.rb @@ -0,0 +1,14 @@ +['titan-realtime.properties'].each do |file| + template "#{node['aai-traversal-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do + source "aai-traversal-app-config/titan-realtime.properties" + owner "aaiadmin" + group "aaiadmin" + mode "0644" + variables( +:STORAGE_HOSTNAME => node["aai-traversal-config"]["STORAGE_HOSTNAME"], +:STORAGE_HBASE_TABLE => node["aai-traversal-config"]["STORAGE_HBASE_TABLE"], +:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-traversal-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] + ) + end +end + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiEventDMaaPPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiEventDMaaPPublisher.properties new file mode 100644 index 0000000000..8ad92cdf44 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiEventDMaaPPublisher.properties @@ -0,0 +1,4 @@ +Protocol=<%= @AAI_DMAAP_PROTOCOL %> +contenttype=application/json +host=<%= @AAI_DMAAP_HOST_PORT %> +topic=<%= @AAI_DMAAP_TOPIC_NAME %> diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiconfig.properties old mode 100755 new mode 100644 similarity index 64% rename from kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiconfig.properties index efeeb82216..eadc72ac28 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiconfig.properties +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/aaiconfig.properties @@ -8,61 +8,23 @@ aai.config.checktime=1000 # this could come from siteconfig.pl? aai.config.nodename=AutomaticallyOverwritten -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - aai.tools.enableBasicAuth=true aai.tools.username=AAI aai.tools.password=AAI aai.auth.cspcookies_on=false aai.dbmodel.filename=ex5.json + aai.server.url.base=<%= @AAI_SERVER_URL_BASE %> aai.server.url=<%= @AAI_SERVER_URL %> aai.global.callback.url=<%= @AAI_GLOBAL_CALLBACK_URL %> + + aai.truststore.filename=<%= @AAI_TRUSTSTORE_FILENAME %> aai.truststore.passwd.x=<%= @AAI_TRUSTSTORE_PASSWD_X %> aai.keystore.filename=<%= @AAI_KEYSTORE_FILENAME %> aai.keystore.passwd.x=<%= @AAI_KEYSTORE_PASSWD_X %> -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=<%= @STORAGE_BACKEND %> -storage.hostname=<%= @STORAGE_HOSTNAME %> -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> -storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=<%= @TXN_HBASE_TABLE_NAME %> -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=<%= @TXN_ZOOKEEPER_QUORUM %> -hbase.zookeeper.property.clientPort=<%= @TXN_ZOOKEEPER_PROPERTY_CLIENTPORT %> -hbase.zookeeper.znode.parent=<%= @TXN_HBASE_ZOOKEEPER_ZNODE_PARENT %> -hbase.column.ttl.days=<%= @HBASE_COLUMN_TTL_DAYS %> - -# single primary server -aai.primary.filetransfer.serverlist=<%= @APPLICATION_SERVERS %> -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y aai.notification.current.version=<%= @AAI_NOTIFICATION_CURRENT_VERSION %> aai.notificationEvent.default.status=<%= @AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS %> @@ -79,14 +41,35 @@ aai.default.api.version=<%= @AAI_DEFAULT_API_VERSION %> # Used by Model-processing code aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 +aai.model.query.resultset.maxcount=50 aai.model.query.timeout.sec=90 -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 aai.model.proc.max.levels=50 aai.edgeTag.proc.max.levels=50 -aai.dmaap.workload.enableEventProcessing=<%= @AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING %> \ No newline at end of file +# for transaction log +aai.logging.hbase.interceptor=true +aai.logging.hbase.enabled=true +aai.logging.hbase.logrequest=true +aai.logging.hbase.logresponse=true + +# for gremlin server +aai.server.rebind=g +hbase.table.name=<%= @TXN_HBASE_TABLE_NAME %> +hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS +hbase.zookeeper.quorum=<%= @TXN_ZOOKEEPER_QUORUM %> +hbase.zookeeper.property.clientPort=<%= @TXN_ZOOKEEPER_PROPERTY_CLIENTPORT %> +hbase.zookeeper.znode.parent=<%= @TXN_HBASE_ZOOKEEPER_ZNODE_PARENT %> + + +aai.logging.trace.enabled=true +aai.logging.trace.logrequest=false +aai.logging.trace.logresponse=false + + +aai.transaction.logging=true +aai.transaction.logging.get=false +aai.transaction.logging.post=false + + diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/gremlin-server-config.yaml b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/gremlin-server-config.yaml new file mode 100644 index 0000000000..23637a8fd4 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/gremlin-server-config.yaml @@ -0,0 +1,3 @@ +hosts: <%= @AAI_GREMLIN_SERVER_CONFIG_HOST_LIST %> +port: 8182 +serializer: { className: org.apache.tinkerpop.gremlin.driver.ser.GraphSONMessageSerializerV1d0 } \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/preferredRoute.txt b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/preferredRoute.txt old mode 100755 new mode 100644 similarity index 100% rename from kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/preferredRoute.txt rename to kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/preferredRoute.txt diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-cached.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-cached.properties new file mode 100644 index 0000000000..d6c9c2d893 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-cached.properties @@ -0,0 +1,13 @@ +# the following parameters are not reloaded automatically and require a manual bounce +query.fast-property=true +storage.backend=hbase +storage.hostname=<%= @STORAGE_HOSTNAME %> +#schema.default=none +storage.lock.wait-time=300 +storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> +storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> +#caching on +cache.db-cache = true +cache.db-cache-clean-wait = <%= @DB_CACHE_CLEAN_WAIT %> +cache.db-cache-time = <%= @DB_CACHE_TIME %> +cache.db-cache-size = <%= @DB_CACHE_SIZE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-realtime.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-realtime.properties new file mode 100644 index 0000000000..2935cc1104 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/aai-traversal-config/templates/default/aai-traversal-app-config/titan-realtime.properties @@ -0,0 +1,13 @@ +# the following parameters are not reloaded automatically and require a manual bounce +query.fast-property=true +storage.backend=hbase +storage.hostname=<%= @STORAGE_HOSTNAME %> +#schema.default=none +storage.lock.wait-time=300 +storage.hbase.table=<%= @STORAGE_HBASE_TABLE %> +storage.hbase.ext.zookeeper.znode.parent=<%= @STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT %> +# Setting db-cache to false ensure the fastest propagation of changes across servers +cache.db-cache = false +#cache.db-cache-clean-wait = 20 +#cache.db-cache-time = 180000 +#cache.db-cache-size = 0.5 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/runlist-aai-traversal.json b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/runlist-aai-traversal.json new file mode 100644 index 0000000000..8baa3e4a7b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/aai-traversal/runlist-aai-traversal.json @@ -0,0 +1,12 @@ +{ + "run_list": [ + "recipe[aai-traversal-config::createConfigDirectories]", + "recipe[aai-traversal-auth::aai-traversal-aai-keystore]", + "recipe[aai-traversal-config::aaiEventDMaaPPublisher]", + "recipe[aai-traversal-config::titan-cached]", + "recipe[aai-traversal-config::titan-realtime]", + "recipe[aai-traversal-config::gremlin-server-config]", + "recipe[aai-traversal-config::aai-traversal-config]", + "recipe[aai-traversal-config::aai-preferredRoute]" + ] +} diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/metadata.rb deleted file mode 100755 index 1cf7e8283d..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/metadata.rb +++ /dev/null @@ -1,7 +0,0 @@ -name 'ajsc-aai-auth' -maintainer 'YOUR_COMPANY_NAME' -maintainer_email 'YOUR_EMAIL' -license 'All rights reserved' -description 'Installs/Configures ajsc-aai-auth' -long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) -version '0.2.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb deleted file mode 100755 index e5c0599038..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb +++ /dev/null @@ -1,8 +0,0 @@ -cookbook_file "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/auth/aai_keystore" do - source "aai_keystore-#{node['aai-app-config']['AAIENV']}" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' - action :create -end - diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb deleted file mode 100755 index 27362496f8..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ID"] = 'aaiConsumerId' -node.default["aai-app-config"]["AAI_WORKLOAD_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_LIMIT"] = '1000' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb deleted file mode 100755 index 024ea07d53..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"] = '100' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"] = '250' -node.default["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] = '50' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb deleted file mode 100755 index 90ecf6f831..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"] = '100' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"] = '250' -node.default["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] = '50' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb deleted file mode 100755 index a6df8006ab..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb +++ /dev/null @@ -1,34 +0,0 @@ -node.default["aai-app-config"]["AAIENV"] = 'solo' -node.default["aai-app-config"]["PROJECT_HOME"] = '/opt/app/aai' -#CATALINA_BASE is PROJECT_HOME + /servers/aai -node.default["aai-app-config"]["CATALINA_BASE"] = '/servers/aai' -node.default["aai-app-config"]["LOGROOT"] = '/opt/aai/logroot' -node.default["aai-app-config"]["JAVA_HOME"] = '/usr/lib/jvm/java-8-openjdk-amd64' -node.default["aai-app-config"]["TOMCAT_SHUTDOWN_PORT_1"] = '8005' -node.default["aai-app-config"]["TOMCAT_HTTP_SERVER_PORT_1"] = '8080' -node.default["aai-app-config"]["TOMCAT_HTTPS_SERVER_PORT_1"] = '8443' -node.default["aai-app-config"]["TOMCAT_AJP13_CONNECTOR_PORT_1"] = '8009' -node.default["aai-app-config"]["AAI_SERVER_URL_BASE"] = 'https://localhost:8443/aai/' -node.default["aai-app-config"]["AAI_SERVER_URL"] = 'https://localhost:8443/aai/v8/' -node.default["aai-app-config"]["AAI_GLOBAL_CALLBACK_URL"] = 'https://localhost:8443/aai/' -node.default["aai-app-config"]["AAI_TRUSTSTORE_FILENAME"] = 'aai_keystore' -node.default["aai-app-config"]["AAI_TRUSTSTORE_PASSWD_X"] = 'OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o' -node.default["aai-app-config"]["STORAGE_HOSTNAME"] = 'localhost' -node.default["aai-app-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' -node.default["aai-app-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase-unsecure' -node.default["aai-app-config"]["TXN_HBASE_TABLE_NAME"] = 'aailogging.dev' -node.default["aai-app-config"]["TXN_ZOOKEEPER_QUORUM"] = 'localhost' -node.default["aai-app-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"] = '2181' -node.default["aai-app-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase-unsecure' -node.default["aai-app-config"]["APPLICATION_SERVERS"] = 'localhost' -node.default["aai-app-config"]["AAI_NOTIFICATION_CURRENT_VERSION"] = 'v8' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"] = 'UNPROCESSED' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"] = 'AAI-EVENT' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"] = 'application' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"] = 'aai' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"] = '0' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"] = 'NORMAL' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"] = 'v1' -node.default["aai-app-config"]["AAI_DEFAULT_API_VERSION"] = 'v8' -node.default["aai-app-config"]["AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING"] = 'false' -node.default["aai-app-config"]["HBASE_COLUMN_TTL_DAYS"] = '15' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/logback.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/logback.rb deleted file mode 100755 index 58ecdf39a1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/logback.rb +++ /dev/null @@ -1 +0,0 @@ -node.default["aai-app-config"]["ORG_OPENECOMP_AAI_LEVEL"] = 'INFO' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb deleted file mode 100755 index dec40c75c7..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb +++ /dev/null @@ -1 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] = 'MR1' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/metadata.rb deleted file mode 100755 index 26a76d5d68..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/metadata.rb +++ /dev/null @@ -1,7 +0,0 @@ -name 'ajsc-aai-config' -maintainer 'YOUR_COMPANY_NAME' -maintainer_email 'YOUR_EMAIL' -license 'All rights reserved' -description 'Installs/Configures ajsc-aai-config' -long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) -version '0.2.2' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-config.rb deleted file mode 100755 index 7cbae3aa08..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-config.rb +++ /dev/null @@ -1,89 +0,0 @@ -################ -# Update aaiconfig.properties -###### -include_recipe 'ajsc-aai-config::createConfigDirectories' - -['aaiconfig.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/#{file}" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:TOMCAT_SHUTDOWN_PORT_1 => node["aai-app-config"]["TOMCAT_SHUTDOWN_PORT_1"], -:TOMCAT_HTTP_SERVER_PORT_1 => node["aai-app-config"]["TOMCAT_HTTP_SERVER_PORT_1"], -:TOMCAT_HTTPS_SERVER_PORT_1 => node["aai-app-config"]["TOMCAT_HTTPS_SERVER_PORT_1"], -:TOMCAT_AJP13_CONNECTOR_PORT_1 => node["aai-app-config"]["TOMCAT_AJP13_CONNECTOR_PORT_1"], -:AAI_SERVER_URL_BASE => node["aai-app-config"]["AAI_SERVER_URL_BASE"], -:AAI_SERVER_URL => node["aai-app-config"]["AAI_SERVER_URL"], -:AAI_OLDSERVER_URL => node["aai-app-config"]["AAI_OLDSERVER_URL"], -:AAI_GLOBAL_CALLBACK_URL => node["aai-app-config"]["AAI_GLOBAL_CALLBACK_URL"], -:AAI_TRUSTSTORE_FILENAME => node["aai-app-config"]["AAI_TRUSTSTORE_FILENAME"], -:AAI_TRUSTSTORE_PASSWD_X => node["aai-app-config"]["AAI_TRUSTSTORE_PASSWD_X"], -:AAI_KEYSTORE_FILENAME => node["aai-app-config"]["AAI_KEYSTORE_FILENAME"], -:AAI_KEYSTORE_PASSWD_X => node["aai-app-config"]["AAI_KEYSTORE_PASSWD_X"], -:STORAGE_HOSTNAME => node["aai-app-config"]["STORAGE_HOSTNAME"], -:STORAGE_BACKEND => node["aai-app-config"]["STORAGE_BACKEND"], -:STORAGE_HBASE_TABLE => node["aai-app-config"]["STORAGE_HBASE_TABLE"], -:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-app-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"], -:HBASE_COLUMN_TTL_DAYS => node["aai-app-config"]["HBASE_COLUMN_TTL_DAYS"], -:TXN_HBASE_TABLE_NAME => node["aai-app-config"]["TXN_HBASE_TABLE_NAME"], -:TXN_ZOOKEEPER_QUORUM => node["aai-app-config"]["TXN_ZOOKEEPER_QUORUM"], -:TXN_ZOOKEEPER_PROPERTY_CLIENTPORT => node["aai-app-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"], -:TXN_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-app-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"], -:NOTIFICATION_HBASE_TABLE_NAME => node["aai-app-config"]["NOTIFICATION_HBASE_TABLE_NAME"], -:APPLICATION_SERVERS => node["aai-app-config"]["APPLICATION_SERVERS"], -:AAI_NOTIFICATION_CURRENT_VERSION => node["aai-app-config"]["AAI_NOTIFICATION_CURRENT_VERSION"], -:AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"], -:AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"], -:AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"], -:AAI_NOTIFICATION_EVENT_DEFAULT_VERSION => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"], -:RESOURCE_VERSION_ENABLE_FLAG => node["aai-app-config"]["RESOURCE_VERSION_ENABLE_FLAG"], -:AAI_DEFAULT_API_VERSION => node["aai-app-config"]["AAI_DEFAULT_API_VERSION"], -:AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING => node["aai-app-config"]["AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING"] - ) - end -end - -#remote_directory "/opt/mso/etc/ecomp/mso/config/" do -# source "mso-asdc-controller-config" -# #cookbook "default is current" -# files_mode "0700" -# files_owner "jboss" -# files_group "jboss" -# mode "0755" -# owner "jboss" -# group "jboss" -# overwrite true -# recursive true -# action :create -#end - - -################ -# Alternative example1 -# This updates all the timestamps -# Seting preserve never changes the timestamp when the file is changed -###### -# ruby_block "copy_recurse" do -# block do -# FileUtils.cp_r("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/.",\ -# "/opt/mso/etc/ecomp/mso/config/", :preserve => true) -# end -# action :run -# end - -################ -# Alternative example2 -###### -# Dir.glob("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/*").sort.each do |entry| -# cookbook_file "/opt/mso/etc/ecomp/mso/config/#{entry}" do -# source entry -# owner "root" -# group "root" -# mode 0755 -# end -# end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-logback.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-logback.rb deleted file mode 100755 index 505c44a577..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-logback.rb +++ /dev/null @@ -1,15 +0,0 @@ -################ -# Update logback.xml -###### - -['logback.xml'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/#{file}" do - source "aai-app-config/logback.erb" - owner "aaiadmin" - group "aaiadmin" - mode "0777" - variables( -:ORG_OPENECOMP_AAI_LEVEL => node["aai-app-config"]["ORG_OPENECOMP_AAI_LEVEL"] - ) - end -end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb deleted file mode 100755 index c9f4887791..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb +++ /dev/null @@ -1,11 +0,0 @@ -['preferredRoute.txt'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/preferredRoute.txt" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_PREFERRED_ROUTE_KEY => node["aai-app-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb deleted file mode 100755 index 676e5ce1e7..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb +++ /dev/null @@ -1,32 +0,0 @@ -['aaiWorkloadConsumer.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadConsumer.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_FILTER => node["aai-app-config"]["AAI_WORKLOAD_FILTER"], -:AAI_WORKLOAD_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_TOPIC"], -:AAI_WORKLOAD_ID => node["aai-app-config"]["AAI_WORKLOAD_ID"], -:AAI_WORKLOAD_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_TIMEOUT"], -:AAI_WORKLOAD_LIMIT => node["aai-app-config"]["AAI_WORKLOAD_LIMIT"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb deleted file mode 100755 index 815f29c58d..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb +++ /dev/null @@ -1,31 +0,0 @@ -['aaiWorkloadPublisher.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadPublisher.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_TOPIC"], -:AAI_WORKLOAD_MAX_BATCH_SIZE => node["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"], -:AAI_WORKLOAD_MAX_AGE_MS => node["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"], -:AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE => node["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb deleted file mode 100755 index 032737e087..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb +++ /dev/null @@ -1,31 +0,0 @@ -['aaiWorkloadStatusPublisher.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadStatusPublisher.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_MAX_BATCH_SIZE => node["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"], -:AAI_WORKLOAD_MAX_AGE_MS => node["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"], -:AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE => node["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"], -:AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb deleted file mode 100755 index eac5cd18ab..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb +++ /dev/null @@ -1,60 +0,0 @@ -# Create or update the needed directories/links. -# If the directory already exists, it is updated to match -# -# LOGROOT should already be created by the SWM installation script -# It needs to run as root - -execute "mv logs logs.bak" do - only_if { ::File.directory?("#{node['aai-app-config']['PROJECT_HOME']}/logs") } - user 'aaiadmin' - group 'aaiadmin' - cwd "#{node['aai-app-config']['PROJECT_HOME']}" -end - -[ - "#{node['aai-app-config']['LOGROOT']}/AAI", - "#{node['aai-app-config']['LOGROOT']}/AAI/data", - "#{node['aai-app-config']['LOGROOT']}/AAI/misc", - "#{node['aai-app-config']['LOGROOT']}/AAI/ajsc-jetty" ].each do |path| - directory path do - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' - recursive=true - action :create - end -end - -[ "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/auth" ].each do |path| - directory path do - owner 'aaiadmin' - group 'aaiadmin' - mode '0777' - recursive=true - action :create - end -end -#Application logs -link "#{node['aai-app-config']['PROJECT_HOME']}/logs" do - to "#{node['aai-app-config']['LOGROOT']}/AAI" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' -end - -#Make a link from /opt/app/aai/scripts to /opt/app/aai/bin -link "#{node['aai-app-config']['PROJECT_HOME']}/scripts" do - to "#{node['aai-app-config']['PROJECT_HOME']}/bin" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' -end - -#Process logs?? -#ln -s ${LOGROOT}/aai/servers/${server}/logs ${TRUE_PROJECT_HOME}/servers/${server}/logs -#link "#{node['aai-app-config']['PROJECT_HOME']}/servers/aai/logs" do -# to "#{node['aai-app-config']['LOGROOT']}/aai/servers/aai/logs" -# owner 'aaiadmin' -# group 'aaiadmin' -# mode '0755' -#end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties deleted file mode 100755 index 81b0e30034..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=GET -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_TOPIC %> -group=aaiWorkloadConsumer -id=<%= @AAI_WORKLOAD_ID %> -timeout=<%= @AAI_WORKLOAD_TIMEOUT %> -limit=<%= @AAI_WORKLOAD_LIMIT %> -filter=<%= @AAI_WORKLOAD_FILTER %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties deleted file mode 100755 index 87a47bcbc9..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=POST -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_TOPIC %> -partition=AAI_WORKLOAD -maxBatchSize=<%= @AAI_WORKLOAD_MAX_BATCH_SIZE %> -maxAgeMs=<%= @AAI_WORKLOAD_MAX_AGE_MS %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> -MessageSentThreadOccurance=<%= @AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties deleted file mode 100755 index 73cc1c98c5..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=POST -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC %> -partition=AAI_WORKLOAD -maxBatchSize=<%= @AAI_WORKLOAD_MAX_BATCH_SIZE %> -maxAgeMs=<%= @AAI_WORKLOAD_MAX_AGE_MS %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> -MessageSentThreadOccurance=<%= @AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties deleted file mode 100755 index d3165d2f9f..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties +++ /dev/null @@ -1,8 +0,0 @@ -com.att.aft.discovery.client.environment=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_ENVIRONMENT %> -com.att.aft.discovery.client.latitude=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_LATITUDE %> -com.att.aft.discovery.client.longitude=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_LONGITUDE %> -com.att.aft.alias=ecomp-aai -com.att.aft.keyStore=/opt/app/aai/bundleconfig/etc/m04353t.jks -com.att.aft.keyStorePassword=<%= @COM_ATT_AFT_KEY_STORE_PASSWORD %> -com.att.aft.trustStore=/opt/app/aai/bundleconfig/etc/m04353t.jks -com.att.aft.trustStorePassword=<%= @COM_ATT_AFT_TRUST_STORE_PASSWORD %> diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb deleted file mode 100755 index e438b89fb2..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb +++ /dev/null @@ -1,298 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/runlist-app-server.json b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/runlist-app-server.json deleted file mode 100755 index a15ddbf555..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/runlist-app-server.json +++ /dev/null @@ -1,12 +0,0 @@ -{ - "run_list": [ - "recipe[ajsc-aai-config::aai-config]", - "recipe[ajsc-aai-config::aai-logback]", - "recipe[ajsc-aai-config::aai-preferredRoute]", - "recipe[ajsc-aai-config::aaiWorkloadConsumer]", - "recipe[ajsc-aai-config::aaiWorkloadPublisher]", - "recipe[ajsc-aai-config::aaiWorkloadStatusPublisher]", - "recipe[ajsc-aai-config::createConfigDirectories]", - "recipe[ajsc-aai-auth::aai-keystore]" - ] -} diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/CHANGELOG.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/CHANGELOG.md deleted file mode 100755 index dec35205ae..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/CHANGELOG.md +++ /dev/null @@ -1,13 +0,0 @@ -user CHANGELOG -============== - -This file is used to list changes made in each version of the user cookbook. - -0.1.0 ------ -- [your_name] - Initial release of user - -- - - -Check the [Markdown Syntax Guide](http://daringfireball.net/projects/markdown/syntax) for help with Markdown. - -The [Github Flavored Markdown page](http://github.github.com/github-flavored-markdown/) describes the differences between markdown on github and standard markdown. diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/README.md b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/README.md deleted file mode 100755 index 7d85a9f0ee..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/README.md +++ /dev/null @@ -1,42 +0,0 @@ -user Cookbook -============= -Configures users and mechids - -Requirements ------------- - -Attributes ----------- -#### user::mech_users - - - - - - - - - - - - - -
KeyTypeDescriptionDefault
['aai-app-config']['mech-ids']HashMech ID, is the mech ID enabled?, shoud the cookbook update the key?true
- -Usage ------ -#### user::default -Just include `user` in your node's `run_list`: - -```json -{ - "name":"my_node", - "run_list": [ - "recipe[user]" - ] -} -``` - -License and Authors -------------------- -Authors: AT&T A&AI diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/metadata.rb deleted file mode 100755 index 9a97b5f711..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/metadata.rb +++ /dev/null @@ -1,7 +0,0 @@ -name 'user' -maintainer 'AT&T' -maintainer_email 'id@xxx.com' -license 'All rights reserved' -description 'Configures Users and Mech Ids' -long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) -version '0.1.9' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/recipes/default.rb b/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/recipes/default.rb deleted file mode 100755 index 20c5ac3a98..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/cookbooks/user/recipes/default.rb +++ /dev/null @@ -1,33 +0,0 @@ -# -# Cookbook Name:: user -# Recipe:: default -# -# Copyright 2015, AT&T -# -# All rights reserved - Do Not Redistribute -# -group 'aaiadmin' do - append true -#gid 492381 - members members ['aaiadmin'] - action :create -end - -user 'aaiadmin' do - comment "A&AI Application User" - gid "aaiadmin" - home "/opt/aaihome/aaiadmin" - manage_home true - non_unique false - shell "/bin/ksh" -#uid 341790 - username "aaiadmin" - ignore_failure true - action :create -end -directory "/opt/aaihome/aaiadmin" do - owner 'aaiadmin' - group 'aaiadmin' - mode "0755" - ignore_failure true -end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-config/nodes/chef-node.json b/kubernetes/config/docker/init/src/config/aai/aai-config/nodes/chef-node.json deleted file mode 100755 index a73f636b15..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-config/nodes/chef-node.json +++ /dev/null @@ -1,6798 +0,0 @@ -{ - "name": "chef-node", - "chef_environment": "simpledemo", - "normal": { - "tags": [ - - ] - }, - "default": { - "aai-app-config": { - "AAI_WORKLOAD_SERVICE_NAME": "", - "AAI_WORKLOAD_ENVIRONMENT": "TEST", - "AAI_WORKLOAD_USERNAME": "", - "AAI_WORKLOAD_PASSWORD": "", - "AAI_WORKLOAD_HOST": "", - "AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS": "", - "AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS": "", - "AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON": "true", - "AAI_WORKLOAD_AFT_ENVIRONMENT": "AFTUAT", - "AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT": "15000", - "AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS": "240000", - "AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS": "50000", - "AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED": "no", - "AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH": "/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt", - "AAI_WORKLOAD_PARTNER": "BOT_R", - "AAI_WORKLOAD_ROUTE_OFFER": "MR1", - "AAI_WORKLOAD_PROTOCOL": "http", - "AAI_WORKLOAD_TOPIC": "", - "AAI_WORKLOAD_ID": "aaiConsumerId", - "AAI_WORKLOAD_TIMEOUT": "15000", - "AAI_WORKLOAD_LIMIT": "1000", - "AAI_WORKLOAD_MAX_BATCH_SIZE": "100", - "AAI_WORKLOAD_MAX_AGE_MS": "250", - "AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE": "50", - "AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC": "", - "AAIENV": "simpledemo", - "PROJECT_HOME": "/opt/app/aai", - "CATALINA_BASE": "/servers/aai", - "LOGROOT": "/opt/aai/logroot", - "JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", - "TOMCAT_SHUTDOWN_PORT_1": "8005", - "TOMCAT_HTTP_SERVER_PORT_1": "8080", - "TOMCAT_HTTPS_SERVER_PORT_1": "8443", - "TOMCAT_AJP13_CONNECTOR_PORT_1": "8009", - "AAI_SERVER_URL_BASE": "https://aai-service.onap-aai:8443/aai/", - "AAI_SERVER_URL": "https://aai-service.onap-aai:8443/aai/v8/", - "AAI_GLOBAL_CALLBACK_URL": "https://aai-service.onap-aai:8443/aai/", - "AAI_TRUSTSTORE_FILENAME": "aai_keystore", - "AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", - "STORAGE_HOSTNAME": "hbase", - "STORAGE_HBASE_TABLE": "aaigraph.dev", - "STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", - "TXN_HBASE_TABLE_NAME": "aailogging.dev", - "TXN_ZOOKEEPER_QUORUM": "hbase", - "TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", - "TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", - "APPLICATION_SERVERS": "aai-service.onap-aai", - "AAI_NOTIFICATION_CURRENT_VERSION": "v8", - "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", - "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", - "AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", - "AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", - "AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", - "AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", - "AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v8", - "AAI_DEFAULT_API_VERSION": "v8", - "AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING": "false", - "HBASE_COLUMN_TTL_DAYS": "15", - "ORG_OPENECOMP_AAI_LEVEL": "INFO", - "AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1", - "SERVICE_API_VERSION": "1.0.1", - "SOA_CLOUD_NAMESPACE": "org.openecomp.aai", - "AJSC_SERVICE_NAMESPACE": "ActiveAndAvailableInventory-CloudNetwork", - "AFTSWM_ACTION_ARTIFACT_NAME": "ajsc-aai", - "AJSC_JETTY_ThreadCount_MAX": "500", - "AJSC_JETTY_ThreadCount_MIN": "10", - "AJSC_SSL_PORT": "8443", - "AJSC_SVC_PORT": "8080", - "KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", - "KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", - "MAX_HEAP_SIZE": "2056m", - "MAX_PERM_SIZE": "512M", - "MIN_HEAP_SIZE": "2056m", - "PERM_SIZE": "512M", - "PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", - "AAI_KEYSTORE_FILENAME": "aai_keystore", - "AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", - "STORAGE_BACKEND": "hbase", - "RESOURCE_VERSION_ENABLE_FLAG": "true" - } - }, - "automatic": { - "cpu": { - "0": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "0", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "1": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "1", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "2": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "2", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "3": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "8", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "4": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "9", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "5": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "10", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "6": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "0", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "7": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "1", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "8": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "2", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "9": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "8", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "10": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "9", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "11": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "10", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "12": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "0", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "13": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "1", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "14": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "2", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "15": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "8", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "16": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "9", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "17": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "0", - "core_id": "10", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "18": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "0", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "19": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "1", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "20": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "2", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "21": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "8", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "22": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "9", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "23": { - "vendor_id": "GenuineIntel", - "family": "6", - "model": "44", - "model_name": "Intel(R) Xeon(R) CPU E5645 @ 2.40GHz", - "stepping": "2", - "mhz": "2394.000", - "cache_size": "12288 KB", - "physical_id": "1", - "core_id": "10", - "cores": "6", - "flags": [ - "fpu", - "vme", - "de", - "pse", - "tsc", - "msr", - "pae", - "mce", - "cx8", - "apic", - "sep", - "mtrr", - "pge", - "mca", - "cmov", - "pat", - "pse36", - "clflush", - "dts", - "acpi", - "mmx", - "fxsr", - "sse", - "sse2", - "ss", - "ht", - "tm", - "pbe", - "syscall", - "nx", - "pdpe1gb", - "rdtscp", - "lm", - "constant_tsc", - "arch_perfmon", - "pebs", - "bts", - "rep_good", - "nopl", - "xtopology", - "nonstop_tsc", - "aperfmperf", - "pni", - "pclmulqdq", - "dtes64", - "monitor", - "ds_cpl", - "vmx", - "smx", - "est", - "tm2", - "ssse3", - "cx16", - "xtpr", - "pdcm", - "pcid", - "dca", - "sse4_1", - "sse4_2", - "popcnt", - "aes", - "lahf_lm", - "arat", - "epb", - "dtherm", - "tpr_shadow", - "vnmi", - "flexpriority", - "ept", - "vpid" - ] - }, - "total": 24, - "real": 2, - "cores": 12 - }, - "filesystem": { - "/dev/mapper/docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2": { - "kb_size": "10474496", - "kb_used": "1206940", - "kb_available": "9267556", - "percent_used": "12%", - "mount": "/", - "total_inodes": "10484736", - "inodes_used": "63867", - "inodes_available": "10420869", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "nouuid", - "attr2", - "inode64", - "logbsize=64k", - "sunit=128", - "swidth=128", - "noquota" - ] - }, - "tmpfs": { - "kb_size": "16384128", - "kb_used": "12", - "kb_available": "16384116", - "percent_used": "1%", - "mount": "/proc/sched_debug", - "total_inodes": "4096032", - "inodes_used": "9", - "inodes_available": "4096023", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "/dev/mapper/VolGroup00-root": { - "kb_size": "124944788", - "kb_used": "46038512", - "kb_available": "78906276", - "percent_used": "37%", - "mount": "/opt/aai/logroot/AAI", - "total_inodes": "125005824", - "inodes_used": "59710", - "inodes_available": "124946114", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "shm": { - "kb_size": "65536", - "kb_used": "0", - "kb_available": "65536", - "percent_used": "0%", - "mount": "/dev/shm", - "total_inodes": "4096032", - "inodes_used": "1", - "inodes_available": "4096031", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime", - "size=65536k" - ] - }, - "proc": { - "mount": "/proc/sysrq-trigger", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "devpts": { - "mount": "/dev/pts", - "fs_type": "devpts", - "mount_options": [ - "rw", - "nosuid", - "noexec", - "relatime", - "gid=5", - "mode=620", - "ptmxmode=666" - ] - }, - "sysfs": { - "mount": "/sys", - "fs_type": "sysfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "cgroup": { - "mount": "/sys/fs/cgroup/net_cls", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "net_cls" - ] - }, - "mqueue": { - "mount": "/dev/mqueue", - "fs_type": "mqueue", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "rootfs": { - "mount": "/", - "fs_type": "rootfs", - "mount_options": [ - "rw" - ] - } - }, - "kernel": { - "name": "Linux", - "release": "3.10.0-327.el7.x86_64", - "version": "#1 SMP Thu Oct 29 17:29:29 EDT 2015", - "machine": "x86_64", - "processor": "x86_64", - "os": "GNU/Linux", - "modules": { - "nf_log_ipv4": { - "size": "12767", - "refcount": "1" - }, - "nf_log_common": { - "size": "13317", - "refcount": "1" - }, - "xt_LOG": { - "size": "12690", - "refcount": "1" - }, - "nfsv3": { - "size": "39436", - "refcount": "0" - }, - "binfmt_misc": { - "size": "17468", - "refcount": "1" - }, - "rpcsec_gss_krb5": { - "size": "31477", - "refcount": "0" - }, - "nfsv4": { - "size": "501078", - "refcount": "1" - }, - "dns_resolver": { - "size": "13140", - "refcount": "1" - }, - "nfs": { - "size": "251822", - "refcount": "3" - }, - "fscache": { - "size": "64987", - "refcount": "2" - }, - "xt_recent": { - "size": "18542", - "refcount": "2" - }, - "xt_comment": { - "size": "12504", - "refcount": "168" - }, - "nf_conntrack_netlink": { - "size": "36150", - "refcount": "0" - }, - "nfnetlink": { - "size": "14606", - "refcount": "1" - }, - "xt_nat": { - "size": "12681", - "refcount": "13" - }, - "xt_mark": { - "size": "12563", - "refcount": "8" - }, - "xfrm6_mode_tunnel": { - "size": "13227", - "refcount": "0" - }, - "xfrm4_mode_tunnel": { - "size": "13227", - "refcount": "0" - }, - "esp4": { - "size": "17175", - "refcount": "0" - }, - "drbg": { - "size": "30280", - "refcount": "1" - }, - "ansi_cprng": { - "size": "12989", - "refcount": "0" - }, - "iptable_nat": { - "size": "12875", - "refcount": "2" - }, - "nf_nat_ipv4": { - "size": "14115", - "refcount": "1" - }, - "iptable_filter": { - "size": "12810", - "refcount": "1" - }, - "ip_tables": { - "size": "27240", - "refcount": "2" - }, - "veth": { - "size": "13365", - "refcount": "0" - }, - "ipt_REJECT": { - "size": "12541", - "refcount": "35" - }, - "ipt_MASQUERADE": { - "size": "12678", - "refcount": "9" - }, - "nf_nat_masquerade_ipv4": { - "size": "13412", - "refcount": "1" - }, - "nf_conntrack_ipv4": { - "size": "14862", - "refcount": "4" - }, - "nf_defrag_ipv4": { - "size": "12729", - "refcount": "1" - }, - "xt_addrtype": { - "size": "12635", - "refcount": "10" - }, - "xt_conntrack": { - "size": "12760", - "refcount": "3" - }, - "nf_nat": { - "size": "26146", - "refcount": "3" - }, - "nf_conntrack": { - "size": "105745", - "refcount": "6" - }, - "bridge": { - "size": "119562", - "refcount": "0", - "version": "2.3" - }, - "stp": { - "size": "12976", - "refcount": "1" - }, - "llc": { - "size": "14552", - "refcount": "2" - }, - "dm_thin_pool": { - "size": "65489", - "refcount": "62" - }, - "dm_persistent_data": { - "size": "62805", - "refcount": "1" - }, - "dm_bio_prison": { - "size": "15907", - "refcount": "1" - }, - "dm_bufio": { - "size": "28011", - "refcount": "1" - }, - "loop": { - "size": "28121", - "refcount": "4" - }, - "vfat": { - "size": "17411", - "refcount": "1" - }, - "fat": { - "size": "65913", - "refcount": "1" - }, - "intel_powerclamp": { - "size": "18648", - "refcount": "0" - }, - "cdc_ether": { - "size": "14351", - "refcount": "0" - }, - "ipmi_ssif": { - "size": "23695", - "refcount": "0" - }, - "usbnet": { - "size": "43956", - "refcount": "1" - }, - "coretemp": { - "size": "13435", - "refcount": "0" - }, - "kvm_intel": { - "size": "162153", - "refcount": "0" - }, - "kvm": { - "size": "525259", - "refcount": "1" - }, - "pcspkr": { - "size": "12718", - "refcount": "0" - }, - "mii": { - "size": "13934", - "refcount": "1" - }, - "crc32_pclmul": { - "size": "13113", - "refcount": "0" - }, - "ghash_clmulni_intel": { - "size": "13259", - "refcount": "0" - }, - "aesni_intel": { - "size": "69884", - "refcount": "1" - }, - "lrw": { - "size": "13286", - "refcount": "1" - }, - "ipmi_devintf": { - "size": "17572", - "refcount": "0" - }, - "gf128mul": { - "size": "14951", - "refcount": "1" - }, - "glue_helper": { - "size": "13990", - "refcount": "1" - }, - "ablk_helper": { - "size": "13597", - "refcount": "1" - }, - "sg": { - "size": "40721", - "refcount": "0", - "version": "3.5.36" - }, - "cryptd": { - "size": "20359", - "refcount": "3" - }, - "iTCO_wdt": { - "size": "13480", - "refcount": "0", - "version": "1.11" - }, - "ioatdma": { - "size": "67758", - "refcount": "0", - "version": "4.00" - }, - "ipmi_si": { - "size": "53524", - "refcount": "0" - }, - "iTCO_vendor_support": { - "size": "13718", - "refcount": "1", - "version": "1.04" - }, - "ipmi_msghandler": { - "size": "46609", - "refcount": "3", - "version": "39.2" - }, - "i7core_edac": { - "size": "24166", - "refcount": "0" - }, - "i2c_i801": { - "size": "18134", - "refcount": "0" - }, - "lpc_ich": { - "size": "21073", - "refcount": "0" - }, - "edac_core": { - "size": "57922", - "refcount": "2" - }, - "mfd_core": { - "size": "13435", - "refcount": "1" - }, - "shpchp": { - "size": "37032", - "refcount": "0" - }, - "dca": { - "size": "15130", - "refcount": "1", - "version": "1.12.1" - }, - "acpi_cpufreq": { - "size": "19393", - "refcount": "0" - }, - "nfsd": { - "size": "302418", - "refcount": "13" - }, - "auth_rpcgss": { - "size": "59343", - "refcount": "2" - }, - "nfs_acl": { - "size": "12837", - "refcount": "2" - }, - "lockd": { - "size": "93600", - "refcount": "3" - }, - "grace": { - "size": "13295", - "refcount": "2" - }, - "sunrpc": { - "size": "300464", - "refcount": "29" - }, - "xfs": { - "size": "939662", - "refcount": "63" - }, - "libcrc32c": { - "size": "12644", - "refcount": "2" - }, - "sd_mod": { - "size": "45497", - "refcount": "4" - }, - "crc_t10dif": { - "size": "12714", - "refcount": "1" - }, - "crct10dif_generic": { - "size": "12647", - "refcount": "0" - }, - "mgag200": { - "size": "41467", - "refcount": "1" - }, - "syscopyarea": { - "size": "12529", - "refcount": "1" - }, - "sysfillrect": { - "size": "12701", - "refcount": "1" - }, - "sysimgblt": { - "size": "12640", - "refcount": "1" - }, - "i2c_algo_bit": { - "size": "13413", - "refcount": "1" - }, - "drm_kms_helper": { - "size": "125008", - "refcount": "1" - }, - "ttm": { - "size": "93441", - "refcount": "1" - }, - "crct10dif_pclmul": { - "size": "14289", - "refcount": "1" - }, - "crct10dif_common": { - "size": "12595", - "refcount": "3" - }, - "drm": { - "size": "349210", - "refcount": "4" - }, - "crc32c_intel": { - "size": "22079", - "refcount": "1" - }, - "mptsas": { - "size": "62268", - "refcount": "3", - "version": "3.04.20" - }, - "serio_raw": { - "size": "13462", - "refcount": "0" - }, - "scsi_transport_sas": { - "size": "41034", - "refcount": "1" - }, - "mptscsih": { - "size": "40150", - "refcount": "1", - "version": "3.04.20" - }, - "mptbase": { - "size": "105960", - "refcount": "2", - "version": "3.04.20" - }, - "i2c_core": { - "size": "40582", - "refcount": "6" - }, - "bnx2": { - "size": "89215", - "refcount": "0", - "version": "2.2.6" - }, - "dm_mirror": { - "size": "22135", - "refcount": "0" - }, - "dm_region_hash": { - "size": "20862", - "refcount": "1" - }, - "dm_log": { - "size": "18411", - "refcount": "2" - }, - "dm_mod": { - "size": "113292", - "refcount": "136" - } - } - }, - "memory": { - "swap": { - "cached": "6084kB", - "total": "16809980kB", - "free": "16798844kB" - }, - "hugepages": { - "total": "0", - "free": "0", - "reserved": "0", - "surplus": "0" - }, - "total": "32768260kB", - "free": "13104736kB", - "buffers": "1156kB", - "cached": "13241476kB", - "active": "7816540kB", - "inactive": "10018924kB", - "dirty": "247552kB", - "writeback": "4kB", - "anon_pages": "4569208kB", - "mapped": "381016kB", - "slab": "1003808kB", - "slab_reclaimable": "719424kB", - "slab_unreclaim": "284384kB", - "page_tables": "38108kB", - "nfs_unstable": "0kB", - "bounce": "0kB", - "commit_limit": "33194108kB", - "committed_as": "31724736kB", - "vmalloc_total": "34359738367kB", - "vmalloc_used": "471744kB", - "vmalloc_chunk": "34342041528kB", - "hugepage_size": "2048kB" - }, - "network": { - "interfaces": { - "lo": { - "mtu": "65536", - "flags": [ - "LOOPBACK", - "UP", - "LOWER_UP" - ], - "encapsulation": "Loopback", - "addresses": { - "127.0.0.1": { - "family": "inet", - "prefixlen": "8", - "netmask": "255.0.0.0", - "scope": "Node" - }, - "::1": { - "family": "inet6", - "prefixlen": "128", - "scope": "Node", - "tags": [ - - ] - } - }, - "state": "unknown" - }, - "eth0": { - "type": "eth", - "number": "0", - "mtu": "1402", - "flags": [ - "BROADCAST", - "MULTICAST", - "UP", - "LOWER_UP" - ], - "encapsulation": "Ethernet", - "addresses": { - "02:ED:02:D3:02:0F": { - "family": "lladdr" - }, - "10.42.48.16": { - "family": "inet", - "prefixlen": "16", - "netmask": "255.255.0.0", - "scope": "Global" - }, - "fe80::b8ba:d4ff:fe5d:60f6": { - "family": "inet6", - "prefixlen": "64", - "scope": "Link", - "tags": [ - "tentative", - "dadfailed" - ] - } - }, - "state": "up", - "arp": { - "10.42.68.233": "02:ed:02:98:77:b4", - "10.42.0.1": "02:42:41:72:e1:2f" - }, - "routes": [ - { - "destination": "default", - "family": "inet", - "via": "10.42.0.1" - }, - { - "destination": "10.42.0.0/16", - "family": "inet", - "scope": "link", - "proto": "kernel", - "src": "10.42.48.16" - }, - { - "destination": "169.254.169.250", - "family": "inet", - "via": "10.42.0.1" - }, - { - "destination": "fe80::/64", - "family": "inet6", - "metric": "256", - "proto": "kernel" - } - ] - } - }, - "default_interface": "eth0", - "default_gateway": "10.42.0.1" - }, - "counters": { - "network": { - "interfaces": { - "lo": { - "rx": { - "bytes": "0", - "packets": "0", - "errors": "0", - "drop": "0", - "overrun": "0" - }, - "tx": { - "bytes": "0", - "packets": "0", - "errors": "0", - "drop": "0", - "carrier": "0", - "collisions": "0" - } - }, - "eth0": { - "rx": { - "bytes": "52862", - "packets": "62", - "errors": "0", - "drop": "0", - "overrun": "0" - }, - "tx": { - "bytes": "5712", - "packets": "26", - "errors": "0", - "drop": "0", - "carrier": "0", - "collisions": "0" - } - } - } - } - }, - "ipaddress": "10.42.48.16", - "macaddress": "02:ED:02:D3:02:0F", - "ip6address": "fe80::b8ba:d4ff:fe5d:60f6", - "os": "linux", - "os_version": "3.10.0-327.el7.x86_64", - "lsb": { - "id": "Ubuntu", - "release": "14.04", - "codename": "trusty", - "description": "Ubuntu 14.04.5 LTS" - }, - "platform": "ubuntu", - "platform_version": "14.04", - "platform_family": "debian", - "uptime_seconds": 3668582, - "uptime": "42 days 11 hours 03 minutes 02 seconds", - "idletime_seconds": 86056264, - "idletime": "996 days 00 hours 31 minutes 04 seconds", - "virtualization": { - "systems": { - "kvm": "host", - "docker": "guest" - }, - "system": "docker", - "role": "guest" - }, - "languages": { - "java": { - "version": "1.8.0_111", - "runtime": { - "name": "OpenJDK Runtime Environment", - "build": "1.8.0_111-8u111-b14-3~14.04.1-b14" - }, - "hotspot": { - "name": "OpenJDK 64-Bit Server VM", - "build": "25.111-b14, mixed mode" - } - }, - "perl": { - "version": "5.18.2", - "archname": "x86_64-linux-gnu-thread-multi" - }, - "ruby": { - "platform": "x86_64-linux", - "version": "2.1.8", - "release_date": "2015-12-16", - "target": "x86_64-pc-linux-gnu", - "target_cpu": "x86_64", - "target_vendor": "pc", - "target_os": "linux", - "host": "x86_64-pc-linux-gnu", - "host_cpu": "x86_64", - "host_os": "linux-gnu", - "host_vendor": "pc", - "bin_dir": "/opt/chefdk/embedded/bin", - "ruby_bin": "/opt/chefdk/embedded/bin/ruby", - "gems_dir": "/opt/chefdk/embedded/lib/ruby/gems/2.1.0", - "gem_bin": "/opt/chefdk/embedded/bin/gem" - } - }, - "chef_packages": { - "chef": { - "version": "12.13.37", - "chef_root": "/opt/chefdk/embedded/lib/ruby/gems/2.1.0/gems/chef-12.13.37/lib" - }, - "ohai": { - "version": "8.19.1", - "ohai_root": "/opt/chefdk/embedded/lib/ruby/gems/2.1.0/gems/ohai-8.19.1/lib/ohai" - } - }, - "dmi": { - - }, - "etc": { - "passwd": { - "root": { - "dir": "/root", - "gid": 0, - "uid": 0, - "shell": "/bin/bash", - "gecos": "root" - }, - "daemon": { - "dir": "/usr/sbin", - "gid": 1, - "uid": 1, - "shell": "/usr/sbin/nologin", - "gecos": "daemon" - }, - "bin": { - "dir": "/bin", - "gid": 2, - "uid": 2, - "shell": "/usr/sbin/nologin", - "gecos": "bin" - }, - "sys": { - "dir": "/dev", - "gid": 3, - "uid": 3, - "shell": "/usr/sbin/nologin", - "gecos": "sys" - }, - "sync": { - "dir": "/bin", - "gid": 65534, - "uid": 4, - "shell": "/bin/sync", - "gecos": "sync" - }, - "games": { - "dir": "/usr/games", - "gid": 60, - "uid": 5, - "shell": "/usr/sbin/nologin", - "gecos": "games" - }, - "man": { - "dir": "/var/cache/man", - "gid": 12, - "uid": 6, - "shell": "/usr/sbin/nologin", - "gecos": "man" - }, - "lp": { - "dir": "/var/spool/lpd", - "gid": 7, - "uid": 7, - "shell": "/usr/sbin/nologin", - "gecos": "lp" - }, - "mail": { - "dir": "/var/mail", - "gid": 8, - "uid": 8, - "shell": "/usr/sbin/nologin", - "gecos": "mail" - }, - "news": { - "dir": "/var/spool/news", - "gid": 9, - "uid": 9, - "shell": "/usr/sbin/nologin", - "gecos": "news" - }, - "uucp": { - "dir": "/var/spool/uucp", - "gid": 10, - "uid": 10, - "shell": "/usr/sbin/nologin", - "gecos": "uucp" - }, - "proxy": { - "dir": "/bin", - "gid": 13, - "uid": 13, - "shell": "/usr/sbin/nologin", - "gecos": "proxy" - }, - "www-data": { - "dir": "/var/www", - "gid": 33, - "uid": 33, - "shell": "/usr/sbin/nologin", - "gecos": "www-data" - }, - "backup": { - "dir": "/var/backups", - "gid": 34, - "uid": 34, - "shell": "/usr/sbin/nologin", - "gecos": "backup" - }, - "list": { - "dir": "/var/list", - "gid": 38, - "uid": 38, - "shell": "/usr/sbin/nologin", - "gecos": "Mailing List Manager" - }, - "irc": { - "dir": "/var/run/ircd", - "gid": 39, - "uid": 39, - "shell": "/usr/sbin/nologin", - "gecos": "ircd" - }, - "gnats": { - "dir": "/var/lib/gnats", - "gid": 41, - "uid": 41, - "shell": "/usr/sbin/nologin", - "gecos": "Gnats Bug-Reporting System (admin)" - }, - "nobody": { - "dir": "/nonexistent", - "gid": 65534, - "uid": 65534, - "shell": "/usr/sbin/nologin", - "gecos": "nobody" - }, - "libuuid": { - "dir": "/var/lib/libuuid", - "gid": 101, - "uid": 100, - "shell": "", - "gecos": "" - }, - "syslog": { - "dir": "/home/syslog", - "gid": 104, - "uid": 101, - "shell": "/bin/false", - "gecos": "" - }, - "aaiadmin": { - "dir": "/opt/aaihome/aaiadmin", - "gid": 1000, - "uid": 1000, - "shell": "/bin/bash", - "gecos": "" - } - }, - "group": { - "root": { - "gid": 0, - "members": [ - - ] - }, - "daemon": { - "gid": 1, - "members": [ - - ] - }, - "bin": { - "gid": 2, - "members": [ - - ] - }, - "sys": { - "gid": 3, - "members": [ - - ] - }, - "adm": { - "gid": 4, - "members": [ - "syslog" - ] - }, - "tty": { - "gid": 5, - "members": [ - - ] - }, - "disk": { - "gid": 6, - "members": [ - - ] - }, - "lp": { - "gid": 7, - "members": [ - - ] - }, - "mail": { - "gid": 8, - "members": [ - - ] - }, - "news": { - "gid": 9, - "members": [ - - ] - }, - "uucp": { - "gid": 10, - "members": [ - - ] - }, - "man": { - "gid": 12, - "members": [ - - ] - }, - "proxy": { - "gid": 13, - "members": [ - - ] - }, - "kmem": { - "gid": 15, - "members": [ - - ] - }, - "dialout": { - "gid": 20, - "members": [ - - ] - }, - "fax": { - "gid": 21, - "members": [ - - ] - }, - "voice": { - "gid": 22, - "members": [ - - ] - }, - "cdrom": { - "gid": 24, - "members": [ - - ] - }, - "floppy": { - "gid": 25, - "members": [ - - ] - }, - "tape": { - "gid": 26, - "members": [ - - ] - }, - "sudo": { - "gid": 27, - "members": [ - - ] - }, - "audio": { - "gid": 29, - "members": [ - - ] - }, - "dip": { - "gid": 30, - "members": [ - - ] - }, - "www-data": { - "gid": 33, - "members": [ - - ] - }, - "backup": { - "gid": 34, - "members": [ - - ] - }, - "operator": { - "gid": 37, - "members": [ - - ] - }, - "list": { - "gid": 38, - "members": [ - - ] - }, - "irc": { - "gid": 39, - "members": [ - - ] - }, - "src": { - "gid": 40, - "members": [ - - ] - }, - "gnats": { - "gid": 41, - "members": [ - - ] - }, - "shadow": { - "gid": 42, - "members": [ - - ] - }, - "utmp": { - "gid": 43, - "members": [ - - ] - }, - "video": { - "gid": 44, - "members": [ - - ] - }, - "sasl": { - "gid": 45, - "members": [ - - ] - }, - "plugdev": { - "gid": 46, - "members": [ - - ] - }, - "staff": { - "gid": 50, - "members": [ - - ] - }, - "games": { - "gid": 60, - "members": [ - - ] - }, - "users": { - "gid": 100, - "members": [ - - ] - }, - "nogroup": { - "gid": 65534, - "members": [ - - ] - }, - "libuuid": { - "gid": 101, - "members": [ - - ] - }, - "netdev": { - "gid": 102, - "members": [ - - ] - }, - "crontab": { - "gid": 103, - "members": [ - - ] - }, - "syslog": { - "gid": 104, - "members": [ - - ] - }, - "ssh": { - "gid": 105, - "members": [ - - ] - }, - "aaiadmin": { - "gid": 1000, - "members": [ - - ] - } - } - }, - "current_user": "aaiadmin", - "cloud_v2": null, - "command": { - "ps": "ps -ef" - }, - "filesystem2": { - "by_device": { - "/dev/mapper/docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2": { - "kb_size": "10474496", - "kb_used": "1206940", - "kb_available": "9267556", - "percent_used": "12%", - "total_inodes": "10484736", - "inodes_used": "63868", - "inodes_available": "10420868", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "nouuid", - "attr2", - "inode64", - "logbsize=64k", - "sunit=128", - "swidth=128", - "noquota" - ], - "mounts": [ - "/" - ] - }, - "tmpfs": { - "kb_size": "16384128", - "kb_used": "12", - "kb_available": "16384116", - "percent_used": "1%", - "total_inodes": "4096032", - "inodes_used": "9", - "inodes_available": "4096023", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "mounts": [ - "/dev", - "/sys/fs/cgroup", - "/run/secrets/kubernetes.io/serviceaccount", - "/proc/kcore", - "/proc/timer_list", - "/proc/timer_stats", - "/proc/sched_debug" - ] - }, - "/dev/mapper/VolGroup00-root": { - "kb_size": "124944788", - "kb_used": "46040860", - "kb_available": "78903928", - "percent_used": "37%", - "total_inodes": "125005824", - "inodes_used": "59721", - "inodes_available": "124946103", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "mounts": [ - "/var/chef", - "/dev/termination-log", - "/etc/hosts", - "/etc/resolv.conf", - "/etc/hostname", - "/etc/ssl/certs", - "/opt/aai/logroot", - "/opt/aai/logroot/AAI" - ] - }, - "shm": { - "kb_size": "65536", - "kb_used": "0", - "kb_available": "65536", - "percent_used": "0%", - "total_inodes": "4096032", - "inodes_used": "1", - "inodes_available": "4096031", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime", - "size=65536k" - ], - "mounts": [ - "/dev/shm" - ] - }, - "proc": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "mounts": [ - "/proc", - "/proc/bus", - "/proc/fs", - "/proc/irq", - "/proc/sys", - "/proc/sysrq-trigger" - ] - }, - "devpts": { - "fs_type": "devpts", - "mount_options": [ - "rw", - "nosuid", - "noexec", - "relatime", - "gid=5", - "mode=620", - "ptmxmode=666" - ], - "mounts": [ - "/dev/pts" - ] - }, - "sysfs": { - "fs_type": "sysfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "mounts": [ - "/sys" - ] - }, - "cgroup": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "net_cls" - ], - "mounts": [ - "/sys/fs/cgroup/systemd", - "/sys/fs/cgroup/hugetlb", - "/sys/fs/cgroup/cpuset", - "/sys/fs/cgroup/perf_event", - "/sys/fs/cgroup/devices", - "/sys/fs/cgroup/memory", - "/sys/fs/cgroup/freezer", - "/sys/fs/cgroup/cpuacct,cpu", - "/sys/fs/cgroup/blkio", - "/sys/fs/cgroup/net_cls" - ] - }, - "mqueue": { - "fs_type": "mqueue", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "mounts": [ - "/dev/mqueue" - ] - }, - "sda": { - "mounts": [ - - ] - }, - "sda1": { - "mounts": [ - - ] - }, - "sda2": { - "mounts": [ - - ] - }, - "sda3": { - "mounts": [ - - ] - }, - "VolGroup00-root": { - "mounts": [ - - ] - }, - "VolGroup00-swap": { - "mounts": [ - - ] - }, - "loop0": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-pool": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-c28b1956606e2362d5973a45b6e4cd449a6e3dfde835051b8189baa07ab90677": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-76ee6f1f15bcf383b12d5700114ab6976ec1ca9ba17e58263f6c283b78999f2d": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-0a8e3f16abf8bcebf54192b6179d5a1b33d9b5a64d9c4f7672d3c3c2bd061695": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-d0cf37f9160f95c1689e1098d0f422e57b42c59bbd3d068b0c845c9fb73cbeab": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-95f4626492d00b64dc651d5a21ebaf8390c95643487dd6e780a6afb8c786793c": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-afcd876e6ad1baf2ef6357b7ae2bdf41e907f87dd51d9028e4b37da20d3b30aa": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-2758942c95b0dfff3e49e95e36aef81bfc0f7dbbcf8e95b33eac58fabe923a1c": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-3f656d48ab6bcf5cd851a63d76d6ddb0f52538864a3798904873a094074ca1aa": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-b11f14bb9de62a6986c071961d7b364b16719571fa7a961eaddd842f9e7acaec": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-6c228fff231eda3fd92083bd5af152c83f86c0e22472ab1406f8dd3dc045be0a": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-bedcab452c8d9a93f45ff84d2bb0bca5470abf2bec8d757425185683eb683477": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-afb725c0d5cda8a67beef1dc153d6a01def460488208b762fb304b20f560d7e2": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-50d30b9365b9e1f5f9ee091b618e3256512a19c37baa6e637097439c0dc8bc12": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-0321e66c14e6a11d3c6b1e7d78068ddaa88d5d20e6ec9c7f79526d7da10074a0": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-49153b02f8582a70d07d12b563a3a7ef49a8e844b41e28125fb196460e7c9c4a": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-c843155e6089bef4e7136834de276e19c0a9dc16f7bd9ca23e98bc23db32160e": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-fdc0370b5d09cc4fe23beac8306a32cee73208b2bc3aee30672a2c2d79ea4a5a": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-89ed109a1620edd5f127974dad0d9c02e03ed291cbbf2c78285841e0d35bc441": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-8f1df8714a43203ba74bf23aa7a119711ec449e4a9df6c52f21252fb7a927eac": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-12b75d459dfcf37fbdc87b7fd9a4823ecea54956c2e3f749952a28607bff0d56": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-466d26293ebb5a1478948472b9981d81642b44d946b4bf90522eee0161d9cd90": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-6074aeabae56b5e95e44edc90b00c5ec810505de2d368e0b4357939fe17fa2b8": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-e1405ddeab4a737954f63912179adccda5e4dad1c77e6e0b4112b84543d18eea": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-e1d7a94a778f6df54062c73ca895087ebd02c2a3b9984c1b1dccf9d9958042cb": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-9b7c1959e4a90323798cc4fee20fb1b81e92b8bd2ea35df98ae3332902a71491": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-0eace81671b726b14466e7f2767223c71d88a53716189747009ae828b9ae7e3e": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-4f956e457e6c870e1134c94ed2972bcba543a792335106e8a5254d9cf97b3ef4": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-3b3db0c5c974df6ff60b4985775f8459b9bf5764a64822abe4f6d3769ae3d67d": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-048ae348b495c7a85ae2e0c0e21431313784fe86253804ea14d1ef602ad83bbd": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-5c2adfd19201c571716d88e5942f0edea703074cdb27d9d487c4f865396f3d05": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-9c983aa29c0e3b1cc03c3b3620249892524dcc0369fbe5523911263cff195ce5": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-e1233e185d0ac54e4eaaab4a1ad25c713a402a99aa9683d34f316d22a2a9bbcb": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-4f12946b146fbcc1f8e77c975a44b0efe1bd38a29ab824b119df3fb2caa94378": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-30045a9ff852a3504751fa28f5506b5be73cb7d4f94c5992add1f4bfefef5a75": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-3d04a1be11f53c7df262d1426b16518719de31133f5e923861709172f8f61d7a": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-8c2ea7ff9288ec11f1982374f0db67cbd5583af49ab7483e583520b1a6f85cb6": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-d9dad51cea1b76714fe907165513d9287b7e89f3d397f100ba2503ee8d3c7866": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-21aaf0451ed738e7c201c08003777b09581c660728c755053d4a42abad9e6139": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-146f353db9eb3c2dbd37c9f41a93b7a81d8b57177b3df4e7513a98ed3d630a6b": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-1d9a89b4068dbb946ab85151b6695bdfa958483a063f911994f0c31ffdf5db70": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-2f000033aba93b933d88110a3b116a1378a349d483a32b4e45c6f6872fc5b3c4": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-ac570f787b70c4d248c478297cbd70f7115eef4a68f9735b83299f04adaa9f4a": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-58fdfec6cd3ddc5aa0aa421d63e8b47e321847ac639494a9cbe3eb9114e05de0": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-1d5992aed495d531ef999895bd7cb43d6a442bbc3717b98dad4d751fc5ff0636": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-5e8723610da9b546387ac9cba7d2464e20913a79d3a1447e87e4f0845c5b16a6": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-7ef59f8ad74ca69b451d96740427f4d246d74bc6c2050b57d4fd2e52d464857c": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-de0fb3a6d35158ccf3fad7843051fb0c998f15bf0a1be6b11ea06b8ad9aac939": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-422ec77dad12966a1eda6349099a4cc558da46eff25c963378455ff5c2371737": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-0dabc92e26b8d7fb6c26ac6583e9a6aaebf9336a614e8b0cc0243fb52d68d6be": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-21c4d1e6b84e2530c3f205b1bce4f4ea604a93f7b41b06b329233fbb1f3c1702": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-438add1cecce211d1d24be7ee9a343617ced70df884d3625acc177dc229055bb": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-1f458384aedf7e4ec4759b201c2b20863d5e683495d925085100fb3c0d83dce8": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-5574392d6bc26cbdf52040f3c5b13775c469aff499a24afd3752689e09e4d315": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-dbfcfadc408852a988a2a7b165a2223c0214f51943d32a9bf547d1dc41a995bd": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-f359b43ccd76bc00cd7a959f8ca0b905a83d637dbc41a97196d9427e549962fc": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-ee7a6b0f6a9b1d21661ab8283beec96f810ad021c15f4bc2bf40e8e4eaa2958f": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-795b3da068ebac7a9e5f8cde2be18a50b13534ef3d5b2154b57186e9891cd58d": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-f96d80c322d68ed4db58c1473b55ffb0fa47281658a89c2127d394d2e6074846": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-4793f4f2c5d516224fe9fc4302621bfc824254e08e6682426b1d0e09918773b7": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-70df5a9b03061599ecfdddcd3c87bd989a22937ee6d6fa1d71e53b5fe1b5120e": { - "mounts": [ - - ] - }, - "docker-253:0-270022137-087636c40f4ed697170f0aea17cf3aa26d5b34cafb043d58aa437d1a11ba36e9": { - "mounts": [ - - ] - }, - "loop1": { - "mounts": [ - - ] - }, - "rootfs": { - "fs_type": "rootfs", - "mount_options": [ - "rw" - ], - "mounts": [ - "/" - ] - } - }, - "by_mountpoint": { - "/": { - "kb_size": "10474496", - "kb_used": "1206940", - "kb_available": "9267556", - "percent_used": "12%", - "total_inodes": "10484736", - "inodes_used": "63868", - "inodes_available": "10420868", - "inodes_percent_used": "1%", - "fs_type": "rootfs", - "mount_options": [ - "rw" - ], - "devices": [ - "/dev/mapper/docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2", - "rootfs" - ] - }, - "/dev": { - "kb_size": "16384128", - "kb_used": "0", - "kb_available": "16384128", - "percent_used": "0%", - "total_inodes": "4096032", - "inodes_used": "18", - "inodes_available": "4096014", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - }, - "/sys/fs/cgroup": { - "kb_size": "16384128", - "kb_used": "0", - "kb_available": "16384128", - "percent_used": "0%", - "total_inodes": "4096032", - "inodes_used": "13", - "inodes_available": "4096019", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - }, - "/var/chef": { - "kb_size": "124944788", - "kb_used": "46040860", - "kb_available": "78903928", - "percent_used": "37%", - "total_inodes": "125005824", - "inodes_used": "59721", - "inodes_available": "124946103", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/dev/shm": { - "kb_size": "65536", - "kb_used": "0", - "kb_available": "65536", - "percent_used": "0%", - "total_inodes": "4096032", - "inodes_used": "1", - "inodes_available": "4096031", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime", - "size=65536k" - ], - "devices": [ - "shm" - ] - }, - "/run/secrets/kubernetes.io/serviceaccount": { - "kb_size": "16384128", - "kb_used": "12", - "kb_available": "16384116", - "percent_used": "1%", - "total_inodes": "4096032", - "inodes_used": "9", - "inodes_available": "4096023", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "ro", - "relatime" - ], - "devices": [ - "tmpfs" - ] - }, - "/proc": { - "fs_type": "proc", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/dev/pts": { - "fs_type": "devpts", - "mount_options": [ - "rw", - "nosuid", - "noexec", - "relatime", - "gid=5", - "mode=620", - "ptmxmode=666" - ], - "devices": [ - "devpts" - ] - }, - "/sys": { - "fs_type": "sysfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "sysfs" - ] - }, - "/sys/fs/cgroup/systemd": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "xattr", - "release_agent=/usr/lib/systemd/systemd-cgroups-agent", - "name=systemd" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/hugetlb": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "hugetlb" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/cpuset": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "cpuset" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/perf_event": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "perf_event" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/devices": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "devices" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/memory": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "memory" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/freezer": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "freezer" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/cpuacct,cpu": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "cpuacct", - "cpu" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/blkio": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "blkio" - ], - "devices": [ - "cgroup" - ] - }, - "/sys/fs/cgroup/net_cls": { - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "net_cls" - ], - "devices": [ - "cgroup" - ] - }, - "/dev/mqueue": { - "fs_type": "mqueue", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "mqueue" - ] - }, - "/dev/termination-log": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/etc/hosts": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/etc/resolv.conf": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/etc/hostname": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/etc/ssl/certs": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/opt/aai/logroot": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/opt/aai/logroot/AAI": { - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ], - "devices": [ - "/dev/mapper/VolGroup00-root" - ] - }, - "/proc/bus": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/proc/fs": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/proc/irq": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/proc/sys": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/proc/sysrq-trigger": { - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ], - "devices": [ - "proc" - ] - }, - "/proc/kcore": { - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - }, - "/proc/timer_list": { - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - }, - "/proc/timer_stats": { - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - }, - "/proc/sched_debug": { - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ], - "devices": [ - "tmpfs" - ] - } - }, - "by_pair": { - "/dev/mapper/docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2,/": { - "device": "/dev/mapper/docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2", - "kb_size": "10474496", - "kb_used": "1206940", - "kb_available": "9267556", - "percent_used": "12%", - "mount": "/", - "total_inodes": "10484736", - "inodes_used": "63868", - "inodes_available": "10420868", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "nouuid", - "attr2", - "inode64", - "logbsize=64k", - "sunit=128", - "swidth=128", - "noquota" - ] - }, - "tmpfs,/dev": { - "device": "tmpfs", - "kb_size": "16384128", - "kb_used": "0", - "kb_available": "16384128", - "percent_used": "0%", - "mount": "/dev", - "total_inodes": "4096032", - "inodes_used": "18", - "inodes_available": "4096014", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "tmpfs,/sys/fs/cgroup": { - "device": "tmpfs", - "kb_size": "16384128", - "kb_used": "0", - "kb_available": "16384128", - "percent_used": "0%", - "mount": "/sys/fs/cgroup", - "total_inodes": "4096032", - "inodes_used": "13", - "inodes_available": "4096019", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "mode=755" - ] - }, - "/dev/mapper/VolGroup00-root,/var/chef": { - "device": "/dev/mapper/VolGroup00-root", - "kb_size": "124944788", - "kb_used": "46040860", - "kb_available": "78903928", - "percent_used": "37%", - "mount": "/var/chef", - "total_inodes": "125005824", - "inodes_used": "59721", - "inodes_available": "124946103", - "inodes_percent_used": "1%", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "shm,/dev/shm": { - "device": "shm", - "kb_size": "65536", - "kb_used": "0", - "kb_available": "65536", - "percent_used": "0%", - "mount": "/dev/shm", - "total_inodes": "4096032", - "inodes_used": "1", - "inodes_available": "4096031", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime", - "size=65536k" - ] - }, - "tmpfs,/run/secrets/kubernetes.io/serviceaccount": { - "device": "tmpfs", - "kb_size": "16384128", - "kb_used": "12", - "kb_available": "16384116", - "percent_used": "1%", - "mount": "/run/secrets/kubernetes.io/serviceaccount", - "total_inodes": "4096032", - "inodes_used": "9", - "inodes_available": "4096023", - "inodes_percent_used": "1%", - "fs_type": "tmpfs", - "mount_options": [ - "ro", - "relatime" - ] - }, - "proc,/proc": { - "device": "proc", - "mount": "/proc", - "fs_type": "proc", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "devpts,/dev/pts": { - "device": "devpts", - "mount": "/dev/pts", - "fs_type": "devpts", - "mount_options": [ - "rw", - "nosuid", - "noexec", - "relatime", - "gid=5", - "mode=620", - "ptmxmode=666" - ] - }, - "sysfs,/sys": { - "device": "sysfs", - "mount": "/sys", - "fs_type": "sysfs", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "cgroup,/sys/fs/cgroup/systemd": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/systemd", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "xattr", - "release_agent=/usr/lib/systemd/systemd-cgroups-agent", - "name=systemd" - ] - }, - "cgroup,/sys/fs/cgroup/hugetlb": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/hugetlb", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "hugetlb" - ] - }, - "cgroup,/sys/fs/cgroup/cpuset": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/cpuset", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "cpuset" - ] - }, - "cgroup,/sys/fs/cgroup/perf_event": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/perf_event", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "perf_event" - ] - }, - "cgroup,/sys/fs/cgroup/devices": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/devices", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "devices" - ] - }, - "cgroup,/sys/fs/cgroup/memory": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/memory", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "memory" - ] - }, - "cgroup,/sys/fs/cgroup/freezer": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/freezer", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "freezer" - ] - }, - "cgroup,/sys/fs/cgroup/cpuacct,cpu": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/cpuacct,cpu", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "cpuacct", - "cpu" - ] - }, - "cgroup,/sys/fs/cgroup/blkio": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/blkio", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "blkio" - ] - }, - "cgroup,/sys/fs/cgroup/net_cls": { - "device": "cgroup", - "mount": "/sys/fs/cgroup/net_cls", - "fs_type": "cgroup", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime", - "net_cls" - ] - }, - "mqueue,/dev/mqueue": { - "device": "mqueue", - "mount": "/dev/mqueue", - "fs_type": "mqueue", - "mount_options": [ - "rw", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "/dev/mapper/VolGroup00-root,/dev/termination-log": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/dev/termination-log", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/etc/hosts": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/etc/hosts", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/etc/resolv.conf": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/etc/resolv.conf", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/etc/hostname": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/etc/hostname", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/etc/ssl/certs": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/etc/ssl/certs", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/opt/aai/logroot": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/opt/aai/logroot", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "/dev/mapper/VolGroup00-root,/opt/aai/logroot/AAI": { - "device": "/dev/mapper/VolGroup00-root", - "mount": "/opt/aai/logroot/AAI", - "fs_type": "xfs", - "mount_options": [ - "rw", - "relatime", - "attr2", - "inode64", - "noquota" - ] - }, - "proc,/proc/bus": { - "device": "proc", - "mount": "/proc/bus", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "proc,/proc/fs": { - "device": "proc", - "mount": "/proc/fs", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "proc,/proc/irq": { - "device": "proc", - "mount": "/proc/irq", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "proc,/proc/sys": { - "device": "proc", - "mount": "/proc/sys", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "proc,/proc/sysrq-trigger": { - "device": "proc", - "mount": "/proc/sysrq-trigger", - "fs_type": "proc", - "mount_options": [ - "ro", - "nosuid", - "nodev", - "noexec", - "relatime" - ] - }, - "tmpfs,/proc/kcore": { - "device": "tmpfs", - "mount": "/proc/kcore", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "tmpfs,/proc/timer_list": { - "device": "tmpfs", - "mount": "/proc/timer_list", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "tmpfs,/proc/timer_stats": { - "device": "tmpfs", - "mount": "/proc/timer_stats", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "tmpfs,/proc/sched_debug": { - "device": "tmpfs", - "mount": "/proc/sched_debug", - "fs_type": "tmpfs", - "mount_options": [ - "rw", - "nosuid", - "mode=755" - ] - }, - "sda,": { - "device": "sda" - }, - "sda1,": { - "device": "sda1" - }, - "sda2,": { - "device": "sda2" - }, - "sda3,": { - "device": "sda3" - }, - "VolGroup00-root,": { - "device": "VolGroup00-root" - }, - "VolGroup00-swap,": { - "device": "VolGroup00-swap" - }, - "loop0,": { - "device": "loop0" - }, - "docker-253:0-270022137-pool,": { - "device": "docker-253:0-270022137-pool" - }, - "docker-253:0-270022137-c28b1956606e2362d5973a45b6e4cd449a6e3dfde835051b8189baa07ab90677,": { - "device": "docker-253:0-270022137-c28b1956606e2362d5973a45b6e4cd449a6e3dfde835051b8189baa07ab90677" - }, - "docker-253:0-270022137-76ee6f1f15bcf383b12d5700114ab6976ec1ca9ba17e58263f6c283b78999f2d,": { - "device": "docker-253:0-270022137-76ee6f1f15bcf383b12d5700114ab6976ec1ca9ba17e58263f6c283b78999f2d" - }, - "docker-253:0-270022137-0a8e3f16abf8bcebf54192b6179d5a1b33d9b5a64d9c4f7672d3c3c2bd061695,": { - "device": "docker-253:0-270022137-0a8e3f16abf8bcebf54192b6179d5a1b33d9b5a64d9c4f7672d3c3c2bd061695" - }, - "docker-253:0-270022137-d0cf37f9160f95c1689e1098d0f422e57b42c59bbd3d068b0c845c9fb73cbeab,": { - "device": "docker-253:0-270022137-d0cf37f9160f95c1689e1098d0f422e57b42c59bbd3d068b0c845c9fb73cbeab" - }, - "docker-253:0-270022137-95f4626492d00b64dc651d5a21ebaf8390c95643487dd6e780a6afb8c786793c,": { - "device": "docker-253:0-270022137-95f4626492d00b64dc651d5a21ebaf8390c95643487dd6e780a6afb8c786793c" - }, - "docker-253:0-270022137-afcd876e6ad1baf2ef6357b7ae2bdf41e907f87dd51d9028e4b37da20d3b30aa,": { - "device": "docker-253:0-270022137-afcd876e6ad1baf2ef6357b7ae2bdf41e907f87dd51d9028e4b37da20d3b30aa" - }, - "docker-253:0-270022137-2758942c95b0dfff3e49e95e36aef81bfc0f7dbbcf8e95b33eac58fabe923a1c,": { - "device": "docker-253:0-270022137-2758942c95b0dfff3e49e95e36aef81bfc0f7dbbcf8e95b33eac58fabe923a1c" - }, - "docker-253:0-270022137-3f656d48ab6bcf5cd851a63d76d6ddb0f52538864a3798904873a094074ca1aa,": { - "device": "docker-253:0-270022137-3f656d48ab6bcf5cd851a63d76d6ddb0f52538864a3798904873a094074ca1aa" - }, - "docker-253:0-270022137-b11f14bb9de62a6986c071961d7b364b16719571fa7a961eaddd842f9e7acaec,": { - "device": "docker-253:0-270022137-b11f14bb9de62a6986c071961d7b364b16719571fa7a961eaddd842f9e7acaec" - }, - "docker-253:0-270022137-6c228fff231eda3fd92083bd5af152c83f86c0e22472ab1406f8dd3dc045be0a,": { - "device": "docker-253:0-270022137-6c228fff231eda3fd92083bd5af152c83f86c0e22472ab1406f8dd3dc045be0a" - }, - "docker-253:0-270022137-bedcab452c8d9a93f45ff84d2bb0bca5470abf2bec8d757425185683eb683477,": { - "device": "docker-253:0-270022137-bedcab452c8d9a93f45ff84d2bb0bca5470abf2bec8d757425185683eb683477" - }, - "docker-253:0-270022137-afb725c0d5cda8a67beef1dc153d6a01def460488208b762fb304b20f560d7e2,": { - "device": "docker-253:0-270022137-afb725c0d5cda8a67beef1dc153d6a01def460488208b762fb304b20f560d7e2" - }, - "docker-253:0-270022137-50d30b9365b9e1f5f9ee091b618e3256512a19c37baa6e637097439c0dc8bc12,": { - "device": "docker-253:0-270022137-50d30b9365b9e1f5f9ee091b618e3256512a19c37baa6e637097439c0dc8bc12" - }, - "docker-253:0-270022137-0321e66c14e6a11d3c6b1e7d78068ddaa88d5d20e6ec9c7f79526d7da10074a0,": { - "device": "docker-253:0-270022137-0321e66c14e6a11d3c6b1e7d78068ddaa88d5d20e6ec9c7f79526d7da10074a0" - }, - "docker-253:0-270022137-49153b02f8582a70d07d12b563a3a7ef49a8e844b41e28125fb196460e7c9c4a,": { - "device": "docker-253:0-270022137-49153b02f8582a70d07d12b563a3a7ef49a8e844b41e28125fb196460e7c9c4a" - }, - "docker-253:0-270022137-c843155e6089bef4e7136834de276e19c0a9dc16f7bd9ca23e98bc23db32160e,": { - "device": "docker-253:0-270022137-c843155e6089bef4e7136834de276e19c0a9dc16f7bd9ca23e98bc23db32160e" - }, - "docker-253:0-270022137-fdc0370b5d09cc4fe23beac8306a32cee73208b2bc3aee30672a2c2d79ea4a5a,": { - "device": "docker-253:0-270022137-fdc0370b5d09cc4fe23beac8306a32cee73208b2bc3aee30672a2c2d79ea4a5a" - }, - "docker-253:0-270022137-89ed109a1620edd5f127974dad0d9c02e03ed291cbbf2c78285841e0d35bc441,": { - "device": "docker-253:0-270022137-89ed109a1620edd5f127974dad0d9c02e03ed291cbbf2c78285841e0d35bc441" - }, - "docker-253:0-270022137-8f1df8714a43203ba74bf23aa7a119711ec449e4a9df6c52f21252fb7a927eac,": { - "device": "docker-253:0-270022137-8f1df8714a43203ba74bf23aa7a119711ec449e4a9df6c52f21252fb7a927eac" - }, - "docker-253:0-270022137-12b75d459dfcf37fbdc87b7fd9a4823ecea54956c2e3f749952a28607bff0d56,": { - "device": "docker-253:0-270022137-12b75d459dfcf37fbdc87b7fd9a4823ecea54956c2e3f749952a28607bff0d56" - }, - "docker-253:0-270022137-466d26293ebb5a1478948472b9981d81642b44d946b4bf90522eee0161d9cd90,": { - "device": "docker-253:0-270022137-466d26293ebb5a1478948472b9981d81642b44d946b4bf90522eee0161d9cd90" - }, - "docker-253:0-270022137-6074aeabae56b5e95e44edc90b00c5ec810505de2d368e0b4357939fe17fa2b8,": { - "device": "docker-253:0-270022137-6074aeabae56b5e95e44edc90b00c5ec810505de2d368e0b4357939fe17fa2b8" - }, - "docker-253:0-270022137-e1405ddeab4a737954f63912179adccda5e4dad1c77e6e0b4112b84543d18eea,": { - "device": "docker-253:0-270022137-e1405ddeab4a737954f63912179adccda5e4dad1c77e6e0b4112b84543d18eea" - }, - "docker-253:0-270022137-e1d7a94a778f6df54062c73ca895087ebd02c2a3b9984c1b1dccf9d9958042cb,": { - "device": "docker-253:0-270022137-e1d7a94a778f6df54062c73ca895087ebd02c2a3b9984c1b1dccf9d9958042cb" - }, - "docker-253:0-270022137-9b7c1959e4a90323798cc4fee20fb1b81e92b8bd2ea35df98ae3332902a71491,": { - "device": "docker-253:0-270022137-9b7c1959e4a90323798cc4fee20fb1b81e92b8bd2ea35df98ae3332902a71491" - }, - "docker-253:0-270022137-0eace81671b726b14466e7f2767223c71d88a53716189747009ae828b9ae7e3e,": { - "device": "docker-253:0-270022137-0eace81671b726b14466e7f2767223c71d88a53716189747009ae828b9ae7e3e" - }, - "docker-253:0-270022137-4f956e457e6c870e1134c94ed2972bcba543a792335106e8a5254d9cf97b3ef4,": { - "device": "docker-253:0-270022137-4f956e457e6c870e1134c94ed2972bcba543a792335106e8a5254d9cf97b3ef4" - }, - "docker-253:0-270022137-3b3db0c5c974df6ff60b4985775f8459b9bf5764a64822abe4f6d3769ae3d67d,": { - "device": "docker-253:0-270022137-3b3db0c5c974df6ff60b4985775f8459b9bf5764a64822abe4f6d3769ae3d67d" - }, - "docker-253:0-270022137-048ae348b495c7a85ae2e0c0e21431313784fe86253804ea14d1ef602ad83bbd,": { - "device": "docker-253:0-270022137-048ae348b495c7a85ae2e0c0e21431313784fe86253804ea14d1ef602ad83bbd" - }, - "docker-253:0-270022137-5c2adfd19201c571716d88e5942f0edea703074cdb27d9d487c4f865396f3d05,": { - "device": "docker-253:0-270022137-5c2adfd19201c571716d88e5942f0edea703074cdb27d9d487c4f865396f3d05" - }, - "docker-253:0-270022137-9c983aa29c0e3b1cc03c3b3620249892524dcc0369fbe5523911263cff195ce5,": { - "device": "docker-253:0-270022137-9c983aa29c0e3b1cc03c3b3620249892524dcc0369fbe5523911263cff195ce5" - }, - "docker-253:0-270022137-e1233e185d0ac54e4eaaab4a1ad25c713a402a99aa9683d34f316d22a2a9bbcb,": { - "device": "docker-253:0-270022137-e1233e185d0ac54e4eaaab4a1ad25c713a402a99aa9683d34f316d22a2a9bbcb" - }, - "docker-253:0-270022137-4f12946b146fbcc1f8e77c975a44b0efe1bd38a29ab824b119df3fb2caa94378,": { - "device": "docker-253:0-270022137-4f12946b146fbcc1f8e77c975a44b0efe1bd38a29ab824b119df3fb2caa94378" - }, - "docker-253:0-270022137-30045a9ff852a3504751fa28f5506b5be73cb7d4f94c5992add1f4bfefef5a75,": { - "device": "docker-253:0-270022137-30045a9ff852a3504751fa28f5506b5be73cb7d4f94c5992add1f4bfefef5a75" - }, - "docker-253:0-270022137-3d04a1be11f53c7df262d1426b16518719de31133f5e923861709172f8f61d7a,": { - "device": "docker-253:0-270022137-3d04a1be11f53c7df262d1426b16518719de31133f5e923861709172f8f61d7a" - }, - "docker-253:0-270022137-8c2ea7ff9288ec11f1982374f0db67cbd5583af49ab7483e583520b1a6f85cb6,": { - "device": "docker-253:0-270022137-8c2ea7ff9288ec11f1982374f0db67cbd5583af49ab7483e583520b1a6f85cb6" - }, - "docker-253:0-270022137-d9dad51cea1b76714fe907165513d9287b7e89f3d397f100ba2503ee8d3c7866,": { - "device": "docker-253:0-270022137-d9dad51cea1b76714fe907165513d9287b7e89f3d397f100ba2503ee8d3c7866" - }, - "docker-253:0-270022137-21aaf0451ed738e7c201c08003777b09581c660728c755053d4a42abad9e6139,": { - "device": "docker-253:0-270022137-21aaf0451ed738e7c201c08003777b09581c660728c755053d4a42abad9e6139" - }, - "docker-253:0-270022137-146f353db9eb3c2dbd37c9f41a93b7a81d8b57177b3df4e7513a98ed3d630a6b,": { - "device": "docker-253:0-270022137-146f353db9eb3c2dbd37c9f41a93b7a81d8b57177b3df4e7513a98ed3d630a6b" - }, - "docker-253:0-270022137-1d9a89b4068dbb946ab85151b6695bdfa958483a063f911994f0c31ffdf5db70,": { - "device": "docker-253:0-270022137-1d9a89b4068dbb946ab85151b6695bdfa958483a063f911994f0c31ffdf5db70" - }, - "docker-253:0-270022137-2f000033aba93b933d88110a3b116a1378a349d483a32b4e45c6f6872fc5b3c4,": { - "device": "docker-253:0-270022137-2f000033aba93b933d88110a3b116a1378a349d483a32b4e45c6f6872fc5b3c4" - }, - "docker-253:0-270022137-ac570f787b70c4d248c478297cbd70f7115eef4a68f9735b83299f04adaa9f4a,": { - "device": "docker-253:0-270022137-ac570f787b70c4d248c478297cbd70f7115eef4a68f9735b83299f04adaa9f4a" - }, - "docker-253:0-270022137-58fdfec6cd3ddc5aa0aa421d63e8b47e321847ac639494a9cbe3eb9114e05de0,": { - "device": "docker-253:0-270022137-58fdfec6cd3ddc5aa0aa421d63e8b47e321847ac639494a9cbe3eb9114e05de0" - }, - "docker-253:0-270022137-1d5992aed495d531ef999895bd7cb43d6a442bbc3717b98dad4d751fc5ff0636,": { - "device": "docker-253:0-270022137-1d5992aed495d531ef999895bd7cb43d6a442bbc3717b98dad4d751fc5ff0636" - }, - "docker-253:0-270022137-5e8723610da9b546387ac9cba7d2464e20913a79d3a1447e87e4f0845c5b16a6,": { - "device": "docker-253:0-270022137-5e8723610da9b546387ac9cba7d2464e20913a79d3a1447e87e4f0845c5b16a6" - }, - "docker-253:0-270022137-7ef59f8ad74ca69b451d96740427f4d246d74bc6c2050b57d4fd2e52d464857c,": { - "device": "docker-253:0-270022137-7ef59f8ad74ca69b451d96740427f4d246d74bc6c2050b57d4fd2e52d464857c" - }, - "docker-253:0-270022137-de0fb3a6d35158ccf3fad7843051fb0c998f15bf0a1be6b11ea06b8ad9aac939,": { - "device": "docker-253:0-270022137-de0fb3a6d35158ccf3fad7843051fb0c998f15bf0a1be6b11ea06b8ad9aac939" - }, - "docker-253:0-270022137-422ec77dad12966a1eda6349099a4cc558da46eff25c963378455ff5c2371737,": { - "device": "docker-253:0-270022137-422ec77dad12966a1eda6349099a4cc558da46eff25c963378455ff5c2371737" - }, - "docker-253:0-270022137-0dabc92e26b8d7fb6c26ac6583e9a6aaebf9336a614e8b0cc0243fb52d68d6be,": { - "device": "docker-253:0-270022137-0dabc92e26b8d7fb6c26ac6583e9a6aaebf9336a614e8b0cc0243fb52d68d6be" - }, - "docker-253:0-270022137-21c4d1e6b84e2530c3f205b1bce4f4ea604a93f7b41b06b329233fbb1f3c1702,": { - "device": "docker-253:0-270022137-21c4d1e6b84e2530c3f205b1bce4f4ea604a93f7b41b06b329233fbb1f3c1702" - }, - "docker-253:0-270022137-438add1cecce211d1d24be7ee9a343617ced70df884d3625acc177dc229055bb,": { - "device": "docker-253:0-270022137-438add1cecce211d1d24be7ee9a343617ced70df884d3625acc177dc229055bb" - }, - "docker-253:0-270022137-1f458384aedf7e4ec4759b201c2b20863d5e683495d925085100fb3c0d83dce8,": { - "device": "docker-253:0-270022137-1f458384aedf7e4ec4759b201c2b20863d5e683495d925085100fb3c0d83dce8" - }, - "docker-253:0-270022137-5574392d6bc26cbdf52040f3c5b13775c469aff499a24afd3752689e09e4d315,": { - "device": "docker-253:0-270022137-5574392d6bc26cbdf52040f3c5b13775c469aff499a24afd3752689e09e4d315" - }, - "docker-253:0-270022137-dbfcfadc408852a988a2a7b165a2223c0214f51943d32a9bf547d1dc41a995bd,": { - "device": "docker-253:0-270022137-dbfcfadc408852a988a2a7b165a2223c0214f51943d32a9bf547d1dc41a995bd" - }, - "docker-253:0-270022137-f359b43ccd76bc00cd7a959f8ca0b905a83d637dbc41a97196d9427e549962fc,": { - "device": "docker-253:0-270022137-f359b43ccd76bc00cd7a959f8ca0b905a83d637dbc41a97196d9427e549962fc" - }, - "docker-253:0-270022137-ee7a6b0f6a9b1d21661ab8283beec96f810ad021c15f4bc2bf40e8e4eaa2958f,": { - "device": "docker-253:0-270022137-ee7a6b0f6a9b1d21661ab8283beec96f810ad021c15f4bc2bf40e8e4eaa2958f" - }, - "docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2,": { - "device": "docker-253:0-270022137-aee52a2bccbb70b9e9c431c27c5b8ed9e848a4159ac289080b3a273f484b52e2" - }, - "docker-253:0-270022137-795b3da068ebac7a9e5f8cde2be18a50b13534ef3d5b2154b57186e9891cd58d,": { - "device": "docker-253:0-270022137-795b3da068ebac7a9e5f8cde2be18a50b13534ef3d5b2154b57186e9891cd58d" - }, - "docker-253:0-270022137-f96d80c322d68ed4db58c1473b55ffb0fa47281658a89c2127d394d2e6074846,": { - "device": "docker-253:0-270022137-f96d80c322d68ed4db58c1473b55ffb0fa47281658a89c2127d394d2e6074846" - }, - "docker-253:0-270022137-4793f4f2c5d516224fe9fc4302621bfc824254e08e6682426b1d0e09918773b7,": { - "device": "docker-253:0-270022137-4793f4f2c5d516224fe9fc4302621bfc824254e08e6682426b1d0e09918773b7" - }, - "docker-253:0-270022137-70df5a9b03061599ecfdddcd3c87bd989a22937ee6d6fa1d71e53b5fe1b5120e,": { - "device": "docker-253:0-270022137-70df5a9b03061599ecfdddcd3c87bd989a22937ee6d6fa1d71e53b5fe1b5120e" - }, - "docker-253:0-270022137-087636c40f4ed697170f0aea17cf3aa26d5b34cafb043d58aa437d1a11ba36e9,": { - "device": "docker-253:0-270022137-087636c40f4ed697170f0aea17cf3aa26d5b34cafb043d58aa437d1a11ba36e9" - }, - "loop1,": { - "device": "loop1" - }, - "rootfs,/": { - "device": "rootfs", - "mount": "/", - "fs_type": "rootfs", - "mount_options": [ - "rw" - ] - } - } - }, - "hostname": "aai-service-3646348477-v3s3d", - "machinename": "aai-service-3646348477-v3s3d", - "fqdn": "aai-service-3646348477-v3s3d", - "domain": null, - "init_package": "sh", - "keys": { - "ssh": { - - } - }, - "block_device": { - "sda": { - "size": "285155328", - "removable": "0", - "model": "Logical Volume", - "rev": "3000", - "state": "running", - "timeout": "30", - "vendor": "LSILOGIC", - "queue_depth": "64", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-0": { - "size": "250011648", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-1": { - "size": "33619968", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-2": { - "size": "209715200", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-3": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-4": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-5": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-6": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-7": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-8": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-9": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-10": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-11": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-12": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-13": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-14": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-15": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-16": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-17": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-18": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-19": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-20": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-21": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-22": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-23": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-24": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-25": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-26": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-27": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-28": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-29": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-30": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-31": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-32": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-33": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-34": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-35": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-36": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-37": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-38": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-39": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-40": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-41": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-42": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-43": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-44": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-45": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-46": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-47": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-48": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-49": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-50": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-51": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-52": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-53": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-54": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-55": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-56": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-57": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-58": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-59": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-60": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-61": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-62": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-63": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "dm-64": { - "size": "20971520", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "loop0": { - "size": "209715200", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - }, - "loop1": { - "size": "4194304", - "removable": "0", - "rotational": "1", - "physical_block_size": "512", - "logical_block_size": "512" - } - }, - "fips": { - "kernel": { - "enabled": false - } - }, - "ohai_time": 1495692906.3241928, - "packages": { - "adduser": { - "version": "3.113+nmu3ubuntu3", - "arch": "all" - }, - "apt": { - "version": "1.0.1ubuntu2.17", - "arch": "amd64" - }, - "apt-utils": { - "version": "1.0.1ubuntu2.17", - "arch": "amd64" - }, - "base-files": { - "version": "7.2ubuntu5.5", - "arch": "amd64" - }, - "base-passwd": { - "version": "3.5.33", - "arch": "amd64" - }, - "bash": { - "version": "4.3-7ubuntu1.5", - "arch": "amd64" - }, - "bsdutils": { - "version": "1:2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "busybox-initramfs": { - "version": "1:1.21.0-1ubuntu1", - "arch": "amd64" - }, - "bzip2": { - "version": "1.0.6-5", - "arch": "amd64" - }, - "ca-certificates": { - "version": "20160104ubuntu0.14.04.1", - "arch": "all" - }, - "ca-certificates-java": { - "version": "20130815ubuntu1", - "arch": "all" - }, - "chefdk": { - "version": "0.17.17-1", - "arch": "amd64" - }, - "console-setup": { - "version": "1.70ubuntu8", - "arch": "all" - }, - "coreutils": { - "version": "8.21-1ubuntu5.4", - "arch": "amd64" - }, - "cpio": { - "version": "2.11+dfsg-1ubuntu1.2", - "arch": "amd64" - }, - "cron": { - "version": "3.0pl1-124ubuntu2", - "arch": "amd64" - }, - "curl": { - "version": "7.35.0-1ubuntu2.10", - "arch": "amd64" - }, - "dash": { - "version": "0.5.7-4ubuntu1", - "arch": "amd64" - }, - "debconf": { - "version": "1.5.51ubuntu2", - "arch": "all" - }, - "debconf-i18n": { - "version": "1.5.51ubuntu2", - "arch": "all" - }, - "debianutils": { - "version": "4.4", - "arch": "amd64" - }, - "dh-python": { - "version": "1.20140128-1ubuntu8.2", - "arch": "all" - }, - "diffutils": { - "version": "1:3.3-1", - "arch": "amd64" - }, - "dmsetup": { - "version": "2:1.02.77-6ubuntu2", - "arch": "amd64" - }, - "dpkg": { - "version": "1.17.5ubuntu5.7", - "arch": "amd64" - }, - "e2fslibs": { - "version": "1.42.9-3ubuntu1.3", - "arch": "amd64" - }, - "e2fsprogs": { - "version": "1.42.9-3ubuntu1.3", - "arch": "amd64" - }, - "eject": { - "version": "2.1.5+deb1+cvs20081104-13.1ubuntu0.14.04.1", - "arch": "amd64" - }, - "file": { - "version": "1:5.14-2ubuntu3.3", - "arch": "amd64" - }, - "findutils": { - "version": "4.4.2-7", - "arch": "amd64" - }, - "fontconfig-config": { - "version": "2.11.0-0ubuntu4.2", - "arch": "all" - }, - "fonts-dejavu-core": { - "version": "2.34-1ubuntu1", - "arch": "all" - }, - "gcc-4.8-base": { - "version": "4.8.4-2ubuntu1~14.04.3", - "arch": "amd64" - }, - "gcc-4.9-base": { - "version": "4.9.3-0ubuntu4", - "arch": "amd64" - }, - "gir1.2-glib-2.0": { - "version": "1.40.0-1ubuntu0.2", - "arch": "amd64" - }, - "git": { - "version": "1:1.9.1-1ubuntu0.4", - "arch": "amd64" - }, - "git-man": { - "version": "1:1.9.1-1ubuntu0.4", - "arch": "all" - }, - "gnupg": { - "version": "1.4.16-1ubuntu2.4", - "arch": "amd64" - }, - "gpgv": { - "version": "1.4.16-1ubuntu2.4", - "arch": "amd64" - }, - "grep": { - "version": "2.16-1", - "arch": "amd64" - }, - "gzip": { - "version": "1.6-3ubuntu1", - "arch": "amd64" - }, - "hostname": { - "version": "3.15ubuntu1", - "arch": "amd64" - }, - "ifupdown": { - "version": "0.7.47.2ubuntu4.4", - "arch": "amd64" - }, - "init-system-helpers": { - "version": "1.14ubuntu1", - "arch": "all" - }, - "initramfs-tools": { - "version": "0.103ubuntu4.7", - "arch": "all" - }, - "initramfs-tools-bin": { - "version": "0.103ubuntu4.7", - "arch": "amd64" - }, - "initscripts": { - "version": "2.88dsf-41ubuntu6.3", - "arch": "amd64" - }, - "insserv": { - "version": "1.14.0-5ubuntu2", - "arch": "amd64" - }, - "iproute2": { - "version": "3.12.0-2ubuntu1", - "arch": "amd64" - }, - "iputils-ping": { - "version": "3:20121221-4ubuntu1.1", - "arch": "amd64" - }, - "isc-dhcp-client": { - "version": "4.2.4-7ubuntu12.8", - "arch": "amd64" - }, - "isc-dhcp-common": { - "version": "4.2.4-7ubuntu12.8", - "arch": "amd64" - }, - "iso-codes": { - "version": "3.52-1", - "arch": "all" - }, - "java-common": { - "version": "0.51", - "arch": "all" - }, - "kbd": { - "version": "1.15.5-1ubuntu1", - "arch": "amd64" - }, - "keyboard-configuration": { - "version": "1.70ubuntu8", - "arch": "all" - }, - "klibc-utils": { - "version": "2.0.3-0ubuntu1.14.04.2", - "arch": "amd64" - }, - "kmod": { - "version": "15-0ubuntu6", - "arch": "amd64" - }, - "krb5-locales": { - "version": "1.12+dfsg-2ubuntu5.3", - "arch": "all" - }, - "ksh": { - "version": "93u+20120801-1", - "arch": "amd64" - }, - "less": { - "version": "458-2", - "arch": "amd64" - }, - "libacl1": { - "version": "2.2.52-1", - "arch": "amd64" - }, - "libapt-inst1.5": { - "version": "1.0.1ubuntu2.17", - "arch": "amd64" - }, - "libapt-pkg4.12": { - "version": "1.0.1ubuntu2.17", - "arch": "amd64" - }, - "libarchive-extract-perl": { - "version": "0.70-1", - "arch": "all" - }, - "libasn1-8-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libattr1": { - "version": "1:2.4.47-1ubuntu1", - "arch": "amd64" - }, - "libaudit-common": { - "version": "1:2.3.2-2ubuntu1", - "arch": "all" - }, - "libaudit1": { - "version": "1:2.3.2-2ubuntu1", - "arch": "amd64" - }, - "libavahi-client3": { - "version": "0.6.31-4ubuntu1.1", - "arch": "amd64" - }, - "libavahi-common-data": { - "version": "0.6.31-4ubuntu1.1", - "arch": "amd64" - }, - "libavahi-common3": { - "version": "0.6.31-4ubuntu1.1", - "arch": "amd64" - }, - "libblkid1": { - "version": "2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "libbsd0": { - "version": "0.6.0-2ubuntu1", - "arch": "amd64" - }, - "libbz2-1.0": { - "version": "1.0.6-5", - "arch": "amd64" - }, - "libc-bin": { - "version": "2.19-0ubuntu6.11", - "arch": "amd64" - }, - "libc6": { - "version": "2.19-0ubuntu6.11", - "arch": "amd64" - }, - "libcap2": { - "version": "1:2.24-0ubuntu2", - "arch": "amd64" - }, - "libcap2-bin": { - "version": "1:2.24-0ubuntu2", - "arch": "amd64" - }, - "libcgmanager0": { - "version": "0.24-0ubuntu7.5", - "arch": "amd64" - }, - "libcomerr2": { - "version": "1.42.9-3ubuntu1.3", - "arch": "amd64" - }, - "libcups2": { - "version": "1.7.2-0ubuntu1.8", - "arch": "amd64" - }, - "libcurl3": { - "version": "7.35.0-1ubuntu2.10", - "arch": "amd64" - }, - "libcurl3-gnutls": { - "version": "7.35.0-1ubuntu2.10", - "arch": "amd64" - }, - "libdb5.3": { - "version": "5.3.28-3ubuntu3", - "arch": "amd64" - }, - "libdbus-1-3": { - "version": "1.6.18-0ubuntu4.5", - "arch": "amd64" - }, - "libdbus-glib-1-2": { - "version": "0.100.2-1", - "arch": "amd64" - }, - "libdebconfclient0": { - "version": "0.187ubuntu1", - "arch": "amd64" - }, - "libdevmapper1.02.1": { - "version": "2:1.02.77-6ubuntu2", - "arch": "amd64" - }, - "libdrm2": { - "version": "2.4.67-1ubuntu0.14.04.1", - "arch": "amd64" - }, - "libedit2": { - "version": "3.1-20130712-2", - "arch": "amd64" - }, - "liberror-perl": { - "version": "0.17-1.1", - "arch": "all" - }, - "libestr0": { - "version": "0.1.9-0ubuntu2", - "arch": "amd64" - }, - "libexpat1": { - "version": "2.1.0-4ubuntu1.3", - "arch": "amd64" - }, - "libffi6": { - "version": "3.1~rc1+r3.0.13-12ubuntu0.1", - "arch": "amd64" - }, - "libfontconfig1": { - "version": "2.11.0-0ubuntu4.2", - "arch": "amd64" - }, - "libfreetype6": { - "version": "2.5.2-1ubuntu2.7", - "arch": "amd64" - }, - "libfribidi0": { - "version": "0.19.6-1", - "arch": "amd64" - }, - "libgcc1": { - "version": "1:4.9.3-0ubuntu4", - "arch": "amd64" - }, - "libgcrypt11": { - "version": "1.5.3-2ubuntu4.4", - "arch": "amd64" - }, - "libgdbm3": { - "version": "1.8.3-12build1", - "arch": "amd64" - }, - "libgirepository-1.0-1": { - "version": "1.40.0-1ubuntu0.2", - "arch": "amd64" - }, - "libglib2.0-0": { - "version": "2.40.2-0ubuntu1", - "arch": "amd64" - }, - "libglib2.0-data": { - "version": "2.40.2-0ubuntu1", - "arch": "all" - }, - "libgnutls-openssl27": { - "version": "2.12.23-12ubuntu2.7", - "arch": "amd64" - }, - "libgnutls26": { - "version": "2.12.23-12ubuntu2.7", - "arch": "amd64" - }, - "libgpg-error0": { - "version": "1.12-0.2ubuntu1", - "arch": "amd64" - }, - "libgssapi-krb5-2": { - "version": "1.12+dfsg-2ubuntu5.3", - "arch": "amd64" - }, - "libgssapi3-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libhcrypto4-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libheimbase1-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libheimntlm0-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libhx509-5-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libidn11": { - "version": "1.28-1ubuntu2.1", - "arch": "amd64" - }, - "libjpeg-turbo8": { - "version": "1.3.0-0ubuntu2", - "arch": "amd64" - }, - "libjpeg8": { - "version": "8c-2ubuntu8", - "arch": "amd64" - }, - "libjson-c2": { - "version": "0.11-3ubuntu1.2", - "arch": "amd64" - }, - "libjson0": { - "version": "0.11-3ubuntu1.2", - "arch": "amd64" - }, - "libk5crypto3": { - "version": "1.12+dfsg-2ubuntu5.3", - "arch": "amd64" - }, - "libkeyutils1": { - "version": "1.5.6-1", - "arch": "amd64" - }, - "libklibc": { - "version": "2.0.3-0ubuntu1.14.04.2", - "arch": "amd64" - }, - "libkmod2": { - "version": "15-0ubuntu6", - "arch": "amd64" - }, - "libkrb5-26-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libkrb5-3": { - "version": "1.12+dfsg-2ubuntu5.3", - "arch": "amd64" - }, - "libkrb5support0": { - "version": "1.12+dfsg-2ubuntu5.3", - "arch": "amd64" - }, - "liblcms2-2": { - "version": "2.5-0ubuntu4.1", - "arch": "amd64" - }, - "libldap-2.4-2": { - "version": "2.4.31-1+nmu2ubuntu8.3", - "arch": "amd64" - }, - "liblocale-gettext-perl": { - "version": "1.05-7build3", - "arch": "amd64" - }, - "liblockfile-bin": { - "version": "1.09-6ubuntu1", - "arch": "amd64" - }, - "liblockfile1": { - "version": "1.09-6ubuntu1", - "arch": "amd64" - }, - "liblog-message-simple-perl": { - "version": "0.10-1", - "arch": "all" - }, - "liblzma5": { - "version": "5.1.1alpha+20120614-2ubuntu2", - "arch": "amd64" - }, - "libmagic1": { - "version": "1:5.14-2ubuntu3.3", - "arch": "amd64" - }, - "libmodule-pluggable-perl": { - "version": "5.1-1", - "arch": "all" - }, - "libmount1": { - "version": "2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "libmpdec2": { - "version": "2.4.0-6", - "arch": "amd64" - }, - "libncurses5": { - "version": "5.9+20140118-1ubuntu1", - "arch": "amd64" - }, - "libncursesw5": { - "version": "5.9+20140118-1ubuntu1", - "arch": "amd64" - }, - "libnewt0.52": { - "version": "0.52.15-2ubuntu5", - "arch": "amd64" - }, - "libnih-dbus1": { - "version": "1.0.3-4ubuntu25", - "arch": "amd64" - }, - "libnih1": { - "version": "1.0.3-4ubuntu25", - "arch": "amd64" - }, - "libnspr4": { - "version": "2:4.12-0ubuntu0.14.04.1", - "arch": "amd64" - }, - "libnss3": { - "version": "2:3.26.2-0ubuntu0.14.04.3", - "arch": "amd64" - }, - "libnss3-nssdb": { - "version": "2:3.26.2-0ubuntu0.14.04.3", - "arch": "all" - }, - "libp11-kit0": { - "version": "0.20.2-2ubuntu2", - "arch": "amd64" - }, - "libpam-cap": { - "version": "1:2.24-0ubuntu2", - "arch": "amd64" - }, - "libpam-modules": { - "version": "1.1.8-1ubuntu2.2", - "arch": "amd64" - }, - "libpam-modules-bin": { - "version": "1.1.8-1ubuntu2.2", - "arch": "amd64" - }, - "libpam-runtime": { - "version": "1.1.8-1ubuntu2.2", - "arch": "all" - }, - "libpam0g": { - "version": "1.1.8-1ubuntu2.2", - "arch": "amd64" - }, - "libpcre3": { - "version": "1:8.31-2ubuntu2.3", - "arch": "amd64" - }, - "libpcsclite1": { - "version": "1.8.10-1ubuntu1.1", - "arch": "amd64" - }, - "libplymouth2": { - "version": "0.8.8-0ubuntu17.1", - "arch": "amd64" - }, - "libpng12-0": { - "version": "1.2.50-1ubuntu2.14.04.2", - "arch": "amd64" - }, - "libpod-latex-perl": { - "version": "0.61-1", - "arch": "all" - }, - "libpopt0": { - "version": "1.16-8ubuntu1", - "arch": "amd64" - }, - "libprocps3": { - "version": "1:3.3.9-1ubuntu2.2", - "arch": "amd64" - }, - "libpython3-stdlib": { - "version": "3.4.0-0ubuntu2", - "arch": "amd64" - }, - "libpython3.4-minimal": { - "version": "3.4.3-1ubuntu1~14.04.5", - "arch": "amd64" - }, - "libpython3.4-stdlib": { - "version": "3.4.3-1ubuntu1~14.04.5", - "arch": "amd64" - }, - "libreadline6": { - "version": "6.3-4ubuntu2", - "arch": "amd64" - }, - "libroken18-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "librtmp0": { - "version": "2.4+20121230.gitdf6c518-1", - "arch": "amd64" - }, - "libsasl2-2": { - "version": "2.1.25.dfsg1-17build1", - "arch": "amd64" - }, - "libsasl2-modules": { - "version": "2.1.25.dfsg1-17build1", - "arch": "amd64" - }, - "libsasl2-modules-db": { - "version": "2.1.25.dfsg1-17build1", - "arch": "amd64" - }, - "libselinux1": { - "version": "2.2.2-1ubuntu0.1", - "arch": "amd64" - }, - "libsemanage-common": { - "version": "2.2-1", - "arch": "all" - }, - "libsemanage1": { - "version": "2.2-1", - "arch": "amd64" - }, - "libsepol1": { - "version": "2.2-1ubuntu0.1", - "arch": "amd64" - }, - "libslang2": { - "version": "2.2.4-15ubuntu1", - "arch": "amd64" - }, - "libsqlite3-0": { - "version": "3.8.2-1ubuntu2.1", - "arch": "amd64" - }, - "libss2": { - "version": "1.42.9-3ubuntu1.3", - "arch": "amd64" - }, - "libssl1.0.0": { - "version": "1.0.1f-1ubuntu2.22", - "arch": "amd64" - }, - "libstdc++6": { - "version": "4.8.4-2ubuntu1~14.04.3", - "arch": "amd64" - }, - "libtasn1-6": { - "version": "3.4-3ubuntu0.4", - "arch": "amd64" - }, - "libterm-ui-perl": { - "version": "0.42-1", - "arch": "all" - }, - "libtext-charwidth-perl": { - "version": "0.04-7build3", - "arch": "amd64" - }, - "libtext-iconv-perl": { - "version": "1.7-5build2", - "arch": "amd64" - }, - "libtext-soundex-perl": { - "version": "3.4-1build1", - "arch": "amd64" - }, - "libtext-wrapi18n-perl": { - "version": "0.06-7", - "arch": "all" - }, - "libtinfo5": { - "version": "5.9+20140118-1ubuntu1", - "arch": "amd64" - }, - "libudev1": { - "version": "204-5ubuntu20.24", - "arch": "amd64" - }, - "libusb-0.1-4": { - "version": "2:0.1.12-23.3ubuntu1", - "arch": "amd64" - }, - "libustr-1.0-1": { - "version": "1.0.4-3ubuntu2", - "arch": "amd64" - }, - "libuuid1": { - "version": "2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "libwind0-heimdal": { - "version": "1.6~git20131207+dfsg-1ubuntu1.1", - "arch": "amd64" - }, - "libx11-6": { - "version": "2:1.6.2-1ubuntu2", - "arch": "amd64" - }, - "libx11-data": { - "version": "2:1.6.2-1ubuntu2", - "arch": "all" - }, - "libxau6": { - "version": "1:1.0.8-1", - "arch": "amd64" - }, - "libxcb1": { - "version": "1.10-2ubuntu1", - "arch": "amd64" - }, - "libxdmcp6": { - "version": "1:1.1.1-1", - "arch": "amd64" - }, - "libxext6": { - "version": "2:1.3.2-1ubuntu0.0.14.04.1", - "arch": "amd64" - }, - "libxi6": { - "version": "2:1.7.1.901-1ubuntu1.1", - "arch": "amd64" - }, - "libxml2": { - "version": "2.9.1+dfsg1-3ubuntu4.9", - "arch": "amd64" - }, - "libxmuu1": { - "version": "2:1.1.1-1", - "arch": "amd64" - }, - "libxrender1": { - "version": "1:0.9.8-1build0.14.04.1", - "arch": "amd64" - }, - "libxtst6": { - "version": "2:1.2.2-1", - "arch": "amd64" - }, - "locales": { - "version": "2.13+git20120306-12.1", - "arch": "all" - }, - "lockfile-progs": { - "version": "0.1.17", - "arch": "amd64" - }, - "login": { - "version": "1:4.1.5.1-1ubuntu9.2", - "arch": "amd64" - }, - "logrotate": { - "version": "3.8.7-1ubuntu1", - "arch": "amd64" - }, - "lsb-base": { - "version": "4.1+Debian11ubuntu6.2", - "arch": "all" - }, - "lsb-release": { - "version": "4.1+Debian11ubuntu6.2", - "arch": "all" - }, - "makedev": { - "version": "2.3.1-93ubuntu2~ubuntu14.04.1", - "arch": "all" - }, - "mawk": { - "version": "1.3.3-17ubuntu2", - "arch": "amd64" - }, - "mime-support": { - "version": "3.54ubuntu1.1", - "arch": "all" - }, - "module-init-tools": { - "version": "15-0ubuntu6", - "arch": "all" - }, - "mount": { - "version": "2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "mountall": { - "version": "2.53", - "arch": "amd64" - }, - "multiarch-support": { - "version": "2.19-0ubuntu6.11", - "arch": "amd64" - }, - "ncurses-base": { - "version": "5.9+20140118-1ubuntu1", - "arch": "all" - }, - "ncurses-bin": { - "version": "5.9+20140118-1ubuntu1", - "arch": "amd64" - }, - "net-tools": { - "version": "1.60-25ubuntu2.1", - "arch": "amd64" - }, - "netbase": { - "version": "5.2", - "arch": "all" - }, - "netcat-openbsd": { - "version": "1.105-7ubuntu1", - "arch": "amd64" - }, - "ntpdate": { - "version": "1:4.2.6.p5+dfsg-3ubuntu2.14.04.10", - "arch": "amd64" - }, - "openjdk-8-jre-headless": { - "version": "8u111-b14-3~14.04.1", - "arch": "amd64" - }, - "openssh-client": { - "version": "1:6.6p1-2ubuntu2.8", - "arch": "amd64" - }, - "openssl": { - "version": "1.0.1f-1ubuntu2.22", - "arch": "amd64" - }, - "passwd": { - "version": "1:4.1.5.1-1ubuntu9.2", - "arch": "amd64" - }, - "patch": { - "version": "2.7.1-4ubuntu2.3", - "arch": "amd64" - }, - "perl": { - "version": "5.18.2-2ubuntu1.1", - "arch": "amd64" - }, - "perl-base": { - "version": "5.18.2-2ubuntu1.1", - "arch": "amd64" - }, - "perl-modules": { - "version": "5.18.2-2ubuntu1.1", - "arch": "all" - }, - "plymouth": { - "version": "0.8.8-0ubuntu17.1", - "arch": "amd64" - }, - "procps": { - "version": "1:3.3.9-1ubuntu2.2", - "arch": "amd64" - }, - "python-apt-common": { - "version": "0.9.3.5ubuntu2", - "arch": "all" - }, - "python3": { - "version": "3.4.0-0ubuntu2", - "arch": "amd64" - }, - "python3-apt": { - "version": "0.9.3.5ubuntu2", - "arch": "amd64" - }, - "python3-dbus": { - "version": "1.2.0-2build2", - "arch": "amd64" - }, - "python3-gi": { - "version": "3.12.0-1ubuntu1", - "arch": "amd64" - }, - "python3-minimal": { - "version": "3.4.0-0ubuntu2", - "arch": "amd64" - }, - "python3-pycurl": { - "version": "7.19.3-0ubuntu3", - "arch": "amd64" - }, - "python3-software-properties": { - "version": "0.92.37.7", - "arch": "all" - }, - "python3.4": { - "version": "3.4.3-1ubuntu1~14.04.5", - "arch": "amd64" - }, - "python3.4-minimal": { - "version": "3.4.3-1ubuntu1~14.04.5", - "arch": "amd64" - }, - "readline-common": { - "version": "6.3-4ubuntu2", - "arch": "all" - }, - "resolvconf": { - "version": "1.69ubuntu1.1", - "arch": "all" - }, - "rsync": { - "version": "3.1.0-2ubuntu0.2", - "arch": "amd64" - }, - "rsyslog": { - "version": "7.4.4-1ubuntu2.6", - "arch": "amd64" - }, - "sed": { - "version": "4.2.2-4ubuntu1", - "arch": "amd64" - }, - "sensible-utils": { - "version": "0.0.9", - "arch": "all" - }, - "sgml-base": { - "version": "1.26+nmu4ubuntu1", - "arch": "all" - }, - "shared-mime-info": { - "version": "1.2-0ubuntu3", - "arch": "amd64" - }, - "software-properties-common": { - "version": "0.92.37.7", - "arch": "all" - }, - "sudo": { - "version": "1.8.9p5-1ubuntu1.3", - "arch": "amd64" - }, - "sysv-rc": { - "version": "2.88dsf-41ubuntu6.3", - "arch": "all" - }, - "sysvinit-utils": { - "version": "2.88dsf-41ubuntu6.3", - "arch": "amd64" - }, - "tar": { - "version": "1.27.1-1ubuntu0.1", - "arch": "amd64" - }, - "tzdata": { - "version": "2016j-0ubuntu0.14.04", - "arch": "all" - }, - "ubuntu-keyring": { - "version": "2012.05.19", - "arch": "all" - }, - "ubuntu-minimal": { - "version": "1.325", - "arch": "amd64" - }, - "ucf": { - "version": "3.0027+nmu1", - "arch": "all" - }, - "udev": { - "version": "204-5ubuntu20.24", - "arch": "amd64" - }, - "unattended-upgrades": { - "version": "0.82.1ubuntu2.4", - "arch": "all" - }, - "upstart": { - "version": "1.12.1-0ubuntu4.2", - "arch": "amd64" - }, - "ureadahead": { - "version": "0.100.0-16", - "arch": "amd64" - }, - "util-linux": { - "version": "2.20.1-5.1ubuntu20.9", - "arch": "amd64" - }, - "vim-common": { - "version": "2:7.4.052-1ubuntu3.1", - "arch": "amd64" - }, - "vim-tiny": { - "version": "2:7.4.052-1ubuntu3.1", - "arch": "amd64" - }, - "whiptail": { - "version": "0.52.15-2ubuntu5", - "arch": "amd64" - }, - "x11-common": { - "version": "1:7.7+1ubuntu8.1", - "arch": "all" - }, - "xauth": { - "version": "1:1.0.7-1ubuntu1", - "arch": "amd64" - }, - "xkb-data": { - "version": "2.10.1-1ubuntu1", - "arch": "all" - }, - "xml-core": { - "version": "0.13+nmu2", - "arch": "all" - }, - "xz-utils": { - "version": "5.1.1alpha+20120614-2ubuntu2", - "arch": "amd64" - }, - "zlib1g": { - "version": "1:1.2.8.dfsg-1ubuntu1", - "arch": "amd64" - } - }, - "root_group": "root", - "shells": [ - "/bin/sh", - "/bin/dash", - "/bin/bash", - "/bin/rbash", - "/bin/ksh93" - ], - "time": { - "timezone": "UTC" - }, - "recipes": [ - "ajsc-aai-config::aai-config", - "ajsc-aai-config::aai-logback", - "ajsc-aai-config::aai-preferredRoute", - "ajsc-aai-config::aaiWorkloadConsumer", - "ajsc-aai-config::aaiWorkloadPublisher", - "ajsc-aai-config::aaiWorkloadStatusPublisher", - "ajsc-aai-config::createConfigDirectories", - "ajsc-aai-auth::aai-keystore" - ], - "expanded_run_list": [ - "ajsc-aai-config::aai-config", - "ajsc-aai-config::aai-logback", - "ajsc-aai-config::aai-preferredRoute", - "ajsc-aai-config::aaiWorkloadConsumer", - "ajsc-aai-config::aaiWorkloadPublisher", - "ajsc-aai-config::aaiWorkloadStatusPublisher", - "ajsc-aai-config::createConfigDirectories", - "ajsc-aai-auth::aai-keystore" - ], - "roles": [ - - ], - "cookbooks": { - "ajsc-aai-config": { - "version": "0.2.2" - }, - "ajsc-aai-auth": { - "version": "0.2.0" - } - } - }, - "run_list": [ - "recipe[ajsc-aai-config::aai-config]", - "recipe[ajsc-aai-config::aai-logback]", - "recipe[ajsc-aai-config::aai-preferredRoute]", - "recipe[ajsc-aai-config::aaiWorkloadConsumer]", - "recipe[ajsc-aai-config::aaiWorkloadPublisher]", - "recipe[ajsc-aai-config::aaiWorkloadStatusPublisher]", - "recipe[ajsc-aai-config::createConfigDirectories]", - "recipe[ajsc-aai-auth::aai-keystore]" - ] -} diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203437.982525 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203437.982525 deleted file mode 100755 index 8f03f83d90..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203437.982525 +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=GET -username= -password= -contenttype=application/json -host= -topic= -group=aaiConsumer -id=dev -timeout=15000 -limit=1000 -filter= -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=no -DME2preferredRouterFilePath=preferredRoute.txt \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203837.892657 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203837.892657 deleted file mode 100755 index 8f03f83d90..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170515203837.892657 +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=GET -username= -password= -contenttype=application/json -host= -topic= -group=aaiConsumer -id=dev -timeout=15000 -limit=1000 -filter= -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=no -DME2preferredRouterFilePath=preferredRoute.txt \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170516140802.742329 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170516140802.742329 deleted file mode 100755 index 8f03f83d90..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170516140802.742329 +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=GET -username= -password= -contenttype=application/json -host= -topic= -group=aaiConsumer -id=dev -timeout=15000 -limit=1000 -filter= -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=no -DME2preferredRouterFilePath=preferredRoute.txt \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170517001516.702925 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170517001516.702925 deleted file mode 100755 index 8f03f83d90..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170517001516.702925 +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=GET -username= -password= -contenttype=application/json -host= -topic= -group=aaiConsumer -id=dev -timeout=15000 -limit=1000 -filter= -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=no -DME2preferredRouterFilePath=preferredRoute.txt \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170525061506.737483 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170525061506.737483 deleted file mode 100644 index 8f03f83d90..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadConsumer.properties.chef-20170525061506.737483 +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=GET -username= -password= -contenttype=application/json -host= -topic= -group=aaiConsumer -id=dev -timeout=15000 -limit=1000 -filter= -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=no -DME2preferredRouterFilePath=preferredRoute.txt \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203438.032572 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203438.032572 deleted file mode 100755 index 372268a6d4..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203438.032572 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203837.951256 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203837.951256 deleted file mode 100755 index 372268a6d4..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170515203837.951256 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170516140802.804576 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170516140802.804576 deleted file mode 100755 index 372268a6d4..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170516140802.804576 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170517001516.745487 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170517001516.745487 deleted file mode 100755 index 372268a6d4..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170517001516.745487 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170525061506.748871 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170525061506.748871 deleted file mode 100644 index 372268a6d4..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadPublisher.properties.chef-20170525061506.748871 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203438.078258 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203438.078258 deleted file mode 100755 index 49db340cd1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203438.078258 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD_STATUS -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203838.004779 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203838.004779 deleted file mode 100755 index 49db340cd1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170515203838.004779 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD_STATUS -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170516140802.862105 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170516140802.862105 deleted file mode 100755 index 49db340cd1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170516140802.862105 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD_STATUS -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170517001516.777254 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170517001516.777254 deleted file mode 100755 index 49db340cd1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170517001516.777254 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD_STATUS -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170525061506.760273 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170525061506.760273 deleted file mode 100644 index 49db340cd1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiWorkloadStatusPublisher.properties.chef-20170525061506.760273 +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName= -Environment=TEST -Partner=BOT_R -routeOffer=MR1 -SubContextPath=/ -Protocol=http -MethodType=POST -username= -password= -contenttype=application/json -host= -topic= -partition=AAI_WORKLOAD_STATUS -maxBatchSize=100 -maxAgeMs=250 -AFT_DME2_EXCHANGE_REQUEST_HANDLERS= -AFT_DME2_EXCHANGE_REPLY_HANDLERS= -AFT_DME2_REQ_TRACE_ON=true -AFT_ENVIRONMENT=AFTUAT -AFT_DME2_EP_CONN_TIMEOUT=15000 -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=240000 -AFT_DME2_EP_READ_TIMEOUT_MS=50000 -sessionstickinessrequired=NO -DME2preferredRouterFilePath=preferredRoute.txt -MessageSentThreadOccurance=50 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203437.872136 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203437.872136 deleted file mode 100755 index b1b23fe93a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203437.872136 +++ /dev/null @@ -1,95 +0,0 @@ -#################################################################### -# REMEMBER TO THINK ABOUT ENVIRONMENTAL DIFFERENCES AND CHANGE THE -# TEMPLATE AND *ALL* DATAFILES -#################################################################### - -aai.config.checktime=1000 - -# this could come from siteconfig.pl? -aai.config.nodename=AutomaticallyOverwritten - -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI - -aai.server.url.base=https://localhost:8443/aai/ -aai.server.url=https://localhost:8443/aai/v8/ -aai.global.callback.url=https://localhost:8443/aai/ - -aai.auth.cspcookies_on=false -aai.truststore.filename=aai_keystore -aai.truststore.passwd.x=OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0 - -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=inmemory -storage.hostname=localhost - -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=aaigraph.dev -storage.hbase.ext.zookeeper.znode.parent=/hbase -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=aailogging.dev -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=localhost -hbase.zookeeper.property.clientPort=2181 -hbase.zookeeper.znode.parent=/hbase -hbase.column.ttl.days=15 - - -# single primary server -aai.primary.filetransfer.serverlist=localhost -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y - - -aai.notification.current.version=v8 -aai.notificationEvent.default.status=UNPROCESSED -aai.notificationEvent.default.eventType=AAI-EVENT -aai.notificationEvent.default.domain=devINT1 -aai.notificationEvent.default.sourceName=aai -aai.notificationEvent.default.sequenceNumber=0 -aai.notificationEvent.default.severity=NORMAL -aai.notificationEvent.default.version=v8 -# This one lets us enable/disable resource-version checking on updates/deletes -aai.resourceversion.enableflag=true -aai.logging.maxStackTraceEntries=10 -aai.default.api.version=v8 - - -# Used by Model-processing code -aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 -aai.model.query.timeout.sec=90 - -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 - -aai.model.proc.max.levels=50 -aai.edgeTag.proc.max.levels=50 - -aai.dmaap.workload.enableEventProcessing=true diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203837.770006 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203837.770006 deleted file mode 100755 index b1b23fe93a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170515203837.770006 +++ /dev/null @@ -1,95 +0,0 @@ -#################################################################### -# REMEMBER TO THINK ABOUT ENVIRONMENTAL DIFFERENCES AND CHANGE THE -# TEMPLATE AND *ALL* DATAFILES -#################################################################### - -aai.config.checktime=1000 - -# this could come from siteconfig.pl? -aai.config.nodename=AutomaticallyOverwritten - -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI - -aai.server.url.base=https://localhost:8443/aai/ -aai.server.url=https://localhost:8443/aai/v8/ -aai.global.callback.url=https://localhost:8443/aai/ - -aai.auth.cspcookies_on=false -aai.truststore.filename=aai_keystore -aai.truststore.passwd.x=OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0 - -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=inmemory -storage.hostname=localhost - -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=aaigraph.dev -storage.hbase.ext.zookeeper.znode.parent=/hbase -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=aailogging.dev -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=localhost -hbase.zookeeper.property.clientPort=2181 -hbase.zookeeper.znode.parent=/hbase -hbase.column.ttl.days=15 - - -# single primary server -aai.primary.filetransfer.serverlist=localhost -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y - - -aai.notification.current.version=v8 -aai.notificationEvent.default.status=UNPROCESSED -aai.notificationEvent.default.eventType=AAI-EVENT -aai.notificationEvent.default.domain=devINT1 -aai.notificationEvent.default.sourceName=aai -aai.notificationEvent.default.sequenceNumber=0 -aai.notificationEvent.default.severity=NORMAL -aai.notificationEvent.default.version=v8 -# This one lets us enable/disable resource-version checking on updates/deletes -aai.resourceversion.enableflag=true -aai.logging.maxStackTraceEntries=10 -aai.default.api.version=v8 - - -# Used by Model-processing code -aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 -aai.model.query.timeout.sec=90 - -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 - -aai.model.proc.max.levels=50 -aai.edgeTag.proc.max.levels=50 - -aai.dmaap.workload.enableEventProcessing=true diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170516140802.582503 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170516140802.582503 deleted file mode 100755 index b1b23fe93a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170516140802.582503 +++ /dev/null @@ -1,95 +0,0 @@ -#################################################################### -# REMEMBER TO THINK ABOUT ENVIRONMENTAL DIFFERENCES AND CHANGE THE -# TEMPLATE AND *ALL* DATAFILES -#################################################################### - -aai.config.checktime=1000 - -# this could come from siteconfig.pl? -aai.config.nodename=AutomaticallyOverwritten - -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI - -aai.server.url.base=https://localhost:8443/aai/ -aai.server.url=https://localhost:8443/aai/v8/ -aai.global.callback.url=https://localhost:8443/aai/ - -aai.auth.cspcookies_on=false -aai.truststore.filename=aai_keystore -aai.truststore.passwd.x=OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0 - -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=inmemory -storage.hostname=localhost - -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=aaigraph.dev -storage.hbase.ext.zookeeper.znode.parent=/hbase -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=aailogging.dev -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=localhost -hbase.zookeeper.property.clientPort=2181 -hbase.zookeeper.znode.parent=/hbase -hbase.column.ttl.days=15 - - -# single primary server -aai.primary.filetransfer.serverlist=localhost -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y - - -aai.notification.current.version=v8 -aai.notificationEvent.default.status=UNPROCESSED -aai.notificationEvent.default.eventType=AAI-EVENT -aai.notificationEvent.default.domain=devINT1 -aai.notificationEvent.default.sourceName=aai -aai.notificationEvent.default.sequenceNumber=0 -aai.notificationEvent.default.severity=NORMAL -aai.notificationEvent.default.version=v8 -# This one lets us enable/disable resource-version checking on updates/deletes -aai.resourceversion.enableflag=true -aai.logging.maxStackTraceEntries=10 -aai.default.api.version=v8 - - -# Used by Model-processing code -aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 -aai.model.query.timeout.sec=90 - -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 - -aai.model.proc.max.levels=50 -aai.edgeTag.proc.max.levels=50 - -aai.dmaap.workload.enableEventProcessing=true diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170517001516.603242 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170517001516.603242 deleted file mode 100755 index b1b23fe93a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170517001516.603242 +++ /dev/null @@ -1,95 +0,0 @@ -#################################################################### -# REMEMBER TO THINK ABOUT ENVIRONMENTAL DIFFERENCES AND CHANGE THE -# TEMPLATE AND *ALL* DATAFILES -#################################################################### - -aai.config.checktime=1000 - -# this could come from siteconfig.pl? -aai.config.nodename=AutomaticallyOverwritten - -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI - -aai.server.url.base=https://localhost:8443/aai/ -aai.server.url=https://localhost:8443/aai/v8/ -aai.global.callback.url=https://localhost:8443/aai/ - -aai.auth.cspcookies_on=false -aai.truststore.filename=aai_keystore -aai.truststore.passwd.x=OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0 - -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=inmemory -storage.hostname=localhost - -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=aaigraph.dev -storage.hbase.ext.zookeeper.znode.parent=/hbase -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=aailogging.dev -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=localhost -hbase.zookeeper.property.clientPort=2181 -hbase.zookeeper.znode.parent=/hbase -hbase.column.ttl.days=15 - - -# single primary server -aai.primary.filetransfer.serverlist=localhost -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y - - -aai.notification.current.version=v8 -aai.notificationEvent.default.status=UNPROCESSED -aai.notificationEvent.default.eventType=AAI-EVENT -aai.notificationEvent.default.domain=devINT1 -aai.notificationEvent.default.sourceName=aai -aai.notificationEvent.default.sequenceNumber=0 -aai.notificationEvent.default.severity=NORMAL -aai.notificationEvent.default.version=v8 -# This one lets us enable/disable resource-version checking on updates/deletes -aai.resourceversion.enableflag=true -aai.logging.maxStackTraceEntries=10 -aai.default.api.version=v8 - - -# Used by Model-processing code -aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 -aai.model.query.timeout.sec=90 - -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 - -aai.model.proc.max.levels=50 -aai.edgeTag.proc.max.levels=50 - -aai.dmaap.workload.enableEventProcessing=true diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170525061506.695621 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170525061506.695621 deleted file mode 100644 index b1b23fe93a..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/appprops/aaiconfig.properties.chef-20170525061506.695621 +++ /dev/null @@ -1,95 +0,0 @@ -#################################################################### -# REMEMBER TO THINK ABOUT ENVIRONMENTAL DIFFERENCES AND CHANGE THE -# TEMPLATE AND *ALL* DATAFILES -#################################################################### - -aai.config.checktime=1000 - -# this could come from siteconfig.pl? -aai.config.nodename=AutomaticallyOverwritten - -aai.logging.hbase.interceptor=false -aai.logging.hbase.enabled=false -aai.logging.hbase.logrequest=false -aai.logging.hbase.logresponse=false - -aai.logging.trace.enabled=true -aai.logging.trace.logrequest=false -aai.logging.trace.logresponse=false - - -aai.tools.enableBasicAuth=true -aai.tools.username=AAI -aai.tools.password=AAI - -aai.server.url.base=https://localhost:8443/aai/ -aai.server.url=https://localhost:8443/aai/v8/ -aai.global.callback.url=https://localhost:8443/aai/ - -aai.auth.cspcookies_on=false -aai.truststore.filename=aai_keystore -aai.truststore.passwd.x=OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0 - -# the following parameters are not reloaded automatically and require a manual bounce -storage.backend=inmemory -storage.hostname=localhost - -#schema.default=none -storage.lock.wait-time=300 -storage.hbase.table=aaigraph.dev -storage.hbase.ext.zookeeper.znode.parent=/hbase -# Setting db-cache to false ensure the fastest propagation of changes across servers -cache.db-cache = false -#cache.db-cache-clean-wait = 20 -#cache.db-cache-time = 180000 -#cache.db-cache-size = 0.5 - -# for transaction log -hbase.table.name=aailogging.dev -hbase.table.timestamp.format=YYYYMMdd-HH:mm:ss:SSS -hbase.zookeeper.quorum=localhost -hbase.zookeeper.property.clientPort=2181 -hbase.zookeeper.znode.parent=/hbase -hbase.column.ttl.days=15 - - -# single primary server -aai.primary.filetransfer.serverlist=localhost -aai.primary.filetransfer.primarycheck=echo:8443/aai/util/echo -aai.primary.filetransfer.pingtimeout=5000 -aai.primary.filetransfer.pingcount=5 - -#rsync properties -aai.rsync.command=rsync -aai.rsync.options.list=-v|-t -aai.rsync.remote.user=aaiadmin -aai.rsync.enabled=y - - -aai.notification.current.version=v8 -aai.notificationEvent.default.status=UNPROCESSED -aai.notificationEvent.default.eventType=AAI-EVENT -aai.notificationEvent.default.domain=devINT1 -aai.notificationEvent.default.sourceName=aai -aai.notificationEvent.default.sequenceNumber=0 -aai.notificationEvent.default.severity=NORMAL -aai.notificationEvent.default.version=v8 -# This one lets us enable/disable resource-version checking on updates/deletes -aai.resourceversion.enableflag=true -aai.logging.maxStackTraceEntries=10 -aai.default.api.version=v8 - - -# Used by Model-processing code -aai.model.delete.sleep.per.vtx.msec=500 -aai.model.query.resultset.maxcount=30 -aai.model.query.timeout.sec=90 - -# Used by Data Grooming -aai.grooming.default.max.fix=150 -aai.grooming.default.sleep.minutes=7 - -aai.model.proc.max.levels=50 -aai.edgeTag.proc.max.levels=50 - -aai.dmaap.workload.enableEventProcessing=true diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203437.939967 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203437.939967 deleted file mode 100755 index 103f38fb2c..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203437.939967 +++ /dev/null @@ -1,296 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203837.834264 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203837.834264 deleted file mode 100755 index 103f38fb2c..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170515203837.834264 +++ /dev/null @@ -1,296 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170516140802.653662 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170516140802.653662 deleted file mode 100755 index 103f38fb2c..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170516140802.653662 +++ /dev/null @@ -1,296 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170517001516.659345 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170517001516.659345 deleted file mode 100755 index 103f38fb2c..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170517001516.659345 +++ /dev/null @@ -1,296 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170525061506.717614 b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170525061506.717614 deleted file mode 100644 index 103f38fb2c..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/backup/opt/app/aai/bundleconfig/etc/logback.xml.chef-20170525061506.717614 +++ /dev/null @@ -1,296 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/chef-client-running.pid b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/chef-client-running.pid deleted file mode 100755 index 368f89ceef..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/chef-client-running.pid +++ /dev/null @@ -1 +0,0 @@ -28 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-int and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-local and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-simpledemo and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo deleted file mode 100755 index 3eef13557c..0000000000 Binary files a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/files/default/aai_keystore-solo and /dev/null differ diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/metadata.rb deleted file mode 100755 index 1cf7e8283d..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/metadata.rb +++ /dev/null @@ -1,7 +0,0 @@ -name 'ajsc-aai-auth' -maintainer 'YOUR_COMPANY_NAME' -maintainer_email 'YOUR_EMAIL' -license 'All rights reserved' -description 'Installs/Configures ajsc-aai-auth' -long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) -version '0.2.0' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb deleted file mode 100755 index e5c0599038..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-auth/recipes/aai-keystore.rb +++ /dev/null @@ -1,8 +0,0 @@ -cookbook_file "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/auth/aai_keystore" do - source "aai_keystore-#{node['aai-app-config']['AAIENV']}" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' - action :create -end - diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb deleted file mode 100755 index 27362496f8..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadConsumer.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ID"] = 'aaiConsumerId' -node.default["aai-app-config"]["AAI_WORKLOAD_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_LIMIT"] = '1000' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb deleted file mode 100755 index 024ea07d53..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadPublisher.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"] = '100' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"] = '250' -node.default["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] = '50' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb deleted file mode 100755 index 90ecf6f831..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiWorkloadStatusPublisher.properties.rb +++ /dev/null @@ -1,21 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"] = 'TEST' -node.default["aai-app-config"]["AAI_WORKLOAD_USERNAME"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_PASSWORD"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_HOST"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"] = 'true' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"] = 'AFTUAT' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"] = '15000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"] = '240000' -node.default["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"] = '50000' -node.default["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"] = 'no' -node.default["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"] = '/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt' -node.default["aai-app-config"]["AAI_WORKLOAD_PARTNER"] = 'BOT_R' -node.default["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"] = 'MR1' -node.default["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"] = 'http' -node.default["aai-app-config"]["AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC"] = '' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"] = '100' -node.default["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"] = '250' -node.default["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] = '50' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb deleted file mode 100755 index a6df8006ab..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/aaiconfig-properties.rb +++ /dev/null @@ -1,34 +0,0 @@ -node.default["aai-app-config"]["AAIENV"] = 'solo' -node.default["aai-app-config"]["PROJECT_HOME"] = '/opt/app/aai' -#CATALINA_BASE is PROJECT_HOME + /servers/aai -node.default["aai-app-config"]["CATALINA_BASE"] = '/servers/aai' -node.default["aai-app-config"]["LOGROOT"] = '/opt/aai/logroot' -node.default["aai-app-config"]["JAVA_HOME"] = '/usr/lib/jvm/java-8-openjdk-amd64' -node.default["aai-app-config"]["TOMCAT_SHUTDOWN_PORT_1"] = '8005' -node.default["aai-app-config"]["TOMCAT_HTTP_SERVER_PORT_1"] = '8080' -node.default["aai-app-config"]["TOMCAT_HTTPS_SERVER_PORT_1"] = '8443' -node.default["aai-app-config"]["TOMCAT_AJP13_CONNECTOR_PORT_1"] = '8009' -node.default["aai-app-config"]["AAI_SERVER_URL_BASE"] = 'https://localhost:8443/aai/' -node.default["aai-app-config"]["AAI_SERVER_URL"] = 'https://localhost:8443/aai/v8/' -node.default["aai-app-config"]["AAI_GLOBAL_CALLBACK_URL"] = 'https://localhost:8443/aai/' -node.default["aai-app-config"]["AAI_TRUSTSTORE_FILENAME"] = 'aai_keystore' -node.default["aai-app-config"]["AAI_TRUSTSTORE_PASSWD_X"] = 'OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o' -node.default["aai-app-config"]["STORAGE_HOSTNAME"] = 'localhost' -node.default["aai-app-config"]["STORAGE_HBASE_TABLE"] = 'aaigraph.dev' -node.default["aai-app-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase-unsecure' -node.default["aai-app-config"]["TXN_HBASE_TABLE_NAME"] = 'aailogging.dev' -node.default["aai-app-config"]["TXN_ZOOKEEPER_QUORUM"] = 'localhost' -node.default["aai-app-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"] = '2181' -node.default["aai-app-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"] = '/hbase-unsecure' -node.default["aai-app-config"]["APPLICATION_SERVERS"] = 'localhost' -node.default["aai-app-config"]["AAI_NOTIFICATION_CURRENT_VERSION"] = 'v8' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"] = 'UNPROCESSED' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"] = 'AAI-EVENT' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"] = 'application' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"] = 'aai' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"] = '0' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"] = 'NORMAL' -node.default["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"] = 'v1' -node.default["aai-app-config"]["AAI_DEFAULT_API_VERSION"] = 'v8' -node.default["aai-app-config"]["AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING"] = 'false' -node.default["aai-app-config"]["HBASE_COLUMN_TTL_DAYS"] = '15' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/logback.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/logback.rb deleted file mode 100755 index 58ecdf39a1..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/logback.rb +++ /dev/null @@ -1 +0,0 @@ -node.default["aai-app-config"]["ORG_OPENECOMP_AAI_LEVEL"] = 'INFO' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb deleted file mode 100755 index dec40c75c7..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/attributes/preferredRoute.rb +++ /dev/null @@ -1 +0,0 @@ -node.default["aai-app-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] = 'MR1' \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/metadata.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/metadata.rb deleted file mode 100755 index 26a76d5d68..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/metadata.rb +++ /dev/null @@ -1,7 +0,0 @@ -name 'ajsc-aai-config' -maintainer 'YOUR_COMPANY_NAME' -maintainer_email 'YOUR_EMAIL' -license 'All rights reserved' -description 'Installs/Configures ajsc-aai-config' -long_description IO.read(File.join(File.dirname(__FILE__), 'README.md')) -version '0.2.2' diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-config.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-config.rb deleted file mode 100755 index 7cbae3aa08..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-config.rb +++ /dev/null @@ -1,89 +0,0 @@ -################ -# Update aaiconfig.properties -###### -include_recipe 'ajsc-aai-config::createConfigDirectories' - -['aaiconfig.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/#{file}" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:TOMCAT_SHUTDOWN_PORT_1 => node["aai-app-config"]["TOMCAT_SHUTDOWN_PORT_1"], -:TOMCAT_HTTP_SERVER_PORT_1 => node["aai-app-config"]["TOMCAT_HTTP_SERVER_PORT_1"], -:TOMCAT_HTTPS_SERVER_PORT_1 => node["aai-app-config"]["TOMCAT_HTTPS_SERVER_PORT_1"], -:TOMCAT_AJP13_CONNECTOR_PORT_1 => node["aai-app-config"]["TOMCAT_AJP13_CONNECTOR_PORT_1"], -:AAI_SERVER_URL_BASE => node["aai-app-config"]["AAI_SERVER_URL_BASE"], -:AAI_SERVER_URL => node["aai-app-config"]["AAI_SERVER_URL"], -:AAI_OLDSERVER_URL => node["aai-app-config"]["AAI_OLDSERVER_URL"], -:AAI_GLOBAL_CALLBACK_URL => node["aai-app-config"]["AAI_GLOBAL_CALLBACK_URL"], -:AAI_TRUSTSTORE_FILENAME => node["aai-app-config"]["AAI_TRUSTSTORE_FILENAME"], -:AAI_TRUSTSTORE_PASSWD_X => node["aai-app-config"]["AAI_TRUSTSTORE_PASSWD_X"], -:AAI_KEYSTORE_FILENAME => node["aai-app-config"]["AAI_KEYSTORE_FILENAME"], -:AAI_KEYSTORE_PASSWD_X => node["aai-app-config"]["AAI_KEYSTORE_PASSWD_X"], -:STORAGE_HOSTNAME => node["aai-app-config"]["STORAGE_HOSTNAME"], -:STORAGE_BACKEND => node["aai-app-config"]["STORAGE_BACKEND"], -:STORAGE_HBASE_TABLE => node["aai-app-config"]["STORAGE_HBASE_TABLE"], -:STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-app-config"]["STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT"], -:HBASE_COLUMN_TTL_DAYS => node["aai-app-config"]["HBASE_COLUMN_TTL_DAYS"], -:TXN_HBASE_TABLE_NAME => node["aai-app-config"]["TXN_HBASE_TABLE_NAME"], -:TXN_ZOOKEEPER_QUORUM => node["aai-app-config"]["TXN_ZOOKEEPER_QUORUM"], -:TXN_ZOOKEEPER_PROPERTY_CLIENTPORT => node["aai-app-config"]["TXN_ZOOKEEPER_PROPERTY_CLIENTPORT"], -:TXN_HBASE_ZOOKEEPER_ZNODE_PARENT => node["aai-app-config"]["TXN_HBASE_ZOOKEEPER_ZNODE_PARENT"], -:NOTIFICATION_HBASE_TABLE_NAME => node["aai-app-config"]["NOTIFICATION_HBASE_TABLE_NAME"], -:APPLICATION_SERVERS => node["aai-app-config"]["APPLICATION_SERVERS"], -:AAI_NOTIFICATION_CURRENT_VERSION => node["aai-app-config"]["AAI_NOTIFICATION_CURRENT_VERSION"], -:AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS"], -:AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE"], -:AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER"], -:AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY"], -:AAI_NOTIFICATION_EVENT_DEFAULT_VERSION => node["aai-app-config"]["AAI_NOTIFICATION_EVENT_DEFAULT_VERSION"], -:RESOURCE_VERSION_ENABLE_FLAG => node["aai-app-config"]["RESOURCE_VERSION_ENABLE_FLAG"], -:AAI_DEFAULT_API_VERSION => node["aai-app-config"]["AAI_DEFAULT_API_VERSION"], -:AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING => node["aai-app-config"]["AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING"] - ) - end -end - -#remote_directory "/opt/mso/etc/ecomp/mso/config/" do -# source "mso-asdc-controller-config" -# #cookbook "default is current" -# files_mode "0700" -# files_owner "jboss" -# files_group "jboss" -# mode "0755" -# owner "jboss" -# group "jboss" -# overwrite true -# recursive true -# action :create -#end - - -################ -# Alternative example1 -# This updates all the timestamps -# Seting preserve never changes the timestamp when the file is changed -###### -# ruby_block "copy_recurse" do -# block do -# FileUtils.cp_r("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/.",\ -# "/opt/mso/etc/ecomp/mso/config/", :preserve => true) -# end -# action :run -# end - -################ -# Alternative example2 -###### -# Dir.glob("#{Chef::Config[:file_cache_path]}/cookbooks/mso-config/files/default/mso-api-handler-config/*").sort.each do |entry| -# cookbook_file "/opt/mso/etc/ecomp/mso/config/#{entry}" do -# source entry -# owner "root" -# group "root" -# mode 0755 -# end -# end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-logback.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-logback.rb deleted file mode 100755 index 505c44a577..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-logback.rb +++ /dev/null @@ -1,15 +0,0 @@ -################ -# Update logback.xml -###### - -['logback.xml'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/#{file}" do - source "aai-app-config/logback.erb" - owner "aaiadmin" - group "aaiadmin" - mode "0777" - variables( -:ORG_OPENECOMP_AAI_LEVEL => node["aai-app-config"]["ORG_OPENECOMP_AAI_LEVEL"] - ) - end -end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb deleted file mode 100755 index c9f4887791..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aai-preferredRoute.rb +++ /dev/null @@ -1,11 +0,0 @@ -['preferredRoute.txt'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/preferredRoute.txt" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_PREFERRED_ROUTE_KEY => node["aai-app-config"]["AAI_WORKLOAD_PREFERRED_ROUTE_KEY"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb deleted file mode 100755 index 676e5ce1e7..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadConsumer.rb +++ /dev/null @@ -1,32 +0,0 @@ -['aaiWorkloadConsumer.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadConsumer.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_FILTER => node["aai-app-config"]["AAI_WORKLOAD_FILTER"], -:AAI_WORKLOAD_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_TOPIC"], -:AAI_WORKLOAD_ID => node["aai-app-config"]["AAI_WORKLOAD_ID"], -:AAI_WORKLOAD_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_TIMEOUT"], -:AAI_WORKLOAD_LIMIT => node["aai-app-config"]["AAI_WORKLOAD_LIMIT"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb deleted file mode 100755 index 815f29c58d..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadPublisher.rb +++ /dev/null @@ -1,31 +0,0 @@ -['aaiWorkloadPublisher.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadPublisher.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_TOPIC"], -:AAI_WORKLOAD_MAX_BATCH_SIZE => node["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"], -:AAI_WORKLOAD_MAX_AGE_MS => node["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"], -:AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE => node["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb deleted file mode 100755 index 032737e087..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/aaiWorkloadStatusPublisher.rb +++ /dev/null @@ -1,31 +0,0 @@ -['aaiWorkloadStatusPublisher.properties'].each do |file| - template "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/appprops/#{file}" do - source "aai-app-config/aaiWorkloadStatusPublisher.properties" - owner "aaiadmin" - group "aaiadmin" - mode "0644" - variables( -:AAI_WORKLOAD_SERVICE_NAME => node["aai-app-config"]["AAI_WORKLOAD_SERVICE_NAME"], -:AAI_WORKLOAD_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_ENVIRONMENT"], -:AAI_WORKLOAD_USERNAME => node["aai-app-config"]["AAI_WORKLOAD_USERNAME"], -:AAI_WORKLOAD_PASSWORD => node["aai-app-config"]["AAI_WORKLOAD_PASSWORD"], -:AAI_WORKLOAD_HOST => node["aai-app-config"]["AAI_WORKLOAD_HOST"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS"], -:AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON"], -:AAI_WORKLOAD_AFT_ENVIRONMENT => node["aai-app-config"]["AAI_WORKLOAD_AFT_ENVIRONMENT"], -:AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT"], -:AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS"], -:AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS => node["aai-app-config"]["AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS"], -:AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED => node["aai-app-config"]["AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED"], -:AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH => node["aai-app-config"]["AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH"], -:AAI_WORKLOAD_PARTNER => node["aai-app-config"]["AAI_WORKLOAD_PARTNER"], -:AAI_WORKLOAD_ROUTE_OFFER => node["aai-app-config"]["AAI_WORKLOAD_ROUTE_OFFER"], -:AAI_WORKLOAD_PROTOCOL => node["aai-app-config"]["AAI_WORKLOAD_PROTOCOL"], -:AAI_WORKLOAD_MAX_BATCH_SIZE => node["aai-app-config"]["AAI_WORKLOAD_MAX_BATCH_SIZE"], -:AAI_WORKLOAD_MAX_AGE_MS => node["aai-app-config"]["AAI_WORKLOAD_MAX_AGE_MS"], -:AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE => node["aai-app-config"]["AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE"], -:AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC => node["aai-app-config"]["AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC"] - ) - end -end \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb deleted file mode 100755 index eac5cd18ab..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/recipes/createConfigDirectories.rb +++ /dev/null @@ -1,60 +0,0 @@ -# Create or update the needed directories/links. -# If the directory already exists, it is updated to match -# -# LOGROOT should already be created by the SWM installation script -# It needs to run as root - -execute "mv logs logs.bak" do - only_if { ::File.directory?("#{node['aai-app-config']['PROJECT_HOME']}/logs") } - user 'aaiadmin' - group 'aaiadmin' - cwd "#{node['aai-app-config']['PROJECT_HOME']}" -end - -[ - "#{node['aai-app-config']['LOGROOT']}/AAI", - "#{node['aai-app-config']['LOGROOT']}/AAI/data", - "#{node['aai-app-config']['LOGROOT']}/AAI/misc", - "#{node['aai-app-config']['LOGROOT']}/AAI/ajsc-jetty" ].each do |path| - directory path do - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' - recursive=true - action :create - end -end - -[ "#{node['aai-app-config']['PROJECT_HOME']}/bundleconfig/etc/auth" ].each do |path| - directory path do - owner 'aaiadmin' - group 'aaiadmin' - mode '0777' - recursive=true - action :create - end -end -#Application logs -link "#{node['aai-app-config']['PROJECT_HOME']}/logs" do - to "#{node['aai-app-config']['LOGROOT']}/AAI" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' -end - -#Make a link from /opt/app/aai/scripts to /opt/app/aai/bin -link "#{node['aai-app-config']['PROJECT_HOME']}/scripts" do - to "#{node['aai-app-config']['PROJECT_HOME']}/bin" - owner 'aaiadmin' - group 'aaiadmin' - mode '0755' -end - -#Process logs?? -#ln -s ${LOGROOT}/aai/servers/${server}/logs ${TRUE_PROJECT_HOME}/servers/${server}/logs -#link "#{node['aai-app-config']['PROJECT_HOME']}/servers/aai/logs" do -# to "#{node['aai-app-config']['LOGROOT']}/aai/servers/aai/logs" -# owner 'aaiadmin' -# group 'aaiadmin' -# mode '0755' -#end diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties deleted file mode 100755 index 81b0e30034..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadConsumer.properties +++ /dev/null @@ -1,30 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=GET -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_TOPIC %> -group=aaiWorkloadConsumer -id=<%= @AAI_WORKLOAD_ID %> -timeout=<%= @AAI_WORKLOAD_TIMEOUT %> -limit=<%= @AAI_WORKLOAD_LIMIT %> -filter=<%= @AAI_WORKLOAD_FILTER %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties deleted file mode 100755 index 87a47bcbc9..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadPublisher.properties +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=POST -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_TOPIC %> -partition=AAI_WORKLOAD -maxBatchSize=<%= @AAI_WORKLOAD_MAX_BATCH_SIZE %> -maxAgeMs=<%= @AAI_WORKLOAD_MAX_AGE_MS %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> -MessageSentThreadOccurance=<%= @AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties deleted file mode 100755 index 73cc1c98c5..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aaiWorkloadStatusPublisher.properties +++ /dev/null @@ -1,29 +0,0 @@ -TransportType=DME2 -Latitude=47.778998 -Longitude=-122.182883 -Version=1.0 -ServiceName=<%= @AAI_WORKLOAD_SERVICE_NAME %> -Environment=<%= @AAI_WORKLOAD_ENVIRONMENT %> -Partner=<%= @AAI_WORKLOAD_PARTNER %> -routeOffer=<%= @AAI_WORKLOAD_ROUTE_OFFER %> -SubContextPath=/ -Protocol=<%= @AAI_WORKLOAD_PROTOCOL %> -MethodType=POST -username=<%= @AAI_WORKLOAD_USERNAME %> -password=<%= @AAI_WORKLOAD_PASSWORD %> -contenttype=application/json -host=<%= @AAI_WORKLOAD_HOST %> -topic=<%= @AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC %> -partition=AAI_WORKLOAD -maxBatchSize=<%= @AAI_WORKLOAD_MAX_BATCH_SIZE %> -maxAgeMs=<%= @AAI_WORKLOAD_MAX_AGE_MS %> -AFT_DME2_EXCHANGE_REQUEST_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS %> -AFT_DME2_EXCHANGE_REPLY_HANDLERS=<%= @AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS %> -AFT_DME2_REQ_TRACE_ON=<%= @AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON %> -AFT_ENVIRONMENT=<%= @AAI_WORKLOAD_AFT_ENVIRONMENT %> -AFT_DME2_EP_CONN_TIMEOUT=<%= @AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT %> -AFT_DME2_ROUNDTRIP_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS %> -AFT_DME2_EP_READ_TIMEOUT_MS=<%= @AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS %> -sessionstickinessrequired=<%= @AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED %> -DME2preferredRouterFilePath=<%= @AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH %> -MessageSentThreadOccurance=<%= @AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE %> \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties deleted file mode 100755 index d3165d2f9f..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/aft.properties +++ /dev/null @@ -1,8 +0,0 @@ -com.att.aft.discovery.client.environment=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_ENVIRONMENT %> -com.att.aft.discovery.client.latitude=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_LATITUDE %> -com.att.aft.discovery.client.longitude=<%= @COM_ATT_AFT_DISCOVERY_CLIENT_LONGITUDE %> -com.att.aft.alias=ecomp-aai -com.att.aft.keyStore=/opt/app/aai/bundleconfig/etc/m04353t.jks -com.att.aft.keyStorePassword=<%= @COM_ATT_AFT_KEY_STORE_PASSWORD %> -com.att.aft.trustStore=/opt/app/aai/bundleconfig/etc/m04353t.jks -com.att.aft.trustStorePassword=<%= @COM_ATT_AFT_TRUST_STORE_PASSWORD %> diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb deleted file mode 100755 index e438b89fb2..0000000000 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/local-mode-cache/cache/cookbooks/ajsc-aai-config/templates/default/aai-app-config/logback.erb +++ /dev/null @@ -1,298 +0,0 @@ - - ${module.ajsc.namespace.name} - - - - - - ERROR - ACCEPT - DENY - - - %d{HH:mm:ss.SSS} [%thread] %-5level %logger{1024} - %msg%n - - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/rest/metrics.log - - ${logDirectory}/rest/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/rest/debug.log - - ${logDirectory}/rest/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/rest/error.log - - ${logDirectory}/rest/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - ${logDirectory}/rest/audit.log - - ${logDirectory}/rest/audit.log.%d{yyyy-MM-dd} - - - %m%n - - - - 1000 - - - - - - WARN - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/error.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - DEBUG - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/debug.log.%d{yyyy-MM-dd} - - - %m%n - - - - - INFO - ACCEPT - DENY - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log - - ${logDirectory}/dmaapAAIWorkloadConsumer/metrics.log.%d{yyyy-MM-dd} - - - %m%n - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Audit-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.log - - ${logDirectory}/perf-audit/Perform-${lrmRVer}-${lrmRO}-${Pid}.%i.log.zip - 1 - 9 - - - 5MB - - - "%d [%thread] %-5level %logger{1024} - %msg%n" - - - - - - - 1000 - 0 - - - - - - - - - - - - 1000 - 0 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/solo.rb b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/solo.rb old mode 100755 new mode 100644 index 59859637e5..3d903adcc5 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/solo.rb +++ b/kubernetes/config/docker/init/src/config/aai/aai-data/chef-config/dev/.knife/solo.rb @@ -6,4 +6,4 @@ node_name "chef-node" cookbook_path [ "/var/chef/aai-config/cookbooks" ] environment_path "#{env_path}" log_level :info -log_location STDOUT +log_location STDOUT \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/environments/README.md b/kubernetes/config/docker/init/src/config/aai/aai-data/environments/README.md old mode 100755 new mode 100644 diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/environments/simpledemo.json b/kubernetes/config/docker/init/src/config/aai/aai-data/environments/simpledemo.json old mode 100755 new mode 100644 index c30c2a50db..5c64d250c9 --- a/kubernetes/config/docker/init/src/config/aai/aai-data/environments/simpledemo.json +++ b/kubernetes/config/docker/init/src/config/aai/aai-data/environments/simpledemo.json @@ -2,87 +2,122 @@ "name": "simpledemo", "description": "Development Environment", "cookbook_versions": { - "ajsc-aai-config": "= 0.2.2", - "ajsc-aai-auth": "= 0.2.0", - "user": "= 0.1.9" + "aai-traversal-auth" : "= 1.0.0", + "aai-traversal-config" : "= 1.0.0", + "aai-traversal-process" : "= 1.0.0", + + "aai-resources-auth" : "= 1.0.0", + "aai-resources-config" : "= 1.0.0", + "aai-resources-process" : "= 1.0.0" }, "json_class": "Chef::Environment", "chef_type": "environment", "default_attributes": { - "aai-app-config": { -"SERVICE_API_VERSION": "1.0.1", -"SOA_CLOUD_NAMESPACE": "org.openecomp.aai", -"AJSC_SERVICE_NAMESPACE": "ActiveAndAvailableInventory-CloudNetwork", -"AFTSWM_ACTION_ARTIFACT_NAME": "ajsc-aai", -"AJSC_JETTY_ThreadCount_MAX": "500", -"AJSC_JETTY_ThreadCount_MIN": "10", -"AJSC_SSL_PORT": "8443", -"AJSC_SVC_PORT": "8080", -"KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"MAX_HEAP_SIZE": "2056m", -"MAX_PERM_SIZE": "512M", -"MIN_HEAP_SIZE": "2056m", -"PERM_SIZE": "512M", -"PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", -"AAIENV": "simpledemo", -"PROJECT_HOME": "/opt/app/aai", -"LOGROOT": "/opt/aai/logroot", -"JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", -"AAI_SERVER_URL_BASE": "https://aai-service.onap-aai:8443/aai/", -"AAI_SERVER_URL": "https://aai-service.onap-aai:8443/aai/v8/", -"AAI_GLOBAL_CALLBACK_URL": "https://aai-service.onap-aai:8443/aai/", -"AAI_TRUSTSTORE_FILENAME": "aai_keystore", -"AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"AAI_KEYSTORE_FILENAME": "aai_keystore", -"AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"STORAGE_HOSTNAME": "hbase", -"STORAGE_BACKEND": "hbase", -"STORAGE_HBASE_TABLE": "aaigraph.dev", -"STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", -"TXN_HBASE_TABLE_NAME": "aailogging.dev", -"HBASE_COLUMN_TTL_DAYS": "15", -"TXN_ZOOKEEPER_QUORUM": "hbase", -"TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", -"TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", -"APPLICATION_SERVERS": "aai-service.onap-aai", -"AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", -"AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", -"AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", -"AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", -"AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", -"AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", -"AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v8", -"AAI_NOTIFICATION_CURRENT_VERSION": "v8", -"RESOURCE_VERSION_ENABLE_FLAG": "true", -"AAI_DEFAULT_API_VERSION": "v8", -"AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING": "false", -"AAI_WORKLOAD_SERVICE_NAME": "", -"AAI_WORKLOAD_ENVIRONMENT": "TEST", -"AAI_WORKLOAD_USERNAME": "", -"AAI_WORKLOAD_PASSWORD": "", -"AAI_WORKLOAD_HOST": "", -"AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS": "", -"AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS": "", -"AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON": "true", -"AAI_WORKLOAD_AFT_ENVIRONMENT": "AFTUAT", -"AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT": "15000", -"AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS": "240000", -"AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS": "50000", -"AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED": "no", -"AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH": "/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt", -"AAI_WORKLOAD_PARTNER": "BOT_R", -"AAI_WORKLOAD_ROUTE_OFFER": "MR1", -"AAI_WORKLOAD_PROTOCOL": "http", -"AAI_WORKLOAD_TOPIC": "", -"AAI_WORKLOAD_ID": "aaiConsumerId", -"AAI_WORKLOAD_TIMEOUT": "15000", -"AAI_WORKLOAD_LIMIT": "1000", -"AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC": "", -"AAI_WORKLOAD_MAX_BATCH_SIZE": "100", -"AAI_WORKLOAD_MAX_AGE_MS": "250", -"AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE": "50", -"AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1" + "aai-traversal-config": { + "SERVICE_API_VERSION": "1.0.1", + "SOA_CLOUD_NAMESPACE": "org.openecomp.aai", + "AJSC_SERVICE_NAMESPACE": "traversal", + "AFTSWM_ACTION_ARTIFACT_NAME": "traversal", + "AJSC_JETTY_ThreadCount_MAX": "500", + "AJSC_JETTY_ThreadCount_MIN": "10", + "AJSC_SSL_PORT": "8446", + "AJSC_SVC_PORT": "8083", + "KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "MAX_HEAP_SIZE": "2056m", + "MAX_PERM_SIZE": "512M", + "MIN_HEAP_SIZE": "2056m", + "PERM_SIZE": "512M", + "PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", + "AAIENV": "dev", + "PROJECT_HOME": "/opt/app/aai-traversal", + "LOGROOT": "/opt/aai/logroot", + "JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", + "AAI_SERVER_URL_BASE": "https://aai-service.onap-aai:8443/aai/", + "AAI_SERVER_URL": "https://aai-service.onap-aai:8443/aai/v11/", + "AAI_GLOBAL_CALLBACK_URL": "https://aai-service.onap-aai:8443/aai/", + "AAI_TRUSTSTORE_FILENAME": "aai_keystore", + "AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "AAI_KEYSTORE_FILENAME": "aai_keystore", + "AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "APPLICATION_SERVERS": "aai-service.onap-aai", + "AAI_DMAAP_PROTOCOL": "http", + "AAI_DMAAP_HOST_PORT": "dmaap.onap-message-router:3904", + "AAI_DMAAP_TOPIC_NAME": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", + "AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", + "AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v11", + "AAI_NOTIFICATION_CURRENT_VERSION": "v11", + "RESOURCE_VERSION_ENABLE_FLAG": "true", + "TXN_HBASE_TABLE_NAME": "aailogging.dev", + "TXN_ZOOKEEPER_QUORUM": "hbase.onap-aai", + "TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", + "TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "AAI_GREMLIN_SERVER_CONFIG_HOST_LIST" : "[gremlin.onap-aai]", + "AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1", + "STORAGE_HOSTNAME": "hbase.onap-aai", + "STORAGE_HBASE_TABLE": "aaigraph.dev", + "STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "DB_CACHE_CLEAN_WAIT": "20", + "DB_CACHE_TIME": "180000", + "DB_CACHE_SIZE": "0.3", + "AAI_DEFAULT_API_VERSION": "v11" + }, + "aai-resources-config": { + "SERVICE_API_VERSION": "1.0.1", + "AJSC_SERVICE_NAMESPACE": "aai-resources", + "AFTSWM_ACTION_ARTIFACT_NAME": "aai-resources", + "AJSC_JETTY_ThreadCount_MAX": "500", + "AJSC_JETTY_ThreadCount_MIN": "10", + "AJSC_SSL_PORT": "8447", + "AJSC_SVC_PORT": "8087", + "KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "MAX_HEAP_SIZE": "2056m", + "MAX_PERM_SIZE": "512M", + "MIN_HEAP_SIZE": "2056m", + "PERM_SIZE": "512M", + "PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", + "AAIENV": "dev", + "PROJECT_HOME": "/opt/app/aai-resources", + "LOGROOT": "/opt/aai/logroot", + "JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", + "AAI_SERVER_URL_BASE": "https://aai-service.onap-aai:8443/aai/", + "AAI_SERVER_URL": "https://aai-service.onap-aai:8443/aai/v11/", + "AAI_GLOBAL_CALLBACK_URL": "https://aai-service.onap-aai:8443/aai/", + "AAI_TRUSTSTORE_FILENAME": "aai_keystore", + "AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "AAI_KEYSTORE_FILENAME": "aai_keystore", + "AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "APPLICATION_SERVERS": "aai-service.onap-aai", + "AAI_DMAAP_PROTOCOL": "http", + "AAI_DMAAP_HOST_PORT": "dmaap.onap-message-router:3904", + "AAI_DMAAP_TOPIC_NAME": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", + "AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", + "AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v11", + "AAI_NOTIFICATION_CURRENT_VERSION": "v11", + "RESOURCE_VERSION_ENABLE_FLAG": "true", + "TXN_HBASE_TABLE_NAME": "aailogging.dev", + "TXN_ZOOKEEPER_QUORUM": "hbase.onap-aai", + "TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", + "TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1", + "STORAGE_HOSTNAME": "hbase.onap-aai", + "STORAGE_HBASE_TABLE": "aaigraph.dev", + "STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "DB_CACHE_CLEAN_WAIT": "20", + "DB_CACHE_TIME": "180000", + "DB_CACHE_SIZE": "0.3", + "AAI_DEFAULT_API_VERSION": "v11" } }, "override_attributes": { diff --git a/kubernetes/config/docker/init/src/config/aai/aai-data/environments/solo.json b/kubernetes/config/docker/init/src/config/aai/aai-data/environments/solo.json old mode 100755 new mode 100644 index eb8859df1e..fb8e91b90c --- a/kubernetes/config/docker/init/src/config/aai/aai-data/environments/solo.json +++ b/kubernetes/config/docker/init/src/config/aai/aai-data/environments/solo.json @@ -2,87 +2,121 @@ "name": "local", "description": "Development Environment", "cookbook_versions": { - "ajsc-aai-config": "= 0.2.2", - "ajsc-aai-auth": "= 0.2.0", - "user": "= 0.1.9" + "aai-traversal-auth" : "= 1.0.0", + "aai-traversal-config" : "= 1.0.0", + "aai-traversal-process" : "= 1.0.0", + + "aai-resources-auth" : "= 1.0.0", + "aai-resources-config" : "= 1.0.0", + "aai-resources-process" : "= 1.0.0" }, "json_class": "Chef::Environment", "chef_type": "environment", "default_attributes": { - "aai-app-config": { -"SERVICE_API_VERSION": "1.0.1", -"SOA_CLOUD_NAMESPACE": "org.openecomp.aai", -"AJSC_SERVICE_NAMESPACE": "ActiveAndAvailableInventory-CloudNetwork", -"AFTSWM_ACTION_ARTIFACT_NAME": "ajsc-aai", -"AJSC_JETTY_ThreadCount_MAX": "500", -"AJSC_JETTY_ThreadCount_MIN": "10", -"AJSC_SSL_PORT": "8443", -"AJSC_SVC_PORT": "8080", -"KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"MAX_HEAP_SIZE": "2056m", -"MAX_PERM_SIZE": "512M", -"MIN_HEAP_SIZE": "2056m", -"PERM_SIZE": "512M", -"PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", -"AAIENV": "dev", -"PROJECT_HOME": "/opt/app/aai", -"LOGROOT": "/opt/aai/logroot", -"JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", -"AAI_SERVER_URL_BASE": "https://localhost:8443/aai/", -"AAI_SERVER_URL": "https://localhost:8443/aai/v8/", -"AAI_GLOBAL_CALLBACK_URL": "https://localhost:8443/aai/", -"AAI_TRUSTSTORE_FILENAME": "aai_keystore", -"AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"AAI_KEYSTORE_FILENAME": "aai_keystore", -"AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", -"STORAGE_HOSTNAME": "localhost", -"STORAGE_BACKEND": "hbase", -"STORAGE_HBASE_TABLE": "aaigraph.dev", -"STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", -"TXN_HBASE_TABLE_NAME": "aailogging.dev", -"HBASE_COLUMN_TTL_DAYS": "15", -"TXN_ZOOKEEPER_QUORUM": "localhost", -"TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", -"TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", -"APPLICATION_SERVERS": "localhost", -"AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", -"AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", -"AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", -"AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", -"AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", -"AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", -"AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v8", -"AAI_NOTIFICATION_CURRENT_VERSION": "v8", -"RESOURCE_VERSION_ENABLE_FLAG": "true", -"AAI_DEFAULT_API_VERSION": "v8", -"AAI_DMAPP_WORKLOAD_ENABLE_EVENT_PROCESSING": "false", -"AAI_WORKLOAD_SERVICE_NAME": "", -"AAI_WORKLOAD_ENVIRONMENT": "TEST", -"AAI_WORKLOAD_USERNAME": "", -"AAI_WORKLOAD_PASSWORD": "", -"AAI_WORKLOAD_HOST": "", -"AAI_WORKLOAD_AFT_DME2_EXCHANGE_REQUEST_HANDLERS": "", -"AAI_WORKLOAD_AFT_DME2_EXCHANGE_REPLY_HANDLERS": "", -"AAI_WORKLOAD_AFT_DME2_REQ_TRACE_ON": "true", -"AAI_WORKLOAD_AFT_ENVIRONMENT": "AFTUAT", -"AAI_WORKLOAD_AFT_DME2_EP_CONN_TIMEOUT": "15000", -"AAI_WORKLOAD_AFT_DME2_ROUNDTRIP_TIMEOUT_MS": "240000", -"AAI_WORKLOAD_AFT_DME2_EP_READ_TIMEOUT_MS": "50000", -"AAI_WORKLOAD_SESSION_STICKINESS_REQUIRED": "no", -"AAI_WORKLOAD_DME2_PREFERRED_ROUTER_FILE_PATH": "/opt/app/aai/bundleconfig/etc/appprops/preferredRoute.txt", -"AAI_WORKLOAD_PARTNER": "BOT_R", -"AAI_WORKLOAD_ROUTE_OFFER": "MR1", -"AAI_WORKLOAD_PROTOCOL": "http", -"AAI_WORKLOAD_TOPIC": "", -"AAI_WORKLOAD_ID": "aaiConsumerId", -"AAI_WORKLOAD_TIMEOUT": "15000", -"AAI_WORKLOAD_LIMIT": "1000", -"AAI_WORKLOAD_STATUS_PUBLISHER_TOPIC": "", -"AAI_WORKLOAD_MAX_BATCH_SIZE": "100", -"AAI_WORKLOAD_MAX_AGE_MS": "250", -"AAI_WORKLOAD_MESSAGE_SENT_THREAD_OCCURANCE": "50", -"AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1" + "aai-traversal-config": { + "SERVICE_API_VERSION": "1.0.1", + "AJSC_SERVICE_NAMESPACE": "traversal", + "AFTSWM_ACTION_ARTIFACT_NAME": "traversal", + "AJSC_JETTY_ThreadCount_MAX": "500", + "AJSC_JETTY_ThreadCount_MIN": "10", + "AJSC_SSL_PORT": "8446", + "AJSC_SVC_PORT": "8083", + "KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "MAX_HEAP_SIZE": "2056m", + "MAX_PERM_SIZE": "512M", + "MIN_HEAP_SIZE": "2056m", + "PERM_SIZE": "512M", + "PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", + "AAIENV": "dev", + "PROJECT_HOME": "/opt/app/aai-traversal", + "LOGROOT": "/opt/aai/logroot", + "JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", + "AAI_SERVER_URL_BASE": "https://localhost:8443/aai/", + "AAI_SERVER_URL": "https://localhost:8443/aai/v11/", + "AAI_GLOBAL_CALLBACK_URL": "https://localhost:8443/aai/", + "AAI_TRUSTSTORE_FILENAME": "aai_keystore", + "AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "AAI_KEYSTORE_FILENAME": "aai_keystore", + "AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "APPLICATION_SERVERS": "localhost", + "AAI_DMAAP_PROTOCOL": "http", + "AAI_DMAAP_HOST_PORT": "localhost:3904", + "AAI_DMAAP_TOPIC_NAME": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", + "AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", + "AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v11", + "AAI_NOTIFICATION_CURRENT_VERSION": "v11", + "RESOURCE_VERSION_ENABLE_FLAG": "true", + "TXN_HBASE_TABLE_NAME": "aailogging.dev", + "TXN_ZOOKEEPER_QUORUM": "localhost", + "TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", + "TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "AAI_GREMLIN_SERVER_CONFIG_HOST_LIST" : "[localhost]", + "AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1", + "STORAGE_HOSTNAME": "localhost", + "STORAGE_HBASE_TABLE": "aaigraph.dev", + "STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "DB_CACHE_CLEAN_WAIT": "20", + "DB_CACHE_TIME": "180000", + "DB_CACHE_SIZE": "0.3", + "AAI_DEFAULT_API_VERSION": "v11" + }, + "aai-resources-config": { + "SERVICE_API_VERSION": "1.0.1", + "AJSC_SERVICE_NAMESPACE": "aai-resources", + "AFTSWM_ACTION_ARTIFACT_NAME": "aai-resources", + "AJSC_JETTY_ThreadCount_MAX": "500", + "AJSC_JETTY_ThreadCount_MIN": "10", + "AJSC_SSL_PORT": "8447", + "AJSC_SVC_PORT": "8087", + "KEY_MANAGER_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "KEY_STORE_PASSWORD": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "MAX_HEAP_SIZE": "2056m", + "MAX_PERM_SIZE": "512M", + "MIN_HEAP_SIZE": "2056m", + "PERM_SIZE": "512M", + "PRE_JVM_ARGS": "-XX:+UnlockDiagnosticVMOptions -XX:+UnsyncloadClass -XX:+UseConcMarkSweepGC -XX:+CMSParallelRemarkEnabled -XX:+UseCMSInitiatingOccupancyOnly -XX:CMSInitiatingOccupancyFraction=70 -XX:+ScavengeBeforeFullGC -XX:+CMSScavengeBeforeRemark -XX:-HeapDumpOnOutOfMemoryError -XX:+UseParNewGC -verbose:gc -XX:+PrintGCDetails -XX:+PrintGCTimeStamps", + "AAIENV": "dev", + "PROJECT_HOME": "/opt/app/aai-resources", + "LOGROOT": "/opt/aai/logroot", + "JAVA_HOME": "/usr/lib/jvm/java-8-openjdk-amd64", + "AAI_SERVER_URL_BASE": "https://localhost:8443/aai/", + "AAI_SERVER_URL": "https://localhost:8443/aai/v11/", + "AAI_GLOBAL_CALLBACK_URL": "https://localhost:8443/aai/", + "AAI_TRUSTSTORE_FILENAME": "aai_keystore", + "AAI_TRUSTSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "AAI_KEYSTORE_FILENAME": "aai_keystore", + "AAI_KEYSTORE_PASSWD_X": "OBF:1vn21ugu1saj1v9i1v941sar1ugw1vo0", + "APPLICATION_SERVERS": "localhost", + "AAI_DMAAP_PROTOCOL": "http", + "AAI_DMAAP_HOST_PORT": "localhost:3904", + "AAI_DMAAP_TOPIC_NAME": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_STATUS": "UNPROCESSED", + "AAI_NOTIFICATION_EVENT_DEFAULT_EVENT_TYPE": "AAI-EVENT", + "AAI_NOTIFICATION_EVENT_DEFAULT_DOMAIN": "dev", + "AAI_NOTIFICATION_EVENT_DEFAULT_SOURCE_NAME": "aai", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEQUENCE_NUMBER": "0", + "AAI_NOTIFICATION_EVENT_DEFAULT_SEVERITY": "NORMAL", + "AAI_NOTIFICATION_EVENT_DEFAULT_VERSION": "v11", + "AAI_NOTIFICATION_CURRENT_VERSION": "v11", + "RESOURCE_VERSION_ENABLE_FLAG": "true", + "TXN_HBASE_TABLE_NAME": "aailogging.dev", + "TXN_ZOOKEEPER_QUORUM": "localhost", + "TXN_ZOOKEEPER_PROPERTY_CLIENTPORT": "2181", + "TXN_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "AAI_WORKLOAD_PREFERRED_ROUTE_KEY": "MR1", + "STORAGE_HOSTNAME": "localhost", + "STORAGE_HBASE_TABLE": "aaigraph.dev", + "STORAGE_HBASE_ZOOKEEPER_ZNODE_PARENT": "/hbase", + "DB_CACHE_CLEAN_WAIT": "20", + "DB_CACHE_TIME": "180000", + "DB_CACHE_SIZE": "0.3", + "AAI_DEFAULT_API_VERSION": "v11" } }, "override_attributes": { diff --git a/kubernetes/config/docker/init/src/config/aai/aai-resources/docker-entrypoint.sh b/kubernetes/config/docker/init/src/config/aai/aai-resources/docker-entrypoint.sh new file mode 100755 index 0000000000..059ef45eb2 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-resources/docker-entrypoint.sh @@ -0,0 +1,56 @@ +### +# ============LICENSE_START======================================================= +# org.openecomp.aai +# ================================================================================ +# Copyright (C) 2017 AT&T Intellectual Property. All rights reserved. +# ================================================================================ +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# ============LICENSE_END========================================================= +### + +cd /var/chef; + +CHEF_CONFIG_REPO=${CHEF_CONFIG_REPO:-aai-config}; + +CHEF_GIT_URL=${CHEF_GIT_URL:-http://nexus.onap.org/r/aai}; + +CHEF_CONFIG_GIT_URL=${CHEF_CONFIG_GIT_URL:-$CHEF_GIT_URL}; +CHEF_DATA_GIT_URL=${CHEF_DATA_GIT_URL:-$CHEF_GIT_URL}; + +if [ ! -d "aai-config" ]; then + + git clone --depth 1 -b ${CHEF_BRANCH} --single-branch ${CHEF_CONFIG_GIT_URL}/${CHEF_CONFIG_REPO}.git aai-config || { + echo "Error: Unable to clone the aai-config repo with url: ${CHEF_GIT_URL}/${CHEF_CONFIG_REPO}.git"; + exit; + } + + (cd aai-config/cookbooks/aai-resources/ && \ + for f in $(ls); do mv $f ../; done && \ + cd ../ && rmdir aai-resources); +fi + + +chef-solo \ + -c /var/chef/aai-data/chef-config/dev/.knife/solo.rb \ + -j /var/chef/aai-config/cookbooks/runlist-aai-resources.json \ + -E ${AAI_CHEF_ENV}; + +# TODO: If this runs, startup hangs and logs errors indicating aaiGraph.dev already exists in HBASE. +# Commenting out until we figure out whether it is needed or not. +# /opt/app/aai-resources/bin/createDBSchema.sh || { +# echo "Error: Unable to create the db schema, please check if the hbase host is configured and up"; +# exit; +# } + + +java -cp ${CLASSPATH}:/opt/app/commonLibs/*:/opt/app/aai-resources/etc:/opt/app/aai-resources/lib/*:/opt/app/aai-resources/extJars/logback-access-1.1.7.jar:/opt/app/aai-resources/extJars/logback-core-1.1.7.jar:/opt/app/aai-resources/extJars/aai-core-${AAI_CORE_VERSION}.jar -server -XX:NewSize=512m -XX:MaxNewSize=512m -XX:SurvivorRatio=8 -XX:+DisableExplicitGC -verbose:gc -XX:+UseParNewGC -XX:+CMSParallelRemarkEnabled -XX:+CMSClassUnloadingEnabled -XX:+UseConcMarkSweepGC -XX:-UseBiasedLocking -XX:ParallelGCThreads=4 -XX:LargePageSizeInBytes=128m -XX:+PrintGCDetails -XX:+PrintGCTimeStamps -Dsun.net.inetaddr.ttl=180 -XX:+HeapDumpOnOutOfMemoryError -Dhttps.protocols=TLSv1.1,TLSv1.2 -DSOACLOUD_SERVICE_VERSION=1.0.1 -DAJSC_HOME=/opt/app/aai-resources/ -DAJSC_CONF_HOME=/opt/app/aai-resources/bundleconfig -DAJSC_SHARED_CONFIG=/opt/app/aai-resources/bundleconfig -DAFT_HOME=/opt/app/aai-resources -DAAI_CORE_VERSION=${AAI_CORE_VERSION} -Daai-core.version=${AAI_CORE_VERSION} -Dlogback.configurationFile=/opt/app/aai-resources/bundleconfig/etc/logback.xml -Xloggc:/opt/app/aai-resources/logs/ajsc-jetty/gc/graph-query_gc.log com.att.ajsc.runner.Runner context=/ port=8087 sslport=8447 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/aai-traversal/docker-entrypoint.sh b/kubernetes/config/docker/init/src/config/aai/aai-traversal/docker-entrypoint.sh new file mode 100755 index 0000000000..60268f64a4 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/aai-traversal/docker-entrypoint.sh @@ -0,0 +1,47 @@ +### +# ============LICENSE_START======================================================= +# org.openecomp.aai +# ================================================================================ +# Copyright (C) 2017 AT&T Intellectual Property. All rights reserved. +# ================================================================================ +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# ============LICENSE_END========================================================= +### + +cd /var/chef; + +CHEF_CONFIG_REPO=${CHEF_CONFIG_REPO:-aai-config}; + +CHEF_GIT_URL=${CHEF_GIT_URL:-http://nexus.onap.org/r/aai}; + +CHEF_CONFIG_GIT_URL=${CHEF_CONFIG_GIT_URL:-$CHEF_GIT_URL}; +CHEF_DATA_GIT_URL=${CHEF_DATA_GIT_URL:-$CHEF_GIT_URL}; + +if [ ! -d "aai-config" ]; then + + git clone --depth 1 -b ${CHEF_BRANCH} --single-branch ${CHEF_CONFIG_GIT_URL}/${CHEF_CONFIG_REPO}.git aai-config || { + echo "Error: Unable to clone the aai-config repo with url: ${CHEF_GIT_URL}/${CHEF_CONFIG_REPO}.git"; + exit; + } + + (cd aai-config/cookbooks/aai-traversal/ && \ + for f in $(ls); do mv $f ../; done && \ + cd ../ && rmdir aai-traversal); +fi + +chef-solo \ + -c /var/chef/aai-data/chef-config/dev/.knife/solo.rb \ + -j /var/chef/aai-config/cookbooks/runlist-aai-traversal.json \ + -E ${AAI_CHEF_ENV}; + +java -cp ${CLASSPATH}:/opt/app/commonLibs/*:/opt/app/aai-traversal/etc:/opt/app/aai-traversal/lib/*:/opt/app/aai-traversal/extJars/logback-access-1.1.7.jar:/opt/app/aai-traversal/extJars/logback-core-1.1.7.jar:/opt/app/aai-traversal/extJars/aai-core-${AAI_CORE_VERSION}.jar -server -XX:NewSize=512m -XX:MaxNewSize=512m -XX:SurvivorRatio=8 -XX:+DisableExplicitGC -verbose:gc -XX:+UseParNewGC -XX:+CMSParallelRemarkEnabled -XX:+CMSClassUnloadingEnabled -XX:+UseConcMarkSweepGC -XX:-UseBiasedLocking -XX:ParallelGCThreads=4 -XX:LargePageSizeInBytes=128m -XX:+PrintGCDetails -XX:+PrintGCTimeStamps -Dsun.net.inetaddr.ttl=180 -XX:+HeapDumpOnOutOfMemoryError -Dhttps.protocols=TLSv1.1,TLSv1.2 -DSOACLOUD_SERVICE_VERSION=1.0.1 -DAJSC_HOME=/opt/app/aai-traversal/ -DAJSC_CONF_HOME=/opt/app/aai-traversal/bundleconfig -DAJSC_SHARED_CONFIG=/opt/app/aai-traversal/bundleconfig -DAFT_HOME=/opt/app/aai-traversal -DAAI_CORE_VERSION=${AAI_CORE_VERSION} -Daai-core.version=${AAI_CORE_VERSION} -Dlogback.configurationFile=/opt/app/aai-traversal/bundleconfig/etc/logback.xml -Xloggc:/opt/app/aai-traversal/logs/ajsc-jetty/gc/graph-query_gc.log com.att.ajsc.runner.Runner context=/ port=8086 sslport=8446 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/client-cert-onap.p12 b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/client-cert-onap.p12 new file mode 100644 index 0000000000..dbf4fcacec Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/client-cert-onap.p12 differ diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/data-router_policy.json b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/data-router_policy.json new file mode 100644 index 0000000000..1b4a6b0868 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/data-router_policy.json @@ -0,0 +1,18 @@ +{ + "roles": [ + { + "name": "admin", + "functions": [ + { + "name": "search", "methods": [ { "name": "GET" },{ "name": "DELETE" }, { "name": "PUT" }, { "name": "POST" } ] + } + ], + + "users": [ + { + "username": "CN=ONAP, OU=ONAP, O=ONAP, L=Ottawa, ST=Ontario, C=CA" + } + ] + } + ] +} diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/tomcat_keystore b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/tomcat_keystore new file mode 100644 index 0000000000..9eec841aa2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/auth/tomcat_keystore differ diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/data-router.properties b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/data-router.properties new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v10.xml b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v10.xml new file mode 100644 index 0000000000..7eddd10179 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v10.xml @@ -0,0 +1,5558 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v8.xml b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v8.xml new file mode 100644 index 0000000000..3ed2ea531f --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v8.xml @@ -0,0 +1,3076 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v9.xml b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v9.xml new file mode 100644 index 0000000000..87a3d656e5 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/appconfig/model/aai_oxm_v9.xml @@ -0,0 +1,5451 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/conf/entity-event-policy.xml b/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/conf/entity-event-policy.xml new file mode 100644 index 0000000000..e0dd8cb8f5 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/conf/entity-event-policy.xml @@ -0,0 +1,24 @@ + + + + + + + + + + + + + + + + + + + + diff --git a/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/routes/entity-event.route b/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/routes/entity-event.route new file mode 100644 index 0000000000..46c3890c99 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/data-router/dynamic/routes/entity-event.route @@ -0,0 +1,4 @@ + + + + diff --git a/kubernetes/config/docker/init/src/config/aai/elasticsearch/config/elasticsearch.yml b/kubernetes/config/docker/init/src/config/aai/elasticsearch/config/elasticsearch.yml new file mode 100644 index 0000000000..21e29df84b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/elasticsearch/config/elasticsearch.yml @@ -0,0 +1,400 @@ +##################### Elasticsearch Configuration Example ##################### + +# This file contains an overview of various configuration settings, +# targeted at operations staff. Application developers should +# consult the guide at . +# +# The installation procedure is covered at +# . +# +# Elasticsearch comes with reasonable defaults for most settings, +# so you can try it out without bothering with configuration. +# +# Most of the time, these defaults are just fine for running a production +# cluster. If you're fine-tuning your cluster, or wondering about the +# effect of certain configuration option, please _do ask_ on the +# mailing list or IRC channel [http://elasticsearch.org/community]. + +# Any element in the configuration can be replaced with environment variables +# by placing them in ${...} notation. For example: +# +# node.rack: ${RACK_ENV_VAR} + +# For information on supported formats and syntax for the config file, see +# +################################### Cluster ################################### + +# Cluster name identifies your cluster for auto-discovery. If you're running +# multiple clusters on the same network, make sure you're using unique names. +# +# cluster.name: elasticsearch + +cluster.name: ES_AAI + +#################################### Node ##################################### + +node.name: ES_ONAP +node.master: true +node.data: true + + +# Use the Cluster Health API [http://localhost:9200/_cluster/health], the +# Node Info API [http://localhost:9200/_nodes] or GUI tools +# such as , +# , +# and +# to inspect the cluster state. + +# By default, multiple nodes are allowed to start from the same installation location +# to disable it, set the following: + +node.max_local_storage_nodes: 1 + + +#################################### Index #################################### +# You can set a number of options (such as shard/replica options, mapping +# or analyzer definitions, translog settings, ...) for indices globally, +# in this file. +# +# Note, that it makes more sense to configure index settings specifically for +# a certain index, either when creating it or by using the index templates API. +# +# See and +# +# for more information. + +# Set the number of shards (splits) of an index (5 by default): + +index.number_of_shards: 5 + +# Set the number of replicas (additional copies) of an index (1 by default): + +index.number_of_replicas: 1 + +# These settings directly affect the performance of index and search operations +# in your cluster. Assuming you have enough machines to hold shards and +# replicas, the rule of thumb is: +# +# 1. Having more *shards* enhances the _indexing_ performance and allows to +# _distribute_ a big index across machines. +# 2. Having more *replicas* enhances the _search_ performance and improves the +# cluster _availability_. +# +# The "number_of_shards" is a one-time setting for an index. +# +# The "number_of_replicas" can be increased or decreased anytime, +# by using the Index Update Settings API. +# +# Elasticsearch takes care about load balancing, relocating, gathering the +# results from nodes, etc. Experiment with different settings to fine-tune +# your setup. + +# Use the Index Status API () to inspect +# the index status. + + +#################################### Paths #################################### + +# Path to directory containing configuration (this file and logging.yml): +#path.conf: /opt/app/elasticsearch/config + +# Path to directory where to store index data allocated for this node. +# Use swm auto link to redirect the data directory if necessary. + +#path.data: /opt/app/elasticsearch/data + +# path.data: /path/to/data1,/path/to/data2 + +# path.work: /path/to/work + +#path.logs: /opt/app/elasticsearch/logs + +#path.plugins: /opt/app/elasticsearch/plugins + + +#################################### Plugin ################################### + +# If a plugin listed here is not installed for current node, the node will not start. +# +# plugin.mandatory: mapper-attachments,lang-groovy + + +################################### Memory #################################### + +# Elasticsearch performs poorly when JVM starts swapping: you should ensure that +# it _never_ swaps. +# +# Set this property to true to lock the memory: default is true + +bootstrap.mlockall: true + +# Make sure that the ES_MIN_MEM and ES_MAX_MEM environment variables are set +# to the same value, and that the machine has enough memory to allocate +# for Elasticsearch, leaving enough memory for the operating system itself. +# +# You should also make sure that the Elasticsearch process is allowed to lock +# the memory, eg. by using `ulimit -l unlimited`. + + +############################## Network And HTTP ############################### +# Elasticsearch, by default, binds itself to the 0.0.0.0 address, and listens +# on port [9200-9300] for HTTP traffic and on port [9300-9400] for node-to-node +# communication. (the range means that if the port is busy, it will automatically +# try the next port). + +# Set the bind address specifically (IPv4 or IPv6): +network.bind_host: 0.0.0.0 + +# Set the address other nodes will use to communicate with this node. If not +# set, it is automatically derived. It must point to an actual IP address. + +# network.publish_host: 0.0.0.0 + +# Set both 'bind_host' and 'publish_host': +# network.host: 192.168.0.1 + + +# Set a custom port for the node to node communication (9300 by default): +transport.tcp.port: 8443 + +# Enable compression for all communication between nodes (disabled by default): +transport.tcp.compress: false + +# Set a custom port to listen for HTTP traffic: +# http.port: 9200 +http.port: 9200 + +# Set a custom allowed content length: +# http.max_content_length: 100mb +http.max_content_length: 100mb + +# Disable HTTP completely: +# http.enabled: false +http.enabled: true + +# This is specifically useful for permitting which front end Kibana Url's are permitted to access elastic search. +http.cors.enabled: false +http.cors.allow-origin: "/.*/" +http.cors.allow-headers: X-Requested-With, Content-Type, Content-Length +http.cors.allow-credentials: false +################################### Gateway ################################### + +# The gateway allows for persisting the cluster state between full cluster +# restarts. Every change to the state (such as adding an index) will be stored +# in the gateway, and when the cluster starts up for the first time, +# it will read its state from the gateway. +# There are several types of gateway implementations. For more information, see +# . + +# The default gateway type is the "local" gateway (recommended): +# +#gateway.type: local +#gateway.type: local + +# Settings below control how and when to start the initial recovery process on +# a full cluster restart (to reuse as much local data as possible when using shared +# gateway). + +# Allow recovery process after N nodes in a cluster are up: +# +# gateway.recover_after_nodes: 1 +gateway.recover_after_nodes: 1 + +# Set the timeout to initiate the recovery process, once the N nodes +# from previous setting are up (accepts time value): +# +#gateway.recover_after_time: 5m +gateway.recover_after_time: 5m + +# Set how many nodes are expected in this cluster. Once these N nodes +# are up (and recover_after_nodes is met), begin recovery process immediately +# (without waiting for recover_after_time to expire): +# +# gateway.expected_nodes: 2 +gateway.expected_nodes: 2 + +############################# Recovery Throttling ############################# + +# These settings allow to control the process of shards allocation between +# nodes during initial recovery, replica allocation, rebalancing, +# or when adding and removing nodes. + +# Set the number of concurrent recoveries happening on a node: +# +# 1. During the initial recovery +# +# cluster.routing.allocation.node_initial_primaries_recoveries: 4 +# +# 2. During adding/removing nodes, rebalancing, etc +# +# cluster.routing.allocation.node_concurrent_recoveries: 2 + +# Set to throttle throughput when recovering (eg. 100mb, by default 20mb): +# indices.recovery.max_bytes_per_sec: 20mb +indices.recovery.max_bytes_per_sec: 20mb + +# Set to limit the number of open concurrent streams when +# recovering a shard from a peer: +# +# indices.recovery.concurrent_streams: 5 +indices.recovery.concurrent_streams: 5 + +################################## Discovery ################################## + +# Discovery infrastructure ensures nodes can be found within a cluster +# and master node is elected. Multicast discovery is the default. + +# Set to ensure a node sees N other master eligible nodes to be considered +# operational within the cluster. Its recommended to set it to a higher value +# than 1 when running more than 2 nodes in the cluster. +# +discovery.zen.minimum_master_nodes: 1 + +# Set the time to wait for ping responses from other nodes when discovering. +# Set this option to a higher value on a slow or congested network +# to minimize discovery failures: +# +# discovery.zen.ping.timeout: 3s +discovery.zen.ping.timeout: + +# For more information, see +# + +# Unicast discovery allows to explicitly control which nodes will be used +# to discover the cluster. It can be used when multicast is not present, +# or to restrict the cluster communication-wise. +# +# 1. Disable multicast discovery (enabled by default): +# discovery.zen.ping.multicast.enabled: false +discovery.zen.ping.multicast.enabled: false + + +# 2. Configure an initial list of master nodes in the cluster +# to perform discovery when new nodes (master or data) are started: +# +# discovery.zen.ping.unicast.hosts: ["host1", "host2:port"] +discovery.zen.ping.unicast.hosts: ["0.0.0.0"] + +# EC2 discovery allows to use AWS EC2 API in order to perform discovery. +# +# You have to install the cloud-aws plugin for enabling the EC2 discovery. +# +# For more information, see +# +# +# +# See +# for a step-by-step tutorial. + +# GCE discovery allows to use Google Compute Engine API in order to perform discovery. +# +# You have to install the cloud-gce plugin for enabling the GCE discovery. +# +# For more information, see . + +# Azure discovery allows to use Azure API in order to perform discovery. +# +# You have to install the cloud-azure plugin for enabling the Azure discovery. +# +# For more information, see . + +################################## Slow Log ################################## + +# Shard level query and fetch threshold logging. + +#index.search.slowlog.threshold.query.warn: 10s +#index.search.slowlog.threshold.query.info: 5s +#index.search.slowlog.threshold.query.debug: 2s +#index.search.slowlog.threshold.query.trace: 500ms + +#index.search.slowlog.threshold.fetch.warn: 1s +#index.search.slowlog.threshold.fetch.info: 800ms +#index.search.slowlog.threshold.fetch.debug: 500ms +#index.search.slowlog.threshold.fetch.trace: 200ms + +#index.indexing.slowlog.threshold.index.warn: 10s +#index.indexing.slowlog.threshold.index.info: 5s +#index.indexing.slowlog.threshold.index.debug: 2s +#index.indexing.slowlog.threshold.index.trace: 500ms + +################################## GC Logging ################################ + +#monitor.jvm.gc.young.warn: 1000ms +#monitor.jvm.gc.young.info: 700ms +#monitor.jvm.gc.young.debug: 400ms + +#monitor.jvm.gc.old.warn: 10s +#monitor.jvm.gc.old.info: 5s +#monitor.jvm.gc.old.debug: 2s + +############################################################################################# +### SEARCH GUARD SSL # +### Configuration # +############################################################################################### +## Uncomment all lines below prefixed with #X# (globally remove #X#) for searchguard +## +############################################################################################### +### Transport layer SSL # +### # +############################################################################################### +### Enable or disable node-to-node ssl encryption (default: true) +#X#searchguard.ssl.transport.enable_openssl_if_available: true +#X#searchguard.ssl.transport.enabled: true +### JKS or PKCS12 (default: JKS) +#X#searchguard.ssl.transport.keystore_type: JKS +### Relative path to the keystore file (mandatory, this stores the server certificates), must be placed under the config/ dir +#X#searchguard.ssl.transport.keystore_filepath: /some/path +### Alias name (default: first alias which could be found) +###searchguard.ssl.transport.keystore_alias: localhost +### Keystore password (default: changeit) +#X#searchguard.ssl.transport.keystore_password: changeit +## +### JKS or PKCS12 (default: JKS) +#X#searchguard.ssl.transport.truststore_type: JKS +### Relative path to the truststore file (mandatory, this stores the client/root certificates), must be placed under the config/ dir +#X#searchguard.ssl.transport.truststore_filepath: truststore.jks +### Alias name (default: first alias which could be found) +###searchguard.ssl.transport.truststore_alias: my_alias +### Truststore password (default: changeit) +#X#searchguard.ssl.transport.truststore_password: changeit +### Enforce hostname verification (default: true) +###searchguard.ssl.transport.enforce_hostname_verification: true +### If hostname verification specify if hostname should be resolved (default: true) +###searchguard.ssl.transport.resolve_hostname: true +### Use native Open SSL instead of JDK SSL if available (default: true) +###searchguard.ssl.transport.enable_openssl_if_available: false +## +############################################################################################### +### HTTP/REST layer SSL # +### # +############################################################################################### +### Enable or disable rest layer security - https, (default: false) +#X#searchguard.ssl.http.enable_openssl_if_available: true +#X#searchguard.ssl.http.enabled: true +### JKS or PKCS12 (default: JKS) +#X#searchguard.ssl.http.keystore_type: JKS +### Relative path to the keystore file (this stores the server certificates), must be placed under the config/ dir +#X#searchguard.ssl.http.keystore_filepath: /keystore/path +### Alias name (default: first alias which could be found) +###searchguard.ssl.http.keystore_alias: my_alias +### Keystore password (default: changeit) +#X#searchguard.ssl.http.keystore_password: changeit +### Do the clients (typically the browser or the proxy) have to authenticate themself to the http server, default is OPTIONAL +### To enforce authentication use REQUIRE, to completely disable client certificates use NONE +###searchguard.ssl.http.clientauth_mode: REQUIRE +### JKS or PKCS12 (default: JKS) +#X#searchguard.ssl.http.truststore_type: JKS +### Relative path to the truststore file (this stores the client certificates), must be placed under the config/ dir +#X#searchguard.ssl.http.truststore_filepath: truststore.jks +### Alias name (default: first alias which could be found) +###searchguard.ssl.http.truststore_alias: my_alias +### Truststore password (default: changeit) +#X#searchguard.ssl.http.truststore_password: changeit +### Use native Open SSL instead of JDK SSL if available (default: true) +###searchguard.ssl.http.enable_openssl_if_available: false + +##################################################### +##### Security manager - Searchguard Configuration +##################################################### +#X#security.manager.enabled: false +#X#searchguard.authcz.admin_dn: diff --git a/kubernetes/config/docker/init/src/config/aai/haproxy/haproxy.cfg b/kubernetes/config/docker/init/src/config/aai/haproxy/haproxy.cfg new file mode 100644 index 0000000000..d7773270a4 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/haproxy/haproxy.cfg @@ -0,0 +1,121 @@ +global + log /dev/log local0 + stats socket /usr/local/etc/haproxy/haproxy.socket mode 660 level admin + stats timeout 30s + user root + group root + daemon + ################################# + # Default SSL material locations# + ################################# + ca-base /etc/ssl/certs + crt-base /etc/ssl/private + + # Default ciphers to use on SSL-enabled listening sockets. + # For more information, see ciphers(1SSL). This list is from: + # https://hynek.me/articles/hardening-your-web-servers-ssl-ciphers/ + # An alternative list with additional directives can be obtained from + # https://mozilla.github.io/server-side-tls/ssl-config-generator/?server=haproxy + tune.ssl.default-dh-param 2048 + +defaults + log global + mode http + option httplog +# option dontlognull +# errorfile 400 /etc/haproxy/errors/400.http +# errorfile 403 /etc/haproxy/errors/403.http +# errorfile 408 /etc/haproxy/errors/408.http +# errorfile 500 /etc/haproxy/errors/500.http +# errorfile 502 /etc/haproxy/errors/502.http +# errorfile 503 /etc/haproxy/errors/503.http +# errorfile 504 /etc/haproxy/errors/504.http + + option http-server-close + option forwardfor except 127.0.0.1 + retries 6 + option redispatch + maxconn 50000 + timeout connect 50000 + timeout client 480000 + timeout server 480000 + timeout http-keep-alive 30000 + + +frontend IST_8443 + mode http + bind 0.0.0.0:8443 name https ssl crt /etc/ssl/private/aai.pem +# log-format %ci:%cp\ [%t]\ %ft\ %b/%s\ %Tq/%Tw/%Tc/%Tr/%Tt\ %ST\ %B\ %CC\ %CS\ %tsc\ %ac/%fc/%bc/%sc/%rc\ %sq/%bq\ %hr\ %hs\ {%[ssl_c_verify],%{+Q}[ssl_c_s_dn],%{+Q}[ssl_c_i_dn]}\ %{+Q}r + log-format "%ci:%cp [%tr] %ft %b/%s %TR/%Tw/%Tc/%Tr/%Ta %ST %B %CC \ %CS %tsc %ac/%fc/%bc/%sc/%rc %sq/%bq %hr %hs %{+Q}r" + option httplog + log global + option logasap + option forwardfor + capture request header Host len 100 + capture response header Host len 100 + option log-separate-errors + option forwardfor + http-request set-header X-Forwarded-Proto https if { ssl_fc } + http-request set-header X-AAI-Client-SSL TRUE if { ssl_c_used } + http-request set-header X-AAI-SSL %[ssl_fc] + http-request set-header X-AAI-SSL-Client-Verify %[ssl_c_verify] + http-request set-header X-AAI-SSL-Client-DN %{+Q}[ssl_c_s_dn] + http-request set-header X-AAI-SSL-Client-CN %{+Q}[ssl_c_s_dn(cn)] + http-request set-header X-AAI-SSL-Issuer %{+Q}[ssl_c_i_dn] + http-request set-header X-AAI-SSL-Client-NotBefore %{+Q}[ssl_c_notbefore] + http-request set-header X-AAI-SSL-Client-NotAfter %{+Q}[ssl_c_notafter] + http-request set-header X-AAI-SSL-ClientCert-Base64 %{+Q}[ssl_c_der,base64] + http-request set-header X-AAI-SSL-Client-OU %{+Q}[ssl_c_s_dn(OU)] + http-request set-header X-AAI-SSL-Client-L %{+Q}[ssl_c_s_dn(L)] + http-request set-header X-AAI-SSL-Client-ST %{+Q}[ssl_c_s_dn(ST)] + http-request set-header X-AAI-SSL-Client-C %{+Q}[ssl_c_s_dn(C)] + http-request set-header X-AAI-SSL-Client-O %{+Q}[ssl_c_s_dn(O)] + reqadd X-Forwarded-Proto:\ https + reqadd X-Forwarded-Port:\ 8443 + +####################### +#ACLS FOR PORT 8446#### +####################### + + acl is_Port_8446_generic path_reg -i ^/aai/v[0-9]+/search/generic-query$ + acl is_Port_8446_nodes path_reg -i ^/aai/v[0-9]+/search/nodes-query$ + acl is_Port_8446_version path_reg -i ^/aai/v[0-9]+/query$ + acl is_named-query path_beg -i /aai/search/named-query + acl is_search-model path_beg -i /aai/search/model + use_backend IST_AAI_8446 if is_Port_8446_generic or is_Port_8446_nodes or is_Port_8446_version or is_named-query or is_search-model + + default_backend IST_Default_8447 + + +####################### +#DEFAULT BACKEND 847### +####################### + +backend IST_Default_8447 + balance roundrobin + http-request set-header X-Forwarded-Port %[src_port] + http-response set-header Strict-Transport-Security max-age=16000000;\ includeSubDomains;\ preload; + server aai-resources.onap-aai aai-resources.onap-aai:8447 port 8447 ssl verify none + +####################### +# BACKEND 8446######### +####################### + +backend IST_AAI_8446 + balance roundrobin + http-request set-header X-Forwarded-Port %[src_port] + http-response set-header Strict-Transport-Security max-age=16000000;\ includeSubDomains;\ preload; + server aai-traversal.onap-aai aai-traversal.onap-aai:8446 port 8446 ssl verify none + +listen IST_AAI_STATS + mode http + bind *:8080 + stats uri /stats + stats enable + stats refresh 30s + stats hide-version + stats auth admin:admin + stats show-legends + stats show-desc IST AAI APPLICATION NODES + stats admin if TRUE + diff --git a/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/auth/aai-os-cert.p12 b/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/auth/aai-os-cert.p12 new file mode 100644 index 0000000000..ee57120fa0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/auth/aai-os-cert.p12 differ diff --git a/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/model-loader.properties b/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/model-loader.properties new file mode 100644 index 0000000000..58b80d8d98 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/model-loader/appconfig/model-loader.properties @@ -0,0 +1,23 @@ +# Model Loader Distribution Client Configuration +ml.distribution.ACTIVE_SERVER_TLS_AUTH=false +ml.distribution.ASDC_ADDRESS=sdc-be.onap-sdc:8443 +ml.distribution.CONSUMER_GROUP=aai-ml-group +ml.distribution.CONSUMER_ID=aai-ml +ml.distribution.ENVIRONMENT_NAME=AUTO +ml.distribution.KEYSTORE_PASSWORD= +ml.distribution.KEYSTORE_FILE=asdc-client.jks +ml.distribution.PASSWORD=OBF:1ks51l8d1o3i1pcc1r2r1e211r391kls1pyj1z7u1njf1lx51go21hnj1y0k1mli1sop1k8o1j651vu91mxw1vun1mze1vv11j8x1k5i1sp11mjc1y161hlr1gm41m111nkj1z781pw31kku1r4p1e391r571pbm1o741l4x1ksp +ml.distribution.POLLING_INTERVAL=30 +ml.distribution.POLLING_TIMEOUT=20 +ml.distribution.USER=aai +ml.distribution.ARTIFACT_TYPES=MODEL_INVENTORY_PROFILE,MODEL_QUERY_SPEC,VNF_CATALOG + +# Model Loader AAI REST Client Configuration +ml.aai.BASE_URL=https://aai-service.onap-aai:8443 +ml.aai.MODEL_URL=/aai/v10/service-design-and-creation/models/model/ +ml.aai.NAMED_QUERY_URL=/aai/v10/service-design-and-creation/named-queries/named-query/ +ml.aai.VNF_IMAGE_URL=/aai/v8/service-design-and-creation/vnf-images +ml.aai.KEYSTORE_FILE=aai-os-cert.p12 +ml.aai.KEYSTORE_PASSWORD=OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o +ml.aai.AUTH_USER=ModelLoader +ml.aai.AUTH_PASSWORD=OBF:1qvu1v2h1sov1sar1wfw1j7j1wg21saj1sov1v1x1qxw diff --git a/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/analysis-config.json b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/analysis-config.json new file mode 100644 index 0000000000..f98ea3799b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/analysis-config.json @@ -0,0 +1,32 @@ +[ + { + "name": "whitespace_analyzer", + "description": "A standard whitespace analyzer.", + "behaviours": [ + "Tokenize the text using white space characters as delimeters.", + "Convert all characters to lower case.", + "Convert all alphanumeric and symbolic Unicode characters above the first 127 ASCII characters into their ASCII equivalents." + ], + "tokenizer": "whitespace", + "filters": [ + "lowercase", + "asciifolding" + ] + }, + { + "name": "ngram_analyzer", + "description": "An analyzer which performs ngram filtering on the data stream.", + "behaviours": [ + "Tokenize the text using white space characters as delimeters.", + "Convert all characters to lower case.", + "Convert all alphanumeric and symbolic Unicode characters above the first 127 ASCII characters into their ASCII equivalents.", + "Apply ngram filtering using the following values for minimum and maximum size in codepoints of a single n-gram: minimum = 1, maximum = 2." + ], + "tokenizer": "whitespace", + "filters": [ + "lowercase", + "asciifolding", + "ngram_filter" + ] + } +] \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/search_policy.json b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/search_policy.json new file mode 100644 index 0000000000..72d8902fbe --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/search_policy.json @@ -0,0 +1,18 @@ +{ + "roles": [ + { + "name": "admin", + "functions": [ + { + "name": "search", "methods": [ { "name": "GET" },{ "name": "DELETE" }, { "name": "PUT" }, { "name": "POST" } ] + } + ], + + "users": [ + { + "username": "CN=ONAP, OU=ONAP, O=ONAP, L=Ottawa, ST=Ontario, C=CA" + } + ] + } + ] +} diff --git a/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/tomcat_keystore b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/tomcat_keystore new file mode 100644 index 0000000000..9eec841aa2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/auth/tomcat_keystore differ diff --git a/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/elastic-search.properties b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/elastic-search.properties new file mode 100644 index 0000000000..006fc6ee02 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/elastic-search.properties @@ -0,0 +1,5 @@ +# ElasticSearch Configuration + +es.cluster-name=ES_AAI +es.ip-address=elasticsearch.onap-aai +es.http-port=9200 diff --git a/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/filter-config.json b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/filter-config.json new file mode 100644 index 0000000000..e2d5285824 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/search-data-service/appconfig/filter-config.json @@ -0,0 +1,7 @@ +[ + { + "name": "ngram_filter", + "description": "Custom NGram Filter.", + "configuration": " \"type\": \"nGram\", \"min_gram\": 1, \"max_gram\": 50, \"token_chars\": [ \"letter\", \"digit\", \"punctuation\", \"symbol\" ]" + } +] \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/aai.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/aai.properties new file mode 100644 index 0000000000..3b4542889e --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/aai.properties @@ -0,0 +1,87 @@ +################################################################################################################ +############################## ActiveInventoryDataCollector TLS/SSL configuration ############################## +################################################################################################################ + +############################## Networking ############################## +# +# The ip address/hostname and port to the desired AAI instance +# +aai.rest.host=aai-service.onap-aai +aai.rest.port=8443 + +############################## REST ############################## +# OXM version +aai.rest.resourceBasePath=/aai/v9 +aai.rest.connectTimeoutInMs=30000 +aai.rest.readTimeoutInMs=60000 +aai.rest.numRequestRetries=5 +# HTTP_NOAUTH - straight HTTP no user/pass +# SSL_BASIC - HTTP/S with user/pass +# SSL_CERT - HTTP/S with client cert +aai.rest.authenticationMode=SSL_BASIC + +############################## Cache ############################## +# Experimental caching feature that is NOT production ready. +# Enable at your own risk... it might not work. +aai.rest.cache.enabled=false +aai.rest.cache.numWorkers=10 +aai.rest.cache.cacheFailures=false +aai.rest.cache.useCacheOnly=false +aai.rest.cache.storageFolderOverride= +aai.rest.cache.maxTimeToLiveInMs=-1 + +# The shallowEntity filter will display the entity in a visualization +# but will not collect it's relationships or complex attributes. +aai.rest.shallowEntities=cloud-region,complex,vnf-image,att-aic,image + +############################## Certs, Auth, and SSL Settings ############################## +aai.ssl.keystore.filename=aai-os-cert.p12 +aai.ssl.keystore.pass=OBF:1i9a1u2a1unz1lr61wn51wn11lss1unz1u301i6o +aai.ssl.keystore.type=pkcs12 +# Enable debug on the SSL connections +aai.ssl.enableDebug=false +# Degree of strictness to SSL connection standards +aai.ssl.validateServerHostName=false; +aai.ssl.validateServerCertificateChain=false; +# If basic auth is implemented, username and password as required +aai.ssl.basicAuth.username=AaiUI +aai.ssl.basicAuth.password=OBF:1gfr1p571unz1p4j1gg7 + +############################## Statistics Report Formatting ############################## +# +# During synchronization, a formatted statisitics log is generated +# +# Response size in bytes histogram +aai.taskProcessor.bytesHistogramLabel="[Response Size In Bytes]" +aai.taskProcessor.bytesHistogramMaxYAxis=1000000 +aai.taskProcessor.bytesHistogramNumBins=20 +aai.taskProcessor.bytesHistogramNumDecimalPoints=2 +# "Work on Hand" statisitcs for external resource requests +aai.taskProcessor.queueLengthHistogramLabel="[Queue Item Length]" +aai.taskProcessor.queueLengthHistogramMaxYAxis=20000 +aai.taskProcessor.queueLengthHistogramNumBins=20 +aai.taskProcessor.queueLengthHistogramNumDecimalPoints=2 +# Time on queue (how long does a task stay on the work queue) +aai.taskProcessor.taskAgeHistogramLabel="[Task Age In Ms]" +aai.taskProcessor.taskAgeHistogramMaxYAxis=600000 +aai.taskProcessor.taskAgeHistogramNumBins=20 +aai.taskProcessor.taskAgeHistogramNumDecimalPoints=2 +# Per transaction response time for external resource requests +aai.taskProcessor.responseTimeHistogramLabel="[Response Time In Ms]" +aai.taskProcessor.responseTimeHistogramMaxYAxis=10000 +aai.taskProcessor.responseTimeHistogramNumBins=20 +aai.taskProcessor.responseTimeHistogramNumDecimalPoints=2 +# Transaction throughput velocity +aai.taskProcessor.tpsHistogramLabel="[Transactions Per Second]" +aai.taskProcessor.tpsHistogramMaxYAxis=100 +aai.taskProcessor.tpsHistogramNumBins=20 +aai.taskProcessor.tpsHistogramNumDecimalPoints=2 + +############################## Deprecated, to be removed or updated ############################## +aai.rest.numResolverWorkers=15 +aai.ssl.truststore.filename=asdc-client.jks +aai.ssl.truststore.type=jks +aai.taskProcessor.maxConcurrentWorkers=5 +aai.taskProcessor.transactionRateControllerEnabled=false +aai.taskProcessor.numSamplesPerThreadForRunningAverage=100 +aai.taskProcessor.targetTPS=100 \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/aai-os-cert.p12 b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/aai-os-cert.p12 new file mode 100644 index 0000000000..ee57120fa0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/aai-os-cert.p12 differ diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/client-cert-onap.p12 b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/client-cert-onap.p12 new file mode 100644 index 0000000000..dbf4fcacec Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/client-cert-onap.p12 differ diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/inventory-ui-keystore b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/inventory-ui-keystore new file mode 100644 index 0000000000..efa01f8d79 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/auth/inventory-ui-keystore differ diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/elasticsearch.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/elasticsearch.properties new file mode 100644 index 0000000000..82b5af39ab --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/elasticsearch.properties @@ -0,0 +1,72 @@ +####################################################################################### +############################## ElasticSearch Config ################################### +####################################################################################### + +############################## Networking ############################## +# +# The ip address/hostname and port to the desired AAI instance +# For development it's recommended to use a local instance of ES +# +elasticsearch.ipAddress=elasticsearch.onap-aai +elasticsearch.httpPort=9200 +elasticsearch.javaApiPort=8443 + +############################## Indexes ############################## +# +# Index names for various searches. +# +elasticsearch.indexName=entitysearchindex +elasticsearch.topographicalIndexName=topographicalsearchindex +elasticsearch.entityCountHistoryIndexName=entitycounthistoryindex +elasticsearch.autosuggestIndexname=entityautosuggestindex + +# Default document type +elasticsearch.type=default + +############################## Index Mappings and Settings ############################## +# +# JSON files for sparky elasticsearch indexes. +# +elasticsearch.mappingsFileName=/etc/es_mappings.json +elasticsearch.settingsFileName=/etc/es_settings.json +elasticsearch.autosuggestSettingsFileName=/etc/autoSuggestSettings.json +elasticsearch.autosuggestMappingsFileName=/etc/autoSuggestMappings.json +elasticsearch.dynamicMappingsFileName=/etc/dynamicMappings.json +elasticsearch.entityCountHistoryMappingsFileName=/etc/entityCountHistoryMappings.json + +############################## Statistics Report Formatting ############################## +# +# During synchronization, a formatted statisitics log is generated. +# +# Response size in bytes histogram +elasticsearch.taskProcessor.bytesHistogramLabel="[Response Size In Bytes]" +elasticsearch.taskProcessor.bytesHistogramMaxYAxis=1000000 +elasticsearch.taskProcessor.bytesHistogramNumBins=20 +elasticsearch.taskProcessor.bytesHistogramNumDecimalPoints=2 +# "Work on Hand" statisitcs for external resource requests +elasticsearch.taskProcessor.queueLengthHistogramLabel="[Queue Item Length]" +elasticsearch.taskProcessor.queueLengthHistogramMaxYAxis=20000 +elasticsearch.taskProcessor.queueLengthHistogramNumBins=20 +elasticsearch.taskProcessor.queueLengthHistogramNumDecimalPoints=2 +# Time on queue (how long does a task stay on the work queue) +elasticsearch.taskProcessor.taskAgeHistogramLabel="[Task Age In Ms]" +elasticsearch.taskProcessor.taskAgeHistogramMaxYAxis=600000 +elasticsearch.taskProcessor.taskAgeHistogramNumBins=20 +elasticsearch.taskProcessor.taskAgeHistogramNumDecimalPoints=2 +# Per transaction response time for external resource requests +elasticsearch.taskProcessor.responseTimeHistogramLabel="[Response Time In Ms]" +elasticsearch.taskProcessor.responseTimeHistogramMaxYAxis=1000 +elasticsearch.taskProcessor.responseTimeHistogramNumBins=20 +elasticsearch.taskProcessor.responseTimeHistogramNumDecimalPoints=2 +# Transaction throughput velocity +elasticsearch.taskProcessor.tpsHistogramLabel="[Transactions Per Second]" +elasticsearch.taskProcessor.tpsHistogramMaxYAxis=100 +elasticsearch.taskProcessor.tpsHistogramNumBins=20 +elasticsearch.taskProcessor.tpsHistogramNumDecimalPoints=2 + +############################## Deprecated, to be removed or updated ############################## +elasticsearch.taskProcessor.maxConcurrentWorkers=5 +elasticsearch.taskProcessor.transactionRateControllerEnabled=false +elasticsearch.taskProcessor.numSamplesPerThreadForRunningAverage=100 +elasticsearch.taskProcessor.targetTPS=100 +elasticsearch.clusterName=ES_AAI_LOCALHOST \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/model/aai_oxm_v9.xml b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/model/aai_oxm_v9.xml new file mode 100644 index 0000000000..6337c32edc --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/model/aai_oxm_v9.xml @@ -0,0 +1,4775 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal-authentication.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal-authentication.properties new file mode 100644 index 0000000000..0873fc1c61 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal-authentication.properties @@ -0,0 +1,14 @@ +########################################################################################## +############################## eCOMP Portal Auth Properties ############################## +########################################################################################## + +############################## Auth ############################## +username=aaiui +password=1t2v1vfv1unz1vgz1t3b + +############################## ############################## +# +# ONAP Cookie Processing - During initial development, this flag, if true, will +# prevent the portal interface's login processing from searching for a user +# specific cookie, and will instead allow passage if a valid session cookie is discovered. +onap_enabled=true \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal.properties new file mode 100644 index 0000000000..cf99f5da59 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/portal/portal.properties @@ -0,0 +1,23 @@ +###################################################################################### +############################## eCOMP Portal properties ############################### +###################################################################################### + +# Java class that implements the ECOMP role and user mgt API +portal.api.impl.class = org.openecomp.sparky.security.portal.PortalRestAPIServiceImpl + +# Instance of ECOMP Portal where the app has been on-boarded +# use insecure http for dev purposes to avoid self-signed certificate +ecomp_rest_url = http://portalapps.onap-portal:8989/ECOMPPORTAL/auxapi + +# Standard global logon page +ecomp_redirect_url = http://portalapps.onap-portal:8989/ECOMPPORTAL/login.htm + +# Name of cookie to extract on login request +csp_cookie_name = EPService +# Alternate values: DEVL, V_DEVL, V_PROD +csp_gate_keeper_prod_key = PROD + +# Toggles use of UEB +ueb_listeners_enable = false +# IDs application withing UEB flow +ueb_app_key = qFKles9N8gDTV0Zc diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/roles.config b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/roles.config new file mode 100644 index 0000000000..b8313bd378 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/roles.config @@ -0,0 +1,6 @@ +[ + { + "id":1, + "name":"View" + } +] \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/search-service.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/search-service.properties new file mode 100644 index 0000000000..5f4985a5f2 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/search-service.properties @@ -0,0 +1,32 @@ +######################################################################################## +############################## Search Data Service Config ############################## +######################################################################################## + +############################## Networking ############################## +# +# The ip address/hostname and port to the desired Search Data Service instance +# +search-service.ipAddress=search-data-service.onap-aai +search-service.httpPort=9509 + +############################## Indexes ############################## +# +# Index values that will be associated with searches +# +# Searchable entities +search-service.indexName=entitysearchindex +# Inventory searches +search-service.topographicalIndexName=topographicalsearchindex +search-service.entityCountHistoryIndexName=entitycounthistoryindex + +############################## Version ############################## +# +# Search Data Service version and type (see Search Data Service for more details) +# +search-service.version=v1 +search-service.type=default + +############################## Certs ############################## +search-service.ssl.cert-name=client-cert-onap.p12 +search-service.ssl.keystore-password=OBF:1y0q1uvc1uum1uvg1pil1pjl1uuq1uvk1uuu1y10 +search-service.ssl.keystore=tomcat_keystore \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/suggestive-search.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/suggestive-search.properties new file mode 100644 index 0000000000..b82baffc14 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/suggestive-search.properties @@ -0,0 +1,27 @@ +###################################################################################### +############################## Suggestive Search Config ############################## +###################################################################################### + +# Indexes to be taken into account when generating suggestion entries +suggestion.indexes=elasticsearch.autosuggestIndexname,elasticsearch.indexName +# List of stop words to be used during suggestive search +suggestion.stopwords=a,an,and,are,as,at,be,but,by,called,for,if,in,into,is,it,no,not,of,on,or,such,that,the,their,then,there,these,they,this,to,was,will,with +# Assigns which class, within sparky, will process the searches related to an assosiated index +suggestion.routing=elasticsearch.autosuggestIndexname:SearchServiceWrapper,elasticsearch.indexName:VnfSearchService + +############################## Pairings ############################## +# +# "called" pairings, keys reference types within the OXM, and the value +# is the suggestion term used for matches with any of the "called" keys. +# e.g. "x called vserver-id" (but actual value of vserver-id) +suggestion.pairing.called.key=volume-group-id,volume-group-name,physical-location-id,data-center-code,complex-name,tenant-id,tenant-name,vserver-id,vserver-name,vserver-name2,hostname,pserver-name2,pserver-id,global-customer-id,subscriber-name,service-instance-id,service-instance-name,link-name,vpn-id,vpn-name,vpe-id,vnf-id,vnf-name,vnf-name2,vnfc-name,network-id,network-name,network-policy-id,vf-module-id,vf-module-name,vnf-id2,pnf-name,circuit-id +suggestion.pairing.called.value=called +# +# Exact same explanation as the "called" pairings above. +# e.g. "x at ipv4-oam-address" +suggestion.pairing.at.key=street1,street2,postal-code,ipv4-oam-address,network-policy-fqdn +suggestion.pairing.at.value=at +# +# Default pairing values for any OXM types that aren't part of the the other +# pairing lists. +suggestion.pairing.default.value=with \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/synchronizer.properties b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/synchronizer.properties new file mode 100644 index 0000000000..0b84f06abe --- /dev/null +++ b/kubernetes/config/docker/init/src/config/aai/sparky-be/appconfig/synchronizer.properties @@ -0,0 +1,33 @@ +############################################################################################## +############################## ElasticSearchSynchronizer Config ############################## +############################################################################################## + +# Initial delay on startup before starting synchronization tasks +synchronizer.syncTask.initialDelayInMs=60000 +# The frequency at which the synchronizationtask will be run +synchronizer.syncTask.taskFrequencyInDay=2 + +# Time at which to run synchronization. Format = hh:mm:ss UTC(-/+)hh:mm +synchronizer.syncTask.startTimestamp=05:00:00 UTC+00:00 + +# Generates a count in elasticsearch related to inventory +synchronizer.historicalEntitySummarizerEnabled=true +# Toggles the suggestion synchronizer +synchronizer.autosuggestSynchronizationEnabled=true +# Frequency at which above count is generated +synchronizer.historicalEntitySummarizedFrequencyInMinutes=60 + +# Elasticsearch scroll api context keep alive value +synchronizer.scrollContextTimeToLiveInMinutes=5 +# Elasticsearch scroll api context max items per batch request +synchronizer.numScrollContextItemsToRetrievePerRequest=5000 + + +############################## Deprecated, to be removed or updated ############################## +synchronizer.resolver.progressLogFrequencyInMs=60000 +synchronizer.resolver.queueMonitorFrequencyInMs=1000 +synchronizer.resolver.displayVerboseQueueManagerStats=false +synchronizer.indexIntegrityValidator.enabled=false +synchronizer.indexIntegrityValidatorFrequencyInMs=3600000 +synchronizer.suppressResourceNotFoundErrors=true +synchronizer.applyNodesOnlyModifier=false \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-0/00000000000000000000.log new file mode 100644 index 0000000000..85ee8bff8b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-CL-1/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-1/00000000000000000000.log new file mode 100644 index 0000000000..66dcea954e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/APPC-TEST2-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-0/00000000000000000000.log new file mode 100644 index 0000000000..bb73f23cef Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-1/00000000000000000000.log new file mode 100644 index 0000000000..53364c5905 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/DCAE-CL-EVENT-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-INBOX-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-INBOX-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-INBOX-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-INBOX-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-APP1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-APP1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-APP1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-APP1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-DBC1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-DBC1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-DBC1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-DBC1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-POL1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-POL1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-POL1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-POL1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-SDC1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-SDC1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-SDC1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-SDC1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-VID1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-VID1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-VID1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/ECOMP-PORTAL-OUTBOX-VID1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-0/00000000000000000000.log new file mode 100644 index 0000000000..b466edad8c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/PDPD-CONFIGURATION-1/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-0/00000000000000000000.log new file mode 100644 index 0000000000..bc5db56330 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-1/00000000000000000000.log new file mode 100644 index 0000000000..978eeb625c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/POLICY-CL-MGT-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1-0/00000000000000000000.log new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-0/00000000000000000000.log new file mode 100644 index 0000000000..7c1c0f66bc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.index new file mode 100644 index 0000000000..a0afe1dd1e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.index differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.log new file mode 100644 index 0000000000..e3e471a5f1 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/msgrtr.apinode.metrics.dmaap-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/recovery-point-offset-checkpoint b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/recovery-point-offset-checkpoint new file mode 100644 index 0000000000..a003b5d19d --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/recovery-point-offset-checkpoint @@ -0,0 +1,27 @@ +0 +25 +ECOMP-PORTAL-OUTBOX-VID1 0 0 +PDPD-CONFIGURATION 0 2 +msgrtr.apinode.metrics.dmaap 1 26 +unauthenticated.SEC_MEASUREMENT_OUTPUT 1 1 +APPC-TEST2 0 0 +unauthenticated.TCA_EVENT_OUTPUT 1 1 +APPC-TEST1 0 0 +APPC-CL 0 2 +ECOMP-PORTAL-INBOX 0 0 +APPC-CL 1 0 +APPC-TEST2 1 1 +unauthenticated.TCA_EVENT_OUTPUT 0 1 +unauthenticated.SEC_MEASUREMENT_OUTPUT 0 1 +SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1 0 0 +POLICY-CL-MGT 1 1 +PDPD-CONFIGURATION 1 0 +DCAE-CL-EVENT 1 1 +msgrtr.apinode.metrics.dmaap 0 4 +ECOMP-PORTAL-OUTBOX-APP1 0 0 +ECOMP-PORTAL-OUTBOX-SDC1 0 0 +POLICY-CL-MGT 0 1 +SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1 0 0 +DCAE-CL-EVENT 0 1 +ECOMP-PORTAL-OUTBOX-DBC1 0 0 +ECOMP-PORTAL-OUTBOX-POL1 0 0 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/replication-offset-checkpoint b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/replication-offset-checkpoint new file mode 100644 index 0000000000..a003b5d19d --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/replication-offset-checkpoint @@ -0,0 +1,27 @@ +0 +25 +ECOMP-PORTAL-OUTBOX-VID1 0 0 +PDPD-CONFIGURATION 0 2 +msgrtr.apinode.metrics.dmaap 1 26 +unauthenticated.SEC_MEASUREMENT_OUTPUT 1 1 +APPC-TEST2 0 0 +unauthenticated.TCA_EVENT_OUTPUT 1 1 +APPC-TEST1 0 0 +APPC-CL 0 2 +ECOMP-PORTAL-INBOX 0 0 +APPC-CL 1 0 +APPC-TEST2 1 1 +unauthenticated.TCA_EVENT_OUTPUT 0 1 +unauthenticated.SEC_MEASUREMENT_OUTPUT 0 1 +SDC-DISTR-NOTIF-TOPIC-SDC-OPENSOURCE-ENV1 0 0 +POLICY-CL-MGT 1 1 +PDPD-CONFIGURATION 1 0 +DCAE-CL-EVENT 1 1 +msgrtr.apinode.metrics.dmaap 0 4 +ECOMP-PORTAL-OUTBOX-APP1 0 0 +ECOMP-PORTAL-OUTBOX-SDC1 0 0 +POLICY-CL-MGT 0 1 +SDC-DISTR-STATUS-TOPIC-SDC-OPENSOURCE-ENV1 0 0 +DCAE-CL-EVENT 0 1 +ECOMP-PORTAL-OUTBOX-DBC1 0 0 +ECOMP-PORTAL-OUTBOX-POL1 0 0 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-0/00000000000000000000.log new file mode 100644 index 0000000000..33bee2d7ac Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-1/00000000000000000000.log new file mode 100644 index 0000000000..69b1e68398 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.SEC_MEASUREMENT_OUTPUT-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-0/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-0/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-0/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-0/00000000000000000000.log new file mode 100644 index 0000000000..68a76bc308 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-0/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-1/00000000000000000000.index b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-1/00000000000000000000.index new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-1/00000000000000000000.log b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-1/00000000000000000000.log new file mode 100644 index 0000000000..89ec482f80 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/kafka-logs/unauthenticated.TCA_EVENT_OUTPUT-1/00000000000000000000.log differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.1 b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.1 new file mode 100644 index 0000000000..f3cb13643f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.1 differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.103 b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.103 new file mode 100644 index 0000000000..9b648e28bf Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.103 differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.125 b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.125 new file mode 100644 index 0000000000..0613642554 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper/version-2/log.125 differ diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/start-kafka.sh b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/start-kafka.sh new file mode 100644 index 0000000000..4d955daf4a --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dcae-startup-vm-message-router/docker_files/start-kafka.sh @@ -0,0 +1,69 @@ +#!/bin/bash + +if [[ -z "$KAFKA_PORT" ]]; then + export KAFKA_PORT=9092 +fi +if [[ -z "$KAFKA_ADVERTISED_PORT" ]]; then + export KAFKA_ADVERTISED_PORT=$(docker port `hostname` $KAFKA_PORT | sed -r "s/.*:(.*)/\1/g") +fi +if [[ -z "$KAFKA_BROKER_ID" ]]; then + # By default auto allocate broker ID + #export KAFKA_BROKER_ID=-1 + export KAFKA_BROKER_ID=1 +fi +#if [[ -z "$KAFKA_LOG_DIRS" ]]; then + #export KAFKA_LOG_DIRS="/kafka/kafka-logs-$HOSTNAME" + export KAFKA_LOG_DIRS="/kafka/kafka-logs" +#fi +if [[ -z "$KAFKA_ZOOKEEPER_CONNECT" ]]; then + export KAFKA_ZOOKEEPER_CONNECT=$(env | grep ZK.*PORT_2181_TCP= | sed -e 's|.*tcp://||' | paste -sd ,) +fi + +if [[ -n "$KAFKA_HEAP_OPTS" ]]; then + sed -r -i "s/(export KAFKA_HEAP_OPTS)=\"(.*)\"/\1=\"$KAFKA_HEAP_OPTS\"/g" $KAFKA_HOME/bin/kafka-server-start.sh + unset KAFKA_HEAP_OPTS +fi + +if [[ -z "$KAFKA_ADVERTISED_HOST_NAME" && -n "$HOSTNAME_COMMAND" ]]; then + export KAFKA_ADVERTISED_HOST_NAME=$(eval $HOSTNAME_COMMAND) +fi + +for VAR in `env` +do + if [[ $VAR =~ ^KAFKA_ && ! $VAR =~ ^KAFKA_HOME ]]; then + kafka_name=`echo "$VAR" | sed -r "s/KAFKA_(.*)=.*/\1/g" | tr '[:upper:]' '[:lower:]' | tr _ .` + env_var=`echo "$VAR" | sed -r "s/(.*)=.*/\1/g"` + if egrep -q "(^|^#)$kafka_name=" $KAFKA_HOME/config/server.properties; then + sed -r -i "s@(^|^#)($kafka_name)=(.*)@\2=${!env_var}@g" $KAFKA_HOME/config/server.properties #note that no config values may contain an '@' char + else + echo "$kafka_name=${!env_var}" >> $KAFKA_HOME/config/server.properties + fi + fi +done + +if [[ -n "$CUSTOM_INIT_SCRIPT" ]] ; then + eval $CUSTOM_INIT_SCRIPT +fi + + +KAFKA_PID=0 + +# see https://medium.com/@gchudnov/trapping-signals-in-docker-containers-7a57fdda7d86#.bh35ir4u5 +term_handler() { + echo 'Stopping Kafka....' + if [ $KAFKA_PID -ne 0 ]; then + kill -s TERM "$KAFKA_PID" + wait "$KAFKA_PID" + fi + echo 'Kafka stopped.' + exit +} + + +# Capture kill requests to stop properly +trap "term_handler" SIGHUP SIGINT SIGTERM +create-topics.sh & +$KAFKA_HOME/bin/kafka-server-start.sh $KAFKA_HOME/config/server.properties & +KAFKA_PID=$! + +wait "$KAFKA_PID" diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/MsgRtrApi.properties b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/MsgRtrApi.properties new file mode 100644 index 0000000000..8c6f50dc67 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/MsgRtrApi.properties @@ -0,0 +1,140 @@ +############################################################################### +## +## Cambria API Server config +## +## - Default values are shown as commented settings. +## + +############################################################################### +## +## HTTP service +## +## - 3904 is standard as of 7/29/14. +# +## Zookeeper Connection +## +## Both Cambria and Kafka make use of Zookeeper. +## +config.zk.servers=zookeeper.onap-dcae:2181 +#config.zk.servers=172.17.0.1:2181 +#dmaap.onap-dcae:2181 +#10.208.128.229:2181 +#config.zk.root=/fe3c/cambria/config + + +############################################################################### +## +## Kafka Connection +## +## Items below are passed through to Kafka's producer and consumer +## configurations (after removing "kafka.") +## if you want to change request.required.acks it can take this one value +#kafka.metadata.broker.list=localhost:9092,localhost:9093 +kafka.metadata.broker.list=kafka.onap-dcae:9092 +#kafka.metadata.broker.list=172.17.0.1:9092 +#dmaap.onap-dcae:9092 +#10.208.128.229:9092 +##kafka.request.required.acks=-1 +#kafka.client.zookeeper=${config.zk.servers} +consumer.timeout.ms=100 +zookeeper.connection.timeout.ms=6000 +zookeeper.session.timeout.ms=6000 +zookeeper.sync.time.ms=2000 +auto.commit.interval.ms=1000 +fetch.message.max.bytes =1000000 +auto.commit.enable=false + + +############################################################################### +## +## Secured Config +## +## Some data stored in the config system is sensitive -- API keys and secrets, +## for example. to protect it, we use an encryption layer for this section +## of the config. +## +## The key is a base64 encode AES key. This must be created/configured for +## each installation. +#cambria.secureConfig.key= +## +## The initialization vector is a 16 byte value specific to the secured store. +## This must be created/configured for each installation. +#cambria.secureConfig.iv= + +## Southfield Sandbox +cambria.secureConfig.key=b/7ouTn9FfEw2PQwL0ov/Q== +cambria.secureConfig.iv=wR9xP5k5vbz/xD0LmtqQLw== +authentication.adminSecret=fe3cCompound +#cambria.secureConfig.key[pc569h]=YT3XPyxEmKCTLI2NK+Sjbw== +#cambria.secureConfig.iv[pc569h]=rMm2jhR3yVnU+u2V9Ugu3Q== + + +############################################################################### +## +## Consumer Caching +## +## Kafka expects live connections from the consumer to the broker, which +## obviously doesn't work over connectionless HTTP requests. The Cambria +## server proxies HTTP requests into Kafka consumer sessions that are kept +## around for later re-use. Not doing so is costly for setup per request, +## which would substantially impact a high volume consumer's performance. +## +## This complicates Cambria server failover, because we often need server +## A to close its connection before server B brings up the replacement. +## + +## The consumer cache is normally enabled. +#cambria.consumer.cache.enabled=true + +## Cached consumers are cleaned up after a period of disuse. The server inspects +## consumers every sweepFreqSeconds and will clean up any connections that are +## dormant for touchFreqMs. +#cambria.consumer.cache.sweepFreqSeconds=15 +#cambria.consumer.cache.touchFreqMs=120000 + +## The cache is managed through ZK. The default value for the ZK connection +## string is the same as config.zk.servers. +#cambria.consumer.cache.zkConnect=${config.zk.servers} + +## +## Shared cache information is associated with this node's name. The default +## name is the hostname plus the HTTP service port this host runs on. (The +## hostname is determined via InetAddress.getLocalHost ().getCanonicalHostName(), +## which is not always adequate.) You can set this value explicitly here. +## +#cambria.api.node.identifier= + +############################################################################### +## +## Metrics Reporting +## +## This server can report its metrics periodically on a topic. +## +#metrics.send.cambria.enabled=true +#metrics.send.cambria.topic=cambria.apinode.metrics #msgrtr.apinode.metrics.dmaap +#metrics.send.cambria.sendEverySeconds=60 + +cambria.consumer.cache.zkBasePath=/fe3c/cambria/consumerCache + +############################################################################## +#100mb +maxcontentlength=10000 + + +############################################################################## +#AAF Properties +msgRtr.namespace.aaf=org.openecomp.dcae.dmaap.mtnje2.mr.topic +msgRtr.topicfactory.aaf=org.openecomp.dcae.dmaap.topicFactory|:org.openecomp.dcae.dmaap.mtnje2.mr.topic: +enforced.topic.name.AAF=org.openecomp +forceAAF=false +transidUEBtopicreqd=false +defaultNSforUEB=org.openecomp.dmaap.mr.ueb +############################################################################## +#Mirror Maker Agent +msgRtr.mirrormakeradmin.aaf=org.openecomp.dmaap.mr.dev.mirrormaker|*|admin +msgRtr.mirrormakeruser.aaf=org.openecomp.dmaap.mr.dev.mirrormaker|*|user +msgRtr.mirrormakeruser.aaf.create=org.openecomp.dmaap.mr.dev.topicFactory|:org.openecomp.dmaap.mr.dev.topic: +msgRtr.mirrormaker.timeout=15000 +msgRtr.mirrormaker.topic=org.openecomp.dmaap.mr.prod.mm.agent +msgRtr.mirrormaker.consumergroup=mmagentserver +msgRtr.mirrormaker.consumerid=1 diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/cadi.properties b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/cadi.properties new file mode 100644 index 0000000000..1cb00a5cda --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/cadi.properties @@ -0,0 +1,21 @@ +basic_realm=openecomp.org +basic_warn=TRUE + +cadi_loglevel=DEBUG +#cadi_keyfile=target/swm/package/nix/dist_files/appl/${artifactId}/etc/keyfile2 +cadi_keyfile=/appl/dmaapMR1/etc/keyfile +# Configure AAF +aaf_url=https://DME2RESOLVE/service=org.openecomp.authz.AuthorizationService/version=2.0/envContext=DEV/routeOffer=BAU_SE + +aaf_id=dgl@openecomp.org +aaf_password=enc:f2u5br1mh29M02- +aaf_timeout=5000 +aaf_clean_interval=1200000 +aaf_user_expires=60000 +aaf_high_count=1000000 + + +# The following properties are being set by the AJSC Container and should NOT need to be set here. +AFT_LATITUDE=33.823589 +AFT_LONGITUDE=-84.366982 +AFT_ENVIRONMENT=AFTUAT diff --git a/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/mykey b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/mykey new file mode 100644 index 0000000000..c2b8b8779b --- /dev/null +++ b/kubernetes/config/docker/init/src/config/dcae/message-router/dmaap/mykey @@ -0,0 +1,27 @@ +_sNOLphPzrU7L0L3oWv0pYwgV_ddGF1XoBsQEIAp34jfP-fGJFPfFYaMpDEZ3gwH59rNw6qyMZHk +k-4irklvVcWk36lC3twNvc0DueRCVrws1bkuhOLCXdxHJx-YG-1xM8EJfRmzh79WPlPkbAdyPmFF +Ah44V0GjAnInPOFZA6MHP9rNx9B9qECHRfmvzU13vJCcgTsrmOr-CEiWfRsnzPjsICxpq9OaVT_D +zn6rNaroGm1OiZNCrCgvRkCUHPOOCw3j9G1GeaImoZNYtozbz9u4sj13PU-MxIIAa64b1bMMMjpz +Upc8lVPI4FnJKg6axMmEGn5zJ6JUq9mtOVyPj__2GEuDgpx5H4AwodXXVjFsVgR8UJwI_BvS2JVp +JoQk0J1RqXmAXVamlsMAfzmmbARXgmrBfnuhveZnh9ymFVU-YZeujdANniXAwBGI7c6hG_BXkH7i +Eyf4Fn41_SV78PskP6qgqJahr9r3bqdjNbKBztIKCOEVrE_w3IM5r02l-iStk_NBRkj6cq_7VCpG +afxZ2CtZMwuZMiypO_wOgbdpCSKNzsL-NH2b4b08OlKiWb263gz634KJmV5WEfCl-6eH-JUFbWOS +JwQfActLNT2ZQPl2MyZQNBzJEWoJRgS6k7tPRO-zqeUtYYHGHVMCxMuMHGQcoilNNHEFeBCG_fBh +yAKb9g9F86Cbx9voMLiyTX2T3rwVHiSJFOzfNxGmfN5JWOthIun_c5hEY1tLQ15BomzkDwk7BAj7 +VbRCrVD45B6xrmSTMBSWYmLyr6mnQxQqeh9cMbD-0ZAncE3roxRnRvPKjFFa208ykYUp2V83r_PJ +fV5I9ZPKSjk9DwFyrjkcQQEYDhdK6IFqcd6nEthjYVkmunu2fsX0bIOm9GGdIbKGqBnpdgBO5hyT +rBr9HSlZrHcGdti1R823ckDF0Ekcl6kioDr5NLIpLtg9zUEDRm3QrbX2mv5Zs8W0pYnOqglxy3lz +bJZTN7oR7VasHUtjmp0RT9nLZkUs5TZ6MHhlIq3ZsQ6w_Q9Rv1-ofxfwfCC4EBrWKbWAGCf6By4K +Ew8321-2YnodhmsK5BrT4zQ1DZlmUvK8BmYjZe7wTljKjgYcsLTBfX4eMhJ7MIW1kpnl8AbiBfXh +QzN56Mki51Q8PSQWHm0W9tnQ0z6wKdck6zBJ8JyNzewZahFKueDTn-9DOqIDfr3YHvQLLzeXyJ8e +h4AgjW-hvlLzRGtkCknjLIgXVa3rMTycseAwbW-mgdCqqkw3SdEG8feAcyntmvE8j2jbtSDStQMB +9JdvyNLuQdNG4pxpusgvVso0-8NQF0YVa9VFwg9U6IPSx5p8FcW68OAHt_fEgT4ZtiH7o9aur4o9 +oYqUh2lALCY-__9QLq1KkNjMKs33Jz9E8LbRerG9PLclkTrxCjYAeUWBjCwSI7OB7xkuaYDSjkjj +a46NLpdBN1GNcsFFcZ79GFAK0_DsyxGLX8Tq6q0Bvhs8whD8wlSxpTGxYkyqNX-vcb7SDN_0WkCE +XSdZWkqTHXcYbOvoCOb_e6SFAztuMenuHWY0utX0gBfx_X5lPDFyoYXErxFQHiA7t27keshXNa6R +ukQRRS8kMjre1U74sc-fRNXkXpl57rG4rgxaEX0eBeowa53KAsVvUAoSac2aC_nfzXrDvoyf9Xi3 +JpEZNhUDLpFCEycV4I7jGQ9wo9qNaosvlsr6kbLDNdb_1xrGVgjT3xEvRNJNPqslSAu-yD-UFhC3 +AmCdYUnugw_eEFqXCHTARcRkdPPvl2XsmEKY2IqEeO5tz4DyXQFaL-5hEVh6lYEU1EOWHk3UGIXe +Vc5_Ttp82qNLmlJPbZvgmNTJzYTHDQ_27KBcp7IVVZgPDjVKdWqQvZ18KhxvfF3Idgy82LBZniFV +IbtxllXiPRxoPQriSXMnXjh3XkvSDI2pFxXfEvLRn1tvcFOwPNCz3QfPIzYg8uYXN5bRt3ZOrR_g +ZhIlrc7HO0VbNbeqEVPKMZ-cjkqGj4VAuDKoQc0eQ6X_wCoAGO78nPpLeIvZPx1X3z5YoqNA \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log.00000001 b/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log.00000001 new file mode 100644 index 0000000000..8608ff7c73 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log.00000001 differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log_control b/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log_control new file mode 100644 index 0000000000..9ae850a6a0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/aria_log_control differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/debian-10.0.flag b/kubernetes/config/docker/init/src/config/policy/mariadb/data/debian-10.0.flag new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/firstrun b/kubernetes/config/docker/init/src/config/policy/mariadb/data/firstrun new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile0 b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile0 new file mode 100644 index 0000000000..cc8b741fc4 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile0 differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile1 b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile1 new file mode 100644 index 0000000000..274bba07cf Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ib_logfile1 differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/ibdata1 b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ibdata1 new file mode 100644 index 0000000000..3920f04824 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/ibdata1 differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/log/db.opt b/kubernetes/config/docker/init/src/config/policy/mariadb/data/log/db.opt new file mode 100644 index 0000000000..d8429c4e0d --- /dev/null +++ b/kubernetes/config/docker/init/src/config/policy/mariadb/data/log/db.opt @@ -0,0 +1,2 @@ +default-character-set=latin1 +default-collation=latin1_swedish_ci diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/multi-master.info b/kubernetes/config/docker/init/src/config/policy/mariadb/data/multi-master.info new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.MYI new file mode 100644 index 0000000000..9ff5ed6cd2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.frm new file mode 100644 index 0000000000..fefc7eb21e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/column_stats.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.MYI new file mode 100644 index 0000000000..f261e282b7 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.frm new file mode 100644 index 0000000000..faa4a8a87c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/columns_priv.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.MYI new file mode 100644 index 0000000000..628c578248 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.frm new file mode 100644 index 0000000000..1ab1f59765 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/db.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.MYI new file mode 100644 index 0000000000..fc4d47f02d Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.frm new file mode 100644 index 0000000000..9089087ecf Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/event.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.MYI new file mode 100644 index 0000000000..b0ddde112f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.frm new file mode 100644 index 0000000000..42aca49552 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/func.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.CSM b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.CSM new file mode 100644 index 0000000000..8d08b8db90 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.CSM differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.CSV b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.CSV new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.frm new file mode 100644 index 0000000000..919bb7ff2b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/general_log.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.frm new file mode 100644 index 0000000000..d09f1d4c61 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.ibd b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.ibd new file mode 100644 index 0000000000..b74a0af6dd Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/gtid_slave_pos.ibd differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYD new file mode 100644 index 0000000000..360a41a527 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYD differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYI new file mode 100644 index 0000000000..c381776201 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.frm new file mode 100644 index 0000000000..e9dc205bc0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_category.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYD new file mode 100644 index 0000000000..570509bbc5 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYD differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYI new file mode 100644 index 0000000000..36715cf3f8 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.frm new file mode 100644 index 0000000000..999eec1ee4 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_keyword.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYD new file mode 100644 index 0000000000..f963ea5cbe Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYD differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYI new file mode 100644 index 0000000000..53190af9c8 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.frm new file mode 100644 index 0000000000..6eef95a38f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_relation.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYD new file mode 100644 index 0000000000..ad4c19e684 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYD differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYI new file mode 100644 index 0000000000..d8ef966307 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.frm new file mode 100644 index 0000000000..3b59b25043 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/help_topic.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.MYI new file mode 100644 index 0000000000..2a1cfcb35f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.frm new file mode 100644 index 0000000000..62ae8cd164 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/host.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.MYI new file mode 100644 index 0000000000..05be1c8824 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.frm new file mode 100644 index 0000000000..e4cf7e0097 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/index_stats.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.frm new file mode 100644 index 0000000000..ed0f019b3e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.ibd b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.ibd new file mode 100644 index 0000000000..daac102f2f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_index_stats.ibd differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.frm new file mode 100644 index 0000000000..64e3af3a5d Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.ibd b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.ibd new file mode 100644 index 0000000000..7716fcc485 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/innodb_table_stats.ibd differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.MYI new file mode 100644 index 0000000000..5e741be58b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.frm new file mode 100644 index 0000000000..7f57bf2285 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/plugin.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.MYI new file mode 100644 index 0000000000..253b7c730b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.frm new file mode 100644 index 0000000000..a7c27b092b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proc.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.MYI new file mode 100644 index 0000000000..62aca26c23 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.frm new file mode 100644 index 0000000000..03a6ce60cc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/procs_priv.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYD new file mode 100644 index 0000000000..5d8c536113 --- /dev/null +++ b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYD @@ -0,0 +1 @@ +ÿlocalhost root  VUÚXÿae9df72d0f92 root  VUÚX \ No newline at end of file diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYI new file mode 100644 index 0000000000..8ad2f00877 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.frm new file mode 100644 index 0000000000..194540fa8a Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/proxies_priv.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.MYI new file mode 100644 index 0000000000..adcba590dd Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.frm new file mode 100644 index 0000000000..c3d60e7e1f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/roles_mapping.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.MYI new file mode 100644 index 0000000000..c44463f03f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.frm new file mode 100644 index 0000000000..88922438df Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/servers.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.CSM b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.CSM new file mode 100644 index 0000000000..8d08b8db90 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.CSM differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.CSV b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.CSV new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.frm new file mode 100644 index 0000000000..35095395f9 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/slow_log.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.MYI new file mode 100644 index 0000000000..0d26cd38bc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.frm new file mode 100644 index 0000000000..6bac5bddc8 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/table_stats.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.MYI new file mode 100644 index 0000000000..610ffef58f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.frm new file mode 100644 index 0000000000..008358b564 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/tables_priv.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.MYI new file mode 100644 index 0000000000..99242f2217 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.frm new file mode 100644 index 0000000000..5e091a235b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.MYI new file mode 100644 index 0000000000..806384388e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.frm new file mode 100644 index 0000000000..ae89ff5940 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_leap_second.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.MYI new file mode 100644 index 0000000000..46e949ceef Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.frm new file mode 100644 index 0000000000..a9e7942d50 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.MYI new file mode 100644 index 0000000000..a98b680dd1 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.frm new file mode 100644 index 0000000000..58743dcd03 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.MYD new file mode 100644 index 0000000000..e69de29bb2 diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.MYI new file mode 100644 index 0000000000..d4f0bc126d Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.frm new file mode 100644 index 0000000000..7d0229c3f9 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/time_zone_transition_type.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYD b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYD new file mode 100644 index 0000000000..107af559b1 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYD differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYI b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYI new file mode 100644 index 0000000000..c6eb47dad2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.MYI differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.frm new file mode 100644 index 0000000000..9e5f937d02 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/mysql/user.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/accounts.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/accounts.frm new file mode 100644 index 0000000000..76257e5c82 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/accounts.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/cond_instances.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/cond_instances.frm new file mode 100644 index 0000000000..746f90ded7 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/cond_instances.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/db.opt b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/db.opt new file mode 100644 index 0000000000..4ed6015f9c --- /dev/null +++ b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/db.opt @@ -0,0 +1,2 @@ +default-character-set=utf8 +default-collation=utf8_general_ci diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_current.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_current.frm new file mode 100644 index 0000000000..55206140d9 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_current.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history.frm new file mode 100644 index 0000000000..ff098a6954 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history_long.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history_long.frm new file mode 100644 index 0000000000..7c8057626e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_history_long.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_account_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_account_by_event_name.frm new file mode 100644 index 0000000000..e550bc8e8f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_account_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_host_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_host_by_event_name.frm new file mode 100644 index 0000000000..07b01595dd Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_host_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_thread_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_thread_by_event_name.frm new file mode 100644 index 0000000000..953423d11e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_thread_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_user_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_user_by_event_name.frm new file mode 100644 index 0000000000..ee203b42a4 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_by_user_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_global_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_global_by_event_name.frm new file mode 100644 index 0000000000..17695dfdf7 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_stages_summary_global_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_current.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_current.frm new file mode 100644 index 0000000000..f1c697dd92 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_current.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history.frm new file mode 100644 index 0000000000..a22f24552c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history_long.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history_long.frm new file mode 100644 index 0000000000..90184ae324 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_history_long.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_account_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_account_by_event_name.frm new file mode 100644 index 0000000000..6d96ec64f6 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_account_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_digest.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_digest.frm new file mode 100644 index 0000000000..bd5d1be7af Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_digest.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_host_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_host_by_event_name.frm new file mode 100644 index 0000000000..a4cbc467dc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_host_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_thread_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_thread_by_event_name.frm new file mode 100644 index 0000000000..2463e3f9e0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_thread_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_user_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_user_by_event_name.frm new file mode 100644 index 0000000000..8e1e1b49be Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_by_user_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_global_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_global_by_event_name.frm new file mode 100644 index 0000000000..0866d50e2b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_statements_summary_global_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_current.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_current.frm new file mode 100644 index 0000000000..e511ca188c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_current.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history.frm new file mode 100644 index 0000000000..0ccd30e689 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history_long.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history_long.frm new file mode 100644 index 0000000000..6d80113cc9 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_history_long.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_account_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_account_by_event_name.frm new file mode 100644 index 0000000000..1e866b6765 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_account_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_host_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_host_by_event_name.frm new file mode 100644 index 0000000000..2da5615afc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_host_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_instance.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_instance.frm new file mode 100644 index 0000000000..8830264e9e Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_instance.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_thread_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_thread_by_event_name.frm new file mode 100644 index 0000000000..d72308ce21 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_thread_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_user_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_user_by_event_name.frm new file mode 100644 index 0000000000..787a3a5184 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_by_user_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_global_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_global_by_event_name.frm new file mode 100644 index 0000000000..f690713d5f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/events_waits_summary_global_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_instances.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_instances.frm new file mode 100644 index 0000000000..85836660f1 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_instances.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_event_name.frm new file mode 100644 index 0000000000..591f0e9559 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_instance.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_instance.frm new file mode 100644 index 0000000000..9f5807ed05 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/file_summary_by_instance.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/host_cache.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/host_cache.frm new file mode 100644 index 0000000000..be7423dd1f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/host_cache.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/hosts.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/hosts.frm new file mode 100644 index 0000000000..c6aa503830 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/hosts.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/mutex_instances.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/mutex_instances.frm new file mode 100644 index 0000000000..cca04529d2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/mutex_instances.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/objects_summary_global_by_type.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/objects_summary_global_by_type.frm new file mode 100644 index 0000000000..2fa0064147 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/objects_summary_global_by_type.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/performance_timers.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/performance_timers.frm new file mode 100644 index 0000000000..f7e1660bfc Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/performance_timers.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/rwlock_instances.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/rwlock_instances.frm new file mode 100644 index 0000000000..135277b762 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/rwlock_instances.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_account_connect_attrs.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_account_connect_attrs.frm new file mode 100644 index 0000000000..d73a80e510 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_account_connect_attrs.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_connect_attrs.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_connect_attrs.frm new file mode 100644 index 0000000000..31c74757c0 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/session_connect_attrs.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_actors.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_actors.frm new file mode 100644 index 0000000000..276443fc21 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_actors.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_consumers.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_consumers.frm new file mode 100644 index 0000000000..80f6dd0766 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_consumers.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_instruments.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_instruments.frm new file mode 100644 index 0000000000..fd83053749 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_instruments.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_objects.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_objects.frm new file mode 100644 index 0000000000..89ae59bb69 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_objects.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_timers.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_timers.frm new file mode 100644 index 0000000000..7058356474 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/setup_timers.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_instances.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_instances.frm new file mode 100644 index 0000000000..20963dc4db Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_instances.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_event_name.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_event_name.frm new file mode 100644 index 0000000000..739b5d5308 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_event_name.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_instance.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_instance.frm new file mode 100644 index 0000000000..649c26f176 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/socket_summary_by_instance.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_index_usage.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_index_usage.frm new file mode 100644 index 0000000000..0fb793b39b Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_index_usage.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_table.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_table.frm new file mode 100644 index 0000000000..ffe51b38f7 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_io_waits_summary_by_table.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_lock_waits_summary_by_table.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_lock_waits_summary_by_table.frm new file mode 100644 index 0000000000..e771595e4f Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/table_lock_waits_summary_by_table.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/threads.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/threads.frm new file mode 100644 index 0000000000..121dfd3dce Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/threads.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/users.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/users.frm new file mode 100644 index 0000000000..6bb88f3e0c Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/performance_schema/users.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db.opt b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db.opt new file mode 100644 index 0000000000..d8429c4e0d --- /dev/null +++ b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db.opt @@ -0,0 +1,2 @@ +default-character-set=latin1 +default-collation=latin1_swedish_ci diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.frm b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.frm new file mode 100644 index 0000000000..29d4a206f2 Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.frm differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.ibd b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.ibd new file mode 100644 index 0000000000..c331218a4a Binary files /dev/null and b/kubernetes/config/docker/init/src/config/policy/mariadb/data/support/db_version.ibd differ diff --git a/kubernetes/config/docker/init/src/config/policy/mariadb/data/xacml/db.opt b/kubernetes/config/docker/init/src/config/policy/mariadb/data/xacml/db.opt new file mode 100644 index 0000000000..d8429c4e0d --- /dev/null +++ b/kubernetes/config/docker/init/src/config/policy/mariadb/data/xacml/db.opt @@ -0,0 +1,2 @@ +default-character-set=latin1 +default-collation=latin1_swedish_ci diff --git a/kubernetes/config/docker/init/src/config/sdc/jetty/keystore b/kubernetes/config/docker/init/src/config/sdc/jetty/keystore deleted file mode 100755 index 08f6cda8a7..0000000000 Binary files a/kubernetes/config/docker/init/src/config/sdc/jetty/keystore and /dev/null differ diff --git a/kubernetes/message-router/templates/all-services.yaml b/kubernetes/message-router/templates/all-services.yaml index f190b862aa..85c4f010cf 100644 --- a/kubernetes/message-router/templates/all-services.yaml +++ b/kubernetes/message-router/templates/all-services.yaml @@ -40,10 +40,10 @@ spec: ports: - name: mr1 port: 3904 - nodePort: 30227 + nodePort: {{ .Values.nodePortPrefix }}27 - name: mr2 port: 3905 - nodePort: 30226 + nodePort: {{ .Values.nodePortPrefix }}26 selector: app: dmaap type: NodePort diff --git a/kubernetes/message-router/templates/message-router-kafka.yaml b/kubernetes/message-router/templates/message-router-kafka.yaml index 19583bf18a..ab5c3d497c 100644 --- a/kubernetes/message-router/templates/message-router-kafka.yaml +++ b/kubernetes/message-router/templates/message-router-kafka.yaml @@ -74,8 +74,8 @@ spec: hostPath: path: /var/run/docker.sock - name: kafka-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/ + persistentVolumeClaim: + claimName: message-router-kafka - name: start-kafka hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/message-router/dcae-startup-vm-message-router/docker_files/start-kafka.sh diff --git a/kubernetes/message-router/templates/message-router-pv-pvc.yaml b/kubernetes/message-router/templates/message-router-pv-pvc.yaml new file mode 100644 index 0000000000..16d6fcd446 --- /dev/null +++ b/kubernetes/message-router/templates/message-router-pv-pvc.yaml @@ -0,0 +1,61 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: message-router-kafka + namespace: "{{ .Values.nsPrefix }}-message-router" + labels: + name: message-router-kafka +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/message-router/dcae-startup-vm-message-router/docker_files/data-kafka/ +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: message-router-kafka + namespace: "{{ .Values.nsPrefix }}-message-router" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: message-router-kafka +--- +apiVersion: v1 +kind: PersistentVolume +metadata: + name: message-router-zookeeper + namespace: "{{ .Values.nsPrefix }}-message-router" + labels: + name: message-router-zookeeper +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: message-router-zookeeper + namespace: "{{ .Values.nsPrefix }}-message-router" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: message-router-zookeeper diff --git a/kubernetes/message-router/templates/message-router-zookeeper.yaml b/kubernetes/message-router/templates/message-router-zookeeper.yaml index 5b46dc02e3..c07ef3a8c8 100644 --- a/kubernetes/message-router/templates/message-router-zookeeper.yaml +++ b/kubernetes/message-router/templates/message-router-zookeeper.yaml @@ -30,7 +30,7 @@ spec: restartPolicy: Always volumes: - name: zookeeper-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/message-router/dcae-startup-vm-message-router/docker_files/data-zookeeper + persistentVolumeClaim: + claimName: message-router-zookeeper imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/message-router/values.yaml b/kubernetes/message-router/values.yaml index a3210c29c1..92067294f8 100644 --- a/kubernetes/message-router/values.yaml +++ b/kubernetes/message-router/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 dmaap: attos/dmaap:latest diff --git a/kubernetes/msb/templates/all-services.yaml b/kubernetes/msb/templates/all-services.yaml index b67808d2da..4ec4656896 100644 --- a/kubernetes/msb/templates/all-services.yaml +++ b/kubernetes/msb/templates/all-services.yaml @@ -2,6 +2,7 @@ apiVersion: v1 kind: Service metadata: name: msb-consul + namespace: "{{ .Values.nsPrefix }}-msb" labels: app: msb-consul spec: @@ -17,6 +18,7 @@ apiVersion: v1 kind: Service metadata: name: msb-discovery + namespace: "{{ .Values.nsPrefix }}-msb" labels: app: msb-discovery spec: @@ -32,6 +34,7 @@ apiVersion: v1 kind: Service metadata: name: msb-iag + namespace: "{{ .Values.nsPrefix }}-msb" labels: app: msb-iag spec: @@ -47,6 +50,7 @@ apiVersion: v1 kind: Service metadata: name: msb-eag + namespace: "{{ .Values.nsPrefix }}-msb" labels: app: msb-eag spec: diff --git a/kubernetes/msb/templates/msb-consul-deployment.yaml b/kubernetes/msb/templates/msb-consul-deployment.yaml index 1dbbe8fb1b..fc8a95a838 100644 --- a/kubernetes/msb/templates/msb-consul-deployment.yaml +++ b/kubernetes/msb/templates/msb-consul-deployment.yaml @@ -2,6 +2,7 @@ apiVersion: extensions/v1beta1 kind: Deployment metadata: name: msb-consul + namespace: "{{ .Values.nsPrefix }}-msb" spec: replicas: 1 selector: @@ -16,8 +17,8 @@ spec: hostname: msb-consul containers: - args: - image: consul - name: "msb-consul" + image: {{ .Values.image.consul }} + name: msb-consul ports: - containerPort: {{ .Values.consulPort }} name: msb-consul @@ -26,4 +27,4 @@ spec: port: {{ .Values.consulPort }} initialDelaySeconds: 5 periodSeconds: 10 - imagePullPolicy: "{{ .Values.pullPolicy }}" \ No newline at end of file + imagePullPolicy: {{ .Values.pullPolicy }} \ No newline at end of file diff --git a/kubernetes/msb/templates/msb-discovery-deployment.yaml b/kubernetes/msb/templates/msb-discovery-deployment.yaml index 0fcd2f9ba9..535eab9a1d 100644 --- a/kubernetes/msb/templates/msb-discovery-deployment.yaml +++ b/kubernetes/msb/templates/msb-discovery-deployment.yaml @@ -2,6 +2,7 @@ apiVersion: extensions/v1beta1 kind: Deployment metadata: name: msb-discovery + namespace: "{{ .Values.nsPrefix }}-msb" spec: replicas: {{ .Values.discoveryReplicas }} selector: @@ -16,7 +17,7 @@ spec: hostname: msb-discovery containers: - args: - image: nexus3.onap.org:10001/onap/msb/msb_discovery + image: {{ .Values.image.discovery }} name: "msb-discovery" env: - name: CONSUL_IP @@ -29,6 +30,6 @@ spec: port: {{ .Values.discoveryPort }} initialDelaySeconds: 5 periodSeconds: 10 - imagePullPolicy: "{{ .Values.pullPolicy }}" + imagePullPolicy: {{ .Values.pullPolicy }} diff --git a/kubernetes/msb/templates/msb-eag-deployment.yaml b/kubernetes/msb/templates/msb-eag-deployment.yaml index eb75cd9e42..eb60fe22ec 100644 --- a/kubernetes/msb/templates/msb-eag-deployment.yaml +++ b/kubernetes/msb/templates/msb-eag-deployment.yaml @@ -2,6 +2,7 @@ apiVersion: extensions/v1beta1 kind: Deployment metadata: name: msb-eag + namespace: "{{ .Values.nsPrefix }}-msb" spec: replicas: {{ .Values.eagReplicas }} selector: @@ -16,7 +17,7 @@ spec: hostname: msb-eag containers: - args: - image: nexus3.onap.org:10001/onap/msb/msb_apigateway + image: {{ .Values.image.apigateway }} name: "msb-eag" env: - name: CONSUL_IP @@ -33,6 +34,6 @@ spec: port: {{ .Values.eagPort }} initialDelaySeconds: 5 periodSeconds: 10 - imagePullPolicy: "{{ .Values.pullPolicy}}" + imagePullPolicy: {{ .Values.pullPolicy}} diff --git a/kubernetes/msb/templates/msb-iag-deployment.yaml b/kubernetes/msb/templates/msb-iag-deployment.yaml index d83951a415..180c3155a6 100644 --- a/kubernetes/msb/templates/msb-iag-deployment.yaml +++ b/kubernetes/msb/templates/msb-iag-deployment.yaml @@ -2,6 +2,7 @@ apiVersion: extensions/v1beta1 kind: Deployment metadata: name: msb-iag + namespace: "{{ .Values.nsPrefix }}-msb" spec: replicas: {{ .Values.iagReplicas }} selector: diff --git a/kubernetes/msb/values.yaml b/kubernetes/msb/values.yaml index 38059e1458..6927f1da6e 100644 --- a/kubernetes/msb/values.yaml +++ b/kubernetes/msb/values.yaml @@ -1,3 +1,10 @@ +nsPrefix: onap +pullPolicy: IfNotPresent +image: + consul: consul:latest + discovery: nexus3.onap.org:10001/onap/msb/msb_discovery:latest + apigateway: nexus3.onap.org:10001/onap/msb/msb_discovery:latest + consulClusterIP: 10.43.6.204 consulPort: 8500 consulNodePort: 30500 @@ -15,6 +22,4 @@ iagReplicas: 1 eagClusterIP: 10.43.6.207 eagPort: 80 eagNodePort: 30082 -eagReplicas: 1 - -pullPolicy: IfNotPresent \ No newline at end of file +eagReplicas: 1 \ No newline at end of file diff --git a/kubernetes/mso/templates/all-services.yaml b/kubernetes/mso/templates/all-services.yaml index a0807d759e..96c7fd79e8 100644 --- a/kubernetes/mso/templates/all-services.yaml +++ b/kubernetes/mso/templates/all-services.yaml @@ -8,7 +8,7 @@ metadata: spec: ports: - port: 3306 - nodePort: 30252 + nodePort: {{ .Values.nodePortPrefix }}52 selector: app: mariadb type: NodePort @@ -20,23 +20,43 @@ metadata: namespace: "{{ .Values.nsPrefix }}-mso" labels: app: mso + annotations: + msb.onap.org/service-info: '[ + { + "serviceName": "so", + "version": "v1", + "url": "/ecomp/mso/infra", + "protocol": "REST" + "port": "8080", + "visualRange":"1" + }, + { + "serviceName": "so-deprecated", + "version": "v1", + "url": "/ecomp/mso/infra", + "protocol": "REST" + "port": "8080", + "visualRange":"1", + "path":"/ecomp/mso/infra" + } + ]' spec: selector: app: mso ports: - name: mso1 port: 8080 - nodePort: 30223 + nodePort: {{ .Values.nodePortPrefix }}23 - name: mso2 port: 3904 - nodePort: 30225 + nodePort: {{ .Values.nodePortPrefix }}25 - name: mso3 port: 3905 - nodePort: 30224 + nodePort: {{ .Values.nodePortPrefix }}24 - name: mso4 port: 9990 - nodePort: 30222 + nodePort: {{ .Values.nodePortPrefix }}22 - name: mso5 port: 8787 - nodePort: 30250 + nodePort: {{ .Values.nodePortPrefix }}50 type: NodePort diff --git a/kubernetes/mso/templates/db-deployment.yaml b/kubernetes/mso/templates/db-deployment.yaml index 76cf2ec912..389fb5ab75 100644 --- a/kubernetes/mso/templates/db-deployment.yaml +++ b/kubernetes/mso/templates/db-deployment.yaml @@ -32,6 +32,8 @@ spec: name: mso-mariadb-conf - mountPath: /docker-entrypoint-initdb.d name: mso-mariadb-docker-entrypoint-initdb + - mountPath: /var/lib/mysql + name: mso-mariadb-data ports: - containerPort: 3306 name: mariadb @@ -47,5 +49,8 @@ spec: - name: mso-mariadb-docker-entrypoint-initdb hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/mso/mariadb/docker-entrypoint-initdb.d + - name: mso-mariadb-data + persistentVolumeClaim: + claimName: mso-db imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/mso/templates/mso-pv-pvc.yaml b/kubernetes/mso/templates/mso-pv-pvc.yaml new file mode 100644 index 0000000000..c195980841 --- /dev/null +++ b/kubernetes/mso/templates/mso-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: mso-db + namespace: "{{ .Values.nsPrefix }}-mso" + labels: + name: mso-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/mso/mariadb/data +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: mso-db + namespace: "{{ .Values.nsPrefix }}-mso" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: mso-db diff --git a/kubernetes/mso/values.yaml b/kubernetes/mso/values.yaml index a7eed4797d..883db87a8d 100644 --- a/kubernetes/mso/values.yaml +++ b/kubernetes/mso/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 mso: nexus3.onap.org:10001/openecomp/mso:1.1-STAGING-latest diff --git a/kubernetes/oneclick/createAll.bash b/kubernetes/oneclick/createAll.bash index 829f27a4df..636d86fcfd 100755 --- a/kubernetes/oneclick/createAll.bash +++ b/kubernetes/oneclick/createAll.bash @@ -25,21 +25,7 @@ create_registry_key() { } create_onap_helm() { - helm install ../$2/ --name $2 --namespace $1 --set nsPrefix=$1 -} - -configure_app() { - # if previous configuration exists put back original template file - for file in $3/*.yaml; do - if [ -e "$file-template" ]; then - mv "$file-template" "${file%}" - fi - done - - if [ -e "$2/Chart.yaml" ]; then - sed -i-- 's/nodePort: [0-9]\{2\}[02468]\{1\}/nodePort: '"$4"'/g' $3/all-services.yaml - sed -i-- 's/nodePort: [0-9]\{2\}[13579]\{1\}/nodePort: '"$5"'/g' $3/all-services.yaml - fi + helm install ../$2/ --name $1-$2 --namespace $1 --set nsPrefix=$1,nodePortPrefix=$3 } @@ -51,6 +37,7 @@ INSTANCE=1 MAX_INSTANCE=5 DU=$ONAP_DOCKER_USER DP=$ONAP_DOCKER_PASS +_FILES_PATH=$(echo ../$i/templates) while getopts ":n:u:s:i:a:du:dp:" PARAM; do case $PARAM in @@ -119,9 +106,7 @@ for i in ${HELM_APPS[@]}; do create_registry_key $NS $i ${NS}-docker-registry-key $ONAP_DOCKER_REGISTRY $DU $DP $ONAP_DOCKER_MAIL printf "\nCreating deployments and services **********\n" - _FILES_PATH=$(echo ../$i/templates) - configure_app $NS $i $_FILES_PATH $start $end - create_onap_helm $NS $i + create_onap_helm $NS $i $start printf "\n" done diff --git a/kubernetes/oneclick/deleteAll.bash b/kubernetes/oneclick/deleteAll.bash index 33ecb320e5..40d070124a 100755 --- a/kubernetes/oneclick/deleteAll.bash +++ b/kubernetes/oneclick/deleteAll.bash @@ -17,7 +17,7 @@ delete_registry_key() { } delete_app_helm() { - helm delete $1 --purge + helm delete $1-$2 --purge } usage() { @@ -74,7 +74,7 @@ printf "\n********** Cleaning up ONAP: ${ONAP_APPS[*]}\n" for i in ${HELM_APPS[@]}; do - delete_app_helm $i + delete_app_helm $NS $i delete_namespace $NS $i done diff --git a/kubernetes/oom/Chart.yaml b/kubernetes/oom/Chart.yaml new file mode 100644 index 0000000000..0c62d86b31 --- /dev/null +++ b/kubernetes/oom/Chart.yaml @@ -0,0 +1,4 @@ +apiVersion: v1 +description: A Helm chart for Kubernetes +name: oom-registrator +version: 0.1.0 diff --git a/kubernetes/oom/templates/oom-registrator-deployment.yaml b/kubernetes/oom/templates/oom-registrator-deployment.yaml new file mode 100644 index 0000000000..77f71f424e --- /dev/null +++ b/kubernetes/oom/templates/oom-registrator-deployment.yaml @@ -0,0 +1,27 @@ +apiVersion: extensions/v1beta1 +kind: Deployment +metadata: + name: oom-registrator + namespace: "{{ .Values.nsPrefix }}-oom" +spec: + replicas: 1 + selector: + matchLabels: + app: oom-registrator + template: + metadata: + labels: + app: oom-registrator + name: oom-registrator + spec: + hostname: oom-registrator + containers: + - args: + image: {{ .Values.image.kube2msb }} + name: oom-registrator + env: + - name: KUBE_MASTER_URL + value: {{ .Values.kubeMasterUrl }} + - name: MSB_URL + value: {{ .Values.discoveryUrl }} + imagePullPolicy: {{ .Values.pullPolicy }} diff --git a/kubernetes/oom/values.yaml b/kubernetes/oom/values.yaml new file mode 100644 index 0000000000..aa8d771a71 --- /dev/null +++ b/kubernetes/oom/values.yaml @@ -0,0 +1,8 @@ +nsPrefix: onap +pullPolicy: IfNotPresent +image: + #need help from LF to build and push image to nexus3.onap.org + #kube2msb: nexus3.onap.org:10001/onap/msb/kube2msb + kube2msb: zhaohuabing/kube2msb:latest +kubeMasterUrl: http://10.96.33.43:8080/r/projects/1a7/kubernetes:6443 +discoveryUrl: http://10.43.6.205:10081 \ No newline at end of file diff --git a/kubernetes/policy/templates/all-services.yaml b/kubernetes/policy/templates/all-services.yaml index 0dc17853ed..cd01b54ee8 100644 --- a/kubernetes/policy/templates/all-services.yaml +++ b/kubernetes/policy/templates/all-services.yaml @@ -39,7 +39,7 @@ spec: ports: - name: "drools-port" port: 6969 - nodePort: 30217 + nodePort: {{ .Values.nodePortPrefix }}17 selector: app: drools type: NodePort @@ -55,10 +55,10 @@ spec: ports: - name: 8443-port port: 8443 - nodePort: 30219 + nodePort: {{ .Values.nodePortPrefix }}19 - name: 9091-port port: 9091 - nodePort: 30218 + nodePort: {{ .Values.nodePortPrefix }}18 selector: app: pap type: NodePort @@ -77,6 +77,7 @@ metadata: "version": "v1", "url": "/pdp", "protocol": "REST" + "port": "8081", "visualRange":"1" }, { @@ -84,6 +85,7 @@ metadata: "version": "v1", "url": "/pdp", "protocol": "REST" + "port": "8081", "visualRange":"1", "path":"/pdp" } @@ -92,7 +94,7 @@ spec: ports: - name: 8081-port port: 8081 - nodePort: 30220 + nodePort: {{ .Values.nodePortPrefix }}20 selector: app: pdp type: NodePort @@ -108,7 +110,7 @@ spec: ports: - name: tcp-31032-8480-bm91k port: 8480 - nodePort: 30221 + nodePort: {{ .Values.nodePortPrefix }}21 selector: app: pypdp type: NodePort @@ -124,7 +126,7 @@ spec: ports: - name: 9989-port port: 9989 - nodePort: 30216 + nodePort: {{ .Values.nodePortPrefix }}16 selector: app: brmsgw type: NodePort diff --git a/kubernetes/policy/templates/dep-maria.yaml b/kubernetes/policy/templates/dep-maria.yaml index 511405b7ac..30d0db3af5 100644 --- a/kubernetes/policy/templates/dep-maria.yaml +++ b/kubernetes/policy/templates/dep-maria.yaml @@ -24,10 +24,17 @@ spec: name: mariadb ports: - containerPort: 3306 + volumeMounts: + - mountPath: /var/lib/mysql + name: policy-mariadb-data readinessProbe: tcpSocket: port: 3306 initialDelaySeconds: 5 periodSeconds: 10 + volumes: + - name: policy-mariadb-data + persistentVolumeClaim: + claimName: policy-db imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/policy/templates/policy-pv-pvc.yaml b/kubernetes/policy/templates/policy-pv-pvc.yaml new file mode 100644 index 0000000000..dda9820c06 --- /dev/null +++ b/kubernetes/policy/templates/policy-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: policy-db + namespace: "{{ .Values.nsPrefix }}-policy" + labels: + name: policy-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/policy/mariadb/data/ +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: policy-db + namespace: "{{ .Values.nsPrefix }}-policy" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: policy-db diff --git a/kubernetes/policy/values.yaml b/kubernetes/policy/values.yaml index e11ad74294..1b2ed0f880 100644 --- a/kubernetes/policy/values.yaml +++ b/kubernetes/policy/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check readinessVersion: 1.0.0 diff --git a/kubernetes/portal/templates/all-services.yaml b/kubernetes/portal/templates/all-services.yaml index 2107e2a30b..b3fabb2932 100644 --- a/kubernetes/portal/templates/all-services.yaml +++ b/kubernetes/portal/templates/all-services.yaml @@ -23,15 +23,15 @@ metadata: spec: ports: - name: portal-1 - nodePort: 30213 + nodePort: {{ .Values.nodePortPrefix }}13 port: 8006 targetPort: 8005 - name: portal-2 - nodePort: 30214 + nodePort: {{ .Values.nodePortPrefix }}14 port: 8010 targetPort: 8009 - name: portal-3 - nodePort: 30215 + nodePort: {{ .Values.nodePortPrefix }}15 port: 8989 targetPort: 8080 selector: @@ -50,11 +50,11 @@ spec: - name: tcp-1 port: 6080 targetPort: 80 - nodePort: 30211 + nodePort: {{ .Values.nodePortPrefix }}11 - name: tcp-2 port: 5900 targetPort: 5900 - nodePort: 30212 + nodePort: {{ .Values.nodePortPrefix }}12 selector: app: vnc-portal type: NodePort diff --git a/kubernetes/portal/templates/portal-mariadb-deployment.yaml b/kubernetes/portal/templates/portal-mariadb-deployment.yaml index a31c6a24b2..16c0d7e6d2 100755 --- a/kubernetes/portal/templates/portal-mariadb-deployment.yaml +++ b/kubernetes/portal/templates/portal-mariadb-deployment.yaml @@ -35,7 +35,7 @@ spec: periodSeconds: 10 volumes: - name: portal-mariadb-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/portal/mariadb/data + persistentVolumeClaim: + claimName: portal-db imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/portal/templates/portal-pv-pvc.yaml b/kubernetes/portal/templates/portal-pv-pvc.yaml new file mode 100644 index 0000000000..5d41e4febe --- /dev/null +++ b/kubernetes/portal/templates/portal-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: portal-db + namespace: "{{ .Values.nsPrefix }}-portal" + labels: + name: portal-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/portal/mariadb/data +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: portal-db + namespace: "{{ .Values.nsPrefix }}-portal" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: portal-db diff --git a/kubernetes/portal/templates/portal-vnc-dep.yaml b/kubernetes/portal/templates/portal-vnc-dep.yaml index fb7bd93e44..6c90bbfa17 100644 --- a/kubernetes/portal/templates/portal-vnc-dep.yaml +++ b/kubernetes/portal/templates/portal-vnc-dep.yaml @@ -95,7 +95,7 @@ spec: }, { "command": ["/bin/sh","-c"], - "args": ["echo `host sdc-be.{{ .Values.nsPrefix }}-sdc | awk ''{print$4}''` sdc.api.be.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host portalapps.{{ .Values.nsPrefix }}-portal | awk ''{print$4}''` portal.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host pap.{{ .Values.nsPrefix }}-policy | awk ''{print$4}''` policy.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host sdc-fe.{{ .Values.nsPrefix }}-sdc | awk ''{print$4}''` sdc.ui.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host vid-server.{{ .Values.nsPrefix }}-vid | awk ''{print$4}''` vid.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host sparky-fe.{{ .Values.nsPrefix }}-aai | awk ''{print$4}''` aai.api.simpledemo.openecomp.org >> /ubuntu-init/hosts"], + "args": ["echo `host sdc-be.{{ .Values.nsPrefix }}-sdc | awk ''{print$4}''` sdc.api.be.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host portalapps.{{ .Values.nsPrefix }}-portal | awk ''{print$4}''` portal.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host pap.{{ .Values.nsPrefix }}-policy | awk ''{print$4}''` policy.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host sdc-fe.{{ .Values.nsPrefix }}-sdc | awk ''{print$4}''` sdc.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host vid-server.{{ .Values.nsPrefix }}-vid | awk ''{print$4}''` vid.api.simpledemo.openecomp.org >> /ubuntu-init/hosts; echo `host sparky-be.{{ .Values.nsPrefix }}-aai | awk ''{print$4}''` aai.api.simpledemo.openecomp.org >> /ubuntu-init/hosts"], "image": "{{ .Values.image.ubuntuInit }}", "imagePullPolicy": "{{ .Values.pullPolicy }}", "name": "vnc-init-hosts", diff --git a/kubernetes/portal/values.yaml b/kubernetes/portal/values.yaml index ae9479e03a..f4d1919904 100644 --- a/kubernetes/portal/values.yaml +++ b/kubernetes/portal/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 portalapps: nexus3.onap.org:10001/openecomp/portalapps:1.1-STAGING-latest diff --git a/kubernetes/robot/all-services.yaml b/kubernetes/robot/all-services.yaml index b152454125..1fbabe2df6 100644 --- a/kubernetes/robot/all-services.yaml +++ b/kubernetes/robot/all-services.yaml @@ -7,7 +7,7 @@ metadata: spec: ports: - port: 88 - nodePort: 30209 + nodePort: {{ .Values.nodePortPrefix }}09 selector: app: robot type: NodePort diff --git a/kubernetes/robot/templates/all-services.yaml b/kubernetes/robot/templates/all-services.yaml index a14dae777c..f126bc9b74 100644 --- a/kubernetes/robot/templates/all-services.yaml +++ b/kubernetes/robot/templates/all-services.yaml @@ -8,7 +8,7 @@ metadata: spec: ports: - port: 88 - nodePort: 30209 + nodePort: {{ .Values.nodePortPrefix }}09 selector: app: robot type: NodePort diff --git a/kubernetes/robot/values.yaml b/kubernetes/robot/values.yaml index 90566c4dd8..221b572264 100644 --- a/kubernetes/robot/values.yaml +++ b/kubernetes/robot/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: testsuite: nexus3.onap.org:10001/openecomp/testsuite:1.1-STAGING-latest diff --git a/kubernetes/sdc/templates/all-services.yaml b/kubernetes/sdc/templates/all-services.yaml index 93febccbed..88cbe8eeb8 100644 --- a/kubernetes/sdc/templates/all-services.yaml +++ b/kubernetes/sdc/templates/all-services.yaml @@ -57,10 +57,10 @@ metadata: spec: ports: - name: sdc-be-port-8443 - nodePort: 30204 + nodePort: {{ .Values.nodePortPrefix }}04 port: 8443 - name: sdc-be-port-8080 - nodePort: 30205 + nodePort: {{ .Values.nodePortPrefix }}05 port: 8080 selector: app: sdc-be @@ -76,10 +76,10 @@ metadata: spec: ports: - name: sdc-fe-port-9443 - nodePort: 30207 + nodePort: {{ .Values.nodePortPrefix }}07 port: 9443 - name: sdc-fe-port-8181 - nodePort: 30206 + nodePort: {{ .Values.nodePortPrefix }}06 port: 8181 selector: app: sdc-fe diff --git a/kubernetes/sdc/templates/sdc-be.yaml b/kubernetes/sdc/templates/sdc-be.yaml index 38a239e714..d853f18f91 100644 --- a/kubernetes/sdc/templates/sdc-be.yaml +++ b/kubernetes/sdc/templates/sdc-be.yaml @@ -79,8 +79,6 @@ spec: name: sdc-sdc-es-es - mountPath: /root/chef-solo/environments/ name: sdc-environments - - mountPath: /var/lib/jetty/etc/keystore - name: sdc-jetty-keystore - mountPath: /etc/localtime name: sdc-localtime - mountPath: /var/lib/jetty/logs @@ -100,9 +98,6 @@ spec: - name: sdc-environments hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/environments - - name: sdc-jetty-keystore - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/jetty/keystore - name: sdc-localtime hostPath: path: /etc/localtime diff --git a/kubernetes/sdc/templates/sdc-cs.yaml b/kubernetes/sdc/templates/sdc-cs.yaml index b660c90d64..9021194968 100644 --- a/kubernetes/sdc/templates/sdc-cs.yaml +++ b/kubernetes/sdc/templates/sdc-cs.yaml @@ -73,8 +73,8 @@ spec: periodSeconds: 10 volumes: - name: sdc-sdc-cs-cs - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/sdc-cs/CS + persistentVolumeClaim: + claimName: sdc-cs-db - name: sdc-environments hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/environments diff --git a/kubernetes/sdc/templates/sdc-fe.yaml b/kubernetes/sdc/templates/sdc-fe.yaml index 53759dc685..915d18b786 100644 --- a/kubernetes/sdc/templates/sdc-fe.yaml +++ b/kubernetes/sdc/templates/sdc-fe.yaml @@ -63,8 +63,6 @@ spec: name: sdc-sdc-es-es - mountPath: /root/chef-solo/environments/ name: sdc-environments - - mountPath: /var/lib/jetty/etc/keystore - name: sdc-jetty-keystore - mountPath: /etc/localtime name: sdc-localtime - mountPath: /var/lib/jetty/logs @@ -86,9 +84,6 @@ spec: - name: sdc-environments hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/environments - - name: sdc-jetty-keystore - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/jetty/keystore - name: sdc-localtime hostPath: path: /etc/localtime diff --git a/kubernetes/sdc/templates/sdc-pv-pvc.yaml b/kubernetes/sdc/templates/sdc-pv-pvc.yaml new file mode 100644 index 0000000000..41f85e9465 --- /dev/null +++ b/kubernetes/sdc/templates/sdc-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: sdc-cs-db + namespace: "{{ .Values.nsPrefix }}-sdc" + labels: + name: sdc-cs-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdc/sdc-cs/CS +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: sdc-cs-db + namespace: "{{ .Values.nsPrefix }}-sdc" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: sdc-cs-db diff --git a/kubernetes/sdc/values.yaml b/kubernetes/sdc/values.yaml index 139f08c4f3..58bcf1c3f3 100644 --- a/kubernetes/sdc/values.yaml +++ b/kubernetes/sdc/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 sdcKibana: nexus3.onap.org:10001/openecomp/sdc-kibana:1.1-STAGING-latest diff --git a/kubernetes/sdnc/templates/all-services.yaml b/kubernetes/sdnc/templates/all-services.yaml index 311bd7b407..4a24947544 100644 --- a/kubernetes/sdnc/templates/all-services.yaml +++ b/kubernetes/sdnc/templates/all-services.yaml @@ -52,7 +52,7 @@ spec: - name: "sdnc-dgbuilder-port" port: 3000 targetPort: 3100 - nodePort: 30203 + nodePort: {{ .Values.nodePortPrefix }}03 type: NodePort selector: app: sdnc-dgbuilder @@ -69,7 +69,7 @@ spec: - name: "sdnc-port" port: 8282 targetPort: 8181 - nodePort: 30202 + nodePort: {{ .Values.nodePortPrefix }}02 type: NodePort selector: app: sdnc @@ -85,7 +85,7 @@ spec: ports: - name: "sdnc-portal-port" port: 8843 - nodePort: 30201 + nodePort: {{ .Values.nodePortPrefix }}01 type: NodePort selector: app: sdnc-portal diff --git a/kubernetes/sdnc/templates/db-deployment.yaml b/kubernetes/sdnc/templates/db-deployment.yaml index fc692ba58e..837079819f 100644 --- a/kubernetes/sdnc/templates/db-deployment.yaml +++ b/kubernetes/sdnc/templates/db-deployment.yaml @@ -34,7 +34,7 @@ spec: periodSeconds: 10 volumes: - name: sdnc-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdnc/data + persistentVolumeClaim: + claimName: sdnc-db imagePullSecrets: - name: "{{ .Values.nsPrefix }}-docker-registry-key" diff --git a/kubernetes/sdnc/templates/sdnc-pv-pvc.yaml b/kubernetes/sdnc/templates/sdnc-pv-pvc.yaml new file mode 100644 index 0000000000..ac890c62b9 --- /dev/null +++ b/kubernetes/sdnc/templates/sdnc-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: sdnc-db + namespace: "{{ .Values.nsPrefix }}-sdnc" + labels: + name: sdnc-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/sdnc/data +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: sdnc-db + namespace: "{{ .Values.nsPrefix }}-sdnc" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: sdnc-db diff --git a/kubernetes/sdnc/values.yaml b/kubernetes/sdnc/values.yaml index 5e17a96a5d..0ccc357526 100644 --- a/kubernetes/sdnc/values.yaml +++ b/kubernetes/sdnc/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: Always +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 mysqlServer: mysql/mysql-server:5.6 diff --git a/kubernetes/vid/templates/all-services.yaml b/kubernetes/vid/templates/all-services.yaml index c0856711bb..270aab9fc1 100644 --- a/kubernetes/vid/templates/all-services.yaml +++ b/kubernetes/vid/templates/all-services.yaml @@ -21,7 +21,7 @@ metadata: spec: ports: - name: vid-server - nodePort: 30200 + nodePort: {{ .Values.nodePortPrefix }}00 port: 8080 selector: app: vid-server diff --git a/kubernetes/vid/templates/vid-mariadb-deployment.yaml b/kubernetes/vid/templates/vid-mariadb-deployment.yaml index 7623674ee9..e5032f33c7 100644 --- a/kubernetes/vid/templates/vid-mariadb-deployment.yaml +++ b/kubernetes/vid/templates/vid-mariadb-deployment.yaml @@ -44,8 +44,8 @@ spec: periodSeconds: 10 volumes: - name: vid-mariadb-data - hostPath: - path: /dockerdata-nfs/{{ .Values.nsPrefix }}/vid/mariadb/data + persistentVolumeClaim: + claimName: vid-db - name: vid-pre-init hostPath: path: /dockerdata-nfs/{{ .Values.nsPrefix }}/vid/vid/lf_config/vid-pre-init.sql diff --git a/kubernetes/vid/templates/vid-pv-pvc.yaml b/kubernetes/vid/templates/vid-pv-pvc.yaml new file mode 100644 index 0000000000..71c5d733dc --- /dev/null +++ b/kubernetes/vid/templates/vid-pv-pvc.yaml @@ -0,0 +1,30 @@ +apiVersion: v1 +kind: PersistentVolume +metadata: + name: vid-db + namespace: "{{ .Values.nsPrefix }}-vid" + labels: + name: vid-db +spec: + capacity: + storage: 2Gi + accessModes: + - ReadWriteMany + persistentVolumeReclaimPolicy: Retain + hostPath: + path: /dockerdata-nfs/{{ .Values.nsPrefix }}/vid/mariadb/data +--- +kind: PersistentVolumeClaim +apiVersion: v1 +metadata: + name: vid-db + namespace: "{{ .Values.nsPrefix }}-vid" +spec: + accessModes: + - ReadWriteMany + resources: + requests: + storage: 2Gi + selector: + matchLabels: + name: vid-db diff --git a/kubernetes/vid/values.yaml b/kubernetes/vid/values.yaml index ed9e12dd0b..a7d494c73c 100644 --- a/kubernetes/vid/values.yaml +++ b/kubernetes/vid/values.yaml @@ -1,5 +1,6 @@ nsPrefix: onap pullPolicy: IfNotPresent +nodePortPrefix: 302 image: readiness: oomk8s/readiness-check:1.0.0 mariadb: nexus3.onap.org:10001/library/mariadb:10 diff --git a/onap-blueprint.yaml b/onap-blueprint.yaml index 50ac29b997..699312bea8 100644 --- a/onap-blueprint.yaml +++ b/onap-blueprint.yaml @@ -8,8 +8,10 @@ description: > imports: - https://raw.githubusercontent.com/cloudify-cosmo/cloudify-manager/4.1/resources/rest-service/cloudify/types/types.yaml - # Plugin required: https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/releases/download/1.2.0/cloudify_kubernetes_plugin-1.2.0-py27-none-linux_x86_64-centos-Core.wgn - - https://raw.githubusercontent.com/cloudify-incubator/cloudify-kubernetes-plugin/1.2.0/plugin.yaml + # Plugin required: https://github.com/cloudify-incubator/cloudify-kubernetes-plugin/releases/download/1.2.1rc1/cloudify_kubernetes_plugin-1.2.1rc1-py27-none-linux_x86_64-centos-Core.wgn + - https://raw.githubusercontent.com/cloudify-incubator/cloudify-kubernetes-plugin/1.2.1rc1/plugin.yaml + # Plugin required: http://repository.cloudifysource.org/cloudify/wagons/cloudify-fabric-plugin/1.4.2/cloudify_fabric_plugin-1.4.2-py27-none-linux_x86_64-centos-Core.wgn + - http://www.getcloudify.org/spec/fabric-plugin/1.4.2/plugin.yaml - cloudify/types/onap.yaml inputs: @@ -17,46 +19,16 @@ inputs: description: > File content of kubernetes master YAML configuration - apps: - description: > - List of ONAP apps names to be deployed. - Default empty array (deploy all available apps). - default: [] - namespace_prefix: type: string description: > Kubernetes namespace name prefix which will be uese for all ONAP apps default: onap - docker_registry: - type: string - default: regsecret - - docker_server: - type: string - default: nexus3.onap.org:10001 - - docker_username: - type: string - default: docker - - docker_password: - type: string - default: docker - - docker_email: - type: string - default: email@email.com - dsl_definitions: - inputs: &app_inputs - namespace_prefix: { get_input: namespace_prefix } - docker_registry: { get_input: docker_registry } - docker_server: { get_input: docker_server } - docker_username: { get_input: docker_username } - docker_password: { get_input: docker_password } - docker_email: { get_input: docker_email } + options: &app_options + namespace: + concat: [{ get_input: namespace_prefix }, '-', { get_property: [SELF, name] }] node_templates: kubernetes_master: @@ -65,12 +37,13 @@ node_templates: configuration: file_content: { get_input: kubernetes_configuration_file_content } - init_pod: - type: cloudify.kubernetes.resources.Pod + onap_environment: + type: cloudify.onap.kubernetes.Environment properties: - definition: - file: - resource_path: kubernetes/config/pod-config-init.yaml + namespace: { get_input: namespace_prefix } + init_pod: kubernetes/config/pod-config-init.yaml + options: + namespace: { get_input: namespace_prefix } relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master @@ -79,162 +52,172 @@ node_templates: type: cloudify.onap.kubernetes.App properties: name: mso + values: kubernetes/mso/values.yaml resources: - - kubernetes/mso/templates/mso-deployment.yaml - - kubernetes/mso/templates/db-deployment.yaml + - kubernetes/mso/templates/mso-deployment.yaml + - kubernetes/mso/templates/db-deployment.yaml services: kubernetes/mso/templates/all-services.yaml - inputs: *app_inputs + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment message_router_app: type: cloudify.onap.kubernetes.App properties: name: message-router + values: kubernetes/message-router/values.yaml resources: - kubernetes/message-router/templates/message-router-zookeeper.yaml - kubernetes/message-router/templates/message-router-dmaap.yaml - kubernetes/message-router/templates/message-router-kafka.yaml services: kubernetes/message-router/templates/all-services.yaml - inputs: *app_inputs + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment sdc_app: type: cloudify.onap.kubernetes.App properties: name: sdc + values: kubernetes/sdc/values.yaml resources: - - kubernetes/sdc/sdc-es.yaml - - kubernetes/sdc/sdc-fe.yaml - - kubernetes/sdc/sdc-kb.yaml - - kubernetes/sdc/sdc-cs.yaml - - kubernetes/sdc/sdc-be.yaml - services: kubernetes/sdc/all-services.yaml - inputs: *app_inputs + - kubernetes/sdc/templates/sdc-es.yaml + - kubernetes/sdc/templates/sdc-fe.yaml + - kubernetes/sdc/templates/sdc-kb.yaml + - kubernetes/sdc/templates/sdc-cs.yaml + - kubernetes/sdc/templates/sdc-be.yaml + services: kubernetes/sdc/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment aai_app: type: cloudify.onap.kubernetes.App properties: name: aai + values: kubernetes/aai/values.yaml resources: - - kubernetes/aai/aai-deployment.yaml - - kubernetes/aai/modelloader-deployment.yaml - - kubernetes/aai/hbase-deployment.yaml - services: kubernetes/aai/all-services.yaml - inputs: *app_inputs + - kubernetes/aai/templates/aai-deployment.yaml + - kubernetes/aai/templates/modelloader-deployment.yaml + - kubernetes/aai/templates/hbase-deployment.yaml + services: kubernetes/aai/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment robot_app: type: cloudify.onap.kubernetes.App properties: name: robot + values: kubernetes/robot/values.yaml resources: - - kubernetes/robot/robot-deployment.yaml - services: kubernetes/robot/all-services.yaml - inputs: *app_inputs + - kubernetes/robot/templates/robot-deployment.yaml + services: kubernetes/robot/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment vid_app: type: cloudify.onap.kubernetes.App properties: name: vid + values: kubernetes/vid/values.yaml resources: - - kubernetes/vid/vid-mariadb-deployment.yaml - - kubernetes/vid/vid-server-deployment.yaml - services: kubernetes/vid/all-services.yaml - inputs: *app_inputs + - kubernetes/templates/vid-mariadb-deployment.yaml + - kubernetes/templates/vid-server-deployment.yaml + services: kubernetes/vid/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment sdnc_app: type: cloudify.onap.kubernetes.App properties: name: sdnc + values: kubernetes/sdnc/values.yaml resources: - - kubernetes/sdnc/web-deployment.yaml - - kubernetes/sdnc/sdnc-deployment.yaml - - kubernetes/sdnc/dgbuilder-deployment.yaml - - kubernetes/sdnc/db-deployment.yaml - services: kubernetes/sdnc/all-services.yaml - inputs: *app_inputs + - kubernetes/sdnc/templates/web-deployment.yaml + - kubernetes/sdnc/templates/sdnc-deployment.yaml + - kubernetes/sdnc/templates/dgbuilder-deployment.yaml + - kubernetes/sdnc/templates/db-deployment.yaml + services: kubernetes/sdnc/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment portal_app: type: cloudify.onap.kubernetes.App properties: name: portal + values: kubernetes/portal/values.yaml resources: - - kubernetes/portal/portal-widgets-deployment.yaml - - kubernetes/portal/portal-apps-deployment.yaml - - kubernetes/portal/portal-mariadb-deployment.yaml - - kubernetes/portal/portal-vnc-dep.yaml - services: kubernetes/portal/all-services.yaml - inputs: *app_inputs + - kubernetes/portal/templates/portal-widgets-deployment.yaml + - kubernetes/portal/templates/portal-apps-deployment.yaml + - kubernetes/portal/templates/portal-mariadb-deployment.yaml + - kubernetes/portal/templates/portal-vnc-dep.yaml + services: kubernetes/portal/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment policy_app: type: cloudify.onap.kubernetes.App properties: name: policy + values: kubernetes/policy/values.yaml resources: - - kubernetes/policy/dep-drools.yaml - - kubernetes/policy/dep-nexus.yaml - - kubernetes/policy/dep-brmsgw.yaml - - kubernetes/policy/dep-pdp.yaml - - kubernetes/policy/dep-pap.yaml - - kubernetes/policy/dep-maria.yaml - - kubernetes/policy/dep-pypdp.yaml - services: kubernetes/policy/all-services.yaml - inputs: *app_inputs + - kubernetes/policy/templates/dep-drools.yaml + - kubernetes/policy/templates/dep-nexus.yaml + - kubernetes/policy/templates/dep-brmsgw.yaml + - kubernetes/policy/templates/dep-pdp.yaml + - kubernetes/policy/templates/dep-pap.yaml + - kubernetes/policy/templates/dep-maria.yaml + - kubernetes/policy/templates/dep-pypdp.yaml + services: kubernetes/policy/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment appc_app: type: cloudify.onap.kubernetes.App properties: name: appc + values: kubernetes/appc/values.yaml resources: - - kubernetes/appc/appc-deployment.yaml - - kubernetes/appc/dgbuilder-deployment.yaml - - kubernetes/appc/db-deployment.yaml - services: kubernetes/appc/all-services.yaml - inputs: *app_inputs + - kubernetes/appc/templates/appc-deployment.yaml + - kubernetes/appc/templates/dgbuilder-deployment.yaml + - kubernetes/appc/templates/db-deployment.yaml + services: kubernetes/appc/templates/all-services.yaml + options: *app_options relationships: - type: cloudify.kubernetes.relationships.managed_by_master target: kubernetes_master - type: cloudify.relationships.depends_on - target: init_pod + target: onap_environment