Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[7.x] [Fleet] Fix error when searching for keys whose names have spaces (#100056) #100211

Closed
wants to merge 1 commit into from

Conversation

jen-huang
Copy link
Contributor

Backports the following commits to 7.x:

…astic#100056)

## Summary
fixes elastic#99895

Can reproduce elastic#99895 with something like
```shell
curl 'http://localhost:5601/api/fleet/enrollment-api-keys' \
  -H 'content-type: application/json' \
  -H 'kbn-version: 8.0.0' \
  -u elastic:changeme \
  --data-raw '{"name":"with spaces","policy_id":"d6a93200-b1bd-11eb-90ac-052b474d74cd"}'
```

Kibana logs this stack trace

```
server    log   [10:57:07.863] [error][fleet][plugins] KQLSyntaxError: Expected AND, OR, end of input but "\" found.
policy_id:"d6a93200-b1bd-11eb-90ac-052b474d74cd" AND name:with\ spaces*
--------------------------------------------------------------^
    at Object.fromKueryExpression (/Users/jfsiii/work/kibana/src/plugins/data/common/es_query/kuery/ast/ast.ts:52:13)
    at listEnrollmentApiKeys (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/services/api_keys/enrollment_api_key.ts:37:69)
    at Object.generateEnrollmentAPIKey (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/services/api_keys/enrollment_api_key.ts:160:31)
    at processTicksAndRejections (internal/process/task_queues.js:93:5)
    at postEnrollmentApiKeyHandler (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/routes/enrollment_api_key/handler.ts:53:20)
    at Router.handle (/Users/jfsiii/work/kibana/src/core/server/http/router/router.ts:273:30)
    at handler (/Users/jfsiii/work/kibana/src/core/server/http/router/router.ts:228:11)
    at exports.Manager.execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/toolkit.js:60:28)
    at Object.internals.handler (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/handler.js:46:20)
    at exports.execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/handler.js:31:20)
    at Request._lifecycle (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/request.js:370:32)
    at Request._execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/request.js:279:9) {
  shortMessage: 'Expected AND, OR, end of input but "\\" found.'
```

the `kuery` value which causes the `KQLSyntaxError` is
```
policy_id:\"d6a93200-b1bd-11eb-90ac-052b474d74cd\" AND name:with\\ spaces*
``` 

a value without spaces, e.g. `no_spaces` 

```
policy_id:\"d6a93200-b1bd-11eb-90ac-052b474d74cd\" AND name:no_spaces*
```

is converted to this query object

```
{
  "bool": {
    "filter": [
      {
        "bool": {
          "should": [
            {
              "match_phrase": {
                "policy_id": "d6a93200-b1bd-11eb-90ac-052b474d74cd"
              }
            }
          ],
          "minimum_should_match": 1
        }
      },
      {
        "bool": {
          "should": [
            {
              "query_string": {
                "fields": [
                  "name"
                ],
                "query": "no_spaces*"
              }
            }
          ],
          "minimum_should_match": 1
        }
      }
    ]
  }
```

I tried some other approaches for handling the spaces based on what I saw in the docs like `name:"\"with spaces\"` and `name:(with spaces)*`but they all failed as well, like

```
KQLSyntaxError: Expected AND, OR, end of input but "*" found.
policy_id:"d6a93200-b1bd-11eb-90ac-052b474d74cd" AND name:(with spaces)*
-----------------------------------------------------------------------^
    at Object.fromKueryExpression (/Users/jfsiii/work/kibana/src/plugins/data/common/es_query/kuery/ast/ast.ts:52:13)
    at listEnrollmentApiKeys (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/services/api_keys/enrollment_api_key.ts:37:69)
    at Object.generateEnrollmentAPIKey (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/services/api_keys/enrollment_api_key.ts:166:31)
    at processTicksAndRejections (internal/process/task_queues.js:93:5)
    at postEnrollmentApiKeyHandler (/Users/jfsiii/work/kibana/x-pack/plugins/fleet/server/routes/enrollment_api_key/handler.ts:53:20)
    at Router.handle (/Users/jfsiii/work/kibana/src/core/server/http/router/router.ts:273:30)
    at handler (/Users/jfsiii/work/kibana/src/core/server/http/router/router.ts:228:11)
    at exports.Manager.execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/toolkit.js:60:28)
    at Object.internals.handler (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/handler.js:46:20)
    at exports.execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/handler.js:31:20)
    at Request._lifecycle (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/request.js:370:32)
    at Request._execute (/Users/jfsiii/work/kibana/node_modules/@hapi/hapi/lib/request.js:279:9) {
  shortMessage: 'Expected AND, OR, end of input but "*" found.'
```

So I logged out the query object for a successful request, and put that in a function

```
{
  "query": {
    "bool": {
      "filter": [
        {
          "bool": {
            "should": [
              {
                "match_phrase": {
                  "policy_id": "d6a93200-b1bd-11eb-90ac-052b474d74cd"
                }
              }
            ],
            "minimum_should_match": 1
          }
        },
        {
          "bool": {
            "should": [
              {
                "query_string": {
                  "fields": [
                    "name"
                  ],
                  "query": "(with spaces) *"
                }
              }
            ],
            "minimum_should_match": 1
          }
        }
      ]
    }
  }
}
```


### Checklist
- [x] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios
@jen-huang jen-huang enabled auto-merge (squash) May 17, 2021 13:19
@jen-huang jen-huang closed this May 17, 2021
auto-merge was automatically disabled May 17, 2021 13:22

Pull request was closed

@jen-huang jen-huang deleted the backport/7.x/pr-100056 branch May 17, 2021 13:22
@kibanamachine
Copy link
Contributor

kibanamachine commented May 17, 2021

💔 Build Failed

Failed CI Steps


Test Failures

Kibana Pipeline / general / X-Pack API Integration Tests.x-pack/test/api_integration/apis/security_solution/kpi_network·ts.apis SecuritySolution Endpoints Kpi Network With filebeat Make sure that we get KpiNetwork networkEvents data

Link to Jenkins

Standard Out

Failed Tests Reporter:
  - Test has not failed recently on tracked branches

[00:00:00]       │
[00:00:00]         └-: apis
[00:00:00]           └-> "before all" hook in "apis"
[00:07:16]           └-: SecuritySolution Endpoints
[00:07:16]             └-> "before all" hook in "SecuritySolution Endpoints"
[00:07:21]             └-: Kpi Network
[00:07:21]               └-> "before all" hook in "Kpi Network"
[00:07:21]               └-: With filebeat
[00:07:21]                 └-> "before all" hook for "Make sure that we get KpiNetwork uniqueFlows data"
[00:07:21]                 └-> "before all" hook for "Make sure that we get KpiNetwork uniqueFlows data"
[00:07:21]                   │ info [filebeat/default] Loading "mappings.json"
[00:07:21]                   │ info [filebeat/default] Loading "data.json.gz"
[00:07:21]                   │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [filebeat-7.0.0-iot-2019.06] creating index, cause [api], templates [], shards [1]/[0]
[00:07:22]                   │ info [filebeat/default] Created index "filebeat-7.0.0-iot-2019.06"
[00:07:22]                   │ debg [filebeat/default] "filebeat-7.0.0-iot-2019.06" settings {"index":{"lifecycle":{"name":"filebeat-7.0.0","rollover_alias":"filebeat-7.0.0"},"mapping":{"total_fields":{"limit":"10000"}},"number_of_replicas":"0","number_of_shards":"1","query":{"default_field":["tags","message","agent.version","agent.name","agent.type","agent.id","agent.ephemeral_id","client.address","client.mac","client.domain","client.geo.continent_name","client.geo.country_name","client.geo.region_name","client.geo.city_name","client.geo.country_iso_code","client.geo.region_iso_code","client.geo.name","cloud.provider","cloud.availability_zone","cloud.region","cloud.instance.id","cloud.instance.name","cloud.machine.type","cloud.account.id","container.runtime","container.id","container.image.name","container.image.tag","container.name","destination.address","destination.mac","destination.domain","destination.geo.continent_name","destination.geo.country_name","destination.geo.region_name","destination.geo.city_name","destination.geo.country_iso_code","destination.geo.region_iso_code","destination.geo.name","ecs.version","error.id","error.message","error.code","event.id","event.kind","event.category","event.action","event.outcome","event.type","event.module","event.dataset","event.hash","event.timezone","file.path","file.target_path","file.extension","file.type","file.device","file.inode","file.uid","file.owner","file.gid","file.group","file.mode","group.id","group.name","host.hostname","host.name","host.id","host.mac","host.type","host.architecture","host.os.platform","host.os.name","host.os.full","host.os.family","host.os.version","host.os.kernel","host.geo.continent_name","host.geo.country_name","host.geo.region_name","host.geo.city_name","host.geo.country_iso_code","host.geo.region_iso_code","host.geo.name","http.request.method","http.request.body.content","http.request.referrer","http.response.body.content","http.version","log.level","network.name","network.type","network.iana_number","network.transport","network.application","network.protocol","network.direction","network.community_id","observer.mac","observer.hostname","observer.vendor","observer.version","observer.serial_number","observer.type","observer.os.platform","observer.os.name","observer.os.full","observer.os.family","observer.os.version","observer.os.kernel","observer.geo.continent_name","observer.geo.country_name","observer.geo.region_name","observer.geo.city_name","observer.geo.country_iso_code","observer.geo.region_iso_code","observer.geo.name","organization.name","organization.id","os.platform","os.name","os.full","os.family","os.version","os.kernel","process.name","process.args","process.executable","process.title","process.working_directory","server.address","server.mac","server.domain","server.geo.continent_name","server.geo.country_name","server.geo.region_name","server.geo.city_name","server.geo.country_iso_code","server.geo.region_iso_code","server.geo.name","service.id","service.name","service.type","service.state","service.version","service.ephemeral_id","source.address","source.mac","source.domain","source.geo.continent_name","source.geo.country_name","source.geo.region_name","source.geo.city_name","source.geo.country_iso_code","source.geo.region_iso_code","source.geo.name","url.original","url.full","url.scheme","url.domain","url.path","url.query","url.fragment","url.username","url.password","user.id","user.name","user.full_name","user.email","user.hash","user.group.id","user.group.name","user_agent.original","user_agent.name","user_agent.version","user_agent.device.name","user_agent.os.platform","user_agent.os.name","user_agent.os.full","user_agent.os.family","user_agent.os.version","user_agent.os.kernel","agent.hostname","error.type","cloud.project.id","kubernetes.pod.name","kubernetes.pod.uid","kubernetes.namespace","kubernetes.node.name","kubernetes.container.name","kubernetes.container.image","log.file.path","log.source.address","stream","input.type","syslog.severity_label","syslog.facility_label","process.program","log.flags","user_agent.os.full_name","fileset.name","apache.access.ssl.protocol","apache.access.ssl.cipher","apache.error.module","user.terminal","user.audit.id","user.audit.name","user.audit.group.id","user.audit.group.name","user.effective.id","user.effective.name","user.effective.group.id","user.effective.group.name","user.filesystem.id","user.filesystem.name","user.filesystem.group.id","user.filesystem.group.name","user.owner.id","user.owner.name","user.owner.group.id","user.owner.group.name","user.saved.id","user.saved.name","user.saved.group.id","user.saved.group.name","auditd.log.old_auid","auditd.log.new_auid","auditd.log.old_ses","auditd.log.new_ses","auditd.log.items","auditd.log.item","auditd.log.tty","auditd.log.a0","elasticsearch.component","elasticsearch.cluster.uuid","elasticsearch.cluster.name","elasticsearch.node.id","elasticsearch.node.name","elasticsearch.index.name","elasticsearch.index.id","elasticsearch.shard.id","elasticsearch.audit.layer","elasticsearch.audit.origin.type","elasticsearch.audit.realm","elasticsearch.audit.user.realm","elasticsearch.audit.user.roles","elasticsearch.audit.action","elasticsearch.audit.url.params","elasticsearch.audit.indices","elasticsearch.audit.request.id","elasticsearch.audit.request.name","elasticsearch.gc.phase.name","elasticsearch.gc.tags","elasticsearch.slowlog.logger","elasticsearch.slowlog.took","elasticsearch.slowlog.types","elasticsearch.slowlog.stats","elasticsearch.slowlog.search_type","elasticsearch.slowlog.source_query","elasticsearch.slowlog.extra_source","elasticsearch.slowlog.total_hits","elasticsearch.slowlog.total_shards","elasticsearch.slowlog.routing","elasticsearch.slowlog.id","elasticsearch.slowlog.type","haproxy.frontend_name","haproxy.backend_name","haproxy.server_name","haproxy.bind_name","haproxy.error_message","haproxy.source","haproxy.termination_state","haproxy.mode","haproxy.http.response.captured_cookie","haproxy.http.response.captured_headers","haproxy.http.request.captured_cookie","haproxy.http.request.captured_headers","haproxy.http.request.raw_request_line","icinga.debug.facility","icinga.main.facility","icinga.startup.facility","iis.access.site_name","iis.access.server_name","iis.access.cookie","iis.error.reason_phrase","iis.error.queue_name","iptables.fragment_flags","iptables.input_device","iptables.output_device","iptables.tcp.flags","iptables.ubiquiti.input_zone","iptables.ubiquiti.output_zone","iptables.ubiquiti.rule_number","iptables.ubiquiti.rule_set","kafka.log.component","kafka.log.class","kafka.log.trace.class","kafka.log.trace.message","kibana.log.tags","kibana.log.state","logstash.log.module","logstash.log.thread","text","logstash.slowlog.module","logstash.slowlog.thread","text","logstash.slowlog.event","text","logstash.slowlog.plugin_name","logstash.slowlog.plugin_type","logstash.slowlog.plugin_params","text","mongodb.log.component","mongodb.log.context","mysql.slowlog.query","mysql.slowlog.schema","mysql.slowlog.current_user","mysql.slowlog.last_errno","mysql.slowlog.killed","mysql.slowlog.log_slow_rate_type","mysql.slowlog.log_slow_rate_limit","mysql.slowlog.innodb.trx_id","netflow.type","netflow.exporter.address","netflow.source_mac_address","netflow.post_destination_mac_address","netflow.destination_mac_address","netflow.post_source_mac_address","netflow.interface_name","netflow.interface_description","netflow.sampler_name","netflow.application_description","netflow.application_name","netflow.class_name","netflow.wlan_ssid","netflow.vr_fname","netflow.metro_evc_id","netflow.nat_pool_name","netflow.p2p_technology","netflow.tunnel_technology","netflow.encrypted_technology","netflow.observation_domain_name","netflow.selector_name","netflow.information_element_description","netflow.information_element_name","netflow.virtual_station_interface_name","netflow.virtual_station_name","netflow.sta_mac_address","netflow.wtp_mac_address","netflow.user_name","netflow.application_category_name","netflow.application_sub_category_name","netflow.application_group_name","netflow.dot1q_customer_source_mac_address","netflow.dot1q_customer_destination_mac_address","netflow.mib_context_name","netflow.mib_object_name","netflow.mib_object_description","netflow.mib_object_syntax","netflow.mib_module_name","netflow.mobile_imsi","netflow.mobile_msisdn","netflow.http_request_method","netflow.http_request_host","netflow.http_request_target","netflow.http_message_version","netflow.http_user_agent","netflow.http_content_type","netflow.http_reason_phrase","osquery.result.name","osquery.result.action","osquery.result.host_identifier","osquery.result.calendar_time","postgresql.log.timestamp","postgresql.log.database","postgresql.log.query","redis.log.role","redis.slowlog.cmd","redis.slowlog.key","redis.slowlog.args","santa.action","santa.decision","santa.reason","santa.mode","santa.disk.volume","santa.disk.bus","santa.disk.serial","santa.disk.bsdname","santa.disk.model","santa.disk.fs","santa.disk.mount","certificate.common_name","certificate.sha256","hash.sha256","suricata.eve.event_type","suricata.eve.app_proto_orig","suricata.eve.tcp.tcp_flags","suricata.eve.tcp.tcp_flags_tc","suricata.eve.tcp.state","suricata.eve.tcp.tcp_flags_ts","suricata.eve.fileinfo.sha1","suricata.eve.fileinfo.state","suricata.eve.fileinfo.sha256","suricata.eve.fileinfo.md5","suricata.eve.dns.type","suricata.eve.dns.rrtype","suricata.eve.dns.rrname","suricata.eve.dns.rdata","suricata.eve.dns.rcode","suricata.eve.flow_id","suricata.eve.email.status","suricata.eve.http.redirect","suricata.eve.http.protocol","suricata.eve.http.http_content_type","suricata.eve.in_iface","suricata.eve.alert.category","suricata.eve.alert.signature","suricata.eve.ssh.client.proto_version","suricata.eve.ssh.client.software_version","suricata.eve.ssh.server.proto_version","suricata.eve.ssh.server.software_version","suricata.eve.tls.issuerdn","suricata.eve.tls.sni","suricata.eve.tls.version","suricata.eve.tls.fingerprint","suricata.eve.tls.serial","suricata.eve.tls.subject","suricata.eve.app_proto_ts","suricata.eve.flow.state","suricata.eve.flow.reason","suricata.eve.app_proto_tc","suricata.eve.smtp.rcpt_to","suricata.eve.smtp.mail_from","suricata.eve.smtp.helo","suricata.eve.app_proto_expected","system.auth.ssh.method","system.auth.ssh.signature","system.auth.sudo.error","system.auth.sudo.tty","system.auth.sudo.pwd","system.auth.sudo.user","system.auth.sudo.command","system.auth.useradd.home","system.auth.useradd.shell","traefik.access.user_identifier","traefik.access.frontend_name","traefik.access.backend_url","zeek.session_id","zeek.connection.state","zeek.connection.history","zeek.connection.orig_l2_addr","zeek.resp_l2_addr","zeek.vlan","zeek.inner_vlan","zeek.dns.query","zeek.dns.qclass_name","zeek.dns.qtype_name","zeek.dns.rcode_name","zeek.dns.answers","zeek.http.status_msg","zeek.http.info_msg","zeek.http.filename","zeek.http.tags","zeek.http.proxied","zeek.http.client_header_names","zeek.http.server_header_names","zeek.http.orig_fuids","zeek.http.orig_mime_types","zeek.http.orig_filenames","zeek.http.resp_fuids","zeek.http.resp_mime_types","zeek.http.resp_filenames","zeek.files.fuid","zeek.files.session_ids","zeek.files.source","zeek.files.analyzers","zeek.files.mime_type","zeek.files.filename","zeek.files.parent_fuid","zeek.files.md5","zeek.files.sha1","zeek.files.sha256","zeek.files.extracted","zeek.ssl.version","zeek.ssl.cipher","zeek.ssl.curve","zeek.ssl.server_name","zeek.ssl.next_protocol","zeek.ssl.cert_chain","zeek.ssl.cert_chain_fuids","zeek.ssl.client_cert_chain","zeek.ssl.client_cert_chain_fuids","zeek.ssl.issuer","zeek.ssl.client_issuer","zeek.ssl.validation_status","zeek.ssl.subject","zeek.ssl.client_subject","zeek.ssl.last_alert","fields.*"]},"refresh_interval":"5s"}}
[00:07:23]                   │ info [filebeat/default] Indexed 6157 docs into "filebeat-7.0.0-iot-2019.06"
[00:07:23]                 └-> Make sure that we get KpiNetwork uniqueFlows data
[00:07:23]                   └-> "before each" hook: global before each for "Make sure that we get KpiNetwork uniqueFlows data"
[00:07:23]                   └- ✓ pass  (37ms) "apis SecuritySolution Endpoints Kpi Network With filebeat Make sure that we get KpiNetwork uniqueFlows data"
[00:07:23]                 └-> Make sure that we get KpiNetwork networkEvents data
[00:07:23]                   └-> "before each" hook: global before each for "Make sure that we get KpiNetwork networkEvents data"
[00:07:23]                   └- ✓ pass  (23ms) "apis SecuritySolution Endpoints Kpi Network With filebeat Make sure that we get KpiNetwork networkEvents data"
[00:07:23]                 └-> Make sure that we get KpiNetwork DNS data
[00:07:23]                   └-> "before each" hook: global before each for "Make sure that we get KpiNetwork DNS data"
[00:07:23]                   └- ✓ pass  (21ms) "apis SecuritySolution Endpoints Kpi Network With filebeat Make sure that we get KpiNetwork DNS data"
[00:07:23]                 └-> Make sure that we get KpiNetwork networkEvents data
[00:07:23]                   └-> "before each" hook: global before each for "Make sure that we get KpiNetwork networkEvents data"
[00:07:23]                   └- ✖ fail: apis SecuritySolution Endpoints Kpi Network With filebeat Make sure that we get KpiNetwork networkEvents data
[00:07:23]                   │       Error: expected 0 to sort of equal 6157
[00:07:23]                   │       + expected - actual
[00:07:23]                   │ 
[00:07:23]                   │       -0
[00:07:23]                   │       +6157
[00:07:23]                   │       
[00:07:23]                   │       at Assertion.assert (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/expect/expect.js:100:11)
[00:07:23]                   │       at Assertion.eql (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/expect/expect.js:244:8)
[00:07:23]                   │       at Context.<anonymous> (test/api_integration/apis/security_solution/kpi_network.ts:149:45)
[00:07:23]                   │       at Object.apply (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/test/src/functional_test_runner/lib/mocha/wrap_function.js:73:16)
[00:07:23]                   │ 
[00:07:23]                   │ 

Stack Trace

Error: expected 0 to sort of equal 6157
    at Assertion.assert (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/expect/expect.js:100:11)
    at Assertion.eql (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/expect/expect.js:244:8)
    at Context.<anonymous> (test/api_integration/apis/security_solution/kpi_network.ts:149:45)
    at Object.apply (/dev/shm/workspace/parallel/1/kibana/node_modules/@kbn/test/src/functional_test_runner/lib/mocha/wrap_function.js:73:16) {
  actual: '0',
  expected: '6157',
  showDiff: true
}

Kibana Pipeline / general / Firefox XPack UI Functional Tests.x-pack/test/functional/apps/spaces/spaces_selection·ts.Spaces app Spaces Spaces Data "after all" hook in "Spaces Data"

Link to Jenkins

Standard Out

Failed Tests Reporter:
  - Test has failed 1 times on tracked branches: https://github.com/elastic/kibana/issues/98252

[00:00:00]       │
[00:02:05]         └-: Spaces app
[00:02:05]           └-> "before all" hook in "Spaces app"
[00:02:05]           └-: Spaces
[00:02:05]             └-> "before all" hook in "Spaces"
[00:02:27]             └-: Spaces Data
[00:02:27]               └-> "before all" hook in "Spaces Data"
[00:02:27]               └-> "before all" hook in "Spaces Data"
[00:02:27]                 │ info [spaces/selector] Loading "mappings.json"
[00:02:27]                 │ info [spaces/selector] Loading "data.json"
[00:02:27]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_pre6.5.0_001/skv14_D7SqyyBH9icRObxw] deleting index
[00:02:27]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/KzNiAN6gTdCN6v7qdoX3Uw] deleting index
[00:02:27]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_task_manager_7.14.0_001/u4zmCF4lTx-y5ijQQerZBQ] deleting index
[00:02:27]                 │ info [spaces/selector] Deleted existing index ".kibana_7.14.0_001"
[00:02:27]                 │ info [spaces/selector] Deleted existing index ".kibana_pre6.5.0_001"
[00:02:27]                 │ info [spaces/selector] Deleted existing index ".kibana_task_manager_7.14.0_001"
[00:02:27]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana] creating index, cause [api], templates [], shards [1]/[1]
[00:02:27]                 │ info [spaces/selector] Created index ".kibana"
[00:02:27]                 │ debg [spaces/selector] ".kibana" settings {"index":{"number_of_replicas":"1","number_of_shards":"1"}}
[00:02:27]                 │ info [spaces/selector] Indexed 3 docs into ".kibana"
[00:02:27]                 │ debg Migrating saved objects
[00:02:27]                 │ proc [kibana]   log   [13:48:30.656] [info][savedobjects-service] [.kibana_task_manager] INIT -> CREATE_NEW_TARGET. took: 4ms.
[00:02:27]                 │ proc [kibana]   log   [13:48:30.661] [info][savedobjects-service] [.kibana] INIT -> LEGACY_SET_WRITE_BLOCK. took: 11ms.
[00:02:27]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_task_manager_7.14.0_001] creating index, cause [api], templates [], shards [1]/[1]
[00:02:27]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [.kibana_task_manager_7.14.0_001]
[00:02:27]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] adding block write to indices [[.kibana/nsXaQ7CVThCI_J8P2ggajg]]
[00:02:27]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] completed adding block write to indices [.kibana]
[00:02:27]                 │ proc [kibana]   log   [13:48:30.735] [info][savedobjects-service] [.kibana_task_manager] CREATE_NEW_TARGET -> MARK_VERSION_INDEX_READY. took: 79ms.
[00:02:27]                 │ proc [kibana]   log   [13:48:30.754] [info][savedobjects-service] [.kibana] LEGACY_SET_WRITE_BLOCK -> LEGACY_CREATE_REINDEX_TARGET. took: 93ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:30.774] [info][savedobjects-service] [.kibana_task_manager] MARK_VERSION_INDEX_READY -> DONE. took: 39ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:30.775] [info][savedobjects-service] [.kibana_task_manager] Migration completed after 123ms
[00:02:28]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_pre6.5.0_001] creating index, cause [api], templates [], shards [1]/[1]
[00:02:28]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [.kibana_pre6.5.0_001]
[00:02:28]                 │ proc [kibana]   log   [13:48:30.843] [info][savedobjects-service] [.kibana] LEGACY_CREATE_REINDEX_TARGET -> LEGACY_REINDEX. took: 89ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:30.852] [info][savedobjects-service] [.kibana] LEGACY_REINDEX -> LEGACY_REINDEX_WAIT_FOR_TASK. took: 9ms.
[00:02:28]                 │ info [o.e.t.LoggingTaskListener] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] 5724 finished with response BulkByScrollResponse[took=22.4ms,timed_out=false,sliceId=null,updated=0,created=3,deleted=0,batches=1,versionConflicts=0,noops=0,retries=0,throttledUntil=0s,bulk_failures=[],search_failures=[]]
[00:02:28]                 │ proc [kibana]   log   [13:48:30.963] [info][savedobjects-service] [.kibana] LEGACY_REINDEX_WAIT_FOR_TASK -> LEGACY_DELETE. took: 111ms.
[00:02:28]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana/nsXaQ7CVThCI_J8P2ggajg] deleting index
[00:02:28]                 │ proc [kibana]   log   [13:48:31.011] [info][savedobjects-service] [.kibana] LEGACY_DELETE -> SET_SOURCE_WRITE_BLOCK. took: 48ms.
[00:02:28]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] adding block write to indices [[.kibana_pre6.5.0_001/PEE2jHcFSByBZsxWUpUKvg]]
[00:02:28]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] completed adding block write to indices [.kibana_pre6.5.0_001]
[00:02:28]                 │ proc [kibana]   log   [13:48:31.062] [info][savedobjects-service] [.kibana] SET_SOURCE_WRITE_BLOCK -> CREATE_REINDEX_TEMP. took: 51ms.
[00:02:28]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_reindex_temp] creating index, cause [api], templates [], shards [1]/[1]
[00:02:28]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [.kibana_7.14.0_reindex_temp]
[00:02:28]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] Cluster health status changed from [YELLOW] to [GREEN] (reason: [shards started [[.kibana_7.14.0_reindex_temp][0]]]).
[00:02:28]                 │ proc [kibana]   log   [13:48:31.135] [info][savedobjects-service] [.kibana] CREATE_REINDEX_TEMP -> REINDEX_SOURCE_TO_TEMP_OPEN_PIT. took: 73ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.145] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_OPEN_PIT -> REINDEX_SOURCE_TO_TEMP_READ. took: 10ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.157] [info][savedobjects-service] [.kibana] Starting to process 3 documents.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.158] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_READ -> REINDEX_SOURCE_TO_TEMP_INDEX. took: 12ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.165] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_INDEX -> REINDEX_SOURCE_TO_TEMP_INDEX_BULK. took: 7ms.
[00:02:28]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_reindex_temp/HksFj2JAQguPt_5upAJHcw] update_mapping [_doc]
[00:02:28]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_reindex_temp/HksFj2JAQguPt_5upAJHcw] update_mapping [_doc]
[00:02:28]                 │ proc [kibana]   log   [13:48:31.246] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_INDEX_BULK -> REINDEX_SOURCE_TO_TEMP_READ. took: 82ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.258] [info][savedobjects-service] [.kibana] Processed 3 documents out of 3.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.259] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_READ -> REINDEX_SOURCE_TO_TEMP_CLOSE_PIT. took: 12ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.267] [info][savedobjects-service] [.kibana] REINDEX_SOURCE_TO_TEMP_CLOSE_PIT -> SET_TEMP_WRITE_BLOCK. took: 9ms.
[00:02:28]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] adding block write to indices [[.kibana_7.14.0_reindex_temp/HksFj2JAQguPt_5upAJHcw]]
[00:02:28]                 │ info [o.e.c.m.MetadataIndexStateService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] completed adding block write to indices [.kibana_7.14.0_reindex_temp]
[00:02:28]                 │ proc [kibana]   log   [13:48:31.325] [info][savedobjects-service] [.kibana] SET_TEMP_WRITE_BLOCK -> CLONE_TEMP_TO_TARGET. took: 58ms.
[00:02:28]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] applying create index request using existing index [.kibana_7.14.0_reindex_temp] metadata
[00:02:28]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001] creating index, cause [clone_index], templates [], shards [1]/[1]
[00:02:28]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [.kibana_7.14.0_001]
[00:02:28]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] create_mapping [_doc]
[00:02:28]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] Cluster health status changed from [YELLOW] to [GREEN] (reason: [shards started [[.kibana_7.14.0_001][0]]]).
[00:02:28]                 │ proc [kibana]   log   [13:48:31.455] [info][savedobjects-service] [.kibana] CLONE_TEMP_TO_TARGET -> REFRESH_TARGET. took: 130ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.463] [info][savedobjects-service] [.kibana] REFRESH_TARGET -> OUTDATED_DOCUMENTS_SEARCH_OPEN_PIT. took: 8ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.471] [info][savedobjects-service] [.kibana] OUTDATED_DOCUMENTS_SEARCH_OPEN_PIT -> OUTDATED_DOCUMENTS_SEARCH_READ. took: 7ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.484] [info][savedobjects-service] [.kibana] OUTDATED_DOCUMENTS_SEARCH_READ -> OUTDATED_DOCUMENTS_SEARCH_CLOSE_PIT. took: 14ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.492] [info][savedobjects-service] [.kibana] OUTDATED_DOCUMENTS_SEARCH_CLOSE_PIT -> UPDATE_TARGET_MAPPINGS. took: 8ms.
[00:02:28]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:28]                 │ proc [kibana]   log   [13:48:31.577] [info][savedobjects-service] [.kibana] UPDATE_TARGET_MAPPINGS -> UPDATE_TARGET_MAPPINGS_WAIT_FOR_TASK. took: 85ms.
[00:02:28]                 │ info [o.e.t.LoggingTaskListener] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] 5815 finished with response BulkByScrollResponse[took=27.3ms,timed_out=false,sliceId=null,updated=3,created=0,deleted=0,batches=1,versionConflicts=0,noops=0,retries=0,throttledUntil=0s,bulk_failures=[],search_failures=[]]
[00:02:28]                 │ proc [kibana]   log   [13:48:31.686] [info][savedobjects-service] [.kibana] UPDATE_TARGET_MAPPINGS_WAIT_FOR_TASK -> MARK_VERSION_INDEX_READY. took: 109ms.
[00:02:28]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_reindex_temp/HksFj2JAQguPt_5upAJHcw] deleting index
[00:02:28]                 │ proc [kibana]   log   [13:48:31.740] [info][savedobjects-service] [.kibana] MARK_VERSION_INDEX_READY -> DONE. took: 53ms.
[00:02:28]                 │ proc [kibana]   log   [13:48:31.740] [info][savedobjects-service] [.kibana] Migration completed after 1090ms
[00:02:28]                 │ debg [spaces/selector] Migrated Kibana index after loading Kibana data
[00:02:28]                 │ debg [spaces/selector] Ensured that default space exists in .kibana
[00:02:28]                 │ debg applying update to kibana config: {"accessibility:disableAnimations":true,"dateFormat:tz":"UTC","visualization:visualize:legacyChartsLibrary":true}
[00:02:30]                 │ debg TestSubjects.exists(loginForm)
[00:02:30]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="loginForm"]') with timeout=2500
[00:02:30]                 │ debg Waiting for Login Form to appear.
[00:02:30]                 │ debg Waiting up to 100000ms for login form...
[00:02:30]                 │ debg TestSubjects.exists(loginForm)
[00:02:30]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="loginForm"]') with timeout=2500
[00:02:30]                 │ debg TestSubjects.setValue(loginUsername, elastic)
[00:02:30]                 │ debg TestSubjects.click(loginUsername)
[00:02:30]                 │ debg Find.clickByCssSelector('[data-test-subj="loginUsername"]') with timeout=10000
[00:02:30]                 │ debg Find.findByCssSelector('[data-test-subj="loginUsername"]') with timeout=10000
[00:02:31]                 │ debg TestSubjects.setValue(loginPassword, changeme)
[00:02:31]                 │ debg TestSubjects.click(loginPassword)
[00:02:31]                 │ debg Find.clickByCssSelector('[data-test-subj="loginPassword"]') with timeout=10000
[00:02:31]                 │ debg Find.findByCssSelector('[data-test-subj="loginPassword"]') with timeout=10000
[00:02:31]                 │ debg TestSubjects.click(loginSubmit)
[00:02:31]                 │ debg Find.clickByCssSelector('[data-test-subj="loginSubmit"]') with timeout=10000
[00:02:31]                 │ debg Find.findByCssSelector('[data-test-subj="loginSubmit"]') with timeout=10000
[00:02:31]                 │ proc [kibana]   log   [13:48:34.166] [info][plugins][routes][security] Logging in with provider "basic" (basic)
[00:02:31]                 │ debg Waiting for login result, expected: spaceSelector.
[00:02:31]                 │ debg TestSubjects.find(kibanaSpaceSelector)
[00:02:31]                 │ debg Find.findByCssSelector('[data-test-subj="kibanaSpaceSelector"]') with timeout=10000
[00:02:32]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:34]                 │ debg Finished login process, landed on space selector. currentUrl = http://localhost:6131/spaces/space_selector
[00:02:34]                 │ info SpaceSelectorPage:clickSpaceCard(default)
[00:02:34]                 │ debg TestSubjects.click(space-card-default)
[00:02:34]                 │ debg Find.clickByCssSelector('[data-test-subj="space-card-default"]') with timeout=10000
[00:02:34]                 │ debg Find.findByCssSelector('[data-test-subj="space-card-default"]') with timeout=10000
[00:02:35]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:35]                 │ debg ... sleep(1000) start
[00:02:36]                 │ debg ... sleep(1000) end
[00:02:36]                 │ debg navigating to home url: http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:36]                 │ debg navigate to: http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:37]                 │ERROR browser[error] (new TypeError("NetworkError when attempting to fetch resource.", "http://localhost:6131/41149/bundles/core/core.entry.js", 6))
[00:02:37]                 │ debg browser[log] "Version 9 of Highlight.js has reached EOL and is no longer supported.\nPlease upgrade or ask whatever dependency you are using to upgrade.\nhttps://github.com/highlightjs/highlight.js/issues/2877"
[00:02:37]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nTypeError: NetworkError when attempting to fetch resource."
[00:02:37]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:38]                 │ debg ... sleep(700) start
[00:02:38]                 │ debg ... sleep(700) end
[00:02:38]                 │ debg returned from get, calling refresh
[00:02:39]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:40]                 │ debg currentUrl = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:40]                 │          appUrl = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:40]                 │ debg TestSubjects.find(kibanaChrome)
[00:02:40]                 │ debg Find.findByCssSelector('[data-test-subj="kibanaChrome"]') with timeout=60000
[00:02:41]                 │ debg ... sleep(501) start
[00:02:42]                 │ debg ... sleep(501) end
[00:02:42]                 │ debg in navigateTo url = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:42]                 │ debg TestSubjects.exists(statusPageContainer)
[00:02:42]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="statusPageContainer"]') with timeout=2500
[00:02:44]                 │ debg --- retry.tryForTime error: [data-test-subj="statusPageContainer"] is not displayed
[00:02:45]                 │ debg TestSubjects.exists(addSampleDataSetlogs)
[00:02:45]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=2500
[00:02:46]                 │ debg TestSubjects.click(addSampleDataSetlogs)
[00:02:46]                 │ debg Find.clickByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=10000
[00:02:46]                 │ debg Find.findByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=10000
[00:02:47]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs] creating index, cause [api], templates [], shards [1]/[1]
[00:02:47]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [kibana_sample_data_logs]
[00:02:47]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] Cluster health status changed from [YELLOW] to [GREEN] (reason: [shards started [[kibana_sample_data_logs][0]]]).
[00:02:47]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs/IZOh9T8BQMqEdZvYYdIfkA] update_mapping [_doc]
[00:02:47]                 │ debg TestSubjects.find(sampleDataSetCardlogs)
[00:02:47]                 │ debg Find.findByCssSelector('[data-test-subj="sampleDataSetCardlogs"]') with timeout=10000
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:50]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_7.14.0_001/HGweZq1jQyGcI2pduhCSfg] update_mapping [_doc]
[00:02:52]                 │ debg navigating to home url: http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:52]                 │ debg navigate to: http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:52]                 │ debg ... sleep(700) start
[00:02:53]                 │ debg ... sleep(700) end
[00:02:53]                 │ debg returned from get, calling refresh
[00:02:53]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:54]                 │ debg currentUrl = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:54]                 │          appUrl = http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:54]                 │ debg TestSubjects.find(kibanaChrome)
[00:02:54]                 │ debg Find.findByCssSelector('[data-test-subj="kibanaChrome"]') with timeout=60000
[00:02:55]                 │ debg App failed to load: home in 10000ms appUrl=http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData currentUrl=http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:55]                 │ debg --- retry.try error: App failed to load: home in 10000ms appUrl=http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData currentUrl=http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:02:56]                 │ debg navigate to: http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:56]                 │ debg ... sleep(700) start
[00:02:56]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nTypeError: NetworkError when attempting to fetch resource."
[00:02:56]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nTypeError: NetworkError when attempting to fetch resource."
[00:02:56]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:57]                 │ debg ... sleep(700) end
[00:02:57]                 │ debg returned from get, calling refresh
[00:02:57]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:02:58]                 │ debg currentUrl = http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:58]                 │          appUrl = http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:02:58]                 │ debg TestSubjects.find(kibanaChrome)
[00:02:58]                 │ debg Find.findByCssSelector('[data-test-subj="kibanaChrome"]') with timeout=60000
[00:03:00]                 │ debg ... sleep(501) start
[00:03:01]                 │ debg ... sleep(501) end
[00:03:01]                 │ debg in navigateTo url = http://localhost:6131/s/another-space/app/home#/tutorial_directory/sampleData
[00:03:01]                 │ debg TestSubjects.exists(statusPageContainer)
[00:03:01]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="statusPageContainer"]') with timeout=2500
[00:03:03]                 │ debg --- retry.tryForTime error: [data-test-subj="statusPageContainer"] is not displayed
[00:03:04]                 │ debg TestSubjects.exists(addSampleDataSetlogs)
[00:03:04]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=2500
[00:03:04]                 │ debg TestSubjects.click(addSampleDataSetlogs)
[00:03:04]                 │ debg Find.clickByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=10000
[00:03:04]                 │ debg Find.findByCssSelector('[data-test-subj="addSampleDataSetlogs"]') with timeout=10000
[00:03:04]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs/IZOh9T8BQMqEdZvYYdIfkA] deleting index
[00:03:04]                 │ info [o.e.c.m.MetadataCreateIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs] creating index, cause [api], templates [], shards [1]/[1]
[00:03:04]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] updating number_of_replicas to [0] for indices [kibana_sample_data_logs]
[00:03:04]                 │ info [o.e.c.r.a.AllocationService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] Cluster health status changed from [YELLOW] to [GREEN] (reason: [shards started [[kibana_sample_data_logs][0]]]).
[00:03:04]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs/GPpPdY9tQkKaiNW1G2oWxA] update_mapping [_doc]
[00:03:05]                 │ debg TestSubjects.find(sampleDataSetCardlogs)
[00:03:05]                 │ debg Find.findByCssSelector('[data-test-subj="sampleDataSetCardlogs"]') with timeout=10000
[00:03:51]               └-> "after all" hook in "Spaces Data"
[00:03:51]                 │ debg navigating to home url: http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:03:51]                 │ debg navigate to: http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:03:51]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:03:51]                 │ debg ... sleep(700) start
[00:03:52]                 │ debg ... sleep(700) end
[00:03:52]                 │ debg returned from get, calling refresh
[00:03:53]                 │ERROR browser[error] (new TypeError("NetworkError when attempting to fetch resource.", ""))
[00:03:53]                 │ debg browser[log] "Version 9 of Highlight.js has reached EOL and is no longer supported.\nPlease upgrade or ask whatever dependency you are using to upgrade.\nhttps://github.com/highlightjs/highlight.js/issues/2877"
[00:03:53]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nTypeError: NetworkError when attempting to fetch resource."
[00:03:53]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nEmptyError: no elements in sequence"
[00:03:53]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:03:54]                 │ debg currentUrl = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:03:54]                 │          appUrl = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:03:54]                 │ debg TestSubjects.find(kibanaChrome)
[00:03:54]                 │ debg Find.findByCssSelector('[data-test-subj="kibanaChrome"]') with timeout=60000
[00:03:57]                 │ debg ... sleep(501) start
[00:03:57]                 │ debg ... sleep(501) end
[00:03:57]                 │ debg in navigateTo url = http://localhost:6131/app/home#/tutorial_directory/sampleData
[00:03:57]                 │ debg TestSubjects.exists(statusPageContainer)
[00:03:57]                 │ debg Find.existsByDisplayedByCssSelector('[data-test-subj="statusPageContainer"]') with timeout=2500
[00:04:00]                 │ debg --- retry.tryForTime error: [data-test-subj="statusPageContainer"] is not displayed
[00:04:00]                 │ debg TestSubjects.find(removeSampleDataSetlogs)
[00:04:00]                 │ debg Find.findByCssSelector('[data-test-subj="removeSampleDataSetlogs"]') with timeout=10000
[00:04:00]                 │ debg ... sleep(1010) start
[00:04:01]                 │ debg ... sleep(1010) end
[00:04:01]                 │ debg TestSubjects.click(removeSampleDataSetlogs)
[00:04:01]                 │ debg Find.clickByCssSelector('[data-test-subj="removeSampleDataSetlogs"]') with timeout=10000
[00:04:01]                 │ debg Find.findByCssSelector('[data-test-subj="removeSampleDataSetlogs"]') with timeout=10000
[00:04:01]                 │ info [o.e.c.m.MetadataDeleteIndexService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [kibana_sample_data_logs/GPpPdY9tQkKaiNW1G2oWxA] deleting index
[00:04:02]                 │ debg TestSubjects.find(sampleDataSetCardlogs)
[00:04:02]                 │ debg Find.findByCssSelector('[data-test-subj="sampleDataSetCardlogs"]') with timeout=10000
[00:04:04]                 │ debg SecurityPage.forceLogout
[00:04:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=100
[00:04:04]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:04]                 │ debg Redirecting to /logout to force the logout
[00:04:05]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:04:05]                 │ debg Waiting on the login form to appear
[00:04:05]                 │ debg Waiting for Login Page to appear.
[00:04:05]                 │ debg Waiting up to 100000ms for login page...
[00:04:05]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:07]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nError: Unauthorized"
[00:04:08]                 │ debg browser[log] "^ A single error about an inline script not firing due to content security policy is expected!"
[00:04:09]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:10]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:22]                 │ERROR browser[error] (new Error("Setup lifecycle of \"visTypeTable\" plugin wasn't completed in 10sec. Consider disabling the plugin and re-start.", "http://localhost:6131/41149/bundles/core/core.entry.js", 13))
[00:04:22]                 │ debg browser[log] "Version 9 of Highlight.js has reached EOL and is no longer supported.\nPlease upgrade or ask whatever dependency you are using to upgrade.\nhttps://github.com/highlightjs/highlight.js/issues/2877"
[00:04:22]                 │ debg browser[log] "Detected an unhandled Promise rejection.\nError: Setup lifecycle of \"visTypeTable\" plugin wasn't completed in 10sec. Consider disabling the plugin and re-start."
[00:04:25]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:26]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:32]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:33]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:39]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:40]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:46]                 │ info [o.e.c.m.MetadataMappingService] [kibana-ci-immutable-ubuntu-18-tests-xxl-1621257638759026202] [.kibana_task_manager_7.14.0_001/O2yWP9EFRi28kYhBuUXKVQ] update_mapping [_doc]
[00:04:46]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:47]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:53]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:54]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:04:56]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:04:57]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:00]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:01]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:03]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:07]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:08]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:10]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:12]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:14]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:15]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:18]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:19]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:21]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:22]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:25]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:26]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:32]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:33]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:39]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:40]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:46]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:47]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:53]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:54]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:05:56]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:05:57]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:00]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:01]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:03]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:07]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:08]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:10]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:11]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:14]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:15]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:17]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:18]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:21]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:22]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:25]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:26]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:32]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:33]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:39]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:40]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:46]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:47]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:53]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:54]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:06:56]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:06:57]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:00]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:01]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:03]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:07]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:08]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:10]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:11]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:14]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:15]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:17]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:18]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:21]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:22]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:24]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:25]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:32]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:33]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:39]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:40]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:46]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:47]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:53]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:54]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:07:56]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:07:57]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:00]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:01]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:03]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:07]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:08]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:10]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:11]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:14]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:15]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:17]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:18]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:21]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:22]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:24]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:25]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:31]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:32]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:38]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:39]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:46]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:47]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:53]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:54]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:08:56]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:08:57]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:00]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:01]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:03]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:04]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:07]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:08]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:10]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:11]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:14]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:15]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:17]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:18]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:21]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:22]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:24]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:25]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:28]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:29]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:31]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:32]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:35]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:36]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:38]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:39]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:42]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:43]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:45]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:46]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:49]                 │ debg --- retry.tryForTime error: .login-form is not displayed
[00:09:50]                 │ debg Find.existsByDisplayedByCssSelector('.login-form') with timeout=2500
[00:09:51]                 └- ✖ fail: Spaces app Spaces Spaces Data "after all" hook in "Spaces Data"
[00:09:51]                 │      Error: Timeout of 360000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/dev/shm/workspace/parallel/3/kibana/x-pack/test/functional/apps/spaces/spaces_selection.ts)
[00:09:51]                 │       at listOnTimeout (internal/timers.js:554:17)
[00:09:51]                 │       at processTimers (internal/timers.js:497:7)
[00:09:51]                 │ 
[00:09:51]                 │ 

Stack Trace

Error: Timeout of 360000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/dev/shm/workspace/parallel/3/kibana/x-pack/test/functional/apps/spaces/spaces_selection.ts)
    at listOnTimeout (internal/timers.js:554:17)
    at processTimers (internal/timers.js:497:7)

Metrics [docs]

Unknown metric groups

References to deprecated APIs

id before after diff
canvas 29 25 -4
crossClusterReplication 8 6 -2
fleet 4 2 -2
globalSearch 4 2 -2
indexManagement 12 7 -5
infra 5 3 -2
licensing 18 15 -3
monitoring 109 56 -53
total -73

To update your PR or re-run it, just comment with:
@elasticmachine merge upstream

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
Projects
None yet
Development

Successfully merging this pull request may close these issues.

2 participants