Compare commits
2 Commits
developmen
...
feature/ut
Author | SHA1 | Date |
---|---|---|
Taylor McKinnon | 38e6e6660f | |
Taylor McKinnon | b59487da8f |
12
.eslintrc
12
.eslintrc
|
@ -1,18 +1,8 @@
|
|||
{
|
||||
"extends": "scality",
|
||||
"env": {
|
||||
"es6": true
|
||||
},
|
||||
"parserOptions": {
|
||||
"ecmaVersion": 9
|
||||
},
|
||||
"rules": {
|
||||
"no-underscore-dangle": "off",
|
||||
"implicit-arrow-linebreak" : "off",
|
||||
"import/extensions": 0,
|
||||
"prefer-spread": 0,
|
||||
"no-param-reassign": 0,
|
||||
"array-callback-return": 0
|
||||
"implicit-arrow-linebreak" : "off"
|
||||
},
|
||||
"settings": {
|
||||
"import/resolver": {
|
||||
|
|
|
@ -1,87 +0,0 @@
|
|||
# General support information
|
||||
|
||||
GitHub Issues are **reserved** for actionable bug reports (including
|
||||
documentation inaccuracies), and feature requests.
|
||||
**All questions** (regarding configuration, usecases, performance, community,
|
||||
events, setup and usage recommendations, among other things) should be asked on
|
||||
the **[Zenko Forum](http://forum.zenko.io/)**.
|
||||
|
||||
> Questions opened as GitHub issues will systematically be closed, and moved to
|
||||
> the [Zenko Forum](http://forum.zenko.io/).
|
||||
|
||||
--------------------------------------------------------------------------------
|
||||
|
||||
## Avoiding duplicates
|
||||
|
||||
When reporting a new issue/requesting a feature, make sure that we do not have
|
||||
any duplicates already open:
|
||||
|
||||
- search the issue list for this repository (use the search bar, select
|
||||
"Issues" on the left pane after searching);
|
||||
- if there is a duplicate, please do not open your issue, and add a comment
|
||||
to the existing issue instead.
|
||||
|
||||
--------------------------------------------------------------------------------
|
||||
|
||||
## Bug report information
|
||||
|
||||
(delete this section (everything between the lines) if you're not reporting a
|
||||
bug but requesting a feature)
|
||||
|
||||
### Description
|
||||
|
||||
Briefly describe the problem you are having in a few paragraphs.
|
||||
|
||||
### Steps to reproduce the issue
|
||||
|
||||
Please provide steps to reproduce, including full log output
|
||||
|
||||
### Actual result
|
||||
|
||||
Describe the results you received
|
||||
|
||||
### Expected result
|
||||
|
||||
Describe the results you expected
|
||||
|
||||
### Additional information
|
||||
|
||||
- Node.js version,
|
||||
- Docker version,
|
||||
- npm version,
|
||||
- distribution/OS,
|
||||
- optional: anything else you deem helpful to us.
|
||||
|
||||
--------------------------------------------------------------------------------
|
||||
|
||||
## Feature Request
|
||||
|
||||
(delete this section (everything between the lines) if you're not requesting
|
||||
a feature but reporting a bug)
|
||||
|
||||
### Proposal
|
||||
|
||||
Describe the feature
|
||||
|
||||
### Current behavior
|
||||
|
||||
What currently happens
|
||||
|
||||
### Desired behavior
|
||||
|
||||
What you would like to happen
|
||||
|
||||
### Usecase
|
||||
|
||||
Please provide usecases for changing the current behavior
|
||||
|
||||
### Additional information
|
||||
|
||||
- Is this request for your company? Y/N
|
||||
- If Y: Company name:
|
||||
- Are you using any Scality Enterprise Edition products (RING, Zenko EE)? Y/N
|
||||
- Are you willing to contribute this feature yourself?
|
||||
- Position/Title:
|
||||
- How did you hear about us?
|
||||
|
||||
--------------------------------------------------------------------------------
|
|
@ -1,14 +0,0 @@
|
|||
# Creating this image for the CI as GitHub Actions
|
||||
# is unable to overwrite the entrypoint
|
||||
|
||||
ARG REDIS_IMAGE="redis:latest"
|
||||
FROM ${REDIS_IMAGE}
|
||||
|
||||
ENV REDIS_LISTEN_PORT 6380
|
||||
ENV REDIS_MASTER_HOST redis
|
||||
ENV REDIS_MASTER_PORT_NUMBER 6379
|
||||
|
||||
|
||||
ENTRYPOINT redis-server \
|
||||
--port ${REDIS_LISTEN_PORT} \
|
||||
--slaveof ${REDIS_MASTER_HOST} ${REDIS_MASTER_PORT_NUMBER}
|
|
@ -1,7 +0,0 @@
|
|||
FROM ghcr.io/scality/vault:c2607856
|
||||
|
||||
ENV VAULT_DB_BACKEND LEVELDB
|
||||
|
||||
RUN chmod 400 tests/utils/keyfile
|
||||
|
||||
ENTRYPOINT yarn start
|
|
@ -1,65 +0,0 @@
|
|||
name: build-ci-images
|
||||
|
||||
on:
|
||||
workflow_call:
|
||||
|
||||
jobs:
|
||||
warp10-ci:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
secrets:
|
||||
REGISTRY_LOGIN: ${{ github.repository_owner }}
|
||||
REGISTRY_PASSWORD: ${{ github.token }}
|
||||
with:
|
||||
name: warp10-ci
|
||||
context: .
|
||||
file: images/warp10/Dockerfile
|
||||
lfs: true
|
||||
|
||||
redis-ci:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
secrets:
|
||||
REGISTRY_LOGIN: ${{ github.repository_owner }}
|
||||
REGISTRY_PASSWORD: ${{ github.token }}
|
||||
with:
|
||||
name: redis-ci
|
||||
context: .
|
||||
file: images/redis/Dockerfile
|
||||
|
||||
redis-replica-ci:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
needs:
|
||||
- redis-ci
|
||||
secrets:
|
||||
REGISTRY_LOGIN: ${{ github.repository_owner }}
|
||||
REGISTRY_PASSWORD: ${{ github.token }}
|
||||
with:
|
||||
name: redis-replica-ci
|
||||
context: .github/docker/redis-replica
|
||||
build-args: |
|
||||
REDIS_IMAGE=ghcr.io/${{ github.repository }}/redis-ci:${{ github.sha }}
|
||||
|
||||
vault-ci:
|
||||
runs-on: ubuntu-20.04
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
lfs: true
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@v3
|
||||
- name: Login to GitHub Registry
|
||||
uses: docker/login-action@v3
|
||||
with:
|
||||
registry: ghcr.io
|
||||
username: ${{ github.repository_owner }}
|
||||
password: ${{ github.token }}
|
||||
|
||||
- name: Build and push vault Image
|
||||
uses: docker/build-push-action@v5
|
||||
with:
|
||||
push: true
|
||||
context: .github/docker/vault
|
||||
tags: ghcr.io/${{ github.repository }}/vault-ci:${{ github.sha }}
|
||||
cache-from: type=gha,scope=vault
|
||||
cache-to: type=gha,mode=max,scope=vault
|
|
@ -1,16 +0,0 @@
|
|||
name: build-dev-image
|
||||
|
||||
on:
|
||||
push:
|
||||
branches-ignore:
|
||||
- 'development/**'
|
||||
|
||||
jobs:
|
||||
build-dev:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
secrets:
|
||||
REGISTRY_LOGIN: ${{ github.repository_owner }}
|
||||
REGISTRY_PASSWORD: ${{ github.token }}
|
||||
with:
|
||||
namespace: ${{ github.repository_owner }}
|
||||
name: ${{ github.event.repository.name }}
|
|
@ -1,39 +0,0 @@
|
|||
name: release-warp10
|
||||
|
||||
on:
|
||||
workflow_dispatch:
|
||||
inputs:
|
||||
tag:
|
||||
type: string
|
||||
description: 'Tag to be released'
|
||||
required: true
|
||||
create-github-release:
|
||||
type: boolean
|
||||
description: Create a tag and matching Github release.
|
||||
required: false
|
||||
default: true
|
||||
|
||||
jobs:
|
||||
build:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
secrets: inherit
|
||||
with:
|
||||
name: warp10
|
||||
context: .
|
||||
file: images/warp10/Dockerfile
|
||||
tag: ${{ github.event.inputs.tag }}
|
||||
lfs: true
|
||||
|
||||
release:
|
||||
if: ${{ inputs.create-github-release }}
|
||||
runs-on: ubuntu-latest
|
||||
needs: build
|
||||
steps:
|
||||
- uses: softprops/action-gh-release@v2
|
||||
env:
|
||||
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
|
||||
with:
|
||||
name: Release utapi/warp10:${{ github.event.inputs.tag }}-warp10
|
||||
tag_name: ${{ github.event.inputs.tag }}-warp10
|
||||
generate_release_notes: false
|
||||
target_commitish: ${{ github.sha }}
|
|
@ -1,45 +0,0 @@
|
|||
name: release
|
||||
|
||||
on:
|
||||
workflow_dispatch:
|
||||
inputs:
|
||||
dockerfile:
|
||||
description: Dockerfile to build image from
|
||||
type: choice
|
||||
options:
|
||||
- images/nodesvc-base/Dockerfile
|
||||
- Dockerfile
|
||||
required: true
|
||||
tag:
|
||||
type: string
|
||||
description: 'Tag to be released'
|
||||
required: true
|
||||
create-github-release:
|
||||
type: boolean
|
||||
description: Create a tag and matching Github release.
|
||||
required: false
|
||||
default: false
|
||||
|
||||
jobs:
|
||||
build:
|
||||
uses: scality/workflows/.github/workflows/docker-build.yaml@v2
|
||||
with:
|
||||
namespace: ${{ github.repository_owner }}
|
||||
name: ${{ github.event.repository.name }}
|
||||
context: .
|
||||
file: ${{ github.event.inputs.dockerfile}}
|
||||
tag: ${{ github.event.inputs.tag }}
|
||||
|
||||
release:
|
||||
if: ${{ inputs.create-github-release }}
|
||||
runs-on: ubuntu-latest
|
||||
needs: build
|
||||
steps:
|
||||
- uses: softprops/action-gh-release@v2
|
||||
env:
|
||||
GITHUB_TOKEN: ${{ github.token }}
|
||||
with:
|
||||
name: Release ${{ github.event.inputs.tag }}
|
||||
tag_name: ${{ github.event.inputs.tag }}
|
||||
generate_release_notes: true
|
||||
target_commitish: ${{ github.sha }}
|
|
@ -1,361 +0,0 @@
|
|||
---
|
||||
name: tests
|
||||
|
||||
on:
|
||||
push:
|
||||
branches-ignore:
|
||||
- 'development/**'
|
||||
|
||||
workflow_dispatch:
|
||||
inputs:
|
||||
debug:
|
||||
description: Debug (enable the ability to SSH to runners)
|
||||
type: boolean
|
||||
required: false
|
||||
default: 'false'
|
||||
connection-timeout-m:
|
||||
type: number
|
||||
required: false
|
||||
description: Timeout for ssh connection to worker (minutes)
|
||||
default: 30
|
||||
jobs:
|
||||
build-ci:
|
||||
uses: ./.github/workflows/build-ci.yaml
|
||||
|
||||
lint:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
lfs: true
|
||||
- uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: '16.13.2'
|
||||
cache: yarn
|
||||
- name: install dependencies
|
||||
run: yarn install --frozen-lockfile --network-concurrency 1
|
||||
- name: run static analysis tools on markdown
|
||||
run: yarn run lint_md
|
||||
- name: run static analysis tools on code
|
||||
run: yarn run lint
|
||||
|
||||
tests-v1:
|
||||
needs:
|
||||
- build-ci
|
||||
runs-on: ubuntu-latest
|
||||
env:
|
||||
REINDEX_PYTHON_INTERPRETER: python3
|
||||
name: ${{ matrix.test.name }}
|
||||
strategy:
|
||||
fail-fast: false
|
||||
matrix:
|
||||
test:
|
||||
- name: run unit tests
|
||||
command: yarn test
|
||||
env:
|
||||
UTAPI_METRICS_ENABLED: 'true'
|
||||
- name: run v1 client tests
|
||||
command: bash ./.github/scripts/run_ft_tests.bash false ft_test:client
|
||||
env: {}
|
||||
- name: run v1 server tests
|
||||
command: bash ./.github/scripts/run_ft_tests.bash false ft_test:server
|
||||
env: {}
|
||||
- name: run v1 cron tests
|
||||
command: bash ./.github/scripts/run_ft_tests.bash false ft_test:cron
|
||||
env: {}
|
||||
- name: run v1 interval tests
|
||||
command: bash ./.github/scripts/run_ft_tests.bash true ft_test:interval
|
||||
env: {}
|
||||
services:
|
||||
redis:
|
||||
image: ghcr.io/${{ github.repository }}/redis-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6379:6379
|
||||
- 9121:9121
|
||||
options: >-
|
||||
--health-cmd "redis-cli ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-replica:
|
||||
image: ghcr.io/${{ github.repository }}/redis-replica-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6380:6380
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 6380 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-sentinel:
|
||||
image: bitnami/redis-sentinel:7.2.4
|
||||
env:
|
||||
REDIS_MASTER_SET: scality-s3
|
||||
REDIS_SENTINEL_PORT_NUMBER: '16379'
|
||||
REDIS_SENTINEL_QUORUM: '1'
|
||||
ports:
|
||||
- 16379:16379
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 16379 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
warp10:
|
||||
image: ghcr.io/${{ github.repository }}/warp10-ci:${{ github.sha }}
|
||||
env:
|
||||
standalone.port: '4802'
|
||||
warpscript.maxops: '10000000'
|
||||
ENABLE_SENSISION: 't'
|
||||
options: >-
|
||||
--health-cmd "curl localhost:4802/api/v0/check"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 10
|
||||
--health-start-period 60s
|
||||
ports:
|
||||
- 4802:4802
|
||||
- 8082:8082
|
||||
- 9718:9718
|
||||
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
lfs: true
|
||||
- uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: '16.13.2'
|
||||
cache: yarn
|
||||
- uses: actions/setup-python@v5
|
||||
with:
|
||||
python-version: '3.9'
|
||||
cache: pip
|
||||
- name: Install python deps
|
||||
run: pip install -r requirements.txt
|
||||
- name: install dependencies
|
||||
run: yarn install --frozen-lockfile --network-concurrency 1
|
||||
- name: ${{ matrix.test.name }}
|
||||
run: ${{ matrix.test.command }}
|
||||
env: ${{ matrix.test.env }}
|
||||
|
||||
tests-v2-with-vault:
|
||||
needs:
|
||||
- build-ci
|
||||
runs-on: ubuntu-latest
|
||||
env:
|
||||
REINDEX_PYTHON_INTERPRETER: python3
|
||||
services:
|
||||
redis:
|
||||
image: ghcr.io/${{ github.repository }}/redis-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6379:6379
|
||||
- 9121:9121
|
||||
options: >-
|
||||
--health-cmd "redis-cli ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-replica:
|
||||
image: ghcr.io/${{ github.repository }}/redis-replica-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6380:6380
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 6380 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-sentinel:
|
||||
image: bitnami/redis-sentinel:7.2.4
|
||||
env:
|
||||
REDIS_MASTER_SET: scality-s3
|
||||
REDIS_SENTINEL_PORT_NUMBER: '16379'
|
||||
REDIS_SENTINEL_QUORUM: '1'
|
||||
ports:
|
||||
- 16379:16379
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 16379 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
warp10:
|
||||
image: ghcr.io/${{ github.repository }}/warp10-ci:${{ github.sha }}
|
||||
env:
|
||||
standalone.port: '4802'
|
||||
warpscript.maxops: '10000000'
|
||||
ENABLE_SENSISION: 't'
|
||||
ports:
|
||||
- 4802:4802
|
||||
- 8082:8082
|
||||
- 9718:9718
|
||||
options: >-
|
||||
--health-cmd "curl localhost:4802/api/v0/check"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 10
|
||||
--health-start-period 60s
|
||||
vault:
|
||||
image: ghcr.io/${{ github.repository }}/vault-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 8500:8500
|
||||
- 8600:8600
|
||||
- 8700:8700
|
||||
- 8800:8800
|
||||
options: >-
|
||||
--health-cmd "curl http://localhost:8500/_/healthcheck"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 10
|
||||
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
lfs: true
|
||||
- uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: '16.13.2'
|
||||
cache: yarn
|
||||
- uses: actions/setup-python@v5
|
||||
with:
|
||||
python-version: '3.9'
|
||||
cache: pip
|
||||
- name: Install python deps
|
||||
run: pip install -r requirements.txt
|
||||
- name: install dependencies
|
||||
run: yarn install --frozen-lockfile --network-concurrency 1
|
||||
- name: Wait for warp10 for 60 seconds
|
||||
run: sleep 60
|
||||
- name: run v2 functional tests
|
||||
run: bash ./.github/scripts/run_ft_tests.bash true ft_test:v2
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_SERVICE_USER_ENABLED: 'true'
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
- name: 'Debug: SSH to runner'
|
||||
uses: scality/actions/action-ssh-to-runner@1.7.0
|
||||
timeout-minutes: ${{ fromJSON(github.event.inputs.connection-timeout-m) }}
|
||||
continue-on-error: true
|
||||
with:
|
||||
tmate-server-host: ${{ secrets.TMATE_SERVER_HOST }}
|
||||
tmate-server-port: ${{ secrets.TMATE_SERVER_PORT }}
|
||||
tmate-server-rsa-fingerprint: ${{ secrets.TMATE_SERVER_RSA_FINGERPRINT }}
|
||||
tmate-server-ed25519-fingerprint: ${{ secrets.TMATE_SERVER_ED25519_FINGERPRINT }}
|
||||
if: ${{ ( github.event.inputs.debug == true || github.event.inputs.debug == 'true' ) }}
|
||||
|
||||
tests-v2-without-sensision:
|
||||
needs:
|
||||
- build-ci
|
||||
runs-on: ubuntu-latest
|
||||
env:
|
||||
REINDEX_PYTHON_INTERPRETER: python3
|
||||
name: ${{ matrix.test.name }}
|
||||
strategy:
|
||||
fail-fast: false
|
||||
matrix:
|
||||
test:
|
||||
- name: run v2 soft limit test
|
||||
command: bash ./.github/scripts/run_ft_tests.bash true ft_test:softLimit
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
- name: run v2 hard limit test
|
||||
command: bash ./.github/scripts/run_ft_tests.bash true ft_test:hardLimit
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
services:
|
||||
redis:
|
||||
image: ghcr.io/${{ github.repository }}/redis-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6379:6379
|
||||
- 9121:9121
|
||||
options: >-
|
||||
--health-cmd "redis-cli ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-replica:
|
||||
image: ghcr.io/${{ github.repository }}/redis-replica-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 6380:6380
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 6380 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
redis-sentinel:
|
||||
image: bitnami/redis-sentinel:7.2.4
|
||||
env:
|
||||
REDIS_MASTER_SET: scality-s3
|
||||
REDIS_SENTINEL_PORT_NUMBER: '16379'
|
||||
REDIS_SENTINEL_QUORUM: '1'
|
||||
ports:
|
||||
- 16379:16379
|
||||
options: >-
|
||||
--health-cmd "redis-cli -p 16379 ping"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 5
|
||||
warp10:
|
||||
image: ghcr.io/${{ github.repository }}/warp10-ci:${{ github.sha }}
|
||||
env:
|
||||
standalone.port: '4802'
|
||||
warpscript.maxops: '10000000'
|
||||
ports:
|
||||
- 4802:4802
|
||||
- 8082:8082
|
||||
- 9718:9718
|
||||
options: >-
|
||||
--health-cmd "curl localhost:4802/api/v0/check"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 10
|
||||
--health-start-period 60s
|
||||
vault:
|
||||
image: ghcr.io/${{ github.repository }}/vault-ci:${{ github.sha }}
|
||||
ports:
|
||||
- 8500:8500
|
||||
- 8600:8600
|
||||
- 8700:8700
|
||||
- 8800:8800
|
||||
options: >-
|
||||
--health-cmd "curl http://localhost:8500/_/healthcheck"
|
||||
--health-interval 10s
|
||||
--health-timeout 5s
|
||||
--health-retries 10
|
||||
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
lfs: true
|
||||
- uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: '16.13.2'
|
||||
cache: yarn
|
||||
- uses: actions/setup-python@v5
|
||||
with:
|
||||
python-version: '3.9'
|
||||
cache: pip
|
||||
- name: Install python deps
|
||||
run: pip install -r requirements.txt
|
||||
- name: install dependencies
|
||||
run: yarn install --frozen-lockfile --network-concurrency 1
|
||||
- name: Wait for warp10 a little bit
|
||||
run: sleep 60
|
||||
- name: ${{ matrix.test.name }}
|
||||
run: ${{ matrix.test.command }}
|
||||
env: ${{ matrix.test.env }}
|
||||
- name: 'Debug: SSH to runner'
|
||||
uses: scality/actions/action-ssh-to-runner@1.7.0
|
||||
timeout-minutes: ${{ fromJSON(github.event.inputs.connection-timeout-m) }}
|
||||
continue-on-error: true
|
||||
with:
|
||||
tmate-server-host: ${{ secrets.TMATE_SERVER_HOST }}
|
||||
tmate-server-port: ${{ secrets.TMATE_SERVER_PORT }}
|
||||
tmate-server-rsa-fingerprint: ${{ secrets.TMATE_SERVER_RSA_FINGERPRINT }}
|
||||
tmate-server-ed25519-fingerprint: ${{ secrets.TMATE_SERVER_ED25519_FINGERPRINT }}
|
||||
if: ${{ ( github.event.inputs.debug == true || github.event.inputs.debug == 'true' ) }}
|
31
Dockerfile
31
Dockerfile
|
@ -1,31 +0,0 @@
|
|||
FROM node:16.13.2-buster-slim
|
||||
|
||||
WORKDIR /usr/src/app
|
||||
|
||||
COPY package.json yarn.lock /usr/src/app/
|
||||
|
||||
RUN apt-get update \
|
||||
&& apt-get install -y \
|
||||
curl \
|
||||
gnupg2
|
||||
|
||||
RUN curl -sS http://dl.yarnpkg.com/debian/pubkey.gpg | apt-key add - \
|
||||
&& echo "deb http://dl.yarnpkg.com/debian/ stable main" | tee /etc/apt/sources.list.d/yarn.list
|
||||
|
||||
RUN apt-get update \
|
||||
&& apt-get install -y jq git python3 build-essential yarn --no-install-recommends \
|
||||
&& yarn cache clean \
|
||||
&& yarn install --frozen-lockfile --production --ignore-optional --network-concurrency=1 \
|
||||
&& apt-get autoremove --purge -y python3 git build-essential \
|
||||
&& rm -rf /var/lib/apt/lists/* \
|
||||
&& yarn cache clean \
|
||||
&& rm -rf ~/.node-gyp \
|
||||
&& rm -rf /tmp/yarn-*
|
||||
|
||||
# Keep the .git directory in order to properly report version
|
||||
COPY . /usr/src/app
|
||||
|
||||
ENTRYPOINT ["/usr/src/app/docker-entrypoint.sh"]
|
||||
CMD [ "yarn", "start" ]
|
||||
|
||||
EXPOSE 8100
|
37
README.md
37
README.md
|
@ -3,8 +3,9 @@
|
|||
![Utapi logo](res/utapi-logo.png)
|
||||
|
||||
[![Circle CI][badgepub]](https://circleci.com/gh/scality/utapi)
|
||||
[![Scality CI][badgepriv]](http://ci.ironmann.io/gh/scality/utapi)
|
||||
|
||||
Service Utilization API for tracking resource usage and metrics reporting.
|
||||
Service Utilization API for tracking resource usage and metrics reporting
|
||||
|
||||
## Design
|
||||
|
||||
|
@ -87,13 +88,13 @@ Server is running.
|
|||
1. Create an IAM user
|
||||
|
||||
```
|
||||
aws iam --endpoint-url <endpoint> create-user --user-name <user-name>
|
||||
aws iam --endpoint-url <endpoint> create-user --user-name utapiuser
|
||||
```
|
||||
|
||||
2. Create access key for the user
|
||||
|
||||
```
|
||||
aws iam --endpoint-url <endpoint> create-access-key --user-name <user-name>
|
||||
aws iam --endpoint-url <endpoint> create-access-key --user-name utapiuser
|
||||
```
|
||||
|
||||
3. Define a managed IAM policy
|
||||
|
@ -202,11 +203,12 @@ Server is running.
|
|||
5. Attach user to the managed policy
|
||||
|
||||
```
|
||||
aws --endpoint-url <endpoint> iam attach-user-policy --user-name
|
||||
<user-name> --policy-arn <policy arn>
|
||||
aws --endpoint-url <endpoint> iam attach-user-policy --user-name utapiuser
|
||||
--policy-arn <policy arn>
|
||||
```
|
||||
|
||||
Now the user has access to ListMetrics request in Utapi on all buckets.
|
||||
Now the user `utapiuser` has access to ListMetrics request in Utapi on all
|
||||
buckets.
|
||||
|
||||
### Signing request with Auth V4
|
||||
|
||||
|
@ -222,18 +224,16 @@ following urls for reference.
|
|||
You may also view examples making a request with Auth V4 using various languages
|
||||
and AWS SDKs [here](/examples).
|
||||
|
||||
Alternatively, you can use a nifty command line tool available in Scality's
|
||||
CloudServer.
|
||||
Alternatively, you can use a nifty command line tool available in Scality's S3.
|
||||
|
||||
You can git clone the CloudServer repo from here
|
||||
https://github.com/scality/cloudserver and follow the instructions in the README
|
||||
to install the dependencies.
|
||||
You can git clone S3 repo from here https://github.com/scality/S3.git and follow
|
||||
the instructions in README to install the dependencies.
|
||||
|
||||
If you have CloudServer running inside a docker container you can docker exec
|
||||
into the CloudServer container as
|
||||
If you have S3 running inside a docker container you can docker exec into the S3
|
||||
container as
|
||||
|
||||
```
|
||||
docker exec -it <container-id> bash
|
||||
docker exec -it <container id> bash
|
||||
```
|
||||
|
||||
and then run the command
|
||||
|
@ -271,7 +271,7 @@ Usage: list_metrics [options]
|
|||
-v, --verbose
|
||||
```
|
||||
|
||||
An example call to list metrics for a bucket `demo` to Utapi in a https enabled
|
||||
A typical call to list metrics for a bucket `demo` to Utapi in a https enabled
|
||||
deployment would be
|
||||
|
||||
```
|
||||
|
@ -283,7 +283,7 @@ Both start and end times are time expressed as UNIX epoch timestamps **expressed
|
|||
in milliseconds**.
|
||||
|
||||
Keep in mind, since Utapi metrics are normalized to the nearest 15 min.
|
||||
interval, start time and end time need to be in the specific format as follows.
|
||||
interval, so start time and end time need to be in specific format as follows.
|
||||
|
||||
#### Start time
|
||||
|
||||
|
@ -297,7 +297,7 @@ Date: Tue Oct 11 2016 17:35:25 GMT-0700 (PDT)
|
|||
|
||||
Unix timestamp (milliseconds): 1476232525320
|
||||
|
||||
Here's an example JS method to get a start timestamp
|
||||
Here's a typical JS method to get start timestamp
|
||||
|
||||
```javascript
|
||||
function getStartTimestamp(t) {
|
||||
|
@ -317,7 +317,7 @@ seconds and milliseconds set to 59 and 999 respectively. So valid end timestamps
|
|||
would look something like `09:14:59:999`, `09:29:59:999`, `09:44:59:999` and
|
||||
`09:59:59:999`.
|
||||
|
||||
Here's an example JS method to get an end timestamp
|
||||
Here's a typical JS method to get end timestamp
|
||||
|
||||
```javascript
|
||||
function getEndTimestamp(t) {
|
||||
|
@ -342,3 +342,4 @@ In order to contribute, please follow the
|
|||
https://github.com/scality/Guidelines/blob/master/CONTRIBUTING.md).
|
||||
|
||||
[badgepub]: http://circleci.com/gh/scality/utapi.svg?style=svg
|
||||
[badgepriv]: http://ci.ironmann.io/gh/scality/utapi.svg?style=svg
|
||||
|
|
|
@ -1,276 +0,0 @@
|
|||
#! /usr/bin/env node
|
||||
|
||||
// TODO
|
||||
// - deduplicate with Vault's seed script at https://github.com/scality/Vault/pull/1627
|
||||
// - add permission boundaries to user when https://scality.atlassian.net/browse/VAULT-4 is implemented
|
||||
|
||||
const { errors } = require('arsenal');
|
||||
const program = require('commander');
|
||||
const werelogs = require('werelogs');
|
||||
const async = require('async');
|
||||
const { IAM } = require('aws-sdk');
|
||||
const { version } = require('../package.json');
|
||||
|
||||
const systemPrefix = '/scality-internal/';
|
||||
|
||||
function generateUserPolicyDocument() {
|
||||
return {
|
||||
Version: '2012-10-17',
|
||||
Statement: {
|
||||
Effect: 'Allow',
|
||||
Action: 'utapi:ListMetrics',
|
||||
Resource: 'arn:scality:utapi:::*/*',
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
function createIAMClient(opts) {
|
||||
return new IAM({
|
||||
endpoint: opts.iamEndpoint,
|
||||
});
|
||||
}
|
||||
|
||||
function needsCreation(v) {
|
||||
if (Array.isArray(v)) {
|
||||
return !v.length;
|
||||
}
|
||||
|
||||
return !v;
|
||||
}
|
||||
|
||||
class BaseHandler {
|
||||
constructor(serviceName, iamClient, log) {
|
||||
this.serviceName = serviceName;
|
||||
this.iamClient = iamClient;
|
||||
this.log = log;
|
||||
}
|
||||
|
||||
applyWaterfall(values, done) {
|
||||
this.log.debug('applyWaterfall', { values, type: this.resourceType });
|
||||
|
||||
const v = values[this.resourceType];
|
||||
|
||||
if (needsCreation(v)) {
|
||||
this.log.debug('creating', { v, type: this.resourceType });
|
||||
return this.create(values)
|
||||
.then(res =>
|
||||
done(null, Object.assign(values, {
|
||||
[this.resourceType]: res,
|
||||
})))
|
||||
.catch(done);
|
||||
}
|
||||
|
||||
this.log.debug('conflicts check', { v, type: this.resourceType });
|
||||
if (this.conflicts(v)) {
|
||||
return done(errors.EntityAlreadyExists.customizeDescription(
|
||||
`${this.resourceType} ${this.serviceName} already exists and conflicts with the expected value.`));
|
||||
}
|
||||
|
||||
this.log.debug('nothing to do', { v, type: this.resourceType });
|
||||
return done(null, values);
|
||||
}
|
||||
}
|
||||
|
||||
class UserHandler extends BaseHandler {
|
||||
get resourceType() {
|
||||
return 'user';
|
||||
}
|
||||
|
||||
collect() {
|
||||
return this.iamClient.getUser({
|
||||
UserName: this.serviceName,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.User);
|
||||
}
|
||||
|
||||
create(allResources) {
|
||||
return this.iamClient.createUser({
|
||||
UserName: this.serviceName,
|
||||
Path: systemPrefix,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.User);
|
||||
}
|
||||
|
||||
conflicts(u) {
|
||||
return u.Path !== systemPrefix;
|
||||
}
|
||||
}
|
||||
|
||||
class PolicyHandler extends BaseHandler {
|
||||
get resourceType() {
|
||||
return 'policy';
|
||||
}
|
||||
|
||||
collect() {
|
||||
return this.iamClient.listPolicies({
|
||||
MaxItems: 100,
|
||||
OnlyAttached: false,
|
||||
Scope: 'All',
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.Policies.find(p => p.PolicyName === this.serviceName));
|
||||
}
|
||||
|
||||
create(allResources) {
|
||||
const doc = generateUserPolicyDocument();
|
||||
|
||||
return this.iamClient.createPolicy({
|
||||
PolicyName: this.serviceName,
|
||||
PolicyDocument: JSON.stringify(doc),
|
||||
Path: systemPrefix,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.Policy);
|
||||
}
|
||||
|
||||
conflicts(p) {
|
||||
return p.Path !== systemPrefix;
|
||||
}
|
||||
}
|
||||
|
||||
class PolicyAttachmentHandler extends BaseHandler {
|
||||
get resourceType() {
|
||||
return 'policyAttachment';
|
||||
}
|
||||
|
||||
collect() {
|
||||
return this.iamClient.listAttachedUserPolicies({
|
||||
UserName: this.serviceName,
|
||||
MaxItems: 100,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.AttachedPolicies)
|
||||
}
|
||||
|
||||
create(allResources) {
|
||||
return this.iamClient.attachUserPolicy({
|
||||
PolicyArn: allResources.policy.Arn,
|
||||
UserName: this.serviceName,
|
||||
})
|
||||
.promise();
|
||||
}
|
||||
|
||||
conflicts(p) {
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
class AccessKeyHandler extends BaseHandler {
|
||||
get resourceType() {
|
||||
return 'accessKey';
|
||||
}
|
||||
|
||||
collect() {
|
||||
return this.iamClient.listAccessKeys({
|
||||
UserName: this.serviceName,
|
||||
MaxItems: 100,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.AccessKeyMetadata)
|
||||
}
|
||||
|
||||
create(allResources) {
|
||||
return this.iamClient.createAccessKey({
|
||||
UserName: this.serviceName,
|
||||
})
|
||||
.promise()
|
||||
.then(res => res.AccessKey);
|
||||
}
|
||||
|
||||
conflicts(a) {
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
function collectResource(v, done) {
|
||||
v.collect()
|
||||
.then(res => done(null, res))
|
||||
.catch(err => {
|
||||
if (err.code === 'NoSuchEntity') {
|
||||
return done(null, null);
|
||||
}
|
||||
|
||||
done(err);
|
||||
});
|
||||
}
|
||||
|
||||
function collectResourcesFromHandlers(handlers, cb) {
|
||||
const tasks = handlers.reduce((acc, v) => ({
|
||||
[v.resourceType]: done => collectResource(v, done),
|
||||
...acc,
|
||||
}), {});
|
||||
async.parallel(tasks, cb);
|
||||
}
|
||||
|
||||
function buildServiceUserHandlers(serviceName, client, log) {
|
||||
return [
|
||||
UserHandler,
|
||||
PolicyHandler,
|
||||
PolicyAttachmentHandler,
|
||||
AccessKeyHandler,
|
||||
].map(h => new h(serviceName, client, log));
|
||||
}
|
||||
|
||||
function apply(client, serviceName, log, cb) {
|
||||
const handlers = buildServiceUserHandlers(serviceName, client, log);
|
||||
|
||||
async.waterfall([
|
||||
done => collectResourcesFromHandlers(handlers, done),
|
||||
...handlers.map(h => h.applyWaterfall.bind(h)),
|
||||
(values, done) => done(null, values.accessKey),
|
||||
], cb);
|
||||
}
|
||||
|
||||
function wrapAction(actionFunc, serviceName, options) {
|
||||
werelogs.configure({
|
||||
level: options.logLevel,
|
||||
dump: options.logDumpLevel,
|
||||
});
|
||||
|
||||
const log = new werelogs.Logger(process.argv[1]).newRequestLogger();
|
||||
const client = createIAMClient(options);
|
||||
|
||||
actionFunc(client, serviceName, log, (err, data) => {
|
||||
if (err) {
|
||||
log.error('failed', {
|
||||
data,
|
||||
error: err,
|
||||
});
|
||||
if (err.EntityAlreadyExists) {
|
||||
log.error(`run "${process.argv[1]} purge ${serviceName}" to fix.`);
|
||||
}
|
||||
process.exit(1);
|
||||
}
|
||||
log.info('success', { data });
|
||||
process.exit();
|
||||
});
|
||||
}
|
||||
|
||||
program.version(version);
|
||||
|
||||
[
|
||||
{
|
||||
name: 'apply <service-name>',
|
||||
actionFunc: apply,
|
||||
},
|
||||
].forEach(cmd => {
|
||||
program
|
||||
.command(cmd.name)
|
||||
.option('--iam-endpoint <url>', 'IAM endpoint', 'http://localhost:8600')
|
||||
.option('--log-level <level>', 'log level', 'info')
|
||||
.option('--log-dump-level <level>', 'log level that triggers a dump of the debug buffer', 'error')
|
||||
.action(wrapAction.bind(null, cmd.actionFunc));
|
||||
});
|
||||
|
||||
const validCommands = program.commands.map(n => n._name);
|
||||
|
||||
// Is the command given invalid or are there too few arguments passed
|
||||
if (!validCommands.includes(process.argv[2])) {
|
||||
program.outputHelp();
|
||||
process.stdout.write('\n');
|
||||
process.exit(1);
|
||||
} else {
|
||||
program.parse(process.argv);
|
||||
}
|
|
@ -1,75 +0,0 @@
|
|||
version: '3.8'
|
||||
|
||||
x-models:
|
||||
warp10: &warp10
|
||||
build:
|
||||
context: .
|
||||
dockerfile: ./images/warp10/Dockerfile
|
||||
volumes: [ $PWD/warpscript:/usr/local/share/warpscript ]
|
||||
|
||||
warp10_env: &warp10_env
|
||||
ENABLE_WARPSTUDIO: 'true'
|
||||
ENABLE_SENSISION: 'true'
|
||||
warpscript.repository.refresh: 1000
|
||||
warpscript.maxops: 1000000000
|
||||
warpscript.maxops.hard: 1000000000
|
||||
warpscript.maxfetch: 1000000000
|
||||
warpscript.maxfetch.hard: 1000000000
|
||||
warpscript.extension.debug: io.warp10.script.ext.debug.DebugWarpScriptExtension
|
||||
warpscript.maxrecursion: 1000
|
||||
warpscript.repository.directory: /usr/local/share/warpscript
|
||||
warpscript.extension.logEvent: io.warp10.script.ext.logging.LoggingWarpScriptExtension
|
||||
|
||||
redis: &redis
|
||||
build:
|
||||
context: .
|
||||
dockerfile: ./images/redis/Dockerfile
|
||||
|
||||
services:
|
||||
redis-0:
|
||||
image: redis:7.2.4
|
||||
command: redis-server --port 6379 --slave-announce-ip "${EXTERNAL_HOST}"
|
||||
ports:
|
||||
- 6379:6379
|
||||
environment:
|
||||
- HOST_IP="${EXTERNAL_HOST}"
|
||||
|
||||
redis-1:
|
||||
image: redis:7.2.4
|
||||
command: redis-server --port 6380 --slaveof "${EXTERNAL_HOST}" 6379 --slave-announce-ip "${EXTERNAL_HOST}"
|
||||
ports:
|
||||
- 6380:6380
|
||||
environment:
|
||||
- HOST_IP="${EXTERNAL_HOST}"
|
||||
|
||||
redis-sentinel-0:
|
||||
image: redis:7.2.4
|
||||
command: |-
|
||||
bash -c 'cat > /tmp/sentinel.conf <<EOF
|
||||
port 16379
|
||||
logfile ""
|
||||
dir /tmp
|
||||
sentinel announce-ip ${EXTERNAL_HOST}
|
||||
sentinel announce-port 16379
|
||||
sentinel monitor scality-s3 "${EXTERNAL_HOST}" 6379 1
|
||||
EOF
|
||||
redis-sentinel /tmp/sentinel.conf'
|
||||
|
||||
environment:
|
||||
- HOST_IP="${EXTERNAL_HOST}"
|
||||
ports:
|
||||
- 16379:16379
|
||||
|
||||
warp10:
|
||||
<< : *warp10
|
||||
environment:
|
||||
<< : *warp10_env
|
||||
|
||||
ports:
|
||||
- 4802:4802
|
||||
- 8081:8081
|
||||
- 9718:9718
|
||||
|
||||
volumes:
|
||||
- /tmp/warp10:/data
|
||||
- '${PWD}/warpscript:/usr/local/share/warpscript'
|
|
@ -1,47 +0,0 @@
|
|||
#!/bin/bash
|
||||
|
||||
# set -e stops the execution of a script if a command or pipeline has an error
|
||||
set -e
|
||||
|
||||
# modifying config.json
|
||||
JQ_FILTERS_CONFIG="."
|
||||
|
||||
if [[ "$LOG_LEVEL" ]]; then
|
||||
if [[ "$LOG_LEVEL" == "info" || "$LOG_LEVEL" == "debug" || "$LOG_LEVEL" == "trace" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .log.logLevel=\"$LOG_LEVEL\""
|
||||
echo "Log level has been modified to $LOG_LEVEL"
|
||||
else
|
||||
echo "The log level you provided is incorrect (info/debug/trace)"
|
||||
fi
|
||||
fi
|
||||
|
||||
if [[ "$WORKERS" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .workers=\"$WORKERS\""
|
||||
fi
|
||||
|
||||
if [[ "$REDIS_HOST" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .redis.host=\"$REDIS_HOST\""
|
||||
fi
|
||||
|
||||
if [[ "$REDIS_PORT" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .redis.port=\"$REDIS_PORT\""
|
||||
fi
|
||||
|
||||
if [[ "$VAULTD_HOST" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .vaultd.host=\"$VAULTD_HOST\""
|
||||
fi
|
||||
|
||||
if [[ "$VAULTD_PORT" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .vaultd.port=\"$VAULTD_PORT\""
|
||||
fi
|
||||
|
||||
if [[ "$HEALTHCHECKS_ALLOWFROM" ]]; then
|
||||
JQ_FILTERS_CONFIG="$JQ_FILTERS_CONFIG | .healthChecks.allowFrom=[\"$HEALTHCHECKS_ALLOWFROM\"]"
|
||||
fi
|
||||
|
||||
if [[ $JQ_FILTERS_CONFIG != "." ]]; then
|
||||
jq "$JQ_FILTERS_CONFIG" config.json > config.json.tmp
|
||||
mv config.json.tmp config.json
|
||||
fi
|
||||
|
||||
exec "$@"
|
|
@ -1,42 +0,0 @@
|
|||
# Utapi Release Plan
|
||||
|
||||
## Docker Image Generation
|
||||
|
||||
Docker images are hosted on [ghcr.io](https://github.com/orgs/scality/packages).
|
||||
Utapi has one namespace there:
|
||||
|
||||
* Namespace: ghcr.io/scality/utapi
|
||||
|
||||
With every CI build, the CI will push images, tagging the
|
||||
content with the developer branch's short SHA-1 commit hash.
|
||||
This allows those images to be used by developers, CI builds,
|
||||
build chain and so on.
|
||||
|
||||
Tagged versions of utapi will be stored in the production namespace.
|
||||
|
||||
## How to Pull Docker Images
|
||||
|
||||
```sh
|
||||
docker pull ghcr.io/scality/utapi:<commit hash>
|
||||
docker pull ghcr.io/scality/utapi:<tag>
|
||||
```
|
||||
|
||||
## Release Process
|
||||
|
||||
To release a production image:
|
||||
|
||||
* Name the tag for the repository and Docker image.
|
||||
|
||||
* Use the `yarn version` command with the same tag to update `package.json`.
|
||||
|
||||
* Create a PR and merge the `package.json` change.
|
||||
|
||||
* Tag the repository using the same tag.
|
||||
|
||||
* [Force a build] using:
|
||||
* A given branch that ideally matches the tag.
|
||||
* The `release` stage.
|
||||
* An extra property with the name `tag` and its value being the actual tag.
|
||||
|
||||
[Force a build]:
|
||||
https://eve.devsca.com/github/scality/utapi/#/builders/bootstrap/force/force
|
|
@ -0,0 +1,201 @@
|
|||
---
|
||||
version: 0.2
|
||||
|
||||
branches:
|
||||
default:
|
||||
stage: pre-merge
|
||||
|
||||
models:
|
||||
- Git: &clone
|
||||
name: Pull repo
|
||||
repourl: '%(prop:git_reference)s'
|
||||
shallow: True
|
||||
retryFetch: True
|
||||
haltOnFailure: True
|
||||
- Workspace: &workspace
|
||||
type: kube_pod
|
||||
path: eve/workers/pod.yml
|
||||
images:
|
||||
aggressor:
|
||||
context: '.'
|
||||
dockerfile: eve/workers/unit_and_feature_tests/Dockerfile
|
||||
warp10:
|
||||
context: '.'
|
||||
dockerfile: 'images/warp10/Dockerfile'
|
||||
vault: eve/workers/mocks/vault
|
||||
- Upload: &upload_artifacts
|
||||
source: /artifacts
|
||||
urls:
|
||||
- "*"
|
||||
- ShellCommand: &fetch_lfs
|
||||
name: fetch lfs files
|
||||
usePTY: True
|
||||
command: |
|
||||
git lfs pull
|
||||
haltOnFailure: True
|
||||
|
||||
stages:
|
||||
pre-merge:
|
||||
worker:
|
||||
type: local
|
||||
steps:
|
||||
- ShellCommand:
|
||||
name: Pull LFS content on Master build
|
||||
command: |
|
||||
git lfs pull
|
||||
workdir: "%(prop:master_builddir)s/build"
|
||||
- TriggerStages:
|
||||
name: trigger all the tests
|
||||
stage_names:
|
||||
- linting-coverage
|
||||
- run-unit-tests
|
||||
- run-client-tests
|
||||
- run-server-tests
|
||||
- run-cron-tests
|
||||
- run-interval-tests
|
||||
- run-v2-functional-tests
|
||||
- run-v2-limit-tests
|
||||
linting-coverage:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: run static analysis tools on markdown
|
||||
command: yarn run lint_md
|
||||
- ShellCommand:
|
||||
name: run static analysis tools on code
|
||||
command: yarn run lint
|
||||
run-unit-tests:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand:
|
||||
name: run unit tests
|
||||
command: yarn test
|
||||
run-client-tests:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: run client tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash false ft_test:client
|
||||
logfiles:
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:client.log"
|
||||
follow: true
|
||||
run-server-tests:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: run server tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash false ft_test:server
|
||||
logfiles:
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:server.log"
|
||||
follow: true
|
||||
run-cron-tests:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: run cron tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash false ft_test:cron
|
||||
logfiles:
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:cron.log"
|
||||
follow: true
|
||||
run-interval-tests:
|
||||
worker: *workspace
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: run interval tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash true ft_test:interval
|
||||
logfiles:
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:interval.log"
|
||||
follow: true
|
||||
run-v2-functional-tests:
|
||||
worker:
|
||||
<< : *workspace
|
||||
vars:
|
||||
vault: enabled
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: Wait for Warp 10
|
||||
command: |
|
||||
bash -c "
|
||||
set -ex
|
||||
bash tests/utils/wait_for_local_port.bash 4802 60"
|
||||
logfiles:
|
||||
warp10:
|
||||
filename: "/artifacts/warp10.log"
|
||||
follow: true
|
||||
- ShellCommand:
|
||||
name: run v2 functional tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash true ft_test:v2
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
logfiles:
|
||||
warp10:
|
||||
filename: "/artifacts/warp10.log"
|
||||
follow: true
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:v2.log"
|
||||
follow: true
|
||||
run-v2-limit-tests:
|
||||
worker:
|
||||
<< : *workspace
|
||||
vars:
|
||||
vault: enabled
|
||||
steps:
|
||||
- Git: *clone
|
||||
- ShellCommand: *fetch_lfs
|
||||
- ShellCommand:
|
||||
name: Wait for Warp 10
|
||||
command: |
|
||||
bash -c "
|
||||
set -ex
|
||||
bash tests/utils/wait_for_local_port.bash 4802 60"
|
||||
logfiles:
|
||||
warp10:
|
||||
filename: "/artifacts/warp10.log"
|
||||
follow: true
|
||||
- ShellCommand:
|
||||
name: run v2 soft limit tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash true ft_test:softLimit
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
logfiles:
|
||||
warp10:
|
||||
filename: "/artifacts/warp10.log"
|
||||
follow: true
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:softLimit.log"
|
||||
- ShellCommand:
|
||||
name: run v2 hard limit tests
|
||||
command: bash ./eve/workers/unit_and_feature_tests/run_ft_tests.bash true ft_test:hardLimit
|
||||
env:
|
||||
UTAPI_CACHE_BACKEND: redis
|
||||
UTAPI_LOG_LEVEL: trace
|
||||
SETUP_CMD: "run start_v2:server"
|
||||
logfiles:
|
||||
warp10:
|
||||
filename: "/artifacts/warp10.log"
|
||||
follow: true
|
||||
utapi:
|
||||
filename: "/artifacts/setup_ft_test:hardLimit.log"
|
||||
follow: true
|
||||
- Upload: *upload_artifacts
|
|
@ -0,0 +1,7 @@
|
|||
FROM node:alpine
|
||||
|
||||
ADD ./vault.js /usr/share/src/
|
||||
|
||||
WORKDIR /usr/share/src/
|
||||
|
||||
CMD node vault.js
|
|
@ -0,0 +1,66 @@
|
|||
const http = require('http');
|
||||
const url = require('url');
|
||||
|
||||
const port = process.env.VAULT_PORT || 8500;
|
||||
|
||||
const unauthResp = {
|
||||
ErrorResponse: {
|
||||
$: {
|
||||
xmlns: 'https://iam.amazonaws.com/doc/2010-05-08/',
|
||||
},
|
||||
Error: {
|
||||
Code: 'InvalidAccessKeyId',
|
||||
Message: 'The AWS access key Id you provided does not exist in our records.',
|
||||
},
|
||||
RequestId: '97f22e2dba45bca2a5cd:fb375c22ed4ea7500691',
|
||||
},
|
||||
};
|
||||
|
||||
|
||||
class Vault {
|
||||
constructor() {
|
||||
this._server = null;
|
||||
}
|
||||
|
||||
static _onRequest(req, res) {
|
||||
const { query } = url.parse(req.url, true);
|
||||
if (query.accessKey === 'invalidKey') {
|
||||
res.writeHead(403);
|
||||
res.write(JSON.stringify(unauthResp));
|
||||
} else if (query.Action === 'AccountsCanonicalIds') {
|
||||
res.writeHead(200);
|
||||
let body;
|
||||
if (Array.isArray(query.accountIds)) {
|
||||
body = query.accountIds.map(id => ({
|
||||
accountId: id,
|
||||
canonicalId: id.split(':')[1],
|
||||
}));
|
||||
} else {
|
||||
body = [{
|
||||
accountId: query.accountIds,
|
||||
canonicalId: query.accountIds.split(':')[1],
|
||||
}];
|
||||
}
|
||||
res.write(JSON.stringify(body));
|
||||
}
|
||||
return res.end();
|
||||
}
|
||||
|
||||
start() {
|
||||
this._server = http.createServer(Vault._onRequest).listen(port);
|
||||
}
|
||||
|
||||
end() {
|
||||
this._server.close();
|
||||
}
|
||||
}
|
||||
|
||||
const vault = new Vault();
|
||||
|
||||
['SIGINT', 'SIGQUIT', 'SIGTERM'].forEach(eventName => {
|
||||
process.on(eventName, () => process.exit(0));
|
||||
});
|
||||
|
||||
// eslint-disable-next-line no-console
|
||||
console.log('Starting Vault Mock...');
|
||||
vault.start();
|
|
@ -0,0 +1,65 @@
|
|||
apiVersion: v1
|
||||
kind: Pod
|
||||
metadata:
|
||||
name: "utapi-test-pod"
|
||||
spec:
|
||||
activeDeadlineSeconds: 3600
|
||||
restartPolicy: Never
|
||||
terminationGracePeriodSeconds: 10
|
||||
containers:
|
||||
- name: aggressor
|
||||
image: "{{ images.aggressor }}"
|
||||
imagePullPolicy: IfNotPresent
|
||||
resources:
|
||||
requests:
|
||||
cpu: 500m
|
||||
memory: 3Gi
|
||||
limits:
|
||||
cpu: "2"
|
||||
memory: 3Gi
|
||||
volumeMounts:
|
||||
- mountPath: /var/run/docker.sock
|
||||
name: docker-socket
|
||||
- name: artifacts
|
||||
readOnly: false
|
||||
mountPath: /artifacts
|
||||
- name: warp10
|
||||
image: "{{ images.warp10 }}"
|
||||
command:
|
||||
- sh
|
||||
- -ce
|
||||
- /init | tee -a /artifacts/warp10.log
|
||||
env:
|
||||
- name: standalone.port
|
||||
value: '4802'
|
||||
- name: warpscript.maxops
|
||||
value: '10000000'
|
||||
resources:
|
||||
requests:
|
||||
cpu: 500m
|
||||
memory: 1Gi
|
||||
limits:
|
||||
cpu: 1750m
|
||||
memory: 3Gi
|
||||
volumeMounts:
|
||||
- name: artifacts
|
||||
readOnly: false
|
||||
mountPath: /artifacts
|
||||
{% if vars.vault is defined and vars.vault == 'enabled' %}
|
||||
- name: vault
|
||||
image: "{{ images.vault }}"
|
||||
resources:
|
||||
requests:
|
||||
cpu: 10m
|
||||
memory: 64Mi
|
||||
limits:
|
||||
cpu: 50m
|
||||
memory: 128Mi
|
||||
{% endif %}
|
||||
volumes:
|
||||
- name: docker-socket
|
||||
hostPath:
|
||||
path: /var/run/docker.sock
|
||||
type: Socket
|
||||
- name: artifacts
|
||||
emptyDir: {}
|
|
@ -0,0 +1,52 @@
|
|||
FROM buildpack-deps:jessie-curl
|
||||
|
||||
#
|
||||
# Install apt packages needed by utapi and buildbot_worker
|
||||
#
|
||||
|
||||
ENV LANG C.UTF-8
|
||||
ENV NODE_VERSION 10.22.0
|
||||
ENV PATH=$PATH:/utapi/node_modules/.bin
|
||||
ENV NODE_PATH=/utapi/node_modules
|
||||
|
||||
COPY eve/workers/unit_and_feature_tests/utapi_packages.list eve/workers/unit_and_feature_tests/buildbot_worker_packages.list /tmp/
|
||||
|
||||
WORKDIR /utapi
|
||||
|
||||
RUN wget https://nodejs.org/dist/v${NODE_VERSION}/node-v${NODE_VERSION}-linux-x64.tar.gz \
|
||||
&& tar -xf node-v${NODE_VERSION}-linux-x64.tar.gz --directory /usr/local --strip-components 1 \
|
||||
&& apt-get update -qq \
|
||||
&& apt-get install -y apt-transport-https \
|
||||
&& curl -sS http://dl.yarnpkg.com/debian/pubkey.gpg | apt-key add - \
|
||||
&& echo "deb http://dl.yarnpkg.com/debian/ stable main" | tee /etc/apt/sources.list.d/yarn.list \
|
||||
&& curl -sSL https://packagecloud.io/github/git-lfs/gpgkey | apt-key add - \
|
||||
&& echo "deb https://packagecloud.io/github/git-lfs/debian/ jessie main" | tee /etc/apt/sources.list.d/lfs.list \
|
||||
&& apt-get update -qq \
|
||||
&& cat /tmp/*packages.list | xargs apt-get install -y \
|
||||
&& pip install pip==9.0.1 \
|
||||
&& rm -rf /var/lib/apt/lists/* \
|
||||
&& rm -f /tmp/*packages.list \
|
||||
&& rm -f /etc/supervisor/conf.d/*.conf \
|
||||
&& rm -f node-v${NODE_VERSION}-linux-x64.tar.gz
|
||||
|
||||
#
|
||||
# Install yarn dependencies
|
||||
#
|
||||
|
||||
COPY package.json yarn.lock /utapi/
|
||||
|
||||
RUN yarn cache clean \
|
||||
&& yarn install --frozen-lockfile \
|
||||
&& yarn cache clean
|
||||
#
|
||||
# Run buildbot-worker on startup through supervisor
|
||||
#
|
||||
ARG BUILDBOT_VERSION
|
||||
|
||||
RUN pip install buildbot-worker==$BUILDBOT_VERSION
|
||||
RUN pip3 install requests
|
||||
RUN pip3 install redis
|
||||
ADD eve/workers/unit_and_feature_tests/supervisor/buildbot_worker.conf /etc/supervisor/conf.d/
|
||||
ADD eve/workers/unit_and_feature_tests/redis/sentinel.conf /etc/sentinel.conf
|
||||
|
||||
CMD ["supervisord", "-n"]
|
|
@ -0,0 +1,12 @@
|
|||
ca-certificates
|
||||
git
|
||||
git-lfs
|
||||
libffi-dev
|
||||
libssl-dev
|
||||
python2.7
|
||||
python2.7-dev
|
||||
python-pip
|
||||
sudo
|
||||
supervisor
|
||||
lsof
|
||||
netcat
|
|
@ -0,0 +1,35 @@
|
|||
# Example sentinel.conf
|
||||
|
||||
# The port that this sentinel instance will run on
|
||||
port 16379
|
||||
|
||||
# Specify the log file name. Also the empty string can be used to force
|
||||
# Sentinel to log on the standard output. Note that if you use standard
|
||||
# output for logging but daemonize, logs will be sent to /dev/null
|
||||
logfile ""
|
||||
|
||||
# dir <working-directory>
|
||||
# Every long running process should have a well-defined working directory.
|
||||
# For Redis Sentinel to chdir to /tmp at startup is the simplest thing
|
||||
# for the process to don't interfere with administrative tasks such as
|
||||
# unmounting filesystems.
|
||||
dir /tmp
|
||||
|
||||
# sentinel monitor <master-name> <ip> <redis-port> <quorum>
|
||||
#
|
||||
# Tells Sentinel to monitor this master, and to consider it in O_DOWN
|
||||
# (Objectively Down) state only if at least <quorum> sentinels agree.
|
||||
#
|
||||
# Note that whatever is the ODOWN quorum, a Sentinel will require to
|
||||
# be elected by the majority of the known Sentinels in order to
|
||||
# start a failover, so no failover can be performed in minority.
|
||||
#
|
||||
# Replicas are auto-discovered, so you don't need to specify replicas in
|
||||
# any way. Sentinel itself will rewrite this configuration file adding
|
||||
# the replicas using additional configuration options.
|
||||
# Also note that the configuration file is rewritten when a
|
||||
# replica is promoted to master.
|
||||
#
|
||||
# Note: master name should not include special characters or spaces.
|
||||
# The valid charset is A-z 0-9 and the three characters ".-_".
|
||||
sentinel monitor scality-s3 127.0.0.1 6379 1
|
|
@ -17,6 +17,6 @@ if [ -z "$SETUP_CMD" ]; then
|
|||
SETUP_CMD="start"
|
||||
fi
|
||||
|
||||
UTAPI_INTERVAL_TEST_MODE=$1 npm $SETUP_CMD 2>&1 | tee -a "setup_$2.log" &
|
||||
UTAPI_INTERVAL_TEST_MODE=$1 npm $SETUP_CMD 2>&1 | tee -a "/artifacts/setup_$2.log" &
|
||||
bash tests/utils/wait_for_local_port.bash $PORT 40
|
||||
UTAPI_INTERVAL_TEST_MODE=$1 npm run $2 | tee -a "test_$2.log"
|
||||
UTAPI_INTERVAL_TEST_MODE=$1 npm run $2 | tee -a "/artifacts/test_$2.log"
|
|
@ -0,0 +1,14 @@
|
|||
[program:buildbot_worker]
|
||||
command=/bin/sh -c 'buildbot-worker create-worker . "%(ENV_BUILDMASTER)s:%(ENV_BUILDMASTER_PORT)s" "%(ENV_WORKERNAME)s" "%(ENV_WORKERPASS)s" && buildbot-worker start --nodaemon'
|
||||
autostart=true
|
||||
autorestart=false
|
||||
|
||||
[program:redis_server]
|
||||
command=/usr/bin/redis-server
|
||||
autostart=true
|
||||
autorestart=false
|
||||
|
||||
[program:redis_sentinel]
|
||||
command=/usr/bin/redis-server /etc/sentinel.conf --sentinel
|
||||
autostart=true
|
||||
autorestart=false
|
|
@ -0,0 +1,5 @@
|
|||
build-essential
|
||||
redis-server
|
||||
python3
|
||||
python3-pip
|
||||
yarn
|
|
@ -1,90 +0,0 @@
|
|||
import sys, os, base64, datetime, hashlib, hmac, datetime, calendar, json
|
||||
import requests # pip install requests
|
||||
|
||||
access_key = '9EQTVVVCLSSG6QBMNKO5'
|
||||
secret_key = 'T5mK/skkkwJ/mTjXZnHyZ5UzgGIN=k9nl4dyTmDH'
|
||||
|
||||
method = 'POST'
|
||||
service = 's3'
|
||||
host = 'localhost:8100'
|
||||
region = 'us-east-1'
|
||||
canonical_uri = '/buckets'
|
||||
canonical_querystring = 'Action=ListMetrics&Version=20160815'
|
||||
content_type = 'application/x-amz-json-1.0'
|
||||
algorithm = 'AWS4-HMAC-SHA256'
|
||||
|
||||
t = datetime.datetime.utcnow()
|
||||
amz_date = t.strftime('%Y%m%dT%H%M%SZ')
|
||||
date_stamp = t.strftime('%Y%m%d')
|
||||
|
||||
# Key derivation functions. See:
|
||||
# http://docs.aws.amazon.com/general/latest/gr/signature-v4-examples.html#signature-v4-examples-python
|
||||
def sign(key, msg):
|
||||
return hmac.new(key, msg.encode("utf-8"), hashlib.sha256).digest()
|
||||
|
||||
def getSignatureKey(key, date_stamp, regionName, serviceName):
|
||||
kDate = sign(('AWS4' + key).encode('utf-8'), date_stamp)
|
||||
kRegion = sign(kDate, regionName)
|
||||
kService = sign(kRegion, serviceName)
|
||||
kSigning = sign(kService, 'aws4_request')
|
||||
return kSigning
|
||||
|
||||
def get_start_time(t):
|
||||
start = t.replace(minute=t.minute - t.minute % 15, second=0, microsecond=0)
|
||||
return calendar.timegm(start.utctimetuple()) * 1000;
|
||||
|
||||
def get_end_time(t):
|
||||
end = t.replace(minute=t.minute - t.minute % 15, second=0, microsecond=0)
|
||||
return calendar.timegm(end.utctimetuple()) * 1000 - 1;
|
||||
|
||||
start_time = get_start_time(datetime.datetime(2016, 1, 1, 0, 0, 0, 0))
|
||||
end_time = get_end_time(datetime.datetime(2016, 2, 1, 0, 0, 0, 0))
|
||||
|
||||
# Request parameters for listing Utapi bucket metrics--passed in a JSON block.
|
||||
bucketListing = {
|
||||
'buckets': [ 'utapi-test' ],
|
||||
'timeRange': [ start_time, end_time ],
|
||||
}
|
||||
|
||||
request_parameters = json.dumps(bucketListing)
|
||||
|
||||
payload_hash = hashlib.sha256(request_parameters).hexdigest()
|
||||
|
||||
canonical_headers = \
|
||||
'content-type:{0}\nhost:{1}\nx-amz-content-sha256:{2}\nx-amz-date:{3}\n' \
|
||||
.format(content_type, host, payload_hash, amz_date)
|
||||
|
||||
signed_headers = 'content-type;host;x-amz-content-sha256;x-amz-date'
|
||||
|
||||
canonical_request = '{0}\n{1}\n{2}\n{3}\n{4}\n{5}' \
|
||||
.format(method, canonical_uri, canonical_querystring, canonical_headers,
|
||||
signed_headers, payload_hash)
|
||||
|
||||
credential_scope = '{0}/{1}/{2}/aws4_request' \
|
||||
.format(date_stamp, region, service)
|
||||
|
||||
string_to_sign = '{0}\n{1}\n{2}\n{3}' \
|
||||
.format(algorithm, amz_date, credential_scope,
|
||||
hashlib.sha256(canonical_request).hexdigest())
|
||||
|
||||
signing_key = getSignatureKey(secret_key, date_stamp, region, service)
|
||||
|
||||
signature = hmac.new(signing_key, (string_to_sign).encode('utf-8'),
|
||||
hashlib.sha256).hexdigest()
|
||||
|
||||
authorization_header = \
|
||||
'{0} Credential={1}/{2}, SignedHeaders={3}, Signature={4}' \
|
||||
.format(algorithm, access_key, credential_scope, signed_headers, signature)
|
||||
|
||||
# The 'host' header is added automatically by the Python 'requests' library.
|
||||
headers = {
|
||||
'Content-Type': content_type,
|
||||
'X-Amz-Content-Sha256': payload_hash,
|
||||
'X-Amz-Date': amz_date,
|
||||
'Authorization': authorization_header
|
||||
}
|
||||
|
||||
endpoint = 'http://' + host + canonical_uri + '?' + canonical_querystring;
|
||||
|
||||
r = requests.post(endpoint, data=request_parameters, headers=headers)
|
||||
print (r.text)
|
|
@ -1,20 +0,0 @@
|
|||
FROM ghcr.io/scality/federation/nodesvc-base:7.10.5.0
|
||||
|
||||
ENV UTAPI_CONFIG_FILE=${CONF_DIR}/config.json
|
||||
|
||||
WORKDIR ${HOME_DIR}/utapi
|
||||
|
||||
COPY ./package.json ./yarn.lock ${HOME_DIR}/utapi
|
||||
|
||||
# Remove when gitcache is sorted out
|
||||
RUN rm /root/.gitconfig
|
||||
|
||||
RUN yarn install --production --frozen-lockfile --network-concurrency 1
|
||||
|
||||
COPY . ${HOME_DIR}/utapi
|
||||
|
||||
RUN chown -R ${USER} ${HOME_DIR}/utapi
|
||||
|
||||
USER ${USER}
|
||||
|
||||
CMD bash -c "source ${CONF_DIR}/env && export && supervisord -c ${CONF_DIR}/${SUPERVISORD_CONF}"
|
|
@ -1,17 +0,0 @@
|
|||
FROM redis:alpine
|
||||
|
||||
ENV S6_VERSION 2.0.0.1
|
||||
ENV EXPORTER_VERSION 1.24.0
|
||||
ENV S6_BEHAVIOUR_IF_STAGE2_FAILS 2
|
||||
|
||||
RUN wget https://github.com/just-containers/s6-overlay/releases/download/v${S6_VERSION}/s6-overlay-amd64.tar.gz -O /tmp/s6-overlay-amd64.tar.gz \
|
||||
&& tar xzf /tmp/s6-overlay-amd64.tar.gz -C / \
|
||||
&& rm -rf /tmp/s6-overlay-amd64.tar.gz
|
||||
|
||||
RUN wget https://github.com/oliver006/redis_exporter/releases/download/v${EXPORTER_VERSION}/redis_exporter-v${EXPORTER_VERSION}.linux-amd64.tar.gz -O redis_exporter.tar.gz \
|
||||
&& tar xzf redis_exporter.tar.gz -C / \
|
||||
&& cd .. \
|
||||
&& mv /redis_exporter-v${EXPORTER_VERSION}.linux-amd64/redis_exporter /usr/local/bin/redis_exporter
|
||||
|
||||
ADD ./images/redis/s6 /etc
|
||||
CMD /init
|
|
@ -1,4 +0,0 @@
|
|||
#!/usr/bin/with-contenv sh
|
||||
echo "starting redis exporter"
|
||||
exec redis_exporter
|
||||
|
|
@ -1,4 +0,0 @@
|
|||
#!/usr/bin/with-contenv sh
|
||||
echo "starting redis"
|
||||
exec redis-server
|
||||
|
|
@ -0,0 +1 @@
|
|||
*.jar filter=lfs diff=lfs merge=lfs -text
|
|
@ -1,2 +0,0 @@
|
|||
standalone.host = 0.0.0.0
|
||||
standalone.port = 4802
|
|
@ -1,32 +1,14 @@
|
|||
FROM golang:1.14-alpine as builder
|
||||
|
||||
ENV WARP10_EXPORTER_VERSION 2.7.5
|
||||
|
||||
RUN apk add zip unzip build-base \
|
||||
&& wget -q -O exporter.zip https://github.com/centreon/warp10-sensision-exporter/archive/refs/heads/master.zip \
|
||||
&& unzip exporter.zip \
|
||||
&& cd warp10-sensision-exporter-master \
|
||||
&& go mod download \
|
||||
&& cd tools \
|
||||
&& go run generate_sensision_metrics.go ${WARP10_EXPORTER_VERSION} \
|
||||
&& cp sensision.go ../collector/ \
|
||||
&& cd .. \
|
||||
&& go build -a -o /usr/local/go/warp10_sensision_exporter
|
||||
|
||||
FROM ghcr.io/scality/utapi/warp10:2.8.1-95-g73e7de80
|
||||
|
||||
# Override baked in version
|
||||
# Remove when updating to a numbered release
|
||||
ENV WARP10_VERSION 2.8.1-95-g73e7de80
|
||||
FROM warp10io/warp10:2.7.5
|
||||
|
||||
ENV S6_VERSION 2.0.0.1
|
||||
ENV S6_BEHAVIOUR_IF_STAGE2_FAILS 2
|
||||
|
||||
ENV WARP10_CONF_TEMPLATES ${WARP10_HOME}/conf.templates/standalone
|
||||
ENV SENSISION_DATA_DIR /data/sensision
|
||||
ENV SENSISION_PORT 8082
|
||||
|
||||
# Modify Warp 10 default config
|
||||
ENV standalone.host 0.0.0.0
|
||||
ENV standalone.port 4802
|
||||
ENV standalone.home /opt/warp10
|
||||
ENV warpscript.repository.directory /usr/local/share/warpscript
|
||||
ENV warp.token.file /static.tokens
|
||||
|
@ -38,19 +20,10 @@ RUN wget https://github.com/just-containers/s6-overlay/releases/download/v${S6_V
|
|||
&& tar xzf /tmp/s6-overlay-amd64.tar.gz -C / \
|
||||
&& rm -rf /tmp/s6-overlay-amd64.tar.gz
|
||||
|
||||
# Install jmx exporter
|
||||
ADD https://repo1.maven.org/maven2/io/prometheus/jmx/jmx_prometheus_javaagent/0.16.1/jmx_prometheus_javaagent-0.16.1.jar /opt/jmx_prom_agent.jar
|
||||
ADD ./images/warp10/jmx_prom.yaml /opt/jmx_prom.yaml
|
||||
|
||||
# Install protobuf extestion
|
||||
ADD ./images/warp10/warp10-ext-protobuf-1.2.2-uberjar.jar /opt/warp10/lib/
|
||||
|
||||
# Install Sensision exporter
|
||||
COPY --from=builder /usr/local/go/warp10_sensision_exporter /usr/local/bin/warp10_sensision_exporter
|
||||
|
||||
ADD ./images/warp10/s6 /etc
|
||||
ADD ./warpscript /usr/local/share/warpscript
|
||||
ADD ./images/warp10/static.tokens /
|
||||
ADD ./images/warp10/90-default-host-port.conf $WARP10_CONF_TEMPLATES/90-default-host-port.conf
|
||||
|
||||
CMD /init
|
||||
|
|
|
@ -1,2 +0,0 @@
|
|||
---
|
||||
startDelaySeconds: 0
|
|
@ -1,12 +0,0 @@
|
|||
#!/usr/bin/with-contenv sh
|
||||
|
||||
EXPORTER_CMD="warp10_sensision_exporter --warp10.url=http://localhost:${SENSISION_PORT}/metrics"
|
||||
|
||||
if [ -f "/usr/local/bin/warp10_sensision_exporter" -a -n "$ENABLE_SENSISION" ]; then
|
||||
echo "Starting Sensision exporter with $EXPORTER_CMD ..."
|
||||
exec $EXPORTER_CMD
|
||||
else
|
||||
echo "Sensision is disabled. Not starting exporter."
|
||||
# wait indefinitely
|
||||
exec tail -f /dev/null
|
||||
fi
|
|
@ -3,8 +3,9 @@
|
|||
JAVA="/usr/bin/java"
|
||||
JAVA_OPTS=""
|
||||
|
||||
VERSION=1.0.21
|
||||
SENSISION_CONFIG=${SENSISION_DATA_DIR}/conf/sensision.conf
|
||||
SENSISION_JAR=${SENSISION_HOME}/bin/sensision-${SENSISION_VERSION}.jar
|
||||
SENSISION_JAR=${SENSISION_HOME}/bin/sensision-${VERSION}.jar
|
||||
SENSISION_CP=${SENSISION_HOME}/etc:${SENSISION_JAR}
|
||||
SENSISION_CLASS=io.warp10.sensision.Main
|
||||
export MALLOC_ARENA_MAX=1
|
||||
|
@ -13,13 +14,13 @@ if [ -z "$SENSISION_HEAP" ]; then
|
|||
SENSISION_HEAP=64m
|
||||
fi
|
||||
|
||||
SENSISION_CMD="${JAVA} ${JAVA_OPTS} -Xmx${SENSISION_HEAP} -Dsensision.server.port=${SENSISION_PORT} ${SENSISION_OPTS} -Dsensision.config=${SENSISION_CONFIG} -cp ${SENSISION_CP} ${SENSISION_CLASS}"
|
||||
SENSISION_CMD="${JAVA} ${JAVA_OPTS} -Xmx${SENSISION_HEAP} -Dsensision.server.port=0 ${SENSISION_OPTS} -Dsensision.config=${SENSISION_CONFIG} -cp ${SENSISION_CP} ${SENSISION_CLASS}"
|
||||
|
||||
if [ -n "$ENABLE_SENSISION" ]; then
|
||||
echo "Starting Sensision with $SENSISION_CMD ..."
|
||||
exec $SENSISION_CMD | tee -a ${SENSISION_HOME}/logs/sensision.log
|
||||
else
|
||||
echo "Sensision is disabled. Not starting."
|
||||
echo "Sensision is disabled"
|
||||
# wait indefinitely
|
||||
exec tail -f /dev/null
|
||||
fi
|
||||
|
|
|
@ -8,7 +8,7 @@ WARP10_JAR=${WARP10_HOME}/bin/warp10-${WARP10_VERSION}.jar
|
|||
WARP10_CLASS=io.warp10.standalone.Warp
|
||||
WARP10_CP="${WARP10_HOME}/etc:${WARP10_JAR}:${WARP10_HOME}/lib/*"
|
||||
WARP10_CONFIG_DIR="$WARP10_DATA_DIR/conf"
|
||||
CONFIG_FILES="$(find ${WARP10_CONFIG_DIR} -not -path '*/.*' -name '*.conf' | sort | tr '\n' ' ' 2> /dev/null)"
|
||||
CONFIG_FILES="$(find ${WARP10_CONFIG_DIR} -not -path "*/\.*" -name "*.conf" | sort | tr '\n' ' ' 2> /dev/null)"
|
||||
LOG4J_CONF=${WARP10_HOME}/etc/log4j.properties
|
||||
|
||||
if [ -z "$WARP10_HEAP" ]; then
|
||||
|
@ -19,7 +19,7 @@ if [ -z "$WARP10_HEAP_MAX" ]; then
|
|||
WARP10_HEAP_MAX=4g
|
||||
fi
|
||||
|
||||
JAVA_OPTS="-Dlog4j.configuration=file:${LOG4J_CONF} ${JAVA__EXTRA_OPTS} -Djava.awt.headless=true -Xms${WARP10_HEAP} -Xmx${WARP10_HEAP_MAX} -XX:+UseG1GC"
|
||||
JAVA_OPTS="-Djava.awt.headless=true -Xms${WARP10_HEAP} -Xmx${WARP10_HEAP_MAX} -XX:+UseG1GC ${JAVA_OPTS}"
|
||||
|
||||
SENSISION_OPTS=
|
||||
if [ -n "$ENABLE_SENSISION" ]; then
|
||||
|
@ -28,16 +28,10 @@ if [ -n "$ENABLE_SENSISION" ]; then
|
|||
if [ -n "$SENSISION_LABELS" ]; then
|
||||
_SENSISION_LABELS="-Dsensision.default.labels=$SENSISION_LABELS"
|
||||
fi
|
||||
SENSISION_OPTS="${_SENSISION_LABELS} -Dsensision.events.dir=/var/run/sensision/metrics -Dfile.encoding=UTF-8 ${SENSISION_EXTRA_OPTS}"
|
||||
SENSISION_OPTS="-Dsensision.server.port=0 ${_SENSISION_LABELS} -Dsensision.events.dir=/var/run/sensision/metrics -Dfile.encoding=UTF-8"
|
||||
fi
|
||||
|
||||
JMX_EXPORTER_OPTS=
|
||||
if [ -n "$ENABLE_JMX_EXPORTER" ]; then
|
||||
JMX_EXPORTER_OPTS="-javaagent:/opt/jmx_prom_agent.jar=4803:/opt/jmx_prom.yaml ${JMX_EXPORTER_EXTRA_OPTS}"
|
||||
echo "Starting jmx exporter with Warp 10."
|
||||
fi
|
||||
|
||||
WARP10_CMD="${JAVA} ${JMX_EXPORTER_OPTS} ${JAVA_OPTS} ${SENSISION_OPTS} -cp ${WARP10_CP} ${WARP10_CLASS} ${CONFIG_FILES}"
|
||||
WARP10_CMD="${JAVA} -Dlog4j.configuration=file:${LOG4J_CONF} ${JAVA_OPTS} ${SENSISION_OPTS} -cp ${WARP10_CP} ${WARP10_CLASS} ${CONFIG_FILES}"
|
||||
|
||||
echo "Starting Warp 10 with $WARP10_CMD ..."
|
||||
exec $WARP10_CMD | tee -a ${WARP10_HOME}/logs/warp10.log
|
||||
|
|
|
@ -0,0 +1,3 @@
|
|||
version https://git-lfs.github.com/spec/v1
|
||||
oid sha256:389d2135867c399a389901460c5f2cc09f4857d0c6d08632c2638c25fb150c46
|
||||
size 15468553
|
1
index.js
1
index.js
|
@ -1,4 +1,5 @@
|
|||
/* eslint-disable global-require */
|
||||
|
||||
// eslint-disable-line strict
|
||||
let toExport;
|
||||
|
||||
|
|
|
@ -1,13 +1,35 @@
|
|||
/* eslint-disable no-bitwise */
|
||||
const assert = require('assert');
|
||||
const fs = require('fs');
|
||||
const path = require('path');
|
||||
|
||||
/**
|
||||
* Reads from a config file and returns the content as a config object
|
||||
*/
|
||||
class Config {
|
||||
constructor(config) {
|
||||
this.component = config.component;
|
||||
constructor() {
|
||||
/*
|
||||
* By default, the config file is "config.json" at the root.
|
||||
* It can be overridden using the UTAPI_CONFIG_FILE environment var.
|
||||
*/
|
||||
this._basePath = path.resolve(__dirname, '..');
|
||||
this.path = `${this._basePath}/config.json`;
|
||||
if (process.env.UTAPI_CONFIG_FILE !== undefined) {
|
||||
this.path = process.env.UTAPI_CONFIG_FILE;
|
||||
}
|
||||
|
||||
// Read config automatically
|
||||
this._getConfig();
|
||||
}
|
||||
|
||||
_getConfig() {
|
||||
let config;
|
||||
try {
|
||||
const data = fs.readFileSync(this.path, { encoding: 'utf-8' });
|
||||
config = JSON.parse(data);
|
||||
} catch (err) {
|
||||
throw new Error(`could not parse config file: ${err.message}`);
|
||||
}
|
||||
|
||||
this.port = 9500;
|
||||
if (config.port !== undefined) {
|
||||
|
@ -93,26 +115,18 @@ class Config {
|
|||
}
|
||||
}
|
||||
|
||||
if (config.vaultclient) {
|
||||
// Instance passed from outside
|
||||
this.vaultclient = config.vaultclient;
|
||||
this.vaultd = null;
|
||||
} else {
|
||||
// Connection data
|
||||
this.vaultclient = null;
|
||||
this.vaultd = {};
|
||||
if (config.vaultd) {
|
||||
if (config.vaultd.port !== undefined) {
|
||||
assert(Number.isInteger(config.vaultd.port)
|
||||
&& config.vaultd.port > 0,
|
||||
'bad config: vaultd port must be a positive integer');
|
||||
this.vaultd.port = config.vaultd.port;
|
||||
}
|
||||
if (config.vaultd.host !== undefined) {
|
||||
assert.strictEqual(typeof config.vaultd.host, 'string',
|
||||
'bad config: vaultd host must be a string');
|
||||
this.vaultd.host = config.vaultd.host;
|
||||
}
|
||||
this.vaultd = {};
|
||||
if (config.vaultd) {
|
||||
if (config.vaultd.port !== undefined) {
|
||||
assert(Number.isInteger(config.vaultd.port)
|
||||
&& config.vaultd.port > 0,
|
||||
'bad config: vaultd port must be a positive integer');
|
||||
this.vaultd.port = config.vaultd.port;
|
||||
}
|
||||
if (config.vaultd.host !== undefined) {
|
||||
assert.strictEqual(typeof config.vaultd.host, 'string',
|
||||
'bad config: vaultd host must be a string');
|
||||
this.vaultd.host = config.vaultd.host;
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -127,11 +141,12 @@ class Config {
|
|||
const { key, cert, ca } = config.certFilePaths
|
||||
? config.certFilePaths : {};
|
||||
if (key && cert) {
|
||||
const keypath = key;
|
||||
const certpath = cert;
|
||||
const keypath = (key[0] === '/') ? key : `${this._basePath}/${key}`;
|
||||
const certpath = (cert[0] === '/')
|
||||
? cert : `${this._basePath}/${cert}`;
|
||||
let capath;
|
||||
if (ca) {
|
||||
capath = ca;
|
||||
capath = (ca[0] === '/') ? ca : `${this._basePath}/${ca}`;
|
||||
assert.doesNotThrow(() => fs.accessSync(capath, fs.F_OK | fs.R_OK),
|
||||
`File not found or unreachable: ${capath}`);
|
||||
}
|
||||
|
@ -157,13 +172,8 @@ class Config {
|
|||
+ 'expireMetrics must be a boolean');
|
||||
this.expireMetrics = config.expireMetrics;
|
||||
}
|
||||
|
||||
if (config.onlyCountLatestWhenObjectLocked !== undefined) {
|
||||
assert(typeof config.onlyCountLatestWhenObjectLocked === 'boolean',
|
||||
'bad config: onlyCountLatestWhenObjectLocked must be a boolean');
|
||||
this.onlyCountLatestWhenObjectLocked = config.onlyCountLatestWhenObjectLocked;
|
||||
}
|
||||
return config;
|
||||
}
|
||||
}
|
||||
|
||||
module.exports = Config;
|
||||
module.exports = new Config();
|
||||
|
|
|
@ -81,17 +81,6 @@ class Datastore {
|
|||
return this._client.call((backend, done) => backend.incr(key, done), cb);
|
||||
}
|
||||
|
||||
/**
|
||||
* increment value of a key by the provided value
|
||||
* @param {string} key - key holding the value
|
||||
* @param {string} value - value containing the data
|
||||
* @param {callback} cb - callback
|
||||
* @return {undefined}
|
||||
*/
|
||||
incrby(key, value, cb) {
|
||||
return this._client.call((backend, done) => backend.incrby(key, value, done), cb);
|
||||
}
|
||||
|
||||
/**
|
||||
* decrement value of a key by 1
|
||||
* @param {string} key - key holding the value
|
||||
|
|
|
@ -6,6 +6,8 @@ const async = require('async');
|
|||
const { errors } = require('arsenal');
|
||||
const { getMetricFromKey, getKeys, generateStateKey } = require('./schema');
|
||||
const s3metricResponseJSON = require('../models/s3metricResponse');
|
||||
const config = require('./Config');
|
||||
const Vault = require('./Vault');
|
||||
|
||||
const MAX_RANGE_MS = (((1000 * 60) * 60) * 24) * 30; // One month.
|
||||
|
||||
|
@ -21,6 +23,7 @@ class ListMetrics {
|
|||
constructor(metric, component) {
|
||||
this.metric = metric;
|
||||
this.service = component;
|
||||
this.vault = new Vault(config);
|
||||
}
|
||||
|
||||
/**
|
||||
|
@ -80,10 +83,9 @@ class ListMetrics {
|
|||
const resources = validator.get(this.metric);
|
||||
const timeRange = validator.get('timeRange');
|
||||
const datastore = utapiRequest.getDatastore();
|
||||
const vault = utapiRequest.getVault();
|
||||
// map account ids to canonical ids
|
||||
if (this.metric === 'accounts') {
|
||||
return vault.getCanonicalIds(resources, log, (err, list) => {
|
||||
return this.vault.getCanonicalIds(resources, log, (err, list) => {
|
||||
if (err) {
|
||||
return cb(err);
|
||||
}
|
||||
|
@ -122,11 +124,10 @@ class ListMetrics {
|
|||
const fifteenMinutes = 15 * 60 * 1000; // In milliseconds
|
||||
const timeRange = [start - fifteenMinutes, end];
|
||||
const datastore = utapiRequest.getDatastore();
|
||||
const vault = utapiRequest.getVault();
|
||||
|
||||
// map account ids to canonical ids
|
||||
if (this.metric === 'accounts') {
|
||||
return vault.getCanonicalIds(resources, log, (err, list) => {
|
||||
return this.vault.getCanonicalIds(resources, log, (err, list) => {
|
||||
if (err) {
|
||||
return cb(err);
|
||||
}
|
||||
|
@ -312,10 +313,11 @@ class ListMetrics {
|
|||
});
|
||||
|
||||
if (!areMetricsPositive) {
|
||||
log.info('negative metric value found', {
|
||||
error: resource,
|
||||
method: 'ListMetrics.getMetrics',
|
||||
});
|
||||
return cb(errors.InternalError.customizeDescription(
|
||||
'Utapi is in a transient state for this time period as '
|
||||
+ 'metrics are being collected. Please try again in a few '
|
||||
+ 'minutes.',
|
||||
));
|
||||
}
|
||||
/**
|
||||
* Batch result is of the format
|
||||
|
|
|
@ -63,6 +63,7 @@ const methods = {
|
|||
getObjectTagging: { method: '_genericPushMetric', changesData: false },
|
||||
putObject: { method: '_genericPushMetricPutObject', changesData: true },
|
||||
copyObject: { method: '_genericPushMetricPutObject', changesData: true },
|
||||
putData: { method: '_genericPushMetricPutObject', changesData: true },
|
||||
putObjectAcl: { method: '_genericPushMetric', changesData: true },
|
||||
putObjectLegalHold: { method: '_genericPushMetric', changesData: true },
|
||||
putObjectRetention: { method: '_genericPushMetric', changesData: true },
|
||||
|
@ -90,16 +91,12 @@ const methods = {
|
|||
},
|
||||
putBucketObjectLock: { method: '_genericPushMetric', changesData: true },
|
||||
getBucketObjectLock: { method: '_genericPushMetric', changesData: true },
|
||||
replicateObject: { method: '_genericPushMetricPutObject', changesData: true },
|
||||
replicateTags: { method: '_genericPushMetric', changesData: true },
|
||||
replicateDelete: { method: '_pushMetricDeleteMarkerObject', changesData: true },
|
||||
};
|
||||
|
||||
const metricObj = {
|
||||
buckets: 'bucket',
|
||||
accounts: 'accountId',
|
||||
users: 'userId',
|
||||
location: 'location',
|
||||
};
|
||||
|
||||
class UtapiClient {
|
||||
|
@ -123,17 +120,13 @@ class UtapiClient {
|
|||
const api = (config || {}).logApi || werelogs;
|
||||
this.log = new api.Logger('UtapiClient');
|
||||
// By default, we push all resource types
|
||||
this.metrics = ['buckets', 'accounts', 'users', 'service', 'location'];
|
||||
this.metrics = ['buckets', 'accounts', 'users', 'service'];
|
||||
this.service = 's3';
|
||||
this.disableOperationCounters = false;
|
||||
this.enabledOperationCounters = [];
|
||||
this.disableClient = true;
|
||||
|
||||
if (config && !config.disableClient) {
|
||||
this.disableClient = false;
|
||||
this.expireMetrics = config.expireMetrics;
|
||||
this.expireMetricsTTL = config.expireMetricsTTL || 0;
|
||||
|
||||
if (config.metrics) {
|
||||
const message = 'invalid property in UtapiClient configuration';
|
||||
assert(Array.isArray(config.metrics), `${message}: metrics `
|
||||
|
@ -161,6 +154,9 @@ class UtapiClient {
|
|||
if (config.enabledOperationCounters) {
|
||||
this.enabledOperationCounters = config.enabledOperationCounters;
|
||||
}
|
||||
this.disableClient = false;
|
||||
this.expireMetrics = config.expireMetrics;
|
||||
this.expireMetricsTTL = config.expireMetricsTTL || 0;
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -544,13 +540,10 @@ class UtapiClient {
|
|||
const paramsArr = this._getParamsArr(params);
|
||||
paramsArr.forEach(p => {
|
||||
cmds.push(['incr', generateCounter(p, 'numberOfObjectsCounter')]);
|
||||
const counterAction = action === 'putDeleteMarkerObject' ? 'deleteObject' : action;
|
||||
if (this._isCounterEnabled(counterAction)) {
|
||||
cmds.push(['incr', generateKey(p, counterAction, timestamp)]);
|
||||
if (this._isCounterEnabled('deleteObject')) {
|
||||
cmds.push(['incr', generateKey(p, 'deleteObject', timestamp)]);
|
||||
}
|
||||
cmds.push(['zrangebyscore', generateStateKey(p, 'storageUtilized'), timestamp, timestamp]);
|
||||
});
|
||||
|
||||
return this.ds.batch(cmds, (err, results) => {
|
||||
if (err) {
|
||||
log.error('error pushing metric', {
|
||||
|
@ -584,48 +577,13 @@ class UtapiClient {
|
|||
// empty.
|
||||
actionCounter = Number.isNaN(actionCounter)
|
||||
|| actionCounter < 0 ? 1 : actionCounter;
|
||||
|
||||
if (Number.isInteger(params.byteLength)) {
|
||||
/* byteLength is passed in from cloudserver under the follow conditions:
|
||||
* - bucket versioning is suspended
|
||||
* - object version id is null
|
||||
* - the content length of the object exists
|
||||
* In this case, the master key is deleted and replaced with a delete marker.
|
||||
* The decrement accounts for the deletion of the master key when utapi reports
|
||||
* on the number of objects.
|
||||
*/
|
||||
actionCounter -= 1;
|
||||
}
|
||||
|
||||
const key = generateStateKey(p, 'numberOfObjects');
|
||||
|
||||
const byteArr = results[index + commandsGroupSize - 1][1];
|
||||
const oldByteLength = byteArr ? parseInt(byteArr[0], 10) : 0;
|
||||
const newByteLength = member.serialize(Math.max(0, oldByteLength - params.byteLength));
|
||||
|
||||
cmds2.push(
|
||||
['zremrangebyscore', key, timestamp, timestamp],
|
||||
['zadd', key, timestamp, member.serialize(actionCounter)],
|
||||
|
||||
);
|
||||
|
||||
if (Number.isInteger(params.byteLength)) {
|
||||
cmds2.push(
|
||||
['decr', generateCounter(p, 'numberOfObjectsCounter')],
|
||||
['decrby', generateCounter(p, 'storageUtilizedCounter'), params.byteLength],
|
||||
);
|
||||
}
|
||||
|
||||
if (byteArr) {
|
||||
cmds2.push(
|
||||
['zremrangebyscore', generateStateKey(p, 'storageUtilized'), timestamp, timestamp],
|
||||
['zadd', generateStateKey(p, 'storageUtilized'), timestamp, newByteLength],
|
||||
);
|
||||
}
|
||||
|
||||
return true;
|
||||
});
|
||||
|
||||
if (noErr) {
|
||||
return this.ds.batch(cmds2, cb);
|
||||
}
|
||||
|
@ -1067,10 +1025,10 @@ class UtapiClient {
|
|||
storageUtilizedDelta],
|
||||
[redisCmd, generateCounter(p, 'numberOfObjectsCounter')],
|
||||
);
|
||||
if (this._isCounterEnabled(action)) {
|
||||
if (action !== 'putData' && this._isCounterEnabled(action)) {
|
||||
cmds.push(['incr', generateKey(p, action, timestamp)]);
|
||||
}
|
||||
if (action === 'putObject' || action === 'replicateObject') {
|
||||
if (action === 'putObject' || action === 'putData') {
|
||||
cmds.push(
|
||||
['incrby', generateKey(p, 'incomingBytes', timestamp),
|
||||
newByteLength],
|
||||
|
@ -1156,69 +1114,6 @@ class UtapiClient {
|
|||
});
|
||||
}
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {string} location - name of data location
|
||||
* @param {number} updateSize - size in bytes to update location metric by,
|
||||
* could be negative, indicating deleted object
|
||||
* @param {string} reqUid - Request Unique Identifier
|
||||
* @param {function} callback - callback to call
|
||||
* @return {undefined}
|
||||
*/
|
||||
pushLocationMetric(location, updateSize, reqUid, callback) {
|
||||
const log = this.log.newRequestLoggerFromSerializedUids(reqUid);
|
||||
const params = {
|
||||
level: 'location',
|
||||
service: 's3',
|
||||
location,
|
||||
};
|
||||
this._checkMetricTypes(params);
|
||||
const action = (updateSize < 0) ? 'decrby' : 'incrby';
|
||||
const size = (updateSize < 0) ? -updateSize : updateSize;
|
||||
return this.ds[action](generateKey(params, 'locationStorage'), size,
|
||||
err => {
|
||||
if (err) {
|
||||
log.error('error pushing metric', {
|
||||
method: 'UtapiClient.pushLocationMetric',
|
||||
error: err,
|
||||
});
|
||||
return callback(errors.InternalError);
|
||||
}
|
||||
return callback();
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {string} location - name of data backend to get metric for
|
||||
* @param {string} reqUid - Request Unique Identifier
|
||||
* @param {function} callback - callback to call
|
||||
* @return {undefined}
|
||||
*/
|
||||
getLocationMetric(location, reqUid, callback) {
|
||||
const log = this.log.newRequestLoggerFromSerializedUids(reqUid);
|
||||
const params = {
|
||||
level: 'location',
|
||||
service: 's3',
|
||||
location,
|
||||
};
|
||||
const redisKey = generateKey(params, 'locationStorage');
|
||||
return this.ds.get(redisKey, (err, bytesStored) => {
|
||||
if (err) {
|
||||
log.error('error getting metric', {
|
||||
method: 'UtapiClient: getLocationMetric',
|
||||
error: err,
|
||||
});
|
||||
return callback(errors.InternalError);
|
||||
}
|
||||
// if err and bytesStored are null, key does not exist yet
|
||||
if (bytesStored === null) {
|
||||
return callback(null, 0);
|
||||
}
|
||||
return callback(null, bytesStored);
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Get storage used by bucket/account/user/service
|
||||
* @param {object} params - params for the metrics
|
||||
|
|
|
@ -12,23 +12,16 @@ const RedisClient = require('../libV2/redis');
|
|||
const REINDEX_SCHEDULE = '0 0 * * Sun';
|
||||
const REINDEX_LOCK_KEY = 's3:utapireindex:lock';
|
||||
const REINDEX_LOCK_TTL = (60 * 60) * 24;
|
||||
const REINDEX_PYTHON_INTERPRETER = process.env.REINDEX_PYTHON_INTERPRETER !== undefined
|
||||
? process.env.REINDEX_PYTHON_INTERPRETER
|
||||
: 'python3.7';
|
||||
|
||||
const EXIT_CODE_SENTINEL_CONNECTION = 100;
|
||||
|
||||
class UtapiReindex {
|
||||
constructor(config) {
|
||||
this._enabled = false;
|
||||
this._schedule = REINDEX_SCHEDULE;
|
||||
this._redis = {
|
||||
this._sentinel = {
|
||||
host: '127.0.0.1',
|
||||
port: 16379,
|
||||
name: 'scality-s3',
|
||||
sentinelPassword: '',
|
||||
sentinels: [{
|
||||
host: '127.0.0.1',
|
||||
port: 16379,
|
||||
}],
|
||||
};
|
||||
this._bucketd = {
|
||||
host: '127.0.0.1',
|
||||
|
@ -46,13 +39,14 @@ class UtapiReindex {
|
|||
if (config && config.password) {
|
||||
this._password = config.password;
|
||||
}
|
||||
if (config && config.redis) {
|
||||
if (config && config.sentinel) {
|
||||
const {
|
||||
name, sentinelPassword, sentinels,
|
||||
} = config.redis;
|
||||
this._redis.name = name || this._redis.name;
|
||||
this._redis.sentinelPassword = sentinelPassword || this._redis.sentinelPassword;
|
||||
this._redis.sentinels = sentinels || this._redis.sentinels;
|
||||
host, port, name, sentinelPassword,
|
||||
} = config.sentinel;
|
||||
this._sentinel.host = host || this._sentinel.host;
|
||||
this._sentinel.port = port || this._sentinel.port;
|
||||
this._sentinel.name = name || this._sentinel.name;
|
||||
this._sentinel.sentinelPassword = sentinelPassword || this._sentinel.sentinelPassword;
|
||||
}
|
||||
if (config && config.bucketd) {
|
||||
const { host, port } = config.bucketd;
|
||||
|
@ -64,16 +58,17 @@ class UtapiReindex {
|
|||
this._log = new werelogs.Logger('UtapiReindex', { level, dump });
|
||||
}
|
||||
|
||||
this._onlyCountLatestWhenObjectLocked = (config && config.onlyCountLatestWhenObjectLocked === true);
|
||||
|
||||
this._requestLogger = this._log.newRequestLogger();
|
||||
}
|
||||
|
||||
_getRedisClient() {
|
||||
const client = new RedisClient({
|
||||
sentinels: this._redis.sentinels,
|
||||
name: this._redis.name,
|
||||
sentinelPassword: this._redis.sentinelPassword,
|
||||
sentinels: [{
|
||||
host: this._sentinel.host,
|
||||
port: this._sentinel.port,
|
||||
}],
|
||||
name: this._sentinel.name,
|
||||
sentinelPassword: this._sentinel.sentinelPassword,
|
||||
password: this._password,
|
||||
});
|
||||
client.connect();
|
||||
|
@ -88,18 +83,17 @@ class UtapiReindex {
|
|||
return this.ds.del(REINDEX_LOCK_KEY);
|
||||
}
|
||||
|
||||
_buildFlags(sentinel) {
|
||||
_buildFlags() {
|
||||
const flags = {
|
||||
/* eslint-disable camelcase */
|
||||
sentinel_ip: sentinel.host,
|
||||
sentinel_port: sentinel.port,
|
||||
sentinel_cluster_name: this._redis.name,
|
||||
sentinel_ip: this._sentinel.host,
|
||||
sentinel_port: this._sentinel.port,
|
||||
sentinel_cluster_name: this._sentinel.name,
|
||||
bucketd_addr: `http://${this._bucketd.host}:${this._bucketd.port}`,
|
||||
};
|
||||
if (this._redis.sentinelPassword) {
|
||||
flags.redis_password = this._redis.sentinelPassword;
|
||||
if (this._sentinel.sentinelPassword) {
|
||||
flags.redis_password = this._sentinel.sentinelPassword;
|
||||
}
|
||||
|
||||
/* eslint-enable camelcase */
|
||||
const opts = [];
|
||||
Object.keys(flags)
|
||||
|
@ -108,17 +102,17 @@ class UtapiReindex {
|
|||
opts.push(name);
|
||||
opts.push(flags[flag]);
|
||||
});
|
||||
|
||||
if (this._onlyCountLatestWhenObjectLocked) {
|
||||
opts.push('--only-latest-when-locked');
|
||||
}
|
||||
return opts;
|
||||
}
|
||||
|
||||
_runScriptWithSentinels(path, remainingSentinels, done) {
|
||||
const flags = this._buildFlags(remainingSentinels.shift());
|
||||
this._requestLogger.debug(`launching subprocess ${path} with flags: ${flags}`);
|
||||
const process = childProcess.spawn(REINDEX_PYTHON_INTERPRETER, [path, ...flags]);
|
||||
_runScript(path, done) {
|
||||
const flags = this._buildFlags();
|
||||
this._requestLogger.debug(`launching subprocess ${path} `
|
||||
+ `with flags: ${flags}`);
|
||||
const process = childProcess.spawn('python3.4', [
|
||||
path,
|
||||
...flags,
|
||||
]);
|
||||
process.stdout.on('data', data => {
|
||||
this._requestLogger.info('received output from script', {
|
||||
output: Buffer.from(data).toString(),
|
||||
|
@ -143,17 +137,6 @@ class UtapiReindex {
|
|||
statusCode: code,
|
||||
script: path,
|
||||
});
|
||||
if (code === EXIT_CODE_SENTINEL_CONNECTION) {
|
||||
if (remainingSentinels.length > 0) {
|
||||
this._requestLogger.info('retrying with next sentinel host', {
|
||||
script: path,
|
||||
});
|
||||
return this._runScriptWithSentinels(path, remainingSentinels, done);
|
||||
}
|
||||
this._requestLogger.error('no more sentinel host to try', {
|
||||
script: path,
|
||||
});
|
||||
}
|
||||
} else {
|
||||
this._requestLogger.info('script exited successfully', {
|
||||
statusCode: code,
|
||||
|
@ -164,11 +147,6 @@ class UtapiReindex {
|
|||
});
|
||||
}
|
||||
|
||||
_runScript(path, done) {
|
||||
const remainingSentinels = [...this._redis.sentinels];
|
||||
this._runScriptWithSentinels(path, remainingSentinels, done);
|
||||
}
|
||||
|
||||
_attemptLock(job) {
|
||||
this._requestLogger.info('attempting to acquire the lock to begin job');
|
||||
this._lock()
|
||||
|
|
|
@ -14,15 +14,6 @@ class UtapiRequest {
|
|||
this._datastore = null;
|
||||
this._requestQuery = null;
|
||||
this._requestPath = null;
|
||||
this._vault = null;
|
||||
}
|
||||
|
||||
getVault() {
|
||||
return this._vault;
|
||||
}
|
||||
|
||||
setVault() {
|
||||
return this._vault;
|
||||
}
|
||||
|
||||
/**
|
||||
|
|
|
@ -1,21 +1,16 @@
|
|||
import argparse
|
||||
import ast
|
||||
from concurrent.futures import ThreadPoolExecutor
|
||||
import json
|
||||
import logging
|
||||
import re
|
||||
import redis
|
||||
import requests
|
||||
import redis
|
||||
import json
|
||||
import ast
|
||||
import sys
|
||||
from threading import Thread
|
||||
import time
|
||||
import urllib
|
||||
import re
|
||||
import sys
|
||||
from threading import Thread
|
||||
from concurrent.futures import ThreadPoolExecutor
|
||||
|
||||
logging.basicConfig(level=logging.INFO)
|
||||
_log = logging.getLogger('utapi-reindex:reporting')
|
||||
|
||||
SENTINEL_CONNECT_TIMEOUT_SECONDS = 10
|
||||
EXIT_CODE_SENTINEL_CONNECTION_ERROR = 100
|
||||
import argparse
|
||||
|
||||
def get_options():
|
||||
parser = argparse.ArgumentParser()
|
||||
|
@ -34,19 +29,8 @@ class askRedis():
|
|||
|
||||
def __init__(self, ip="127.0.0.1", port="16379", sentinel_cluster_name="scality-s3", password=None):
|
||||
self._password = password
|
||||
r = redis.Redis(
|
||||
host=ip,
|
||||
port=port,
|
||||
db=0,
|
||||
password=password,
|
||||
socket_connect_timeout=SENTINEL_CONNECT_TIMEOUT_SECONDS
|
||||
)
|
||||
try:
|
||||
self._ip, self._port = r.sentinel_get_master_addr_by_name(sentinel_cluster_name)
|
||||
except (redis.exceptions.ConnectionError, redis.exceptions.TimeoutError) as e:
|
||||
_log.error(f'Failed to connect to redis sentinel at {ip}:{port}: {e}')
|
||||
# use a specific error code to hint on retrying with another sentinel node
|
||||
sys.exit(EXIT_CODE_SENTINEL_CONNECTION_ERROR)
|
||||
r = redis.Redis(host=ip, port=port, db=0, password=password)
|
||||
self._ip, self._port = r.sentinel_get_master_addr_by_name(sentinel_cluster_name)
|
||||
|
||||
def read(self, resource, name):
|
||||
r = redis.Redis(host=self._ip, port=self._port, db=0, password=self._password)
|
||||
|
@ -114,4 +98,4 @@ if __name__ == '__main__':
|
|||
data = U.read('accounts', userid)
|
||||
content = "Account:%s|NumberOFfiles:%s|StorageCapacity:%s " % (
|
||||
userid, data["files"], data["total_size"])
|
||||
executor.submit(safe_print, content)
|
||||
executor.submit(safe_print, content)
|
|
@ -1,6 +1,5 @@
|
|||
import argparse
|
||||
import concurrent.futures as futures
|
||||
import functools
|
||||
import itertools
|
||||
import json
|
||||
import logging
|
||||
|
@ -9,9 +8,9 @@ import re
|
|||
import sys
|
||||
import time
|
||||
import urllib
|
||||
from pathlib import Path
|
||||
from collections import defaultdict, namedtuple
|
||||
from concurrent.futures import ThreadPoolExecutor
|
||||
from pprint import pprint
|
||||
|
||||
import redis
|
||||
import requests
|
||||
|
@ -25,9 +24,6 @@ MPU_SHADOW_BUCKET_PREFIX = 'mpuShadowBucket'
|
|||
|
||||
ACCOUNT_UPDATE_CHUNKSIZE = 100
|
||||
|
||||
SENTINEL_CONNECT_TIMEOUT_SECONDS = 10
|
||||
EXIT_CODE_SENTINEL_CONNECTION_ERROR = 100
|
||||
|
||||
def get_options():
|
||||
parser = argparse.ArgumentParser()
|
||||
parser.add_argument("-i", "--sentinel-ip", default='127.0.0.1', help="Sentinel IP")
|
||||
|
@ -35,39 +31,9 @@ def get_options():
|
|||
parser.add_argument("-v", "--redis-password", default=None, help="Redis AUTH Password")
|
||||
parser.add_argument("-n", "--sentinel-cluster-name", default='scality-s3', help="Redis cluster name")
|
||||
parser.add_argument("-s", "--bucketd-addr", default='http://127.0.0.1:9000', help="URL of the bucketd server")
|
||||
parser.add_argument("-w", "--worker", default=10, type=int, help="Number of workers")
|
||||
parser.add_argument("-r", "--max-retries", default=2, type=int, help="Max retries before failing a bucketd request")
|
||||
parser.add_argument("--only-latest-when-locked", action='store_true', help="Only index the latest version of a key when the bucket has a default object lock policy")
|
||||
parser.add_argument("--debug", action='store_true', help="Enable debug logging")
|
||||
parser.add_argument("--dry-run", action="store_true", help="Do not update redis")
|
||||
group = parser.add_mutually_exclusive_group()
|
||||
group.add_argument("-a", "--account", default=[], help="account canonical ID (all account buckets will be processed)", action="append", type=nonempty_string('account'))
|
||||
group.add_argument("--account-file", default=None, help="file containing account canonical IDs, one ID per line", type=existing_file)
|
||||
group.add_argument("-b", "--bucket", default=[], help="bucket name", action="append", type=nonempty_string('bucket'))
|
||||
group.add_argument("--bucket-file", default=None, help="file containing bucket names, one bucket name per line", type=existing_file)
|
||||
|
||||
options = parser.parse_args()
|
||||
if options.bucket_file:
|
||||
with open(options.bucket_file) as f:
|
||||
options.bucket = [line.strip() for line in f if line.strip()]
|
||||
elif options.account_file:
|
||||
with open(options.account_file) as f:
|
||||
options.account = [line.strip() for line in f if line.strip()]
|
||||
|
||||
return options
|
||||
|
||||
def nonempty_string(flag):
|
||||
def inner(value):
|
||||
if not value.strip():
|
||||
raise argparse.ArgumentTypeError("%s: value must not be empty"%flag)
|
||||
return value
|
||||
return inner
|
||||
|
||||
def existing_file(path):
|
||||
path = Path(path).resolve()
|
||||
if not path.exists():
|
||||
raise argparse.ArgumentTypeError("File does not exist: %s"%path)
|
||||
return path
|
||||
parser.add_argument("-w", "--worker", default=10, help="Number of workers")
|
||||
parser.add_argument("-b", "--bucket", default=None, help="Bucket to be processed")
|
||||
return parser.parse_args()
|
||||
|
||||
def chunks(iterable, size):
|
||||
it = iter(iterable)
|
||||
|
@ -82,38 +48,22 @@ def _encoded(func):
|
|||
return urllib.parse.quote(val.encode('utf-8'))
|
||||
return inner
|
||||
|
||||
Bucket = namedtuple('Bucket', ['userid', 'name', 'object_lock_enabled'])
|
||||
Bucket = namedtuple('Bucket', ['userid', 'name'])
|
||||
MPU = namedtuple('MPU', ['bucket', 'key', 'upload_id'])
|
||||
BucketContents = namedtuple('BucketContents', ['bucket', 'obj_count', 'total_size'])
|
||||
|
||||
class MaxRetriesReached(Exception):
|
||||
def __init__(self, url):
|
||||
super().__init__('Max retries reached for request to %s'%url)
|
||||
|
||||
class InvalidListing(Exception):
|
||||
def __init__(self, bucket):
|
||||
super().__init__('Invalid contents found while listing bucket %s'%bucket)
|
||||
|
||||
class BucketNotFound(Exception):
|
||||
def __init__(self, bucket):
|
||||
super().__init__('Bucket %s not found'%bucket)
|
||||
|
||||
class BucketDClient:
|
||||
|
||||
'''Performs Listing calls against bucketd'''
|
||||
__url_attribute_format = '{addr}/default/attributes/{bucket}'
|
||||
__url_bucket_format = '{addr}/default/bucket/{bucket}'
|
||||
__url_format = '{addr}/default/bucket/{bucket}'
|
||||
__headers = {"x-scal-request-uids": "utapi-reindex-list-buckets"}
|
||||
|
||||
def __init__(self, bucketd_addr=None, max_retries=2, only_latest_when_locked=False):
|
||||
def __init__(self, bucketd_addr=None):
|
||||
self._bucketd_addr = bucketd_addr
|
||||
self._max_retries = max_retries
|
||||
self._only_latest_when_locked = only_latest_when_locked
|
||||
self._session = requests.Session()
|
||||
|
||||
def _do_req(self, url, check_500=True, **kwargs):
|
||||
# Add 1 for the initial request
|
||||
for x in range(self._max_retries + 1):
|
||||
while True:
|
||||
try:
|
||||
resp = self._session.get(url, timeout=30, verify=False, headers=self.__headers, **kwargs)
|
||||
if check_500 and resp.status_code == 500:
|
||||
|
@ -126,8 +76,6 @@ class BucketDClient:
|
|||
_log.error('Error during listing, sleeping 5 secs %s'%url)
|
||||
time.sleep(5)
|
||||
|
||||
raise MaxRetriesReached(url)
|
||||
|
||||
def _list_bucket(self, bucket, **kwargs):
|
||||
'''
|
||||
Lists a bucket lazily until "empty"
|
||||
|
@ -140,7 +88,7 @@ class BucketDClient:
|
|||
parameters value. On the first request the function will be called with
|
||||
`None` and should return its initial value. Return `None` for the param to be excluded.
|
||||
'''
|
||||
url = self.__url_bucket_format.format(addr=self._bucketd_addr, bucket=bucket)
|
||||
url = self.__url_format.format(addr=self._bucketd_addr, bucket=bucket)
|
||||
static_params = {k: v for k, v in kwargs.items() if not callable(v)}
|
||||
dynamic_params = {k: v for k, v in kwargs.items() if callable(v)}
|
||||
is_truncated = True # Set to True for first loop
|
||||
|
@ -153,9 +101,6 @@ class BucketDClient:
|
|||
_log.debug('listing bucket bucket: %s params: %s'%(
|
||||
bucket, ', '.join('%s=%s'%p for p in params.items())))
|
||||
resp = self._do_req(url, params=params)
|
||||
if resp.status_code == 404:
|
||||
_log.debug('Bucket not found bucket: %s'%bucket)
|
||||
return
|
||||
if resp.status_code == 200:
|
||||
payload = resp.json()
|
||||
except ValueError as e:
|
||||
|
@ -163,9 +108,6 @@ class BucketDClient:
|
|||
_log.error('Invalid listing response body! bucket:%s params:%s'%(
|
||||
bucket, ', '.join('%s=%s'%p for p in params.items())))
|
||||
continue
|
||||
except MaxRetriesReached:
|
||||
_log.error('Max retries reached listing bucket:%s'%bucket)
|
||||
raise
|
||||
except Exception as e:
|
||||
_log.exception(e)
|
||||
_log.error('Unhandled exception during listing! bucket:%s params:%s'%(
|
||||
|
@ -177,37 +119,7 @@ class BucketDClient:
|
|||
else:
|
||||
is_truncated = len(payload) > 0
|
||||
|
||||
@functools.lru_cache(maxsize=16)
|
||||
def _get_bucket_attributes(self, name):
|
||||
url = self.__url_attribute_format.format(addr=self._bucketd_addr, bucket=name)
|
||||
try:
|
||||
resp = self._do_req(url)
|
||||
if resp.status_code == 200:
|
||||
return resp.json()
|
||||
else:
|
||||
_log.error('Error getting bucket attributes bucket:%s status_code:%s'%(name, resp.status_code))
|
||||
raise BucketNotFound(name)
|
||||
except ValueError as e:
|
||||
_log.exception(e)
|
||||
_log.error('Invalid attributes response body! bucket:%s'%name)
|
||||
raise
|
||||
except MaxRetriesReached:
|
||||
_log.error('Max retries reached getting bucket attributes bucket:%s'%name)
|
||||
raise
|
||||
except Exception as e:
|
||||
_log.exception(e)
|
||||
_log.error('Unhandled exception getting bucket attributes bucket:%s'%name)
|
||||
raise
|
||||
|
||||
def get_bucket_md(self, name):
|
||||
md = self._get_bucket_attributes(name)
|
||||
canonId = md.get('owner')
|
||||
if canonId is None:
|
||||
_log.error('No owner found for bucket %s'%name)
|
||||
raise InvalidListing(name)
|
||||
return Bucket(canonId, name, md.get('objectLockEnabled', False))
|
||||
|
||||
def list_buckets(self, account=None):
|
||||
def list_buckets(self, name = None):
|
||||
|
||||
def get_next_marker(p):
|
||||
if p is None:
|
||||
|
@ -219,24 +131,19 @@ class BucketDClient:
|
|||
'maxKeys': 1000,
|
||||
'marker': get_next_marker
|
||||
}
|
||||
|
||||
if account is not None:
|
||||
params['prefix'] = '%s..|..' % account
|
||||
|
||||
for _, payload in self._list_bucket(USERS_BUCKET, **params):
|
||||
buckets = []
|
||||
for result in payload.get('Contents', []):
|
||||
for result in payload['Contents']:
|
||||
match = re.match("(\w+)..\|..(\w+.*)", result['key'])
|
||||
bucket = Bucket(*match.groups(), False)
|
||||
# We need to get the attributes for each bucket to determine if it is locked
|
||||
if self._only_latest_when_locked:
|
||||
bucket_attrs = self._get_bucket_attributes(bucket.name)
|
||||
object_lock_enabled = bucket_attrs.get('objectLockEnabled', False)
|
||||
bucket = bucket._replace(object_lock_enabled=object_lock_enabled)
|
||||
buckets.append(bucket)
|
||||
|
||||
bucket = Bucket(*match.groups())
|
||||
if name is None or bucket.name == name:
|
||||
buckets.append(bucket)
|
||||
if buckets:
|
||||
yield buckets
|
||||
if name is not None:
|
||||
# Break on the first matching bucket if a name is given
|
||||
break
|
||||
|
||||
|
||||
def list_mpus(self, bucket):
|
||||
_bucket = MPU_SHADOW_BUCKET_PREFIX + bucket.name
|
||||
|
@ -273,12 +180,15 @@ class BucketDClient:
|
|||
upload_id=key['value']['UploadId']))
|
||||
return keys
|
||||
|
||||
def _sum_objects(self, bucket, listing, only_latest_when_locked = False):
|
||||
def _sum_objects(self, listing):
|
||||
count = 0
|
||||
total_size = 0
|
||||
last_key = None
|
||||
try:
|
||||
for obj in listing:
|
||||
last_master = None
|
||||
last_size = None
|
||||
for _, payload in listing:
|
||||
contents = payload['Contents'] if isinstance(payload, dict) else payload
|
||||
for obj in contents:
|
||||
count += 1
|
||||
if isinstance(obj['value'], dict):
|
||||
# bucketd v6 returns a dict:
|
||||
data = obj.get('value', {})
|
||||
|
@ -287,51 +197,39 @@ class BucketDClient:
|
|||
# bucketd v7 returns an encoded string
|
||||
data = json.loads(obj['value'])
|
||||
size = data.get('content-length', 0)
|
||||
|
||||
is_latest = obj['key'] != last_key
|
||||
last_key = obj['key']
|
||||
|
||||
if only_latest_when_locked and bucket.object_lock_enabled and not is_latest:
|
||||
_log.debug('Skipping versioned key: %s'%obj['key'])
|
||||
continue
|
||||
|
||||
count += 1
|
||||
total_size += size
|
||||
|
||||
except InvalidListing:
|
||||
_log.error('Invalid contents in listing. bucket:%s'%bucket.name)
|
||||
raise InvalidListing(bucket.name)
|
||||
return count, total_size
|
||||
# If versioned, subtract the size of the master to avoid double counting
|
||||
if last_master is not None and obj['key'].startswith(last_master + '\x00'):
|
||||
_log.debug('Detected versioned key: %s - subtracting master size: %i'% (
|
||||
obj['key'],
|
||||
last_size,
|
||||
))
|
||||
total_size -= last_size
|
||||
count -= 1
|
||||
last_master = None
|
||||
|
||||
def _extract_listing(self, key, listing):
|
||||
for status_code, payload in listing:
|
||||
contents = payload[key] if isinstance(payload, dict) else payload
|
||||
if contents is None:
|
||||
raise InvalidListing('')
|
||||
for obj in contents:
|
||||
yield obj
|
||||
# Only save master versions
|
||||
elif '\x00' not in obj['key']:
|
||||
last_master = obj['key']
|
||||
last_size = size
|
||||
|
||||
return count, total_size
|
||||
|
||||
def count_bucket_contents(self, bucket):
|
||||
|
||||
def get_key_marker(p):
|
||||
if p is None:
|
||||
def get_next_marker(p):
|
||||
if p is None or len(p) == 0:
|
||||
return ''
|
||||
return p.get('NextKeyMarker', '')
|
||||
|
||||
def get_vid_marker(p):
|
||||
if p is None:
|
||||
return ''
|
||||
return p.get('NextVersionIdMarker', '')
|
||||
return p[-1].get('key', '')
|
||||
|
||||
params = {
|
||||
'listingType': 'DelimiterVersions',
|
||||
'listingType': 'Basic',
|
||||
'maxKeys': 1000,
|
||||
'keyMarker': get_key_marker,
|
||||
'versionIdMarker': get_vid_marker,
|
||||
'gt': get_next_marker,
|
||||
}
|
||||
|
||||
listing = self._list_bucket(bucket.name, **params)
|
||||
count, total_size = self._sum_objects(bucket, self._extract_listing('Versions', listing), self._only_latest_when_locked)
|
||||
count, total_size = self._sum_objects(self._list_bucket(bucket.name, **params))
|
||||
return BucketContents(
|
||||
bucket=bucket,
|
||||
obj_count=count,
|
||||
|
@ -339,8 +237,7 @@ class BucketDClient:
|
|||
)
|
||||
|
||||
def count_mpu_parts(self, mpu):
|
||||
shadow_bucket_name = MPU_SHADOW_BUCKET_PREFIX + mpu.bucket.name
|
||||
shadow_bucket = mpu.bucket._replace(name=shadow_bucket_name)
|
||||
_bucket = MPU_SHADOW_BUCKET_PREFIX + mpu.bucket.name
|
||||
|
||||
def get_prefix(p):
|
||||
if p is None:
|
||||
|
@ -360,53 +257,30 @@ class BucketDClient:
|
|||
'listingType': 'Delimiter',
|
||||
}
|
||||
|
||||
listing = self._list_bucket(shadow_bucket_name, **params)
|
||||
count, total_size = self._sum_objects(shadow_bucket, self._extract_listing('Contents', listing))
|
||||
count, total_size = self._sum_objects(self._list_bucket(_bucket, **params))
|
||||
return BucketContents(
|
||||
bucket=shadow_bucket,
|
||||
bucket=mpu.bucket._replace(name=_bucket),
|
||||
obj_count=0, # MPU parts are not counted towards numberOfObjects
|
||||
total_size=total_size
|
||||
)
|
||||
|
||||
def list_all_buckets(bucket_client):
|
||||
return bucket_client.list_buckets()
|
||||
|
||||
def list_specific_accounts(bucket_client, accounts):
|
||||
for account in accounts:
|
||||
yield from bucket_client.list_buckets(account=account)
|
||||
|
||||
def list_specific_buckets(bucket_client, buckets):
|
||||
batch = []
|
||||
for bucket in buckets:
|
||||
try:
|
||||
batch.append(bucket_client.get_bucket_md(bucket))
|
||||
except BucketNotFound:
|
||||
_log.error('Failed to list bucket %s. Removing from results.'%bucket)
|
||||
continue
|
||||
|
||||
yield batch
|
||||
|
||||
def index_bucket(client, bucket):
|
||||
'''
|
||||
Takes an instance of BucketDClient and a bucket name, and returns a
|
||||
tuple of BucketContents for the passed bucket and its mpu shadow bucket.
|
||||
'''
|
||||
try:
|
||||
bucket_total = client.count_bucket_contents(bucket)
|
||||
mpus = client.list_mpus(bucket)
|
||||
if not mpus:
|
||||
return bucket_total
|
||||
bucket_total = client.count_bucket_contents(bucket)
|
||||
mpus = client.list_mpus(bucket)
|
||||
if not mpus:
|
||||
return bucket_total
|
||||
|
||||
total_size = bucket_total.total_size
|
||||
mpu_totals = [client.count_mpu_parts(m) for m in mpus]
|
||||
for mpu in mpu_totals:
|
||||
total_size += mpu.total_size
|
||||
total_size = bucket_total.total_size
|
||||
mpu_totals = [client.count_mpu_parts(m) for m in mpus]
|
||||
for mpu in mpu_totals:
|
||||
total_size += mpu.total_size
|
||||
|
||||
return bucket_total._replace(total_size=total_size)
|
||||
except Exception as e:
|
||||
_log.exception(e)
|
||||
_log.error('Error during listing. Removing from results bucket:%s'%bucket.name)
|
||||
raise InvalidListing(bucket.name)
|
||||
return bucket_total._replace(total_size=total_size)
|
||||
|
||||
def update_report(report, key, obj_count, total_size):
|
||||
'''Convenience function to update the report dicts'''
|
||||
|
@ -424,16 +298,9 @@ def get_redis_client(options):
|
|||
host=options.sentinel_ip,
|
||||
port=options.sentinel_port,
|
||||
db=0,
|
||||
password=options.redis_password,
|
||||
socket_connect_timeout=SENTINEL_CONNECT_TIMEOUT_SECONDS
|
||||
password=options.redis_password
|
||||
)
|
||||
try:
|
||||
ip, port = sentinel.sentinel_get_master_addr_by_name(options.sentinel_cluster_name)
|
||||
except (redis.exceptions.ConnectionError, redis.exceptions.TimeoutError) as e:
|
||||
_log.error(f'Failed to connect to redis sentinel at {options.sentinel_ip}:{options.sentinel_port}: {e}')
|
||||
# use a specific error code to hint on retrying with another sentinel node
|
||||
sys.exit(EXIT_CODE_SENTINEL_CONNECTION_ERROR)
|
||||
|
||||
ip, port = sentinel.sentinel_get_master_addr_by_name(options.sentinel_cluster_name)
|
||||
return redis.Redis(
|
||||
host=ip,
|
||||
port=port,
|
||||
|
@ -467,120 +334,66 @@ def log_report(resource, name, obj_count, total_size):
|
|||
|
||||
if __name__ == '__main__':
|
||||
options = get_options()
|
||||
if options.debug:
|
||||
_log.setLevel(logging.DEBUG)
|
||||
|
||||
bucket_client = BucketDClient(options.bucketd_addr, options.max_retries, options.only_latest_when_locked)
|
||||
if options.bucket is not None and not options.bucket.strip():
|
||||
print('You must provide a bucket name with the --bucket flag')
|
||||
sys.exit(1)
|
||||
bucket_client = BucketDClient(options.bucketd_addr)
|
||||
redis_client = get_redis_client(options)
|
||||
account_reports = {}
|
||||
observed_buckets = set()
|
||||
failed_accounts = set()
|
||||
|
||||
if options.account:
|
||||
batch_generator = list_specific_accounts(bucket_client, options.account)
|
||||
elif options.bucket:
|
||||
batch_generator = list_specific_buckets(bucket_client, options.bucket)
|
||||
else:
|
||||
batch_generator = list_all_buckets(bucket_client)
|
||||
|
||||
with ThreadPoolExecutor(max_workers=options.worker) as executor:
|
||||
for batch in batch_generator:
|
||||
for batch in bucket_client.list_buckets(options.bucket):
|
||||
bucket_reports = {}
|
||||
jobs = { executor.submit(index_bucket, bucket_client, b): b for b in batch }
|
||||
for job in futures.as_completed(jobs.keys()):
|
||||
try:
|
||||
total = job.result() # Summed bucket and shadowbucket totals
|
||||
except InvalidListing:
|
||||
_bucket = jobs[job]
|
||||
_log.error('Failed to list bucket %s. Removing from results.'%_bucket.name)
|
||||
# Add the bucket to observed_buckets anyway to avoid clearing existing metrics
|
||||
observed_buckets.add(_bucket.name)
|
||||
# If we can not list one of an account's buckets we can not update its total
|
||||
failed_accounts.add(_bucket.userid)
|
||||
continue
|
||||
jobs = [executor.submit(index_bucket, bucket_client, b) for b in batch]
|
||||
for job in futures.as_completed(jobs):
|
||||
total = job.result() # Summed bucket and shadowbucket totals
|
||||
observed_buckets.add(total.bucket.name)
|
||||
update_report(bucket_reports, total.bucket.name, total.obj_count, total.total_size)
|
||||
update_report(account_reports, total.bucket.userid, total.obj_count, total.total_size)
|
||||
|
||||
# Bucket reports can be updated as we get them
|
||||
if options.dry_run:
|
||||
for bucket, report in bucket_reports.items():
|
||||
_log.info(
|
||||
"DryRun: resource buckets [%s] would be updated with obj_count %i and total_size %i" % (
|
||||
bucket, report['obj_count'], report['total_size']
|
||||
)
|
||||
)
|
||||
else:
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for bucket, report in bucket_reports.items():
|
||||
update_redis(pipeline, 'buckets', bucket, report['obj_count'], report['total_size'])
|
||||
log_report('buckets', bucket, report['obj_count'], report['total_size'])
|
||||
pipeline.execute()
|
||||
|
||||
stale_buckets = set()
|
||||
recorded_buckets = set(get_resources_from_redis(redis_client, 'buckets'))
|
||||
if options.bucket:
|
||||
stale_buckets = { b for b in options.bucket if b not in observed_buckets }
|
||||
elif options.account:
|
||||
_log.warning('Stale buckets will not be cleared when using the --account or --account-file flags')
|
||||
else:
|
||||
stale_buckets = recorded_buckets.difference(observed_buckets)
|
||||
|
||||
_log.info('Found %s stale buckets' % len(stale_buckets))
|
||||
if options.dry_run:
|
||||
_log.info("DryRun: not updating stale buckets")
|
||||
else:
|
||||
for chunk in chunks(stale_buckets, ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for bucket in chunk:
|
||||
update_redis(pipeline, 'buckets', bucket, 0, 0)
|
||||
log_report('buckets', bucket, 0, 0)
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for bucket, report in bucket_reports.items():
|
||||
update_redis(pipeline, 'buckets', bucket, report['obj_count'], report['total_size'])
|
||||
log_report('buckets', bucket, report['obj_count'], report['total_size'])
|
||||
pipeline.execute()
|
||||
|
||||
# Account metrics are not updated if a bucket is specified
|
||||
if options.bucket:
|
||||
_log.warning('Account metrics will not be updated when using the --bucket or --bucket-file flags')
|
||||
recorded_buckets = set(get_resources_from_redis(redis_client, 'buckets'))
|
||||
if options.bucket is None:
|
||||
stale_buckets = recorded_buckets.difference(observed_buckets)
|
||||
elif observed_buckets and options.bucket not in recorded_buckets:
|
||||
# The provided bucket does not exist, so clean up any metrics
|
||||
stale_buckets = { options.bucket }
|
||||
else:
|
||||
# Don't update any accounts with failed listings
|
||||
without_failed = filter(lambda x: x[0] not in failed_accounts, account_reports.items())
|
||||
if options.dry_run:
|
||||
for userid, report in account_reports.items():
|
||||
_log.info(
|
||||
"DryRun: resource account [%s] would be updated with obj_count %i and total_size %i" % (
|
||||
userid, report['obj_count'], report['total_size']
|
||||
)
|
||||
)
|
||||
else:
|
||||
# Update total account reports in chunks
|
||||
for chunk in chunks(without_failed, ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for userid, report in chunk:
|
||||
update_redis(pipeline, 'accounts', userid, report['obj_count'], report['total_size'])
|
||||
log_report('accounts', userid, report['obj_count'], report['total_size'])
|
||||
pipeline.execute()
|
||||
stale_buckets = set()
|
||||
|
||||
if options.account:
|
||||
for account in options.account:
|
||||
if account in failed_accounts:
|
||||
_log.error("No metrics updated for account %s, one or more buckets failed" % account)
|
||||
_log.info('Found %s stale buckets' % len(stale_buckets))
|
||||
for chunk in chunks(stale_buckets, ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for bucket in chunk:
|
||||
update_redis(pipeline, 'buckets', bucket, 0, 0)
|
||||
log_report('buckets', bucket, 0, 0)
|
||||
pipeline.execute()
|
||||
|
||||
# Include failed_accounts in observed_accounts to avoid clearing metrics
|
||||
observed_accounts = failed_accounts.union(set(account_reports.keys()))
|
||||
# Account metrics are not updated if a bucket is specified
|
||||
if options.bucket is None:
|
||||
# Update total account reports in chunks
|
||||
for chunk in chunks(account_reports.items(), ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for userid, report in chunk:
|
||||
update_redis(pipeline, 'accounts', userid, report['obj_count'], report['total_size'])
|
||||
log_report('accounts', userid, report['obj_count'], report['total_size'])
|
||||
pipeline.execute()
|
||||
|
||||
observed_accounts = set(account_reports.keys())
|
||||
recorded_accounts = set(get_resources_from_redis(redis_client, 'accounts'))
|
||||
|
||||
if options.account:
|
||||
stale_accounts = { a for a in options.account if a not in observed_accounts }
|
||||
else:
|
||||
# Stale accounts and buckets are ones that do not appear in the listing, but have recorded values
|
||||
stale_accounts = recorded_accounts.difference(observed_accounts)
|
||||
|
||||
# Stale accounts and buckets are ones that do not appear in the listing, but have recorded values
|
||||
stale_accounts = recorded_accounts.difference(observed_accounts)
|
||||
_log.info('Found %s stale accounts' % len(stale_accounts))
|
||||
if options.dry_run:
|
||||
_log.info("DryRun: not updating stale accounts")
|
||||
else:
|
||||
for chunk in chunks(stale_accounts, ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for account in chunk:
|
||||
update_redis(pipeline, 'accounts', account, 0, 0)
|
||||
log_report('accounts', account, 0, 0)
|
||||
pipeline.execute()
|
||||
for chunk in chunks(stale_accounts, ACCOUNT_UPDATE_CHUNKSIZE):
|
||||
pipeline = redis_client.pipeline(transaction=False) # No transaction to reduce redis load
|
||||
for account in chunk:
|
||||
update_redis(pipeline, 'accounts', account, 0, 0)
|
||||
log_report('accounts', account, 0, 0)
|
||||
pipeline.execute()
|
||||
|
|
|
@ -52,9 +52,6 @@ const keys = {
|
|||
getObjectRetention: prefix => `${prefix}GetObjectRetention`,
|
||||
putObjectLegalHold: prefix => `${prefix}PutObjectLegalHold`,
|
||||
getObjectLegalHold: prefix => `${prefix}GetObjectLegalHold`,
|
||||
replicateObject: prefix => `${prefix}ReplicateObject`,
|
||||
replicateTags: prefix => `${prefix}ReplicateTags`,
|
||||
replicateDelete: prefix => `${prefix}ReplicateDelete`,
|
||||
incomingBytes: prefix => `${prefix}incomingBytes`,
|
||||
outgoingBytes: prefix => `${prefix}outgoingBytes`,
|
||||
};
|
||||
|
@ -68,10 +65,10 @@ const keys = {
|
|||
*/
|
||||
function getSchemaPrefix(params, timestamp) {
|
||||
const {
|
||||
bucket, accountId, userId, level, service, location,
|
||||
bucket, accountId, userId, level, service,
|
||||
} = params;
|
||||
// `service` property must remain last because other objects also include it
|
||||
const id = bucket || accountId || userId || location || service;
|
||||
const id = bucket || accountId || userId || service;
|
||||
const prefix = timestamp ? `${service}:${level}:${timestamp}:${id}:`
|
||||
: `${service}:${level}:${id}:`;
|
||||
return prefix;
|
||||
|
@ -86,13 +83,9 @@ function getSchemaPrefix(params, timestamp) {
|
|||
*/
|
||||
function generateKey(params, metric, timestamp) {
|
||||
const prefix = getSchemaPrefix(params, timestamp);
|
||||
if (params.location) {
|
||||
return `${prefix}locationStorage`;
|
||||
}
|
||||
return keys[metric](prefix);
|
||||
}
|
||||
|
||||
|
||||
/**
|
||||
* Returns a list of the counters for a metric type
|
||||
* @param {object} params - object with metric type and id as a property
|
||||
|
|
|
@ -7,6 +7,7 @@ const { Clustering, errors, ipCheck } = require('arsenal');
|
|||
const arsenalHttps = require('arsenal').https;
|
||||
const { Logger } = require('werelogs');
|
||||
|
||||
const config = require('./Config');
|
||||
const routes = require('../router/routes');
|
||||
const Route = require('../router/Route');
|
||||
const Router = require('../router/Router');
|
||||
|
@ -27,12 +28,7 @@ class UtapiServer {
|
|||
constructor(worker, port, datastore, logger, config) {
|
||||
this.worker = worker;
|
||||
this.port = port;
|
||||
this.vault = config.vaultclient;
|
||||
if (!this.vault) {
|
||||
const Vault = require('./Vault');
|
||||
this.vault = new Vault(config);
|
||||
}
|
||||
this.router = new Router(config, this.vault);
|
||||
this.router = new Router(config);
|
||||
this.logger = logger;
|
||||
this.datastore = datastore;
|
||||
this.server = null;
|
||||
|
@ -75,7 +71,6 @@ class UtapiServer {
|
|||
req.socket.setNoDelay();
|
||||
const { query, path, pathname } = url.parse(req.url, true);
|
||||
const utapiRequest = new UtapiRequest()
|
||||
.setVault(this.vault)
|
||||
.setRequest(req)
|
||||
.setLog(this.logger.newRequestLogger())
|
||||
.setResponse(res)
|
||||
|
@ -219,7 +214,8 @@ class UtapiServer {
|
|||
* @property {object} params.log - logger configuration
|
||||
* @return {undefined}
|
||||
*/
|
||||
function spawn(config) {
|
||||
function spawn(params) {
|
||||
Object.assign(config, params);
|
||||
const {
|
||||
workers, redis, log, port,
|
||||
} = config;
|
||||
|
|
|
@ -23,7 +23,7 @@ class CacheClient {
|
|||
|
||||
async pushMetric(metric) {
|
||||
const shard = shardFromTimestamp(metric.timestamp);
|
||||
if (!(await this._cacheBackend.addToShard(shard, metric))) {
|
||||
if (!this._cacheBackend.addToShard(shard, metric)) {
|
||||
return false;
|
||||
}
|
||||
await this._counterBackend.updateCounters(metric);
|
||||
|
|
|
@ -11,12 +11,7 @@ const encode = require('encoding-down');
|
|||
/* eslint-enable import/no-extraneous-dependencies */
|
||||
|
||||
const { UtapiMetric } = require('../models');
|
||||
const {
|
||||
LoggerContext,
|
||||
logEventFilter,
|
||||
asyncOrCallback,
|
||||
buildFilterChain,
|
||||
} = require('../utils');
|
||||
const { LoggerContext, asyncOrCallback } = require('../utils');
|
||||
|
||||
const moduleLogger = new LoggerContext({
|
||||
module: 'client',
|
||||
|
@ -89,11 +84,6 @@ class UtapiClient {
|
|||
this._drainCanSchedule = true;
|
||||
this._drainDelay = (config && config.drainDelay) || 30000;
|
||||
this._suppressedEventFields = (config && config.suppressedEventFields) || null;
|
||||
const eventFilters = (config && config.filter) || {};
|
||||
this._shouldPushMetric = buildFilterChain(eventFilters);
|
||||
if (Object.keys(eventFilters).length !== 0) {
|
||||
logEventFilter((...args) => moduleLogger.info(...args), 'utapi event filter enabled', eventFilters);
|
||||
}
|
||||
}
|
||||
|
||||
async join() {
|
||||
|
@ -250,11 +240,6 @@ class UtapiClient {
|
|||
? data
|
||||
: new UtapiMetric(data);
|
||||
|
||||
// If this event has been filtered then exit early
|
||||
if (!this._shouldPushMetric(metric)) {
|
||||
return;
|
||||
}
|
||||
|
||||
// Assign a uuid if one isn't passed
|
||||
if (!metric.uuid) {
|
||||
metric.uuid = uuid.v4();
|
||||
|
|
|
@ -16,13 +16,15 @@
|
|||
"warp10": {
|
||||
"host": "127.0.0.1",
|
||||
"port": 4802,
|
||||
"nodeId": "single_node",
|
||||
"requestTimeout": 60000,
|
||||
"connectTimeout": 60000
|
||||
"nodeId": "single_node"
|
||||
},
|
||||
"healthChecks": {
|
||||
"allowFrom": ["127.0.0.1/8", "::1"]
|
||||
},
|
||||
"vaultd": {
|
||||
"host": "127.0.0.1",
|
||||
"port": 8500
|
||||
},
|
||||
"cacheBackend": "memory",
|
||||
"development": false,
|
||||
"nodeId": "single_node",
|
||||
|
@ -42,23 +44,5 @@
|
|||
"diskUsage": {
|
||||
"retentionDays": 45,
|
||||
"expirationEnabled": false
|
||||
},
|
||||
"serviceUser": {
|
||||
"arn": "arn:aws:iam::000000000000:user/scality-internal/service-utapi-user",
|
||||
"enabled": false
|
||||
},
|
||||
"filter": {
|
||||
"allow": {},
|
||||
"deny": {}
|
||||
},
|
||||
"metrics" : {
|
||||
"enabled": false,
|
||||
"host": "localhost",
|
||||
"ingestPort": 10902,
|
||||
"checkpointPort": 10903,
|
||||
"snapshotPort": 10904,
|
||||
"diskUsagePort": 10905,
|
||||
"reindexPort": 10906,
|
||||
"repairPort": 10907
|
||||
}
|
||||
}
|
||||
|
|
|
@ -2,12 +2,8 @@ const fs = require('fs');
|
|||
const path = require('path');
|
||||
const Joi = require('@hapi/joi');
|
||||
const assert = require('assert');
|
||||
const defaults = require('./defaults.json');
|
||||
const werelogs = require('werelogs');
|
||||
|
||||
const {
|
||||
truthy, envNamespace, allowedFilterFields, allowedFilterStates,
|
||||
} = require('../constants');
|
||||
const { truthy, envNamespace } = require('../constants');
|
||||
const configSchema = require('./schema');
|
||||
// We need to require the specific file rather than the parent module to avoid a circular require
|
||||
const { parseDiskSizeSpec } = require('../utils/disk');
|
||||
|
@ -73,6 +69,7 @@ class Config {
|
|||
constructor(overrides) {
|
||||
this._basePath = path.join(__dirname, '../../');
|
||||
this._configPath = _loadFromEnv('CONFIG_FILE', defaultConfigPath);
|
||||
this._defaultsPath = path.join(__dirname, 'defaults.json');
|
||||
|
||||
this.host = undefined;
|
||||
this.port = undefined;
|
||||
|
@ -90,11 +87,6 @@ class Config {
|
|||
parsedConfig = this._recursiveUpdate(parsedConfig, overrides);
|
||||
}
|
||||
Object.assign(this, parsedConfig);
|
||||
|
||||
werelogs.configure({
|
||||
level: Config.logging.level,
|
||||
dump: Config.logging.dumpLevel,
|
||||
});
|
||||
}
|
||||
|
||||
static _readFile(path, encoding = 'utf-8') {
|
||||
|
@ -119,7 +111,7 @@ class Config {
|
|||
}
|
||||
|
||||
_loadDefaults() {
|
||||
return defaults;
|
||||
return Config._readJSON(this._defaultsPath);
|
||||
}
|
||||
|
||||
_loadUserConfig() {
|
||||
|
@ -184,9 +176,7 @@ class Config {
|
|||
}
|
||||
|
||||
static _parseRedisConfig(prefix, config) {
|
||||
const redisConf = {
|
||||
retry: config.retry,
|
||||
};
|
||||
const redisConf = {};
|
||||
if (config.sentinels || _definedInEnv(`${prefix}_SENTINELS`)) {
|
||||
redisConf.name = _loadFromEnv(`${prefix}_NAME`, config.name);
|
||||
redisConf.sentinels = _loadFromEnv(
|
||||
|
@ -198,10 +188,6 @@ class Config {
|
|||
`${prefix}_SENTINEL_PASSWORD`,
|
||||
config.sentinelPassword,
|
||||
);
|
||||
redisConf.password = _loadFromEnv(
|
||||
`${prefix}_PASSWORD`,
|
||||
config.password,
|
||||
);
|
||||
} else {
|
||||
redisConf.host = _loadFromEnv(
|
||||
`${prefix}_HOST`,
|
||||
|
@ -239,28 +225,6 @@ class Config {
|
|||
return certs;
|
||||
}
|
||||
|
||||
static _parseResourceFilters(config) {
|
||||
const resourceFilters = {};
|
||||
|
||||
allowedFilterFields.forEach(
|
||||
field => allowedFilterStates.forEach(
|
||||
state => {
|
||||
const configResources = (config[state] && config[state][field]) || null;
|
||||
const envVar = `FILTER_${field.toUpperCase()}_${state.toUpperCase()}`;
|
||||
const resources = _loadFromEnv(envVar, configResources, _typeCasts.list);
|
||||
if (resources) {
|
||||
if (resourceFilters[field]) {
|
||||
throw new Error('You can not define both an allow and a deny list for an event field.');
|
||||
}
|
||||
resourceFilters[field] = { [state]: new Set(resources) };
|
||||
}
|
||||
},
|
||||
),
|
||||
);
|
||||
|
||||
return resourceFilters;
|
||||
}
|
||||
|
||||
_parseConfig(config) {
|
||||
const parsedConfig = {};
|
||||
|
||||
|
@ -299,8 +263,6 @@ class Config {
|
|||
const warp10Conf = {
|
||||
readToken: _loadFromEnv('WARP10_READ_TOKEN', config.warp10.readToken),
|
||||
writeToken: _loadFromEnv('WARP10_WRITE_TOKEN', config.warp10.writeToken),
|
||||
requestTimeout: _loadFromEnv('WARP10_REQUEST_TIMEOUT', config.warp10.requestTimeout, _typeCasts.int),
|
||||
connectTimeout: _loadFromEnv('WARP10_CONNECT_TIMEOUT', config.warp10.connectTimeout, _typeCasts.int),
|
||||
};
|
||||
|
||||
if (Array.isArray(config.warp10.hosts) || _definedInEnv('WARP10_HOSTS')) {
|
||||
|
@ -378,24 +340,6 @@ class Config {
|
|||
|
||||
parsedConfig.bucketd = _loadFromEnv('BUCKETD_BOOTSTRAP', config.bucketd, _typeCasts.serverList);
|
||||
|
||||
parsedConfig.serviceUser = {
|
||||
arn: _loadFromEnv('SERVICE_USER_ARN', config.serviceUser.arn),
|
||||
enabled: _loadFromEnv('SERVICE_USER_ENABLED', config.serviceUser.enabled, _typeCasts.bool),
|
||||
};
|
||||
|
||||
parsedConfig.filter = Config._parseResourceFilters(config.filter);
|
||||
|
||||
parsedConfig.metrics = {
|
||||
enabled: _loadFromEnv('METRICS_ENABLED', config.metrics.enabled, _typeCasts.bool),
|
||||
host: _loadFromEnv('METRICS_HOST', config.metrics.host),
|
||||
ingestPort: _loadFromEnv('METRICS_PORT_INGEST', config.metrics.ingestPort, _typeCasts.int),
|
||||
checkpointPort: _loadFromEnv('METRICS_PORT_CHECKPOINT', config.metrics.checkpointPort, _typeCasts.int),
|
||||
snapshotPort: _loadFromEnv('METRICS_PORT_SNAPSHOT', config.metrics.snapshotPort, _typeCasts.int),
|
||||
diskUsagePort: _loadFromEnv('METRICS_PORT_DISK_USAGE', config.metrics.diskUsagePort, _typeCasts.int),
|
||||
reindexPort: _loadFromEnv('METRICS_PORT_REINDEX', config.metrics.reindexPort, _typeCasts.int),
|
||||
repairPort: _loadFromEnv('METRICS_PORT_REPAIR', config.metrics.repairPort, _typeCasts.int),
|
||||
};
|
||||
|
||||
return parsedConfig;
|
||||
}
|
||||
|
||||
|
|
|
@ -1,23 +1,9 @@
|
|||
const Joi = require('@hapi/joi');
|
||||
const { allowedFilterFields, allowedFilterStates } = require('../constants');
|
||||
|
||||
const backoffSchema = Joi.object({
|
||||
min: Joi.number(),
|
||||
max: Joi.number(),
|
||||
deadline: Joi.number(),
|
||||
jitter: Joi.number(),
|
||||
factor: Joi.number(),
|
||||
});
|
||||
|
||||
const redisRetrySchema = Joi.object({
|
||||
connectBackoff: backoffSchema,
|
||||
});
|
||||
|
||||
const redisServerSchema = Joi.object({
|
||||
host: Joi.string(),
|
||||
port: Joi.number(),
|
||||
password: Joi.string().allow(''),
|
||||
retry: redisRetrySchema,
|
||||
});
|
||||
|
||||
const redisSentinelSchema = Joi.object({
|
||||
|
@ -28,7 +14,6 @@ const redisSentinelSchema = Joi.object({
|
|||
})),
|
||||
password: Joi.string().default('').allow(''),
|
||||
sentinelPassword: Joi.string().default('').allow(''),
|
||||
retry: redisRetrySchema,
|
||||
});
|
||||
|
||||
const warp10SingleHost = Joi.object({
|
||||
|
@ -100,31 +85,7 @@ const schema = Joi.object({
|
|||
expirationEnabled: Joi.boolean(),
|
||||
hardLimit: Joi.string(),
|
||||
}),
|
||||
serviceUser: Joi.object({
|
||||
arn: Joi.string(),
|
||||
enabled: Joi.boolean(),
|
||||
}),
|
||||
filter: Joi.object(allowedFilterStates.reduce(
|
||||
(filterObj, state) => {
|
||||
filterObj[state] = allowedFilterFields.reduce(
|
||||
(stateObj, field) => {
|
||||
stateObj[field] = Joi.array().items(Joi.string());
|
||||
return stateObj;
|
||||
}, {},
|
||||
);
|
||||
return filterObj;
|
||||
}, {},
|
||||
)),
|
||||
metrics: {
|
||||
enabled: Joi.boolean(),
|
||||
host: Joi.string(),
|
||||
ingestPort: Joi.number().port(),
|
||||
checkpointPort: Joi.number().port(),
|
||||
snapshotPort: Joi.number().port(),
|
||||
diskUsagePort: Joi.number().port(),
|
||||
reindexPort: Joi.number().port(),
|
||||
repairPort: Joi.number().port(),
|
||||
},
|
||||
});
|
||||
|
||||
module.exports = schema;
|
||||
|
||||
|
|
|
@ -19,23 +19,17 @@ const constants = {
|
|||
'createBucket',
|
||||
'deleteBucket',
|
||||
'deleteBucketCors',
|
||||
'deleteBucketEncryption',
|
||||
'deleteBucketLifecycle',
|
||||
'deleteBucketReplication',
|
||||
'deleteBucketTagging',
|
||||
'deleteBucketWebsite',
|
||||
'deleteObject',
|
||||
'deleteObjectTagging',
|
||||
'getBucketAcl',
|
||||
'getBucketCors',
|
||||
'getBucketEncryption',
|
||||
'getBucketLifecycle',
|
||||
'getBucketLocation',
|
||||
'getBucketNotification',
|
||||
'getBucketObjectLock',
|
||||
'getBucketReplication',
|
||||
'getBucketVersioning',
|
||||
'getBucketTagging',
|
||||
'getBucketWebsite',
|
||||
'getObject',
|
||||
'getObjectAcl',
|
||||
|
@ -51,23 +45,18 @@ const constants = {
|
|||
'multiObjectDelete',
|
||||
'putBucketAcl',
|
||||
'putBucketCors',
|
||||
'putBucketEncryption',
|
||||
'putBucketLifecycle',
|
||||
'putBucketNotification',
|
||||
'putBucketObjectLock',
|
||||
'putBucketReplication',
|
||||
'putBucketVersioning',
|
||||
'putBucketTagging',
|
||||
'putBucketWebsite',
|
||||
'putData',
|
||||
'putDeleteMarkerObject',
|
||||
'putObject',
|
||||
'putObjectAcl',
|
||||
'putObjectLegalHold',
|
||||
'putObjectRetention',
|
||||
'putObjectTagging',
|
||||
'replicateDelete',
|
||||
'replicateObject',
|
||||
'replicateTags',
|
||||
'uploadPart',
|
||||
'uploadPartCopy',
|
||||
],
|
||||
|
@ -114,14 +103,6 @@ const constants = {
|
|||
putDeleteMarkerObject: 'deleteObject',
|
||||
},
|
||||
expirationChunkDuration: 900000000, // 15 minutes in microseconds
|
||||
allowedFilterFields: [
|
||||
'operationId',
|
||||
'location',
|
||||
'account',
|
||||
'user',
|
||||
'bucket',
|
||||
],
|
||||
allowedFilterStates: ['allow', 'deny'],
|
||||
};
|
||||
|
||||
constants.operationToResponse = constants.operations
|
||||
|
|
|
@ -1,5 +1,5 @@
|
|||
const BucketClientInterface = require('arsenal/lib/storage/metadata/bucketclient/BucketClientInterface');
|
||||
const bucketclient = require('bucketclient');
|
||||
const { BucketClientInterface } = require('arsenal').storage.metadata.bucketclient;
|
||||
|
||||
const config = require('../config');
|
||||
const { LoggerContext } = require('../utils');
|
||||
|
@ -10,7 +10,7 @@ const moduleLogger = new LoggerContext({
|
|||
|
||||
const params = {
|
||||
bucketdBootstrap: config.bucketd,
|
||||
https: config.tls,
|
||||
https: config.https,
|
||||
};
|
||||
|
||||
module.exports = new BucketClientInterface(params, bucketclient, moduleLogger);
|
||||
|
|
|
@ -1,25 +1,16 @@
|
|||
/* eslint-disable no-restricted-syntax */
|
||||
const arsenal = require('arsenal');
|
||||
const async = require('async');
|
||||
const { usersBucket, splitter: mdKeySplitter, mpuBucketPrefix } = require('arsenal').constants;
|
||||
const metadata = require('./client');
|
||||
const { LoggerContext, logger } = require('../utils');
|
||||
const { keyVersionSplitter } = require('../constants');
|
||||
|
||||
const { usersBucket, splitter: mdKeySplitter, mpuBucketPrefix } = arsenal.constants;
|
||||
const { BucketInfo } = arsenal.models;
|
||||
|
||||
const moduleLogger = new LoggerContext({
|
||||
module: 'metadata.client',
|
||||
});
|
||||
|
||||
const ebConfig = {
|
||||
times: 10,
|
||||
interval: retryCount => 50 * (2 ** retryCount),
|
||||
};
|
||||
|
||||
const PAGE_SIZE = 1000;
|
||||
|
||||
async function _listingWrapper(bucket, params) {
|
||||
function _listingWrapper(bucket, params) {
|
||||
return new Promise(
|
||||
(resolve, reject) => metadata.listObject(
|
||||
bucket,
|
||||
|
@ -46,7 +37,7 @@ function _listObject(bucket, prefix, hydrateFunc) {
|
|||
|
||||
try {
|
||||
// eslint-disable-next-line no-await-in-loop
|
||||
res = await async.retryable(ebConfig, _listingWrapper)(bucket, { ...listingParams, gt });
|
||||
res = await _listingWrapper(bucket, { ...listingParams, gt });
|
||||
} catch (error) {
|
||||
moduleLogger.error('Error during listing', { error });
|
||||
throw error;
|
||||
|
@ -108,7 +99,7 @@ function bucketExists(bucket) {
|
|||
bucket,
|
||||
logger.newRequestLogger(),
|
||||
err => {
|
||||
if (err && (!err.is || !err.is.NoSuchBucket)) {
|
||||
if (err && !err.NoSuchBucket) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
|
@ -117,25 +108,9 @@ function bucketExists(bucket) {
|
|||
));
|
||||
}
|
||||
|
||||
function getBucket(bucket) {
|
||||
return new Promise((resolve, reject) => {
|
||||
metadata.getBucketAttributes(
|
||||
bucket,
|
||||
logger.newRequestLogger(), (err, data) => {
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
resolve(BucketInfo.fromObj(data));
|
||||
},
|
||||
);
|
||||
});
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
listBuckets,
|
||||
listObjects,
|
||||
listMPUs,
|
||||
bucketExists,
|
||||
getBucket,
|
||||
};
|
||||
|
|
|
@ -3,7 +3,6 @@ const Joi = require('@hapi/joi');
|
|||
const { buildModel } = require('./Base');
|
||||
const { apiOperations } = require('../server/spec');
|
||||
const ResponseContainer = require('./ResponseContainer');
|
||||
const { httpRequestDurationSeconds } = require('../server/metrics');
|
||||
|
||||
const apiTags = Object.keys(apiOperations);
|
||||
const apiOperationIds = Object.values(apiOperations)
|
||||
|
@ -22,7 +21,6 @@ const contextSchema = {
|
|||
logger: Joi.any(),
|
||||
request: Joi.any(),
|
||||
results: Joi.any(),
|
||||
requestTimer: Joi.any(),
|
||||
};
|
||||
|
||||
const RequestContextModel = buildModel('RequestContext', contextSchema);
|
||||
|
@ -36,10 +34,6 @@ class RequestContext extends RequestContextModel {
|
|||
const tag = request.swagger.operation['x-router-controller'];
|
||||
const { operationId } = request.swagger.operation;
|
||||
|
||||
const requestTimer = tag !== 'internal'
|
||||
? httpRequestDurationSeconds.startTimer({ action: operationId })
|
||||
: null;
|
||||
|
||||
request.logger.logger.addDefaultFields({
|
||||
tag,
|
||||
operationId,
|
||||
|
@ -56,7 +50,6 @@ class RequestContext extends RequestContextModel {
|
|||
encrypted,
|
||||
results: new ResponseContainer(),
|
||||
logger: request.logger,
|
||||
requestTimer,
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
@ -2,12 +2,9 @@ const EventEmitter = require('events');
|
|||
const { callbackify, promisify } = require('util');
|
||||
const IORedis = require('ioredis');
|
||||
const { jsutil } = require('arsenal');
|
||||
const BackOff = require('backo');
|
||||
const { whilst } = require('async');
|
||||
|
||||
const errors = require('./errors');
|
||||
const { LoggerContext } = require('./utils/log');
|
||||
const { asyncOrCallback } = require('./utils/func');
|
||||
const { LoggerContext, asyncOrCallback } = require('./utils');
|
||||
|
||||
const moduleLogger = new LoggerContext({
|
||||
module: 'redis',
|
||||
|
@ -71,7 +68,6 @@ class RedisClient extends EventEmitter {
|
|||
this._redis.off('connect', this._onConnect);
|
||||
this._redis.off('ready', this._onReady);
|
||||
this._redis.off('error', this._onError);
|
||||
this._redis.disconnect();
|
||||
}
|
||||
this._isConnected = false;
|
||||
this._isReady = false;
|
||||
|
@ -106,7 +102,6 @@ class RedisClient extends EventEmitter {
|
|||
}
|
||||
|
||||
_onError(error) {
|
||||
this._isReady = false;
|
||||
moduleLogger.error('error connecting to redis', { error });
|
||||
if (this.listenerCount('error') > 0) {
|
||||
this.emit('error', error);
|
||||
|
@ -139,63 +134,20 @@ class RedisClient extends EventEmitter {
|
|||
}
|
||||
|
||||
async _call(asyncFunc) {
|
||||
const start = Date.now();
|
||||
const { connectBackoff } = this._redisOptions.retry || {};
|
||||
const backoff = new BackOff(connectBackoff);
|
||||
const timeoutMs = (connectBackoff || {}).deadline || 2000;
|
||||
let retried = false;
|
||||
const funcPromise = asyncFunc(this._redis);
|
||||
if (!this._useTimeouts) {
|
||||
// If timeouts are disabled simply return the Promise
|
||||
return funcPromise;
|
||||
}
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
whilst(
|
||||
next => { // WARNING: test is asynchronous in `async` v3
|
||||
if (!connectBackoff && !this.isReady) {
|
||||
moduleLogger.warn('redis not ready and backoff is not configured');
|
||||
}
|
||||
process.nextTick(next, null, !!connectBackoff && !this.isReady);
|
||||
},
|
||||
next => {
|
||||
retried = true;
|
||||
const { timeout, cancelTimeout } = this._createCommandTimeout();
|
||||
|
||||
if ((Date.now() - start) > timeoutMs) {
|
||||
moduleLogger.error('redis still not ready after max wait, giving up', { timeoutMs });
|
||||
return next(errors.InternalError.customizeDescription(
|
||||
'redis client is not ready',
|
||||
));
|
||||
}
|
||||
|
||||
const backoffDurationMs = backoff.duration();
|
||||
moduleLogger.error('redis not ready, retrying', { backoffDurationMs });
|
||||
|
||||
return setTimeout(next, backoffDurationMs);
|
||||
},
|
||||
err => {
|
||||
if (err) {
|
||||
return reject(err);
|
||||
}
|
||||
|
||||
if (retried) {
|
||||
moduleLogger.info('redis connection recovered', {
|
||||
recoveryOverheadMs: Date.now() - start,
|
||||
});
|
||||
}
|
||||
|
||||
const funcPromise = asyncFunc(this._redis);
|
||||
if (!this._useTimeouts) {
|
||||
// If timeouts are disabled simply return the Promise
|
||||
return resolve(funcPromise);
|
||||
}
|
||||
|
||||
const { timeout, cancelTimeout } = this._createCommandTimeout();
|
||||
|
||||
try {
|
||||
// timeout always rejects so we can just return
|
||||
return resolve(Promise.race([funcPromise, timeout]));
|
||||
} finally {
|
||||
cancelTimeout();
|
||||
}
|
||||
},
|
||||
);
|
||||
});
|
||||
try {
|
||||
// timeout always rejects so we can just return
|
||||
return await Promise.race([funcPromise, timeout]);
|
||||
} finally {
|
||||
cancelTimeout();
|
||||
}
|
||||
}
|
||||
|
||||
call(func, callback) {
|
||||
|
|
|
@ -1,14 +0,0 @@
|
|||
const { collectDefaultMetrics, register } = require('prom-client');
|
||||
|
||||
collectDefaultMetrics({
|
||||
timeout: 10000,
|
||||
gcDurationBuckets: [0.001, 0.01, 0.1, 1, 2, 5],
|
||||
});
|
||||
|
||||
async function prometheusMetrics(ctx) {
|
||||
// eslint-disable-next-line no-param-reassign
|
||||
ctx.results.statusCode = 200;
|
||||
ctx.results.body = await register.metrics();
|
||||
}
|
||||
|
||||
module.exports = prometheusMetrics;
|
|
@ -40,7 +40,7 @@ async function getStorage(ctx, params) {
|
|||
macro: 'utapi/getMetricsAt',
|
||||
};
|
||||
return warp10.exec(options);
|
||||
}, error => ctx.logger.error('error while fetching metrics', { error }));
|
||||
});
|
||||
|
||||
if (res.result.length === 0) {
|
||||
ctx.logger.error('unable to retrieve metrics', { level, resource });
|
||||
|
|
|
@ -28,62 +28,47 @@ async function listMetric(ctx, params) {
|
|||
end = Date.now();
|
||||
}
|
||||
|
||||
let results;
|
||||
// A separate request will be made to warp 10 per requested resource
|
||||
const results = await Promise.all(
|
||||
resources.map(async ({ resource, id }) => {
|
||||
const labels = { [labelName]: id };
|
||||
|
||||
try {
|
||||
// A separate request will be made to warp 10 per requested resource
|
||||
results = await Promise.all(
|
||||
resources.map(async ({ resource, id }) => {
|
||||
const labels = { [labelName]: id };
|
||||
|
||||
const res = await iterIfError(warp10Clients, warp10 => {
|
||||
const options = {
|
||||
params: {
|
||||
start: convertTimestamp(start).toString(),
|
||||
end: convertTimestamp(end).toString(),
|
||||
labels,
|
||||
node: warp10.nodeId,
|
||||
},
|
||||
macro: 'utapi/getMetrics',
|
||||
};
|
||||
return warp10.exec(options);
|
||||
}, error => ctx.logger.error('error during warp 10 request', {
|
||||
error,
|
||||
requestParams: {
|
||||
start,
|
||||
end,
|
||||
const res = await iterIfError(warp10Clients, warp10 => {
|
||||
const options = {
|
||||
params: {
|
||||
start: convertTimestamp(start).toString(),
|
||||
end: convertTimestamp(end).toString(),
|
||||
labels,
|
||||
node: warp10.nodeId,
|
||||
},
|
||||
}));
|
||||
|
||||
if (res.result.length === 0) {
|
||||
ctx.logger.error('unable to retrieve metrics', { resource, type: params.level });
|
||||
throw errors.InternalError;
|
||||
}
|
||||
|
||||
const rawMetrics = JSON.parse(res.result[0]);
|
||||
|
||||
// Due to various error cases it is possible for metrics in utapi to go negative.
|
||||
// As this is nonsensical to the user we replace any negative values with zero.
|
||||
const metrics = {
|
||||
storageUtilized: rawMetrics.storageUtilized.map(positiveOrZero),
|
||||
numberOfObjects: rawMetrics.numberOfObjects.map(positiveOrZero),
|
||||
incomingBytes: positiveOrZero(rawMetrics.incomingBytes),
|
||||
outgoingBytes: positiveOrZero(rawMetrics.outgoingBytes),
|
||||
operations: rawMetrics.operations,
|
||||
macro: 'utapi/getMetrics',
|
||||
};
|
||||
return warp10.exec(options);
|
||||
});
|
||||
|
||||
return {
|
||||
resource,
|
||||
metrics,
|
||||
};
|
||||
}),
|
||||
);
|
||||
} catch (error) {
|
||||
ctx.logger.error('error fetching metrics from warp10', { error });
|
||||
throw errors.InternalError;
|
||||
}
|
||||
if (res.result.length === 0) {
|
||||
ctx.logger.error('unable to retrieve metrics', { resource, type: params.level });
|
||||
throw errors.InternalError;
|
||||
}
|
||||
|
||||
const rawMetrics = JSON.parse(res.result[0]);
|
||||
|
||||
// Due to various error cases it is possible for metrics in utapi to go negative.
|
||||
// As this is nonsensical to the user we replace any negative values with zero.
|
||||
const metrics = {
|
||||
storageUtilized: rawMetrics.storageUtilized.map(positiveOrZero),
|
||||
numberOfObjects: rawMetrics.numberOfObjects.map(positiveOrZero),
|
||||
incomingBytes: positiveOrZero(rawMetrics.incomingBytes),
|
||||
outgoingBytes: positiveOrZero(rawMetrics.outgoingBytes),
|
||||
operations: rawMetrics.operations,
|
||||
};
|
||||
|
||||
return {
|
||||
resource,
|
||||
metrics,
|
||||
};
|
||||
}),
|
||||
);
|
||||
|
||||
// Convert the results from warp10 into the expected response format
|
||||
const resp = results
|
||||
|
@ -96,7 +81,7 @@ async function listMetric(ctx, params) {
|
|||
|
||||
const metric = {
|
||||
...result.metrics,
|
||||
timeRange: [start, end],
|
||||
timeRange: [ start, end ],
|
||||
operations: {
|
||||
...emptyOperationsResponse,
|
||||
...operations,
|
||||
|
|
|
@ -28,7 +28,6 @@ class UtapiServer extends Process {
|
|||
app.use(middleware.loggerMiddleware);
|
||||
await initializeOasTools(spec, app);
|
||||
app.use(middleware.errorMiddleware);
|
||||
app.use(middleware.httpMetricsMiddleware);
|
||||
app.use(middleware.responseLoggerMiddleware);
|
||||
return app;
|
||||
}
|
||||
|
@ -36,7 +35,7 @@ class UtapiServer extends Process {
|
|||
static _createHttpsAgent() {
|
||||
const conf = {
|
||||
ciphers: ciphers.ciphers,
|
||||
dhparam: dhparam.dhparam,
|
||||
dhparam,
|
||||
cert: config.tls.cert,
|
||||
key: config.tls.key,
|
||||
ca: config.tls.ca ? [config.tls.ca] : null,
|
||||
|
|
|
@ -1,20 +0,0 @@
|
|||
const promClient = require('prom-client');
|
||||
|
||||
const httpRequestsTotal = new promClient.Counter({
|
||||
name: 's3_utapi_http_requests_total',
|
||||
help: 'Total number of HTTP requests',
|
||||
labelNames: ['action', 'code'],
|
||||
});
|
||||
|
||||
const httpRequestDurationSeconds = new promClient.Histogram({
|
||||
name: 's3_utapi_http_request_duration_seconds',
|
||||
help: 'Duration of HTTP requests in seconds',
|
||||
labelNames: ['action', 'code'],
|
||||
// buckets for response time from 0.1ms to 60s
|
||||
buckets: [0.0001, 0.005, 0.015, 0.05, 0.1, 0.2, 0.3, 0.4, 0.5, 1.0, 5.0, 15.0, 30.0, 60.0],
|
||||
});
|
||||
|
||||
module.exports = {
|
||||
httpRequestDurationSeconds,
|
||||
httpRequestsTotal,
|
||||
};
|
|
@ -6,7 +6,6 @@ const config = require('../config');
|
|||
const { logger, buildRequestLogger } = require('../utils');
|
||||
const errors = require('../errors');
|
||||
const { translateAndAuthorize } = require('../vault');
|
||||
const metricHandlers = require('./metrics');
|
||||
|
||||
const oasOptions = {
|
||||
controllers: path.join(__dirname, './API/'),
|
||||
|
@ -56,23 +55,6 @@ function responseLoggerMiddleware(req, res, next) {
|
|||
}
|
||||
}
|
||||
|
||||
function httpMetricsMiddleware(request, response, next) {
|
||||
// If the request.ctx is undefined then this is an internal oasTools request (/_/docs)
|
||||
// No metrics should be pushed
|
||||
if (config.metrics.enabled && request.ctx && request.ctx.tag !== 'internal') {
|
||||
metricHandlers.httpRequestsTotal
|
||||
.labels({
|
||||
action: request.ctx.operationId,
|
||||
code: response.statusCode,
|
||||
}).inc(1);
|
||||
request.ctx.requestTimer({ code: response.statusCode });
|
||||
}
|
||||
|
||||
if (next) {
|
||||
next();
|
||||
}
|
||||
}
|
||||
|
||||
// next is purposely not called as all error responses are handled here
|
||||
// eslint-disable-next-line no-unused-vars
|
||||
function errorMiddleware(err, req, res, next) {
|
||||
|
@ -100,7 +82,7 @@ function errorMiddleware(err, req, res, next) {
|
|||
code,
|
||||
message,
|
||||
});
|
||||
responseLoggerMiddleware(req, res, () => httpMetricsMiddleware(req, res));
|
||||
responseLoggerMiddleware(req, res);
|
||||
}
|
||||
|
||||
// eslint-disable-next-line no-unused-vars
|
||||
|
@ -136,10 +118,6 @@ async function authV4Middleware(request, response, params) {
|
|||
[passed, authorizedResources] = await translateAndAuthorize(request, action, params.level, requestedResources);
|
||||
} catch (error) {
|
||||
request.logger.error('error during authentication', { error });
|
||||
// rethrow any access denied errors
|
||||
if ((error.is && error.is.AccessDenied) || (error.utapiError && error.AccessDenied)) {
|
||||
throw error;
|
||||
}
|
||||
throw errors.InternalError;
|
||||
}
|
||||
|
||||
|
@ -176,6 +154,5 @@ module.exports = {
|
|||
responseLoggerMiddleware,
|
||||
authV4Middleware,
|
||||
clientIpLimitMiddleware,
|
||||
httpMetricsMiddleware,
|
||||
},
|
||||
};
|
||||
|
|
|
@ -1,12 +1,10 @@
|
|||
const assert = require('assert');
|
||||
const cron = require('node-schedule');
|
||||
const cronparser = require('cron-parser');
|
||||
const promClient = require('prom-client');
|
||||
const { DEFAULT_METRICS_ROUTE } = require('arsenal').network.probe.ProbeServer;
|
||||
|
||||
const { client: cacheClient } = require('../cache');
|
||||
const Process = require('../process');
|
||||
const { LoggerContext, iterIfError, startProbeServer } = require('../utils');
|
||||
const { LoggerContext, iterIfError } = require('../utils');
|
||||
|
||||
const logger = new LoggerContext({
|
||||
module: 'BaseTask',
|
||||
|
@ -24,11 +22,6 @@ class BaseTask extends Process {
|
|||
this._scheduler = null;
|
||||
this._defaultSchedule = Now;
|
||||
this._defaultLag = 0;
|
||||
this._enableMetrics = options.enableMetrics || false;
|
||||
this._metricsHost = options.metricsHost || 'localhost';
|
||||
this._metricsPort = options.metricsPort || 9001;
|
||||
this._metricsHandlers = null;
|
||||
this._probeServer = null;
|
||||
}
|
||||
|
||||
async _setup(includeDefaultOpts = true) {
|
||||
|
@ -46,75 +39,6 @@ class BaseTask extends Process {
|
|||
.option('-l, --lag <lag>', 'Set a custom lag time in seconds', v => parseInt(v, 10))
|
||||
.option('-n, --node-id <id>', 'Set a custom node id');
|
||||
}
|
||||
|
||||
if (this._enableMetrics) {
|
||||
promClient.collectDefaultMetrics({
|
||||
timeout: 10000,
|
||||
gcDurationBuckets: [0.001, 0.01, 0.1, 1, 2, 5],
|
||||
});
|
||||
|
||||
this._metricsHandlers = {
|
||||
...this._registerDefaultMetricHandlers(),
|
||||
...this._registerMetricHandlers(),
|
||||
};
|
||||
await this._createProbeServer();
|
||||
}
|
||||
}
|
||||
|
||||
_registerDefaultMetricHandlers() {
|
||||
const taskName = this.constructor.name;
|
||||
|
||||
// Get the name of our subclass in snake case format eg BaseClass => _base_class
|
||||
const taskNameSnake = taskName.replace(/[A-Z]/g, letter => `_${letter.toLowerCase()}`);
|
||||
|
||||
const executionDuration = new promClient.Gauge({
|
||||
name: `s3_utapi${taskNameSnake}_duration_seconds`,
|
||||
help: `Execution time of the ${taskName} task`,
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const executionAttempts = new promClient.Counter({
|
||||
name: `s3_utapi${taskNameSnake}_attempts_total`,
|
||||
help: `Total number of attempts to execute the ${taskName} task`,
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const executionFailures = new promClient.Counter({
|
||||
name: `s3_utapi${taskNameSnake}_failures_total`,
|
||||
help: `Total number of failures executing the ${taskName} task`,
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
return {
|
||||
executionDuration,
|
||||
executionAttempts,
|
||||
executionFailures,
|
||||
};
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
return {};
|
||||
}
|
||||
|
||||
async _createProbeServer() {
|
||||
this._probeServer = await startProbeServer({
|
||||
bindAddress: this._metricsHost,
|
||||
port: this._metricsPort,
|
||||
});
|
||||
|
||||
this._probeServer.addHandler(
|
||||
DEFAULT_METRICS_ROUTE,
|
||||
(res, log) => {
|
||||
log.debug('metrics requested');
|
||||
res.writeHead(200, {
|
||||
'Content-Type': promClient.register.contentType,
|
||||
});
|
||||
promClient.register.metrics().then(metrics => {
|
||||
res.end(metrics);
|
||||
});
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
get schedule() {
|
||||
|
@ -155,23 +79,12 @@ class BaseTask extends Process {
|
|||
}
|
||||
|
||||
async execute() {
|
||||
let endTimer;
|
||||
if (this._enableMetrics) {
|
||||
endTimer = this._metricsHandlers.executionDuration.startTimer();
|
||||
this._metricsHandlers.executionAttempts.inc(1);
|
||||
}
|
||||
|
||||
try {
|
||||
const timestamp = new Date() * 1000; // Timestamp in microseconds;
|
||||
const laggedTimestamp = timestamp - (this.lag * 1000000);
|
||||
await this._execute(laggedTimestamp);
|
||||
} catch (error) {
|
||||
logger.error('Error during task execution', { error });
|
||||
this._metricsHandlers.executionFailures.inc(1);
|
||||
}
|
||||
|
||||
if (this._enableMetrics) {
|
||||
endTimer();
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -181,9 +94,6 @@ class BaseTask extends Process {
|
|||
}
|
||||
|
||||
async _join() {
|
||||
if (this._probeServer !== null) {
|
||||
this._probeServer.stop();
|
||||
}
|
||||
return this._cache.disconnect();
|
||||
}
|
||||
|
||||
|
|
|
@ -1,97 +1,44 @@
|
|||
const promClient = require('prom-client');
|
||||
const BaseTask = require('./BaseTask');
|
||||
const config = require('../config');
|
||||
const { checkpointLagSecs, indexedEventFields } = require('../constants');
|
||||
const { LoggerContext } = require('../utils');
|
||||
const { LoggerContext, comprehend } = require('../utils');
|
||||
|
||||
const logger = new LoggerContext({
|
||||
module: 'CreateCheckpoint',
|
||||
});
|
||||
|
||||
function _updateCheckpoint(checkpoint, metric) {
|
||||
return {
|
||||
objD: checkpoint.objD + metric.objD,
|
||||
sizeD: checkpoint.sizeD + metric.sizeD,
|
||||
inB: checkpoint.inB + metric.inB,
|
||||
outB: checkpoint.outB + metric.outB,
|
||||
};
|
||||
}
|
||||
|
||||
function _checkpointFactory(labels) {
|
||||
const checkpoints = comprehend(labels, key => ({ key, value: {} }));
|
||||
return {
|
||||
update: metric => {
|
||||
labels
|
||||
.filter(label => !!metric[label])
|
||||
.forEach(label => {
|
||||
const value = metric[label];
|
||||
const checkpoint = checkpoints[label][value];
|
||||
checkpoints[label][value] = _updateCheckpoint(checkpoint, metric);
|
||||
});
|
||||
},
|
||||
checkpoints: () => (checkpoints),
|
||||
};
|
||||
}
|
||||
|
||||
class CreateCheckpoint extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.checkpointPort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(options);
|
||||
this._defaultSchedule = config.checkpointSchedule;
|
||||
this._defaultLag = checkpointLagSecs;
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const created = new promClient.Counter({
|
||||
name: 's3_utapi_create_checkpoint_created_total',
|
||||
help: 'Total number of checkpoints created',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const getLastCheckpoint = this._getLastCheckpoint.bind(this);
|
||||
const lastCheckpoint = new promClient.Gauge({
|
||||
name: 's3_utapi_create_checkpoint_last_checkpoint_seconds',
|
||||
help: 'Timestamp of the last successfully created checkpoint',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
async collect() {
|
||||
try {
|
||||
const timestamp = await getLastCheckpoint();
|
||||
if (timestamp !== null) {
|
||||
this.set(timestamp);
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error('error during metric collection', { error });
|
||||
}
|
||||
},
|
||||
});
|
||||
|
||||
return {
|
||||
created,
|
||||
lastCheckpoint,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Metrics for CreateCheckpoint
|
||||
* @typedef {Object} CreateCheckpointMetrics
|
||||
* @property {number} created - Number of checkpoints created
|
||||
*/
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {CreateCheckpointMetrics} metrics - Metric values to push
|
||||
* @returns {undefined}
|
||||
*/
|
||||
_pushMetrics(metrics) {
|
||||
if (!this._enableMetrics) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (metrics.created !== undefined) {
|
||||
this._metricsHandlers.created.inc(metrics.created);
|
||||
}
|
||||
}
|
||||
|
||||
async _getLastCheckpoint() {
|
||||
const resp = await this.withWarp10(async warp10 => warp10.fetch({
|
||||
className: 'utapi.checkpoint.master',
|
||||
labels: {
|
||||
node: warp10.nodeId,
|
||||
},
|
||||
start: 'now',
|
||||
stop: -1,
|
||||
}));
|
||||
|
||||
if (!resp.result || (resp.result.length === 0 || resp.result[0] === '' || resp.result[0] === '[]')) {
|
||||
return null;
|
||||
}
|
||||
|
||||
const result = JSON.parse(resp.result[0])[0];
|
||||
const timestamp = result.v[0][0];
|
||||
return timestamp / 1000000;// Convert timestamp from microseconds to seconds
|
||||
}
|
||||
|
||||
async _execute(timestamp) {
|
||||
logger.debug('creating checkpoints', { checkpointTimestamp: timestamp });
|
||||
const status = await this.withWarp10(async warp10 => {
|
||||
|
@ -107,7 +54,6 @@ class CreateCheckpoint extends BaseTask {
|
|||
});
|
||||
if (status.result[0]) {
|
||||
logger.info(`created ${status.result[0] || 0} checkpoints`);
|
||||
this._pushMetrics({ created: status.result[0] });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,4 +1,3 @@
|
|||
const promClient = require('prom-client');
|
||||
const BaseTask = require('./BaseTask');
|
||||
const config = require('../config');
|
||||
const { snapshotLagSecs } = require('../constants');
|
||||
|
@ -10,88 +9,11 @@ const logger = new LoggerContext({
|
|||
|
||||
class CreateSnapshot extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.snapshotPort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(options);
|
||||
this._defaultSchedule = config.snapshotSchedule;
|
||||
this._defaultLag = snapshotLagSecs;
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const created = new promClient.Counter({
|
||||
name: 's3_utapi_create_snapshot_created_total',
|
||||
help: 'Total number of snapshots created',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const getLastSnapshot = this._getLastSnapshot.bind(this);
|
||||
const lastSnapshot = new promClient.Gauge({
|
||||
name: 's3_utapi_create_snapshot_last_snapshot_seconds',
|
||||
help: 'Timestamp of the last successfully created snapshot',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
async collect() {
|
||||
try {
|
||||
const timestamp = await getLastSnapshot();
|
||||
if (timestamp !== null) {
|
||||
this.set(timestamp);
|
||||
}
|
||||
} catch (error) {
|
||||
logger.error('error during metric collection', { error });
|
||||
}
|
||||
},
|
||||
});
|
||||
|
||||
return {
|
||||
created,
|
||||
lastSnapshot,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Metrics for CreateSnapshot
|
||||
* @typedef {Object} CreateSnapshotMetrics
|
||||
* @property {number} created - Number of snapshots created
|
||||
*/
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {CreateSnapshotMetrics} metrics - Metric values to push
|
||||
* @returns {undefined}
|
||||
*/
|
||||
_pushMetrics(metrics) {
|
||||
if (!this._enableMetrics) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (metrics.created !== undefined) {
|
||||
this._metricsHandlers.created.inc(metrics.created);
|
||||
}
|
||||
}
|
||||
|
||||
async _getLastSnapshot() {
|
||||
const resp = await this.withWarp10(async warp10 => warp10.fetch({
|
||||
className: 'utapi.snapshot.master',
|
||||
labels: {
|
||||
node: warp10.nodeId,
|
||||
},
|
||||
start: 'now',
|
||||
stop: -1,
|
||||
}));
|
||||
|
||||
if (!resp.result || (resp.result.length === 0 || resp.result[0] === '' || resp.result[0] === '[]')) {
|
||||
return null;
|
||||
}
|
||||
|
||||
const result = JSON.parse(resp.result[0])[0];
|
||||
const timestamp = result.v[0][0];
|
||||
return timestamp / 1000000;// Convert timestamp from microseconds to seconds
|
||||
}
|
||||
|
||||
async _execute(timestamp) {
|
||||
logger.debug('creating snapshots', { snapshotTimestamp: timestamp });
|
||||
|
||||
|
@ -107,7 +29,6 @@ class CreateSnapshot extends BaseTask {
|
|||
});
|
||||
if (status.result[0]) {
|
||||
logger.info(`created ${status.result[0]} snapshots`);
|
||||
this._pushMetrics({ created: status.result[0] });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,7 +1,4 @@
|
|||
const async = require('async');
|
||||
const Path = require('path');
|
||||
const fs = require('fs');
|
||||
const promClient = require('prom-client');
|
||||
const BaseTask = require('./BaseTask');
|
||||
const config = require('../config');
|
||||
const { expirationChunkDuration } = require('../constants');
|
||||
|
@ -19,13 +16,9 @@ const ACTION_THRESHOLD = 0.95;
|
|||
|
||||
class MonitorDiskUsage extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.diskUsagePort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(
|
||||
options,
|
||||
);
|
||||
this._defaultSchedule = config.diskUsageSchedule;
|
||||
this._defaultLag = 0;
|
||||
this._path = config.diskUsage.path;
|
||||
|
@ -49,88 +42,6 @@ class MonitorDiskUsage extends BaseTask {
|
|||
);
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const isLocked = new promClient.Gauge({
|
||||
name: 's3_utapi_monitor_disk_usage_is_locked',
|
||||
help: 'Indicates whether the monitored warp 10 has had writes disabled',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const leveldbBytes = new promClient.Gauge({
|
||||
name: 's3_utapi_monitor_disk_usage_leveldb_bytes',
|
||||
help: 'Total bytes used by warp 10 leveldb',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const datalogBytes = new promClient.Gauge({
|
||||
name: 's3_utapi_monitor_disk_usage_datalog_bytes',
|
||||
help: 'Total bytes used by warp 10 datalog',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const hardLimitRatio = new promClient.Gauge({
|
||||
name: 's3_utapi_monitor_disk_usage_hard_limit_ratio',
|
||||
help: 'Percent of the hard limit used by warp 10',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const hardLimitSetting = new promClient.Gauge({
|
||||
name: 's3_utapi_monitor_disk_usage_hard_limit_bytes',
|
||||
help: 'The hard limit setting in bytes',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
return {
|
||||
isLocked,
|
||||
leveldbBytes,
|
||||
datalogBytes,
|
||||
hardLimitRatio,
|
||||
hardLimitSetting,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Metrics for MonitorDiskUsage
|
||||
* @typedef {Object} MonitorDiskUsageMetrics
|
||||
* @property {boolean} isLocked - Indicates if writes have been disabled for the monitored warp10
|
||||
* @property {number} leveldbBytes - Total bytes used by warp 10 leveldb
|
||||
* @property {number} datalogBytes - Total bytes used by warp 10 datalog
|
||||
* @property {number} hardLimitRatio - Percent of the hard limit used by warp 10
|
||||
* @property {number} hardLimitSetting - The hard limit setting in bytes
|
||||
*/
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {MonitorDiskUsageMetrics} metrics - Metric values to push
|
||||
* @returns {undefined}
|
||||
*/
|
||||
_pushMetrics(metrics) {
|
||||
if (!this._enableMetrics) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (metrics.isLocked !== undefined) {
|
||||
this._metricsHandlers.isLocked.set(metrics.isLocked ? 1 : 0);
|
||||
}
|
||||
|
||||
if (metrics.leveldbBytes !== undefined) {
|
||||
this._metricsHandlers.leveldbBytes.set(metrics.leveldbBytes);
|
||||
}
|
||||
|
||||
if (metrics.datalogBytes !== undefined) {
|
||||
this._metricsHandlers.datalogBytes.set(metrics.datalogBytes);
|
||||
}
|
||||
|
||||
if (metrics.hardLimitRatio !== undefined) {
|
||||
this._metricsHandlers.hardLimitRatio.set(metrics.hardLimitRatio);
|
||||
}
|
||||
|
||||
if (metrics.hardLimitSetting !== undefined) {
|
||||
this._metricsHandlers.hardLimitSetting.set(metrics.hardLimitSetting);
|
||||
}
|
||||
}
|
||||
|
||||
get isLeader() {
|
||||
return this._program.leader !== undefined;
|
||||
}
|
||||
|
@ -143,13 +54,9 @@ class MonitorDiskUsage extends BaseTask {
|
|||
return this._program.lock !== undefined;
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
async _getUsage(path) {
|
||||
moduleLogger.debug(`calculating disk usage for ${path}`);
|
||||
if (!fs.existsSync(path)) {
|
||||
throw Error(`failed to calculate usage for non-existent path ${path}`);
|
||||
}
|
||||
return getFolderSize(path);
|
||||
_getUsage() {
|
||||
moduleLogger.debug(`calculating disk usage for ${this._path}`);
|
||||
return getFolderSize(this._path);
|
||||
}
|
||||
|
||||
async _expireMetrics(timestamp) {
|
||||
|
@ -195,7 +102,7 @@ class MonitorDiskUsage extends BaseTask {
|
|||
}
|
||||
|
||||
_checkHardLimit(size, nodeId) {
|
||||
const hardPercentage = parseFloat((size / this._hardLimit).toFixed(2));
|
||||
const hardPercentage = (size / this._hardLimit).toFixed(2);
|
||||
const hardLimitHuman = formatDiskSize(this._hardLimit);
|
||||
const hardLogger = moduleLogger.with({
|
||||
size,
|
||||
|
@ -206,8 +113,6 @@ class MonitorDiskUsage extends BaseTask {
|
|||
nodeId,
|
||||
});
|
||||
|
||||
this._pushMetrics({ hardLimitRatio: hardPercentage });
|
||||
|
||||
const msg = `Using ${hardPercentage * 100}% of the ${hardLimitHuman} hard limit on ${nodeId}`;
|
||||
|
||||
if (hardPercentage < WARN_THRESHOLD) {
|
||||
|
@ -245,14 +150,12 @@ class MonitorDiskUsage extends BaseTask {
|
|||
if (this.isManualUnlock) {
|
||||
moduleLogger.info('manually unlocking warp 10', { nodeId: this.nodeId });
|
||||
await this._enableWarp10Updates();
|
||||
this._pushMetrics({ isLocked: false });
|
||||
return;
|
||||
}
|
||||
|
||||
if (this.isManualLock) {
|
||||
moduleLogger.info('manually locking warp 10', { nodeId: this.nodeId });
|
||||
await this._disableWarp10Updates();
|
||||
this._pushMetrics({ isLocked: true });
|
||||
return;
|
||||
}
|
||||
|
||||
|
@ -267,21 +170,16 @@ class MonitorDiskUsage extends BaseTask {
|
|||
return;
|
||||
}
|
||||
|
||||
let leveldbBytes = null;
|
||||
let datalogBytes = null;
|
||||
let size = null;
|
||||
try {
|
||||
leveldbBytes = await this._getUsage(Path.join(this._path, 'leveldb'));
|
||||
datalogBytes = await this._getUsage(Path.join(this._path, 'datalog'));
|
||||
size = await this._getUsage();
|
||||
} catch (error) {
|
||||
moduleLogger.error(`error calculating disk usage for ${this._path}`, { error });
|
||||
return;
|
||||
}
|
||||
|
||||
this._pushMetrics({ leveldbBytes, datalogBytes });
|
||||
|
||||
const size = leveldbBytes + datalogBytes;
|
||||
if (this._hardLimit !== null) {
|
||||
moduleLogger.info(`warp 10 using ${formatDiskSize(size)} of disk space`, { leveldbBytes, datalogBytes });
|
||||
moduleLogger.info(`warp 10 leveldb using ${formatDiskSize(size)} of disk space`, { usage: size });
|
||||
|
||||
const shouldLock = this._checkHardLimit(size, this.nodeId);
|
||||
if (shouldLock) {
|
||||
|
@ -292,7 +190,6 @@ class MonitorDiskUsage extends BaseTask {
|
|||
{ nodeId: this.nodeId });
|
||||
await this._enableWarp10Updates();
|
||||
}
|
||||
this._pushMetrics({ isLocked: shouldLock, hardLimitSetting: this._hardLimit });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,13 +1,16 @@
|
|||
/* eslint-disable no-restricted-globals */
|
||||
const assert = require('assert');
|
||||
const async = require('async');
|
||||
const promClient = require('prom-client');
|
||||
const BaseTask = require('./BaseTask');
|
||||
const { UtapiMetric } = require('../models');
|
||||
const { UtapiRecord } = require('../models');
|
||||
|
||||
const config = require('../config');
|
||||
const { checkpointLagSecs } = require('../constants');
|
||||
const { checkpointLagSecs, warp10RecordType, eventFieldsToWarp10 } = require('../constants');
|
||||
const {
|
||||
LoggerContext, shardFromTimestamp, convertTimestamp, InterpolatedClock, now,
|
||||
LoggerContext, shardFromTimestamp, convertTimestamp, InterpolatedClock, now, comprehend,
|
||||
} = require('../utils');
|
||||
const { warp10 } = require('../config');
|
||||
|
||||
const logger = new LoggerContext({
|
||||
module: 'IngestShard',
|
||||
|
@ -15,90 +18,51 @@ const logger = new LoggerContext({
|
|||
|
||||
const checkpointLagMicroseconds = convertTimestamp(checkpointLagSecs);
|
||||
|
||||
function orZero(value) {
|
||||
return value || 0;
|
||||
}
|
||||
|
||||
function _updateCheckpoint(checkpoint, metric) {
|
||||
const ops = checkpoint.operations || {};
|
||||
return {
|
||||
objectDelta: orZero(checkpoint.objectDelta) + orZero(metric.objectDelta),
|
||||
sizeDelta: orZero(checkpoint.sizeDelta) + orZero(metric.sizeDelta),
|
||||
incomingBytes: orZero(checkpoint.incomingBytes) + orZero(metric.incomingBytes),
|
||||
outgoingBytes: orZero(checkpoint.outgoingBytes) + orZero(metric.outgoingBytes),
|
||||
operations: { ...ops, [metric.operationId]: (ops[metric.operationId] || 0) + 1 },
|
||||
};
|
||||
}
|
||||
|
||||
function _checkpointFactory(labels) {
|
||||
const checkpoints = comprehend(labels, (_, key) => ({ key, value: {} }));
|
||||
let oldest = NaN;
|
||||
let newest = NaN;
|
||||
return {
|
||||
update: metric => {
|
||||
oldest = metric.timestamp < oldest || isNaN(oldest) ? metric.timestamp : oldest;
|
||||
newest = metric.timestamp > newest || isNaN(newest) ? metric.timestamp : newest;
|
||||
labels
|
||||
.filter(label => !!metric[label])
|
||||
.forEach(label => {
|
||||
const value = metric[label];
|
||||
const checkpoint = checkpoints[label][value] || {};
|
||||
checkpoints[label][value] = _updateCheckpoint(checkpoint, metric);
|
||||
});
|
||||
},
|
||||
checkpoints: () => (checkpoints),
|
||||
oldest: () => (oldest),
|
||||
newest: () => (newest),
|
||||
};
|
||||
}
|
||||
|
||||
class IngestShardTask extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.ingestPort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(options);
|
||||
this._defaultSchedule = config.ingestionSchedule;
|
||||
this._defaultLag = config.ingestionLagSeconds;
|
||||
this._stripEventUUID = options.stripEventUUID !== undefined ? options.stripEventUUID : true;
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const ingestedTotal = new promClient.Counter({
|
||||
name: 's3_utapi_ingest_shard_task_ingest_total',
|
||||
help: 'Total number of metrics ingested',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const ingestedSlow = new promClient.Counter({
|
||||
name: 's3_utapi_ingest_shard_task_slow_total',
|
||||
help: 'Total number of slow metrics ingested',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const ingestedShards = new promClient.Counter({
|
||||
name: 's3_utapi_ingest_shard_task_shard_ingest_total',
|
||||
help: 'Total number of metric shards ingested',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
const shardAgeTotal = new promClient.Counter({
|
||||
name: 's3_utapi_ingest_shard_task_shard_age_total',
|
||||
help: 'Total aggregated age of shards',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
return {
|
||||
ingestedTotal,
|
||||
ingestedSlow,
|
||||
ingestedShards,
|
||||
shardAgeTotal,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Metrics for IngestShardTask
|
||||
* @typedef {Object} IngestShardMetrics
|
||||
* @property {number} ingestedTotal - Number of events ingested
|
||||
* @property {number} ingestedSlow - Number of slow events ingested
|
||||
* @property {number} ingestedShards - Number of metric shards ingested
|
||||
* @property {number} shardAgeTotal - Aggregated age of shards
|
||||
*/
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {IngestShardMetrics} metrics - Metric values to push
|
||||
* @returns {undefined}
|
||||
*/
|
||||
_pushMetrics(metrics) {
|
||||
if (!this._enableMetrics) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (metrics.ingestedTotal !== undefined) {
|
||||
this._metricsHandlers.ingestedTotal.inc(metrics.ingestedTotal);
|
||||
}
|
||||
|
||||
if (metrics.ingestedSlow !== undefined) {
|
||||
this._metricsHandlers.ingestedSlow.inc(metrics.ingestedSlow);
|
||||
}
|
||||
|
||||
if (metrics.ingestedShards !== undefined) {
|
||||
this._metricsHandlers.ingestedShards.inc(metrics.ingestedShards);
|
||||
}
|
||||
|
||||
if (metrics.shardAgeTotal !== undefined) {
|
||||
this._metricsHandlers.shardAgeTotal.inc(metrics.shardAgeTotal);
|
||||
}
|
||||
}
|
||||
|
||||
_hydrateEvent(data, stripTimestamp = false) {
|
||||
const event = JSON.parse(data);
|
||||
if (this._stripEventUUID) {
|
||||
|
@ -124,8 +88,6 @@ class IngestShardTask extends BaseTask {
|
|||
return;
|
||||
}
|
||||
|
||||
let shardAgeTotal = 0;
|
||||
let ingestedShards = 0;
|
||||
await async.eachLimit(toIngest, 10,
|
||||
async shard => {
|
||||
if (await this._cache.shardExists(shard)) {
|
||||
|
@ -133,21 +95,69 @@ class IngestShardTask extends BaseTask {
|
|||
if (metrics.length > 0) {
|
||||
logger.info(`Ingesting ${metrics.length} events from shard`, { shard });
|
||||
const shardAge = now() - shard;
|
||||
const areSlowEvents = shardAge >= checkpointLagMicroseconds;
|
||||
const areSlowEvents = false; //shardAge >= checkpointLagMicroseconds;
|
||||
const metricClass = areSlowEvents ? 'utapi.repair.event' : 'utapi.event';
|
||||
|
||||
if (areSlowEvents) {
|
||||
logger.info('Detected slow records, ingesting as repair');
|
||||
}
|
||||
|
||||
const records = metrics.map(m => this._hydrateEvent(m, areSlowEvents));
|
||||
const factory = _checkpointFactory(['bucket', 'account']);
|
||||
|
||||
records.sort((a, b) => a.timestamp - b.timestamp);
|
||||
const records = metrics.map(m => this._hydrateEvent(m, areSlowEvents)).forEach(factory.update);
|
||||
|
||||
// console.log(JSON.stringi?fy(factory.checkpoints(), null, 4));
|
||||
console.log(factory.newest());
|
||||
// records.sort((a, b) => a.timestamp - b.timestamp);
|
||||
|
||||
// const clock = new InterpolatedClock();
|
||||
// records.forEach(r => {
|
||||
// r.timestamp = clock.getTs(r.timestamp);
|
||||
// });
|
||||
|
||||
const checkpointTimestamp = factory.newest();
|
||||
const checkpoints = [];
|
||||
Object.entries(factory.checkpoints())
|
||||
.forEach(([level, chkpts]) => {
|
||||
Object.entries(chkpts).forEach(([resource, checkpoint]) => {
|
||||
const record = new UtapiRecord({
|
||||
...checkpoint,
|
||||
timestamp: checkpointTimestamp,
|
||||
});
|
||||
|
||||
checkpoints.push({
|
||||
level,
|
||||
resource,
|
||||
data: new UtapiRecord({
|
||||
...checkpoint,
|
||||
timestamp: checkpointTimestamp,
|
||||
}),
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
await async.mapLimit(checkpoints, 10,
|
||||
async checkpoint => {
|
||||
let ingestedIntoNodeId;
|
||||
const status = await this.withWarp10(async warp10 => {
|
||||
// eslint-disable-next-line prefer-destructuring
|
||||
ingestedIntoNodeId = warp10.nodeId;
|
||||
return warp10.ingest(
|
||||
{
|
||||
className: 'utapi.checkpoint',
|
||||
labels: {
|
||||
origin: config.nodeId,
|
||||
[eventFieldsToWarp10[checkpoint.level]]: checkpoint.resource,
|
||||
},
|
||||
valueType: warp10RecordType,
|
||||
}, [checkpoint.data],
|
||||
);
|
||||
});
|
||||
// logger.info(
|
||||
// `ingested ${status} records from ${config.nodeId} into ${ingestedIntoNodeId}`,
|
||||
// );
|
||||
});
|
||||
|
||||
const clock = new InterpolatedClock();
|
||||
records.forEach(r => {
|
||||
r.timestamp = clock.getTs(r.timestamp);
|
||||
});
|
||||
|
||||
let ingestedIntoNodeId;
|
||||
const status = await this.withWarp10(async warp10 => {
|
||||
|
@ -155,21 +165,18 @@ class IngestShardTask extends BaseTask {
|
|||
ingestedIntoNodeId = warp10.nodeId;
|
||||
return warp10.ingest(
|
||||
{
|
||||
className: metricClass,
|
||||
className: 'utapi.checkpoint.master',
|
||||
labels: { origin: config.nodeId },
|
||||
}, records,
|
||||
valueType: warp10RecordType,
|
||||
|
||||
}, [new UtapiRecord({
|
||||
timestamp: checkpointTimestamp,
|
||||
})],
|
||||
);
|
||||
});
|
||||
assert.strictEqual(status, records.length);
|
||||
// assert.strictEqual(status, records.length);
|
||||
await this._cache.deleteShard(shard);
|
||||
logger.info(`ingested ${status} records from ${config.nodeId} into ${ingestedIntoNodeId}`);
|
||||
|
||||
shardAgeTotal += shardAge;
|
||||
ingestedShards += 1;
|
||||
this._pushMetrics({ ingestedTotal: records.length });
|
||||
if (areSlowEvents) {
|
||||
this._pushMetrics({ ingestedSlow: records.length });
|
||||
}
|
||||
// logger.info(`ingested ${status} records from ${config.nodeId} into ${ingestedIntoNodeId}`);
|
||||
} else {
|
||||
logger.debug('No events found in shard, cleaning up');
|
||||
}
|
||||
|
@ -177,8 +184,6 @@ class IngestShardTask extends BaseTask {
|
|||
logger.warn('shard does not exist', { shard });
|
||||
}
|
||||
});
|
||||
const shardAgeTotalSecs = shardAgeTotal / 1000000;
|
||||
this._pushMetrics({ shardAgeTotal: shardAgeTotalSecs, ingestedShards });
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -7,12 +7,7 @@ const config = require('../config');
|
|||
const metadata = require('../metadata');
|
||||
const { serviceToWarp10Label, warp10RecordType } = require('../constants');
|
||||
|
||||
const {
|
||||
LoggerContext,
|
||||
logEventFilter,
|
||||
convertTimestamp,
|
||||
buildFilterChain,
|
||||
} = require('../utils');
|
||||
const { LoggerContext, convertTimestamp } = require('../utils');
|
||||
|
||||
const logger = new LoggerContext({
|
||||
module: 'ReindexTask',
|
||||
|
@ -20,36 +15,9 @@ const logger = new LoggerContext({
|
|||
|
||||
class ReindexTask extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.reindexPort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(options);
|
||||
this._defaultSchedule = config.reindexSchedule;
|
||||
this._defaultLag = 0;
|
||||
const eventFilters = (config && config.filter) || {};
|
||||
this._shouldReindex = buildFilterChain((config && config.filter) || {});
|
||||
// exponential backoff: max wait = 50 * 2 ^ 10 milliseconds ~= 51 seconds
|
||||
this.ebConfig = {
|
||||
times: 10,
|
||||
interval: retryCount => 50 * (2 ** retryCount),
|
||||
};
|
||||
|
||||
if (Object.keys(eventFilters).length !== 0) {
|
||||
logEventFilter((...args) => logger.info(...args), 'reindex resource filtering enabled', eventFilters);
|
||||
}
|
||||
}
|
||||
|
||||
async _setup(includeDefaultOpts = true) {
|
||||
await super._setup(includeDefaultOpts);
|
||||
this._program.option(
|
||||
'--bucket <bucket>',
|
||||
'Manually specify a bucket to reindex. Can be used multiple times.',
|
||||
(bucket, previous) => previous.concat([bucket]),
|
||||
[],
|
||||
);
|
||||
}
|
||||
|
||||
static async _indexBucket(bucket) {
|
||||
|
@ -63,13 +31,6 @@ class ReindexTask extends BaseTask {
|
|||
// eslint-disable-next-line no-continue
|
||||
continue;
|
||||
}
|
||||
|
||||
if (!Number.isInteger(obj.value['content-length'])) {
|
||||
logger.debug('object missing content-length, not including in count');
|
||||
// eslint-disable-next-line no-continue
|
||||
continue;
|
||||
}
|
||||
|
||||
count += 1;
|
||||
size += obj.value['content-length'];
|
||||
|
||||
|
@ -108,8 +69,6 @@ class ReindexTask extends BaseTask {
|
|||
labels: {
|
||||
[level]: resource,
|
||||
},
|
||||
// eslint-disable-next-line camelcase
|
||||
no_reindex: true,
|
||||
},
|
||||
macro: 'utapi/getMetricsAt',
|
||||
};
|
||||
|
@ -160,24 +119,13 @@ class ReindexTask extends BaseTask {
|
|||
}
|
||||
}
|
||||
|
||||
get targetBuckets() {
|
||||
if (this._program.bucket.length) {
|
||||
return this._program.bucket.map(name => ({ name }));
|
||||
}
|
||||
return metadata.listBuckets();
|
||||
}
|
||||
|
||||
async _execute() {
|
||||
logger.info('started reindex task');
|
||||
|
||||
const accountTotals = {};
|
||||
const ignoredAccounts = new Set();
|
||||
await async.eachLimit(this.targetBuckets, 5, async bucket => {
|
||||
if (!this._shouldReindex({ bucket: bucket.name, account: bucket.account })) {
|
||||
logger.debug('skipping excluded bucket', { bucket: bucket.name, account: bucket.account });
|
||||
return;
|
||||
}
|
||||
|
||||
await async.eachLimit(metadata.listBuckets(), 5, async bucket => {
|
||||
logger.info('started bucket reindex', { bucket: bucket.name });
|
||||
|
||||
const mpuBucket = `${mpuBucketPrefix}${bucket.name}`;
|
||||
|
@ -185,17 +133,11 @@ class ReindexTask extends BaseTask {
|
|||
let mpuTotal;
|
||||
|
||||
try {
|
||||
bktTotal = await async.retryable(this.ebConfig, ReindexTask._indexBucket)(bucket.name);
|
||||
mpuTotal = await async.retryable(this.ebConfig, ReindexTask._indexMpuBucket)(mpuBucket);
|
||||
bktTotal = await async.retryable(ReindexTask._indexBucket)(bucket.name);
|
||||
mpuTotal = await async.retryable(ReindexTask._indexMpuBucket)(mpuBucket);
|
||||
} catch (error) {
|
||||
logger.error(
|
||||
'failed bucket reindex. any associated account will be skipped',
|
||||
{ error, bucket: bucket.name },
|
||||
);
|
||||
// buckets passed with `--bucket` won't have an account property
|
||||
if (bucket.account) {
|
||||
ignoredAccounts.add(bucket.account);
|
||||
}
|
||||
logger.error('failed bucket reindex. associated account skipped', { error, bucket: bucket.name });
|
||||
ignoredAccounts.add(bucket.account);
|
||||
return;
|
||||
}
|
||||
|
||||
|
@ -204,14 +146,11 @@ class ReindexTask extends BaseTask {
|
|||
count: bktTotal.count,
|
||||
};
|
||||
|
||||
// buckets passed with `--bucket` won't have an account property
|
||||
if (bucket.account) {
|
||||
if (accountTotals[bucket.account]) {
|
||||
accountTotals[bucket.account].size += total.size;
|
||||
accountTotals[bucket.account].count += total.count;
|
||||
} else {
|
||||
accountTotals[bucket.account] = { ...total };
|
||||
}
|
||||
if (accountTotals[bucket.account]) {
|
||||
accountTotals[bucket.account].size += total.size;
|
||||
accountTotals[bucket.account].count += total.count;
|
||||
} else {
|
||||
accountTotals[bucket.account] = { ...total };
|
||||
}
|
||||
|
||||
logger.info('finished bucket reindex', { bucket: bucket.name });
|
||||
|
|
|
@ -1,4 +1,3 @@
|
|||
const promClient = require('prom-client');
|
||||
const BaseTask = require('./BaseTask');
|
||||
const config = require('../config');
|
||||
const { LoggerContext } = require('../utils');
|
||||
|
@ -10,51 +9,11 @@ const logger = new LoggerContext({
|
|||
|
||||
class RepairTask extends BaseTask {
|
||||
constructor(options) {
|
||||
super({
|
||||
enableMetrics: config.metrics.enabled,
|
||||
metricsHost: config.metrics.host,
|
||||
metricsPort: config.metrics.repairPort,
|
||||
...options,
|
||||
});
|
||||
|
||||
super(options);
|
||||
this._defaultSchedule = config.repairSchedule;
|
||||
this._defaultLag = repairLagSecs;
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const created = new promClient.Counter({
|
||||
name: 's3_utapi_repair_task_created_total',
|
||||
help: 'Total number of repair records created',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
return {
|
||||
created,
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Metrics for RepairTask
|
||||
* @typedef {Object} RepairMetrics
|
||||
* @property {number} created - Number of repair records created
|
||||
*/
|
||||
|
||||
/**
|
||||
*
|
||||
* @param {RepairMetrics} metrics - Metric values to push
|
||||
* @returns {undefined}
|
||||
*/
|
||||
_pushMetrics(metrics) {
|
||||
if (!this._enableMetrics) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (metrics.created !== undefined) {
|
||||
this._metricsHandlers.created.inc(metrics.created);
|
||||
}
|
||||
}
|
||||
|
||||
async _execute(timestamp) {
|
||||
logger.debug('Checking for repairs', { timestamp, nodeId: this.nodeId });
|
||||
|
||||
|
@ -71,7 +30,6 @@ class RepairTask extends BaseTask {
|
|||
});
|
||||
if (status.result[0]) {
|
||||
logger.info(`created ${status.result[0]} corrections`);
|
||||
this._pushMetrics({ created: status.result[0] });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,47 +0,0 @@
|
|||
const assert = require('assert');
|
||||
|
||||
/**
|
||||
* filterObject
|
||||
*
|
||||
* Constructs a function meant for filtering Objects by the value of a key
|
||||
* Returned function returns a boolean with false meaning the object was present
|
||||
* in the filter allowing the function to be passed directly to Array.filter etc.
|
||||
*
|
||||
* @param {string} key - Object key to inspect
|
||||
* @param {Object} filter
|
||||
* @param {Set} [filter.allow] - Set containing keys to include
|
||||
* @param {Set} [filter.deny] - Set containing keys to not include
|
||||
* @returns {function(Object): bool}
|
||||
*/
|
||||
|
||||
function filterObject(obj, key, { allow, deny }) {
|
||||
if (allow && deny) {
|
||||
throw new Error('You can not define both an allow and a deny list.');
|
||||
}
|
||||
if (!allow && !deny) {
|
||||
throw new Error('You must define either an allow or a deny list.');
|
||||
}
|
||||
if (allow) {
|
||||
assert(allow instanceof Set);
|
||||
return obj[key] === undefined || allow.has(obj[key]);
|
||||
}
|
||||
assert(deny instanceof Set);
|
||||
return obj[key] === undefined || !deny.has(obj[key]);
|
||||
}
|
||||
|
||||
/**
|
||||
* buildFilterChain
|
||||
*
|
||||
* Constructs a function from a map of key names and allow/deny filters.
|
||||
* The returned function returns a boolean with false meaning the object was present
|
||||
* in one of the filters allowing the function to be passed directly to Array.filter etc.
|
||||
*
|
||||
* @param {Object<string, Object<string, Set>} filters
|
||||
* @returns {function(Object): bool}
|
||||
*/
|
||||
|
||||
function buildFilterChain(filters) {
|
||||
return obj => Object.entries(filters).every(([key, filter]) => filterObject(obj, key, filter));
|
||||
}
|
||||
|
||||
module.exports = { filterObject, buildFilterChain };
|
|
@ -42,21 +42,19 @@ function comprehend(data, func) {
|
|||
* @returns {*} -
|
||||
*/
|
||||
async function iterIfError(items, func, onError) {
|
||||
let error;
|
||||
// eslint-disable-next-line no-restricted-syntax
|
||||
for (const item of items) {
|
||||
try {
|
||||
// eslint-disable-next-line no-await-in-loop
|
||||
const resp = await func(item);
|
||||
return resp;
|
||||
} catch (_error) {
|
||||
} catch (error) {
|
||||
if (onError) {
|
||||
onError(_error);
|
||||
onError(error);
|
||||
}
|
||||
error = _error;
|
||||
}
|
||||
}
|
||||
throw error || new Error('unable to complete request');
|
||||
throw new Error('unable to complete request');
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
|
|
|
@ -3,8 +3,6 @@ const shard = require('./shard');
|
|||
const timestamp = require('./timestamp');
|
||||
const func = require('./func');
|
||||
const disk = require('./disk');
|
||||
const filter = require('./filter');
|
||||
const probe = require('./probe');
|
||||
|
||||
module.exports = {
|
||||
...log,
|
||||
|
@ -12,6 +10,4 @@ module.exports = {
|
|||
...timestamp,
|
||||
...func,
|
||||
...disk,
|
||||
...filter,
|
||||
...probe,
|
||||
};
|
||||
|
|
|
@ -1,5 +1,12 @@
|
|||
const werelogs = require('werelogs');
|
||||
const { comprehend } = require('./func');
|
||||
const config = require('../config');
|
||||
|
||||
const loggerConfig = {
|
||||
level: config.logging.level,
|
||||
dump: config.logging.dumpLevel,
|
||||
};
|
||||
|
||||
werelogs.configure(loggerConfig);
|
||||
|
||||
const rootLogger = new werelogs.Logger('Utapi');
|
||||
|
||||
|
@ -70,6 +77,8 @@ class LoggerContext {
|
|||
}
|
||||
}
|
||||
|
||||
rootLogger.debug('logger initialized', { loggerConfig });
|
||||
|
||||
function buildRequestLogger(req) {
|
||||
let reqUids = [];
|
||||
if (req.headers['x-scal-request-uids'] !== undefined) {
|
||||
|
@ -93,26 +102,8 @@ function buildRequestLogger(req) {
|
|||
return new LoggerContext({}, reqLogger);
|
||||
}
|
||||
|
||||
function logEventFilter(logger, msg, eventFilters) {
|
||||
const filterLog = comprehend(
|
||||
eventFilters,
|
||||
(level, rules) => ({
|
||||
key: level,
|
||||
value: comprehend(
|
||||
rules,
|
||||
(rule, values) => ({
|
||||
key: rule,
|
||||
value: Array.from(values),
|
||||
}),
|
||||
),
|
||||
}),
|
||||
);
|
||||
logger(msg, { filters: filterLog });
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
logger: rootLogger,
|
||||
buildRequestLogger,
|
||||
LoggerContext,
|
||||
logEventFilter,
|
||||
};
|
||||
|
|
|
@ -1,32 +0,0 @@
|
|||
|
||||
const { ProbeServer } = require('arsenal').network.probe.ProbeServer;
|
||||
|
||||
/**
|
||||
* Configure probe servers
|
||||
* @typedef {Object} ProbeServerConfig
|
||||
* @property {string} bindAddress - Address to bind probe server to
|
||||
* @property {number} port - Port to bind probe server to
|
||||
*/
|
||||
|
||||
/**
|
||||
* Start an empty probe server
|
||||
* @async
|
||||
* @param {ProbeServerConfig} config - Configuration for probe server
|
||||
* @returns {Promise<ProbeServer>} - Instance of ProbeServer
|
||||
*/
|
||||
async function startProbeServer(config) {
|
||||
if (!config) {
|
||||
throw new Error('configuration for probe server is missing');
|
||||
}
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
const probeServer = new ProbeServer(config);
|
||||
probeServer.onListening(() => resolve(probeServer));
|
||||
probeServer.onError(err => reject(err));
|
||||
probeServer.start();
|
||||
});
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
startProbeServer,
|
||||
};
|
|
@ -0,0 +1,179 @@
|
|||
const assert = require('assert');
|
||||
const { auth, policies } = require('arsenal');
|
||||
const vaultclient = require('vaultclient');
|
||||
const config = require('./config');
|
||||
const errors = require('./errors');
|
||||
|
||||
/**
|
||||
@class Vault
|
||||
* Creates a vault instance for authentication and authorization
|
||||
*/
|
||||
|
||||
class Vault {
|
||||
constructor(options) {
|
||||
const { host, port } = options.vaultd;
|
||||
if (options.tls) {
|
||||
const { key, cert, ca } = options.tls;
|
||||
this._client = new vaultclient.Client(host, port, true, key, cert,
|
||||
ca);
|
||||
} else {
|
||||
this._client = new vaultclient.Client(host, port);
|
||||
}
|
||||
}
|
||||
|
||||
/** authenticateV4Request
|
||||
*
|
||||
* @param {object} params - the authentication parameters as returned by
|
||||
* auth.extractParams
|
||||
* @param {number} params.version - shall equal 4
|
||||
* @param {string} params.data.accessKey - the user's accessKey
|
||||
* @param {string} params.data.signatureFromRequest - the signature read from
|
||||
* the request
|
||||
* @param {string} params.data.region - the AWS region
|
||||
* @param {string} params.data.stringToSign - the stringToSign
|
||||
* @param {string} params.data.scopeDate - the timespan to allow the request
|
||||
* @param {string} params.data.authType - the type of authentication
|
||||
* (query or header)
|
||||
* @param {string} params.data.signatureVersion - the version of the
|
||||
* signature (AWS or AWS4)
|
||||
* @param {number} params.data.signatureAge - the age of the signature in ms
|
||||
* @param {string} params.data.log - the logger object
|
||||
* @param {RequestContext []} requestContexts - an array of
|
||||
* RequestContext instances which contain information
|
||||
* for policy authorization check
|
||||
* @param {function} callback - cb(err)
|
||||
* @return {undefined}
|
||||
*/
|
||||
authenticateV4Request(params, requestContexts, callback) {
|
||||
const {
|
||||
accessKey, signatureFromRequest, region, scopeDate,
|
||||
stringToSign,
|
||||
} = params.data;
|
||||
const { log } = params;
|
||||
log.debug('authenticating V4 request');
|
||||
const serializedRCs = requestContexts.map(rc => rc.serialize());
|
||||
this._client.verifySignatureV4(
|
||||
stringToSign, signatureFromRequest,
|
||||
accessKey, region, scopeDate,
|
||||
{ reqUid: log.getSerializedUids(), requestContext: serializedRCs },
|
||||
(err, authInfo) => {
|
||||
if (err) {
|
||||
log.trace('error from vault', { error: err });
|
||||
return callback(err);
|
||||
}
|
||||
return callback(null,
|
||||
authInfo.message.body.authorizationResults);
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns canonical Ids for a given list of account Ids
|
||||
* @param {string[]} accountIds - list of account ids
|
||||
* @param {object} log - Werelogs request logger
|
||||
* @return {Promise} -
|
||||
*/
|
||||
getCanonicalIds(accountIds, log) {
|
||||
log.debug('retrieving canonical ids for account ids', {
|
||||
method: 'Vault.getCanonicalIds',
|
||||
});
|
||||
return new Promise((resolve, reject) =>
|
||||
this._client.getCanonicalIdsByAccountIds(accountIds,
|
||||
{ reqUid: log.getSerializedUids(), logger: log }, (err, res) => {
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
if (!res.message || !res.message.body) {
|
||||
reject(errors.InternalError);
|
||||
return;
|
||||
}
|
||||
resolve(res.message.body.map(acc => ({
|
||||
resource: acc.accountId,
|
||||
id: acc.canonicalId,
|
||||
})));
|
||||
}));
|
||||
}
|
||||
}
|
||||
|
||||
const vault = new Vault(config);
|
||||
auth.setHandler(vault);
|
||||
|
||||
async function translateResourceIds(level, resources, log) {
|
||||
if (level === 'accounts') {
|
||||
return vault.getCanonicalIds(resources, log);
|
||||
}
|
||||
|
||||
return resources.map(resource => ({ resource, id: resource }));
|
||||
}
|
||||
|
||||
async function authenticateRequest(request, action, level, resources) {
|
||||
const policyContext = new policies.RequestContext(
|
||||
request.headers,
|
||||
request.query,
|
||||
level,
|
||||
resources,
|
||||
request.ip,
|
||||
request.ctx.encrypted,
|
||||
action,
|
||||
'utapi',
|
||||
);
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
auth.server.doAuth(request, request.logger.logger, (err, res) => {
|
||||
if (err && (err.InvalidAccessKeyId || err.AccessDenied)) {
|
||||
resolve([false]);
|
||||
return;
|
||||
}
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
// Will only have res if request is from a user rather than an account
|
||||
let authorizedResources = resources;
|
||||
if (res) {
|
||||
try {
|
||||
authorizedResources = res.reduce(
|
||||
(authed, result) => {
|
||||
if (result.isAllowed) {
|
||||
// result.arn should be of format:
|
||||
// arn:scality:utapi:::resourcetype/resource
|
||||
assert(typeof result.arn === 'string');
|
||||
assert(result.arn.indexOf('/') > -1);
|
||||
const resource = result.arn.split('/')[1];
|
||||
authed.push(resource);
|
||||
request.logger.trace('access granted for resource', { resource });
|
||||
}
|
||||
return authed;
|
||||
}, [],
|
||||
);
|
||||
} catch (err) {
|
||||
reject(err);
|
||||
}
|
||||
} else {
|
||||
request.logger.trace('granted access to all resources');
|
||||
}
|
||||
|
||||
resolve([
|
||||
authorizedResources.length !== 0,
|
||||
authorizedResources,
|
||||
]);
|
||||
}, 's3', [policyContext]);
|
||||
});
|
||||
}
|
||||
|
||||
async function translateAndAuthorize(request, action, level, resources) {
|
||||
const [authed, authorizedResources] = await authenticateRequest(request, action, level, resources);
|
||||
if (!authed) {
|
||||
return [authed];
|
||||
}
|
||||
const translated = await translateResourceIds(level, authorizedResources, request.logger.logger);
|
||||
return [authed, translated];
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
authenticateRequest,
|
||||
translateAndAuthorize,
|
||||
Vault,
|
||||
vault,
|
||||
};
|
|
@ -1,135 +0,0 @@
|
|||
const assert = require('assert');
|
||||
const { auth, policies } = require('arsenal');
|
||||
const config = require('../config');
|
||||
const errors = require('../errors');
|
||||
/**
|
||||
@class Vault
|
||||
* Creates a vault instance for authentication and authorization
|
||||
*/
|
||||
|
||||
class VaultWrapper extends auth.Vault {
|
||||
create(config) {
|
||||
if (config.vaultd.host) {
|
||||
return new VaultWrapper(config);
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
constructor(options) {
|
||||
let client;
|
||||
const { host, port } = options.vaultd;
|
||||
const vaultclient = require('vaultclient');
|
||||
if (options.tls) {
|
||||
const { key, cert, ca } = options.tls;
|
||||
client = new vaultclient.Client(host, port, true, key, cert,
|
||||
ca);
|
||||
} else {
|
||||
client = new vaultclient.Client(host, port);
|
||||
}
|
||||
super(client, 'vault');
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns canonical Ids for a given list of account Ids
|
||||
* @param {string[]} accountIds - list of account ids
|
||||
* @param {object} log - Werelogs request logger
|
||||
* @return {Promise} -
|
||||
*/
|
||||
getCanonicalIds(accountIds, log) {
|
||||
log.debug('retrieving canonical ids for account ids', {
|
||||
method: 'Vault.getCanonicalIds',
|
||||
accountIds,
|
||||
});
|
||||
return new Promise((resolve, reject) =>
|
||||
this.client.getCanonicalIdsByAccountIds(accountIds,
|
||||
{ reqUid: log.getSerializedUids(), logger: log }, (err, res) => {
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
if (!res.message || !res.message.body) {
|
||||
reject(errors.InternalError);
|
||||
return;
|
||||
}
|
||||
resolve(res.message.body.map(acc => ({
|
||||
resource: acc.accountId,
|
||||
id: acc.canonicalId,
|
||||
})));
|
||||
}));
|
||||
}
|
||||
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
authenticateRequest(request, action, level, resources) {
|
||||
const policyContext = new policies.RequestContext(
|
||||
request.headers,
|
||||
request.query,
|
||||
level,
|
||||
resources,
|
||||
request.ip,
|
||||
request.ctx.encrypted,
|
||||
action,
|
||||
'utapi',
|
||||
);
|
||||
|
||||
return new Promise((resolve, reject) => {
|
||||
auth.server.doAuth(
|
||||
request,
|
||||
request.logger.logger,
|
||||
(err, authInfo, authRes) => {
|
||||
if (err && err.is && (err.is.InvalidAccessKeyId || err.is.AccessDenied)) {
|
||||
resolve({ authed: false });
|
||||
return;
|
||||
}
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
|
||||
// Only IAM users will return authorizedResources
|
||||
let authorizedResources = resources;
|
||||
if (authRes) {
|
||||
authorizedResources = authRes
|
||||
.filter(resource => resource.isAllowed)
|
||||
.map(resource => {
|
||||
// resource.arn should be of format:
|
||||
// arn:scality:utapi:::resourcetype/resource
|
||||
assert(typeof resource.arn === 'string');
|
||||
assert(resource.arn.indexOf('/') > -1);
|
||||
return resource.arn.split('/')[1];
|
||||
});
|
||||
}
|
||||
|
||||
resolve({ authed: true, authInfo, authorizedResources });
|
||||
}, 's3', [policyContext],
|
||||
);
|
||||
});
|
||||
}
|
||||
|
||||
getUsersById(userIds, log) {
|
||||
log.debug('retrieving user arns for user ids', {
|
||||
method: 'Vault.getUsersById',
|
||||
userIds,
|
||||
});
|
||||
return new Promise((resolve, reject) =>
|
||||
this.client.getUsersById(userIds,
|
||||
{ reqUid: log.getSerializedUids(), logger: log }, (err, res) => {
|
||||
if (err) {
|
||||
reject(err);
|
||||
return;
|
||||
}
|
||||
if (!res.message || !res.message.body) {
|
||||
reject(errors.InternalError);
|
||||
return;
|
||||
}
|
||||
resolve(res.message.body);
|
||||
}));
|
||||
}
|
||||
}
|
||||
|
||||
const vault = VaultWrapper.create(config);
|
||||
auth.setHandler(vault);
|
||||
|
||||
module.exports = {
|
||||
VaultWrapper,
|
||||
vault,
|
||||
};
|
|
@ -1,177 +0,0 @@
|
|||
const { vault } = require('./client');
|
||||
const metadata = require('../metadata');
|
||||
const errors = require('../errors');
|
||||
const config = require('../config');
|
||||
|
||||
async function authorizeAccountAccessKey(authInfo, level, resources, log) {
|
||||
let authed = false;
|
||||
let authedRes = [];
|
||||
|
||||
log.trace('Authorizing account', { resources });
|
||||
|
||||
switch (level) {
|
||||
// Account keys can only query metrics their own account metrics
|
||||
// So we can short circuit the auth to ->
|
||||
// Did they request their account? Then authorize ONLY their account
|
||||
case 'accounts':
|
||||
authed = resources.some(r => r === authInfo.getShortid());
|
||||
authedRes = authed ? [{ resource: authInfo.getShortid(), id: authInfo.getCanonicalID() }] : [];
|
||||
break;
|
||||
|
||||
// Account keys are allowed access to any of their child users metrics
|
||||
case 'users': {
|
||||
let users;
|
||||
try {
|
||||
users = await vault.getUsersById(resources, log.logger);
|
||||
} catch (error) {
|
||||
log.error('failed to fetch user', { error });
|
||||
throw errors.AccessDenied;
|
||||
}
|
||||
authedRes = users
|
||||
.filter(user => user.parentId === authInfo.getShortid())
|
||||
.map(user => ({ resource: user.id, id: user.id }));
|
||||
authed = authedRes.length !== 0;
|
||||
break;
|
||||
}
|
||||
|
||||
// Accounts are only allowed access if they are the owner of the bucket
|
||||
case 'buckets': {
|
||||
const buckets = await Promise.all(
|
||||
resources.map(async bucket => {
|
||||
try {
|
||||
const bucketMD = await metadata.getBucket(bucket);
|
||||
return bucketMD;
|
||||
} catch (error) {
|
||||
log.error('failed to fetch metadata for bucket', { error, bucket });
|
||||
throw errors.AccessDenied;
|
||||
}
|
||||
}),
|
||||
);
|
||||
|
||||
authedRes = buckets
|
||||
.filter(bucket => bucket.getOwner() === authInfo.getCanonicalID())
|
||||
.map(bucket => ({ resource: bucket.getName(), id: bucket.getName() }));
|
||||
authed = authedRes.length !== 0;
|
||||
break;
|
||||
}
|
||||
|
||||
// Accounts can not access service resources
|
||||
case 'services':
|
||||
break;
|
||||
|
||||
default:
|
||||
log.error('Unknown metric level', { level });
|
||||
throw new Error(`Unknown metric level ${level}`);
|
||||
}
|
||||
|
||||
return [authed, authedRes];
|
||||
}
|
||||
|
||||
async function authorizeUserAccessKey(authInfo, level, resources, log) {
|
||||
let authed = false;
|
||||
let authedRes = [];
|
||||
|
||||
log.trace('Authorizing IAM user', { resources });
|
||||
|
||||
// If no resources were authorized by Vault then no further checking is required
|
||||
if (resources.length === 0) {
|
||||
return [false, []];
|
||||
}
|
||||
|
||||
// Get the parent account id from the user's arn
|
||||
const parentAccountId = authInfo.getArn().split(':')[4];
|
||||
|
||||
// All users require an attached policy to query metrics
|
||||
// Additional filtering is performed here to limit access to the user's account
|
||||
switch (level) {
|
||||
// User keys can only query metrics their own account metrics
|
||||
// So we can short circuit the auth to ->
|
||||
// Did they request their account? Then authorize ONLY their account
|
||||
case 'accounts': {
|
||||
authed = resources.some(r => r === parentAccountId);
|
||||
authedRes = authed ? [{ resource: parentAccountId, id: authInfo.getCanonicalID() }] : [];
|
||||
break;
|
||||
}
|
||||
|
||||
// Users can query other user's metrics if they are under the same account
|
||||
case 'users': {
|
||||
let users;
|
||||
try {
|
||||
users = await vault.getUsersById(resources, log.logger);
|
||||
} catch (error) {
|
||||
log.error('failed to fetch user', { error });
|
||||
throw errors.AccessDenied;
|
||||
}
|
||||
authedRes = users
|
||||
.filter(user => user.parentId === parentAccountId)
|
||||
.map(user => ({ resource: user.id, id: user.id }));
|
||||
authed = authedRes.length !== 0;
|
||||
break;
|
||||
}
|
||||
|
||||
// Users can query bucket metrics if they are owned by the same account
|
||||
case 'buckets': {
|
||||
let buckets;
|
||||
try {
|
||||
buckets = await Promise.all(
|
||||
resources.map(bucket => metadata.getBucket(bucket)),
|
||||
);
|
||||
} catch (error) {
|
||||
log.error('failed to fetch metadata for bucket', { error });
|
||||
throw error;
|
||||
}
|
||||
authedRes = buckets
|
||||
.filter(bucket => bucket.getOwner() === authInfo.getCanonicalID())
|
||||
.map(bucket => ({ resource: bucket.getName(), id: bucket.getName() }));
|
||||
authed = authedRes.length !== 0;
|
||||
break;
|
||||
}
|
||||
|
||||
case 'services':
|
||||
break;
|
||||
|
||||
default:
|
||||
log.error('Unknown metric level', { level });
|
||||
throw new Error(`Unknown metric level ${level}`);
|
||||
}
|
||||
return [authed, authedRes];
|
||||
}
|
||||
|
||||
async function authorizeServiceUser(authInfo, level, resources, log) {
|
||||
log.trace('Authorizing service user', { resources, arn: authInfo.getArn() });
|
||||
// The service user is allowed access to any resource so no checking is done
|
||||
if (level === 'accounts') {
|
||||
const canonicalIds = await vault.getCanonicalIds(resources, log.logger);
|
||||
return [canonicalIds.length !== 0, canonicalIds];
|
||||
}
|
||||
|
||||
return [resources.length !== 0, resources.map(resource => ({ resource, id: resource }))];
|
||||
}
|
||||
|
||||
|
||||
async function translateAndAuthorize(request, action, level, resources) {
|
||||
const {
|
||||
authed,
|
||||
authInfo,
|
||||
authorizedResources,
|
||||
} = await vault.authenticateRequest(request, action, level, resources);
|
||||
|
||||
if (!authed) {
|
||||
return [false, []];
|
||||
}
|
||||
|
||||
if (config.serviceUser.enabled && authInfo.getArn() === config.serviceUser.arn) {
|
||||
return authorizeServiceUser(authInfo, level, authorizedResources, request.logger);
|
||||
}
|
||||
|
||||
if (authInfo.isRequesterAnIAMUser()) {
|
||||
return authorizeUserAccessKey(authInfo, level, authorizedResources, request.logger);
|
||||
}
|
||||
|
||||
return authorizeAccountAccessKey(authInfo, level, authorizedResources, request.logger);
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
translateAndAuthorize,
|
||||
vault,
|
||||
};
|
|
@ -3,11 +3,6 @@ const needle = require('needle');
|
|||
const assert = require('assert');
|
||||
const { eventFieldsToWarp10, warp10EventType } = require('./constants');
|
||||
const _config = require('./config');
|
||||
const { LoggerContext } = require('./utils');
|
||||
|
||||
const moduleLogger = new LoggerContext({
|
||||
module: 'warp10',
|
||||
});
|
||||
|
||||
class Warp10Client {
|
||||
constructor(config) {
|
||||
|
@ -79,7 +74,6 @@ class Warp10Client {
|
|||
async exec(params) {
|
||||
const payload = this._buildExecPayload(params);
|
||||
const resp = await this._client.exec(payload);
|
||||
moduleLogger.info('warpscript executed', { stats: resp.meta });
|
||||
return resp;
|
||||
}
|
||||
|
||||
|
@ -129,8 +123,6 @@ const clients = _config.warp10.hosts.map(
|
|||
val => new Warp10Client({
|
||||
readToken: _config.warp10.readToken,
|
||||
writeToken: _config.warp10.writeToken,
|
||||
connectTimeout: _config.warp10.connectTimeout,
|
||||
requestTimeout: _config.warp10.requestTimeout,
|
||||
...val,
|
||||
}),
|
||||
);
|
||||
|
|
|
@ -46,9 +46,6 @@
|
|||
"s3:PutObjectRetention": 0,
|
||||
"s3:GetObjectRetention": 0,
|
||||
"s3:PutObjectLegalHold": 0,
|
||||
"s3:GetObjectLegalHold": 0,
|
||||
"s3:ReplicateObject": 0,
|
||||
"s3:ReplicateTags": 0,
|
||||
"s3:ReplicateDelete": 0
|
||||
"s3:GetObjectLegalHold": 0
|
||||
}
|
||||
}
|
||||
|
|
16
openapi.yaml
16
openapi.yaml
|
@ -101,12 +101,6 @@ components:
|
|||
type: string
|
||||
level:
|
||||
type: string
|
||||
utapi-get-prometheus-metrics:
|
||||
description: metrics to be ingested by prometheus
|
||||
content:
|
||||
text/plain:
|
||||
schema:
|
||||
type: string
|
||||
parameters:
|
||||
level:
|
||||
in: path
|
||||
|
@ -139,16 +133,6 @@ paths:
|
|||
$ref: '#/components/responses/json-error'
|
||||
200:
|
||||
description: Service is healthy
|
||||
/_/metrics:
|
||||
get:
|
||||
x-router-controller: internal
|
||||
x-iplimit: true
|
||||
operationId: prometheusMetrics
|
||||
responses:
|
||||
default:
|
||||
$ref: '#/components/responses/json-error'
|
||||
200:
|
||||
$ref: '#/components/responses/utapi-get-prometheus-metrics'
|
||||
/v2/ingest:
|
||||
post:
|
||||
x-router-controller: metrics
|
||||
|
|
33
package.json
33
package.json
|
@ -1,9 +1,9 @@
|
|||
{
|
||||
"name": "utapi",
|
||||
"engines": {
|
||||
"node": ">=16"
|
||||
"node": ">=10.19.0"
|
||||
},
|
||||
"version": "8.1.15",
|
||||
"version": "7.10.0",
|
||||
"description": "API for tracking resource utilization and reporting metrics",
|
||||
"main": "index.js",
|
||||
"repository": {
|
||||
|
@ -19,44 +19,37 @@
|
|||
"dependencies": {
|
||||
"@hapi/joi": "^17.1.1",
|
||||
"@senx/warp10": "^1.0.14",
|
||||
"arsenal": "git+https://git.yourcmc.ru/vitalif/zenko-arsenal.git#development/8.1",
|
||||
"arsenal": "scality/Arsenal#65966f5",
|
||||
"async": "^3.2.0",
|
||||
"aws-sdk": "^2.1005.0",
|
||||
"aws4": "^1.8.0",
|
||||
"backo": "^1.1.0",
|
||||
"body-parser": "^1.19.0",
|
||||
"bucketclient": "scality/bucketclient",
|
||||
"byte-size": "^7.0.0",
|
||||
"commander": "^5.1.0",
|
||||
"cron-parser": "^2.15.0",
|
||||
"diskusage": "^1.1.3",
|
||||
"express": "^4.17.1",
|
||||
"get-folder-size": "^2.0.1",
|
||||
"ioredis": "^4.28.0",
|
||||
"ioredis": "^4.9.5",
|
||||
"js-yaml": "^3.14.0",
|
||||
"level-mem": "^5.0.1",
|
||||
"needle": "^2.5.0",
|
||||
"node-schedule": "^1.3.2",
|
||||
"oas-tools": "^2.2.2",
|
||||
"prom-client": "14.2.0",
|
||||
"oas-tools": "^2.1.8",
|
||||
"uuid": "^3.3.2",
|
||||
"werelogs": "git+https://git.yourcmc.ru/vitalif/zenko-werelogs.git#development/8.1"
|
||||
"vaultclient": "scality/vaultclient#ff9e92f",
|
||||
"werelogs": "scality/werelogs#0a4c576"
|
||||
},
|
||||
"devDependencies": {
|
||||
"eslint": "^8.14.0",
|
||||
"eslint-config-airbnb-base": "^15.0.0",
|
||||
"eslint-config-scality": "git+https://git.yourcmc.ru/vitalif/zenko-eslint-config-scality.git",
|
||||
"eslint-plugin-import": "^2.18.0",
|
||||
"mocha": ">=3.1.2",
|
||||
"eslint": "^5.12.0",
|
||||
"eslint-config-airbnb-base": "13.1.0",
|
||||
"eslint-config-scality": "scality/Guidelines#7cc5ff1",
|
||||
"eslint-plugin-import": "2.14.0",
|
||||
"mocha": "^3.0.2",
|
||||
"nodemon": "^2.0.4",
|
||||
"protobufjs": "^6.10.1",
|
||||
"sinon": "^9.0.2"
|
||||
},
|
||||
"resolutions": {
|
||||
"**/@yarnpkg/fslib": "2.4.0",
|
||||
"**/@yarnpkg/libzip": "2.2.1",
|
||||
"**/@yarnpkg/json-proxy": "2.1.0",
|
||||
"**/@yarnpkg/parsers": "2.3.0"
|
||||
},
|
||||
"scripts": {
|
||||
"ft_test": "mocha --recursive tests/functional",
|
||||
"ft_test:client": "mocha --recursive tests/functional/client",
|
||||
|
|
|
@ -1,2 +0,0 @@
|
|||
redis==5.0.3
|
||||
requests==2.31.0
|
|
@ -3,16 +3,17 @@ const assert = require('assert');
|
|||
const url = require('url');
|
||||
const { auth, errors, policies } = require('arsenal');
|
||||
const safeJsonParse = require('../utils/safeJsonParse');
|
||||
const Vault = require('../lib/Vault');
|
||||
|
||||
class Router {
|
||||
/**
|
||||
* @constructor
|
||||
* @param {Config} config - Config instance
|
||||
*/
|
||||
constructor(config, vault) {
|
||||
constructor(config) {
|
||||
this._service = config.component;
|
||||
this._routes = {};
|
||||
this._vault = vault;
|
||||
this._vault = new Vault(config);
|
||||
}
|
||||
|
||||
/**
|
||||
|
@ -265,10 +266,6 @@ class Router {
|
|||
*/
|
||||
_processSecurityChecks(utapiRequest, route, cb) {
|
||||
const log = utapiRequest.getLog();
|
||||
if (process.env.UTAPI_AUTH === 'false') {
|
||||
// Zenko route request does not need to go through Vault
|
||||
return this._startRequest(utapiRequest, route, cb);
|
||||
}
|
||||
return this._authSquared(utapiRequest, err => {
|
||||
if (err) {
|
||||
log.trace('error from vault', { errors: err });
|
||||
|
|
21
server.js
21
server.js
|
@ -1,21 +1,4 @@
|
|||
const fs = require('fs');
|
||||
const path = require('path');
|
||||
|
||||
const Config = require('./lib/Config');
|
||||
const config = require('./lib/Config');
|
||||
const server = require('./lib/server');
|
||||
|
||||
/*
|
||||
* By default, the config file is "config.json" at the root.
|
||||
* It can be overridden using the UTAPI_CONFIG_FILE environment var.
|
||||
*/
|
||||
const cfgpath = process.env.UTAPI_CONFIG_FILE || (__dirname+'/config.json');
|
||||
|
||||
let cfg;
|
||||
try {
|
||||
cfg = JSON.parse(fs.readFileSync(cfgpath, { encoding: 'utf-8' }));
|
||||
} catch (err) {
|
||||
throw new Error(`could not parse config file: ${err.message}`);
|
||||
}
|
||||
|
||||
cfg.component = 's3';
|
||||
server(new Config(cfg));
|
||||
server(Object.assign({}, config, { component: 's3' }));
|
||||
|
|
|
@ -1,141 +0,0 @@
|
|||
const assert = require('assert');
|
||||
const async = require('async');
|
||||
const Redis = require('ioredis');
|
||||
const { EventEmitter } = require('events');
|
||||
const { makeUtapiGenericClientRequest } = require('../../utils/utils');
|
||||
const Vault = require('../../utils/mock/Vault');
|
||||
|
||||
const host = '127.0.0.1';
|
||||
const sentinels = [
|
||||
{ host, port: 16379 },
|
||||
];
|
||||
|
||||
const redis = new Redis({
|
||||
port: 6379,
|
||||
host,
|
||||
sentinels,
|
||||
name: 'scality-s3',
|
||||
});
|
||||
|
||||
const sentinel = new Redis({
|
||||
port: 16379,
|
||||
host,
|
||||
});
|
||||
|
||||
const sentinelSub = new Redis({
|
||||
port: 16379,
|
||||
host,
|
||||
});
|
||||
|
||||
describe('Client connections', async function test() {
|
||||
this.timeout(5000);
|
||||
this.loadgen = new EventEmitter();
|
||||
|
||||
const makeRequest = (ctx, done) => {
|
||||
const MAX_RANGE_MS = (((1000 * 60) * 60) * 24) * 30; // One month.
|
||||
const {
|
||||
timeRange, type, resource, expected, action,
|
||||
} = {
|
||||
action: 'ListMetrics',
|
||||
type: 'buckets',
|
||||
resource: 'my-bucket',
|
||||
timeRange: [
|
||||
0,
|
||||
((MAX_RANGE_MS / 60) - (1000 * 60) * 15) - 1,
|
||||
],
|
||||
expected: {
|
||||
bucketName: 'my-bucket',
|
||||
},
|
||||
};
|
||||
|
||||
const headers = {
|
||||
method: 'POST',
|
||||
path: `/${type}?Action=${action}`,
|
||||
};
|
||||
const body = {
|
||||
timeRange,
|
||||
[type]: [resource],
|
||||
};
|
||||
ctx.requestsDuringFailover += 1;
|
||||
makeUtapiGenericClientRequest(headers, body, (err, response) => {
|
||||
if (err) {
|
||||
return done(err);
|
||||
}
|
||||
const data = JSON.parse(response);
|
||||
if (data.code) {
|
||||
return new Error(data.message);
|
||||
}
|
||||
|
||||
if (timeRange) {
|
||||
assert.deepStrictEqual(timeRange, data[0].timeRange);
|
||||
}
|
||||
|
||||
Object.entries(expected).forEach(([k, v]) => {
|
||||
assert.strictEqual(data[0][k], v);
|
||||
});
|
||||
});
|
||||
};
|
||||
|
||||
before(async () => {
|
||||
await sentinelSub.subscribe('+slave');
|
||||
|
||||
this.connectionsBeforeFailover = null;
|
||||
this.connectionsAfterFailover = null;
|
||||
this.requestsDuringFailover = 0;
|
||||
this.vault = new Vault();
|
||||
this.vault.start();
|
||||
});
|
||||
|
||||
after(async () => {
|
||||
this.vault.end();
|
||||
redis.disconnect();
|
||||
sentinel.disconnect();
|
||||
sentinelSub.disconnect();
|
||||
});
|
||||
|
||||
beforeEach(async () => {
|
||||
const clients = await redis.client('list');
|
||||
this.connectionsBeforeFailover = clients.split('\n').length;
|
||||
this.requestsDuringFailover = 0;
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
const clients = await redis.client('list');
|
||||
this.connectionsAfterFailover = clients.split('\n').length;
|
||||
assert(this.connectionsAfterFailover <= this.connectionsBeforeFailover);
|
||||
});
|
||||
|
||||
it('should not add connections after failover under load', done => {
|
||||
sentinel.sentinel('failover', 'scality-s3', (err, res) => {
|
||||
if (err) {
|
||||
return done(err);
|
||||
}
|
||||
assert.strictEqual(res, 'OK');
|
||||
|
||||
// Requests made with async.times will stay open when they occur
|
||||
// during the failover window so and async.race is used to resolve
|
||||
async.race([
|
||||
() => setTimeout(() => this.loadgen.emit('finished'), 3000),
|
||||
() => async.times(
|
||||
100,
|
||||
() => makeRequest(this, done),
|
||||
() => this.loadgen.emit('finished'),
|
||||
),
|
||||
]);
|
||||
});
|
||||
|
||||
sentinelSub.on('message', (chan, message) => {
|
||||
// wait until the old master is added as a replica so any stale connections would be transfered
|
||||
assert.strictEqual(chan, '+slave');
|
||||
// checks that ports differ between old and new master
|
||||
const data = message.split(' ');
|
||||
const [oldPort, newPort] = [data[3], data[7]];
|
||||
assert.notStrictEqual(oldPort, newPort);
|
||||
|
||||
return this.loadgen.on('finished', () => {
|
||||
assert(this.requestsDuringFailover > 1);
|
||||
return done();
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
|
@ -77,9 +77,6 @@ const actions = [
|
|||
'getObjectRetention',
|
||||
'putObjectLegalHold',
|
||||
'getObjectLegalHold',
|
||||
'replicateObject',
|
||||
'replicateDelete',
|
||||
'replicateTags',
|
||||
];
|
||||
|
||||
// Get the proper params object for a pushMetric call for the given action.
|
||||
|
@ -97,7 +94,6 @@ function getParams(action) {
|
|||
case 'uploadPart':
|
||||
case 'uploadPartCopy':
|
||||
case 'putObject':
|
||||
case 'replicateObject':
|
||||
case 'copyObject':
|
||||
return Object.assign(resources, {
|
||||
newByteLength: objSize,
|
||||
|
@ -209,29 +205,28 @@ function popAllMetrics(cb) {
|
|||
// deleteObject metric
|
||||
function checkAllMetrics(cb) {
|
||||
const keys = getAllResourceTypeKeys();
|
||||
return async.each(keys, (key, next) =>
|
||||
datastore.get(key, (err, res) => {
|
||||
if (err) {
|
||||
return next(err);
|
||||
}
|
||||
let expected = 1; // Actions should have been incremented once.
|
||||
if (key.includes('incomingBytes')) {
|
||||
// putObject, uploadPart, uploadPartCopy, and replicateObject.
|
||||
expected = objSize * 4;
|
||||
} else if (key.includes('outgoingBytes')) {
|
||||
expected = objSize; // getObject.
|
||||
} else if (key.includes('storageUtilized')) {
|
||||
// After all PUT and DELETE operations, should be 2048.
|
||||
expected = 2048;
|
||||
} else if (key.includes('numberOfObjects')) {
|
||||
expected = 3; // After PUT and DELETE operations, should be 3.
|
||||
} else if (key.endsWith('DeleteObject')) {
|
||||
expected = 2; // After DELETE operations, should be 2.
|
||||
}
|
||||
assert.strictEqual(parseInt(res, 10), expected, 'incorrect value '
|
||||
+ `of key: ${key}`);
|
||||
return next();
|
||||
}), err => cb(err));
|
||||
return async.each(keys, (key, next) => datastore.get(key, (err, res) => {
|
||||
if (err) {
|
||||
return next(err);
|
||||
}
|
||||
let expected = 1; // Actions should have been incremented once.
|
||||
if (key.includes('incomingBytes')) {
|
||||
// putObject, uploadPart, and uploadPartCopy.
|
||||
expected = objSize * 3;
|
||||
} else if (key.includes('outgoingBytes')) {
|
||||
expected = objSize; // getObject.
|
||||
} else if (key.includes('storageUtilized')) {
|
||||
// After all PUT and DELETE operations, should be 1024.
|
||||
expected = 1024;
|
||||
} else if (key.includes('numberOfObjects')) {
|
||||
expected = 1; // After PUT and DELETE operations, should be 1.
|
||||
} else if (key.endsWith('DeleteObject')) {
|
||||
expected = 2; // After DELETE operations, should be 2.
|
||||
}
|
||||
assert.strictEqual(parseInt(res, 10), expected, 'incorrect value '
|
||||
+ `of key: ${key}`);
|
||||
return next();
|
||||
}), err => cb(err));
|
||||
}
|
||||
|
||||
describe('Replay', () => {
|
||||
|
|
|
@ -1,14 +1,11 @@
|
|||
const assert = require('assert');
|
||||
const fs = require('fs');
|
||||
const sinon = require('sinon');
|
||||
const uuid = require('uuid');
|
||||
const promClient = require('prom-client');
|
||||
|
||||
const { clients: warp10Clients } = require('../../../libV2/warp10');
|
||||
const { MonitorDiskUsage } = require('../../../libV2/tasks');
|
||||
|
||||
const { fillDir } = require('../../utils/v2Data');
|
||||
const { assertMetricValue } = require('../../utils/prom');
|
||||
|
||||
// eslint-disable-next-line func-names
|
||||
describe('Test MonitorDiskUsage hard limit', function () {
|
||||
|
@ -18,18 +15,14 @@ describe('Test MonitorDiskUsage hard limit', function () {
|
|||
|
||||
beforeEach(async () => {
|
||||
path = `/tmp/diskusage-${uuid.v4()}`;
|
||||
fs.mkdirSync(`${path}/datalog`, { recursive: true });
|
||||
promClient.register.clear();
|
||||
task = new MonitorDiskUsage({ warp10: warp10Clients, enableMetrics: true });
|
||||
task = new MonitorDiskUsage({ warp10: warp10Clients });
|
||||
await task.setup();
|
||||
task._path = path;
|
||||
task._enabled = true;
|
||||
});
|
||||
|
||||
afterEach(async () => task.join());
|
||||
|
||||
it('should trigger a database lock if above the limit', async () => {
|
||||
fillDir(`${path}/leveldb`, { count: 1, size: 100 });
|
||||
fillDir(path, { count: 1, size: 100 });
|
||||
task._hardLimit = 1;
|
||||
const checkSpy = sinon.spy(task, '_checkHardLimit');
|
||||
const lockSpy = sinon.spy(task, '_disableWarp10Updates');
|
||||
|
@ -41,11 +34,10 @@ describe('Test MonitorDiskUsage hard limit', function () {
|
|||
assert(lockSpy.calledOnce);
|
||||
assert(unlockSpy.notCalled);
|
||||
assert(execStub.calledOnce);
|
||||
await assertMetricValue('s3_utapi_monitor_disk_usage_hard_limit_bytes', 1);
|
||||
});
|
||||
|
||||
it('should trigger a database unlock if below the limit', async () => {
|
||||
fillDir(`${path}/leveldb`, { count: 1, size: 100 });
|
||||
fillDir(path, { count: 1, size: 100 });
|
||||
task._hardLimit = 10240;
|
||||
const checkSpy = sinon.spy(task, '_checkHardLimit');
|
||||
const lockSpy = sinon.spy(task, '_disableWarp10Updates');
|
||||
|
@ -58,7 +50,7 @@ describe('Test MonitorDiskUsage hard limit', function () {
|
|||
});
|
||||
|
||||
it('should not throw when failing to calculate disk usage', async () => {
|
||||
fillDir(`${path}/leveldb`, { count: 1, size: 100 });
|
||||
fillDir(path, { count: 1, size: 100 });
|
||||
task._hardLimit = 1;
|
||||
sinon.stub(task, '_getUsage').throws();
|
||||
const _task = task.execute();
|
||||
|
|
|
@ -9,8 +9,7 @@ const { convertTimestamp, now } = require('../../../../libV2/utils');
|
|||
const { operationToResponse } = require('../../../../libV2/constants');
|
||||
|
||||
const { generateCustomEvents } = require('../../../utils/v2Data');
|
||||
const { BucketD } = require('../../../utils/mock/');
|
||||
const vaultclient = require('../../../utils/vaultclient');
|
||||
const { UtapiMetric } = require('../../../../libV2/models');
|
||||
|
||||
const warp10 = warp10Clients[0];
|
||||
const _now = Math.floor(new Date().getTime() / 1000);
|
||||
|
@ -29,7 +28,7 @@ const emptyOperationsResponse = Object.values(operationToResponse)
|
|||
return prev;
|
||||
}, {});
|
||||
|
||||
async function listMetrics(level, resources, start, end, credentials) {
|
||||
async function listMetrics(level, resources, start, end, force403 = false) {
|
||||
const body = {
|
||||
[level]: resources,
|
||||
};
|
||||
|
@ -51,13 +50,12 @@ async function listMetrics(level, resources, start, end, credentials) {
|
|||
},
|
||||
};
|
||||
|
||||
const { accessKey: accessKeyId, secretKey: secretAccessKey } = credentials;
|
||||
const _credentials = {
|
||||
accessKeyId,
|
||||
secretAccessKey,
|
||||
const credentials = {
|
||||
accessKeyId: force403 ? 'invalidKey' : 'accessKey1',
|
||||
secretAccessKey: 'verySecretKey1',
|
||||
};
|
||||
|
||||
const sig = aws4.sign(headers, _credentials);
|
||||
const sig = aws4.sign(headers, credentials);
|
||||
|
||||
return needle(
|
||||
'post',
|
||||
|
@ -83,199 +81,140 @@ function opsToResp(operations) {
|
|||
}, { ...emptyOperationsResponse });
|
||||
}
|
||||
|
||||
function assertMetricResponse(provided, expected) {
|
||||
assert.deepStrictEqual(provided.operations, opsToResp(expected.ops));
|
||||
assert.strictEqual(provided.incomingBytes, expected.in);
|
||||
assert.strictEqual(provided.outgoingBytes, expected.out);
|
||||
assert.deepStrictEqual(provided.storageUtilized, [0, expected.bytes]);
|
||||
assert.deepStrictEqual(provided.numberOfObjects, [0, expected.count]);
|
||||
}
|
||||
const testCases = [
|
||||
{
|
||||
desc: 'for a single resource',
|
||||
args: { [uuid.v4()]: { [uuid.v4()]: [uuid.v4()] } },
|
||||
},
|
||||
{
|
||||
desc: 'for multiple resources',
|
||||
args: {
|
||||
[uuid.v4()]: {
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
},
|
||||
[uuid.v4()]: {
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
},
|
||||
[uuid.v4()]: {
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
[uuid.v4()]: [uuid.v4(), uuid.v4(), uuid.v4()],
|
||||
},
|
||||
},
|
||||
},
|
||||
];
|
||||
|
||||
describe('Test listMetric', function () {
|
||||
this.timeout(10000);
|
||||
const bucketd = new BucketD(true);
|
||||
|
||||
let account;
|
||||
let user;
|
||||
let otherAccount;
|
||||
let otherUser;
|
||||
let serviceAccount;
|
||||
let serviceUser;
|
||||
const bucket = uuid.v4();
|
||||
const otherBucket = uuid.v4();
|
||||
let totals;
|
||||
|
||||
before(async () => {
|
||||
account = await vaultclient.createAccountAndKeys(uuid.v4());
|
||||
user = await vaultclient.createUserAndKeys(account, uuid.v4());
|
||||
otherAccount = await vaultclient.createAccountAndKeys(uuid.v4());
|
||||
otherUser = await vaultclient.createUser(otherAccount, uuid.v4());
|
||||
serviceAccount = await vaultclient.createInternalServiceAccountAndKeys();
|
||||
serviceUser = await vaultclient.ensureServiceUser(serviceAccount);
|
||||
|
||||
await Promise.all([
|
||||
vaultclient.createAndAttachUtapiPolicy(account, user, 'buckets', '*'),
|
||||
vaultclient.createAndAttachUtapiPolicy(account, user, 'accounts', '*'),
|
||||
vaultclient.createAndAttachUtapiPolicy(account, user, 'users', '*'),
|
||||
]);
|
||||
|
||||
bucketd.createBucketsWithOwner([
|
||||
{ name: bucket, owner: account.canonicalId },
|
||||
{ name: otherBucket, owner: otherAccount.canonicalId },
|
||||
]);
|
||||
bucketd.start();
|
||||
|
||||
const { events, totals: _totals } = generateCustomEvents(
|
||||
getTs(-360),
|
||||
getTs(-60),
|
||||
1000,
|
||||
{ [account.canonicalId]: { [user.id]: [bucket] } },
|
||||
);
|
||||
totals = _totals;
|
||||
assert(await ingestEvents(events));
|
||||
});
|
||||
|
||||
after(async () => {
|
||||
bucketd.end();
|
||||
await warp10.delete({
|
||||
className: '~.*',
|
||||
start: 0,
|
||||
end: now(),
|
||||
});
|
||||
await vaultclient.cleanupAccountAndUsers(account);
|
||||
await vaultclient.cleanupAccountAndUsers(otherAccount);
|
||||
await vaultclient.cleanupAccountAndUsers(serviceAccount);
|
||||
});
|
||||
|
||||
describe('test account credentials', () => {
|
||||
it('should list metrics for the same account', async () => {
|
||||
const resp = await listMetrics('accounts', [account.id], getTs(-500), getTs(0), account);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.accounts]), [account.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.accounts[account.canonicalId]);
|
||||
testCases.forEach(testCase => {
|
||||
describe(testCase.desc, () => {
|
||||
let totals;
|
||||
before(async () => {
|
||||
const { events, totals: _totals } = generateCustomEvents(
|
||||
getTs(-360),
|
||||
getTs(-60),
|
||||
1000,
|
||||
testCase.args,
|
||||
);
|
||||
totals = _totals;
|
||||
assert(await ingestEvents(events));
|
||||
});
|
||||
});
|
||||
|
||||
it("should list metrics for an account's user", async () => {
|
||||
const resp = await listMetrics('users', [user.id], getTs(-500), getTs(0), account);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.users]), [user.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.users[user.id]);
|
||||
after(async () => {
|
||||
await warp10.delete({
|
||||
className: '~.*',
|
||||
start: 0,
|
||||
end: now(),
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
it("should list metrics for an account's bucket", async () => {
|
||||
const resp = await listMetrics('buckets', [bucket], getTs(-500), getTs(0), account);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.buckets]), [bucket]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.buckets[bucket]);
|
||||
});
|
||||
});
|
||||
const accounts = [];
|
||||
const users = [];
|
||||
const buckets = [];
|
||||
|
||||
it('should return Access Denied for a different account', async () => {
|
||||
const resp = await listMetrics('accounts', [otherAccount.id], getTs(-500), getTs(0), account);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
});
|
||||
Object.entries(testCase.args)
|
||||
.forEach(([account, _users]) => {
|
||||
accounts.push(`account:${account}`);
|
||||
Object.entries(_users).forEach(([user, _buckets]) => {
|
||||
users.push(user);
|
||||
buckets.push(..._buckets);
|
||||
});
|
||||
});
|
||||
|
||||
it("should return Access Denied for a different account's user", async () => {
|
||||
const resp = await listMetrics('users', [otherUser.id], getTs(-500), getTs(0), account);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
});
|
||||
const metricQueries = {
|
||||
accounts,
|
||||
users,
|
||||
buckets,
|
||||
};
|
||||
|
||||
it("should return Access Denied for a different account's bucket", async () => {
|
||||
const resp = await listMetrics('buckets', [otherBucket], getTs(-500), getTs(0), account);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
Object.entries(metricQueries)
|
||||
.forEach(query => {
|
||||
const [level, resources] = query;
|
||||
it(`should get metrics for ${level}`, async () => {
|
||||
const resp = await listMetrics(...query, getTs(-500), getTs(0));
|
||||
assert(Array.isArray(resp.body));
|
||||
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys[level]]), resources);
|
||||
|
||||
body.forEach(metric => {
|
||||
const key = metric[metricResponseKeys[level]];
|
||||
const _key = level === 'accounts' ? key.split(':')[1] : key;
|
||||
const expected = totals[level][_key];
|
||||
assert.deepStrictEqual(metric.operations, opsToResp(expected.ops));
|
||||
assert.strictEqual(metric.incomingBytes, expected.in);
|
||||
assert.strictEqual(metric.outgoingBytes, expected.out);
|
||||
assert.deepStrictEqual(metric.storageUtilized, [0, expected.bytes]);
|
||||
assert.deepStrictEqual(metric.numberOfObjects, [0, expected.count]);
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
describe('test user credentials', () => {
|
||||
it('should list metrics for the same account', async () => {
|
||||
const resp = await listMetrics('accounts', [account.id], getTs(-500), getTs(0), user);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.accounts]), [account.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.accounts[account.canonicalId]);
|
||||
});
|
||||
it('should return 0 in metrics are negative', async () => {
|
||||
const bucket = `imabucket-${uuid.v4()}`;
|
||||
const account = `imaaccount-${uuid.v4()}`;
|
||||
const event = new UtapiMetric({
|
||||
timestamp: getTs(0),
|
||||
bucket,
|
||||
account,
|
||||
objectDelta: -1,
|
||||
sizeDelta: -1,
|
||||
incomingBytes: -1,
|
||||
outgoingBytes: -1,
|
||||
operationId: 'putObject',
|
||||
});
|
||||
|
||||
it("should list metrics for a user's account", async () => {
|
||||
const resp = await listMetrics('users', [user.id], getTs(-500), getTs(0), user);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.users]), [user.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.users[user.id]);
|
||||
});
|
||||
});
|
||||
await ingestEvents([event]);
|
||||
|
||||
it("should list metrics for an user's bucket", async () => {
|
||||
const resp = await listMetrics('buckets', [bucket], getTs(-500), getTs(0), user);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.buckets]), [bucket]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.buckets[bucket]);
|
||||
});
|
||||
});
|
||||
const bucketResp = await listMetrics('buckets', [bucket], getTs(-1), getTs(1));
|
||||
assert(Array.isArray(bucketResp.body));
|
||||
|
||||
it("should return Access Denied for a different user's account", async () => {
|
||||
const resp = await listMetrics('accounts', [otherAccount.id], getTs(-500), getTs(0), user);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
});
|
||||
const [bucketMetric] = bucketResp.body;
|
||||
assert.deepStrictEqual(bucketMetric.storageUtilized, [0, 0]);
|
||||
assert.deepStrictEqual(bucketMetric.numberOfObjects, [0, 0]);
|
||||
assert.deepStrictEqual(bucketMetric.incomingBytes, 0);
|
||||
assert.deepStrictEqual(bucketMetric.outgoingBytes, 0);
|
||||
|
||||
it("should return Access Denied for a different account's user", async () => {
|
||||
const resp = await listMetrics('users', [otherUser.id], getTs(-500), getTs(0), user);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
});
|
||||
const accountResp = await listMetrics('accounts', [account], getTs(-1), getTs(1));
|
||||
assert(Array.isArray(accountResp.body));
|
||||
|
||||
it("should return Access Denied for a different account's bucket", async () => {
|
||||
const resp = await listMetrics('buckets', [otherBucket], getTs(-500), getTs(0), user);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
assert.deepStrictEqual(resp.body, { code: 'AccessDenied', message: 'Access Denied' });
|
||||
});
|
||||
const [accountMetric] = accountResp.body;
|
||||
assert.deepStrictEqual(accountMetric.storageUtilized, [0, 0]);
|
||||
assert.deepStrictEqual(accountMetric.numberOfObjects, [0, 0]);
|
||||
assert.deepStrictEqual(accountMetric.incomingBytes, 0);
|
||||
assert.deepStrictEqual(accountMetric.outgoingBytes, 0);
|
||||
});
|
||||
|
||||
describe('test service user credentials', () => {
|
||||
it('should list metrics for an account', async () => {
|
||||
const resp = await listMetrics('accounts', [account.id], getTs(-500), getTs(0), serviceUser);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.accounts]), [account.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.accounts[account.canonicalId]);
|
||||
});
|
||||
});
|
||||
it('should return a 403 if unauthorized', async () => {
|
||||
const resp = await listMetrics('buckets', ['test'], getTs(-1), getTs(1), true);
|
||||
assert.strictEqual(resp.statusCode, 403);
|
||||
});
|
||||
|
||||
it('should list metrics for a user', async () => {
|
||||
const resp = await listMetrics('users', [user.id], getTs(-500), getTs(0), serviceUser);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.users]), [user.id]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.users[user.id]);
|
||||
});
|
||||
});
|
||||
|
||||
it('should list metrics for a bucket', async () => {
|
||||
const resp = await listMetrics('buckets', [bucket], getTs(-500), getTs(0), serviceUser);
|
||||
assert(Array.isArray(resp.body));
|
||||
const { body } = resp;
|
||||
assert.deepStrictEqual(body.map(r => r[metricResponseKeys.buckets]), [bucket]);
|
||||
body.forEach(metric => {
|
||||
assertMetricResponse(metric, totals.buckets[bucket]);
|
||||
});
|
||||
});
|
||||
it('should use the current timestamp for "end" if it is not provided', async () => {
|
||||
const resp = await listMetrics('buckets', ['test'], getTs(-1));
|
||||
assert.strictEqual(resp.body[0].timeRange.length, 2);
|
||||
});
|
||||
});
|
||||
|
|
|
@ -1,23 +0,0 @@
|
|||
const assert = require('assert');
|
||||
const needle = require('needle');
|
||||
|
||||
const testMetrics = async pair => {
|
||||
const [name, url] = pair;
|
||||
it(`should return metrics for ${name} from url ${url}`, async () => {
|
||||
const res = await needle('get', url);
|
||||
const lines = res.body.split('\n');
|
||||
const first = lines[0];
|
||||
|
||||
assert.strictEqual(res.statusCode, 200);
|
||||
assert(first.startsWith('# HELP'));
|
||||
});
|
||||
};
|
||||
|
||||
describe('Test Prometheus Metrics', () => {
|
||||
const nameUrlPairs = [
|
||||
['utapi nodejs service exporter', 'http://localhost:8100/_/metrics'],
|
||||
['sensision exporter', 'http://localhost:9718/metrics'],
|
||||
['redis exporter', 'http://localhost:9121/metrics'],
|
||||
];
|
||||
nameUrlPairs.forEach(pair => testMetrics(pair));
|
||||
});
|
|
@ -1,83 +0,0 @@
|
|||
const assert = require('assert');
|
||||
const needle = require('needle');
|
||||
const promClient = require('prom-client');
|
||||
const sinon = require('sinon');
|
||||
const { DEFAULT_METRICS_ROUTE } = require('arsenal').network.probe.ProbeServer;
|
||||
|
||||
const { BaseTask } = require('../../../../libV2/tasks');
|
||||
const { clients: warp10Clients } = require('../../../../libV2/warp10');
|
||||
|
||||
const { getMetricValues } = require('../../../utils/prom');
|
||||
|
||||
const METRICS_SERVER_PORT = 10999;
|
||||
|
||||
class CustomTask extends BaseTask {
|
||||
// eslint-disable-next-line class-methods-use-this
|
||||
_registerMetricHandlers() {
|
||||
const foo = new promClient.Gauge({
|
||||
name: 's3_utapi_custom_task_foo_total',
|
||||
help: 'Count of foos',
|
||||
labelNames: ['origin', 'containerName'],
|
||||
});
|
||||
|
||||
return { foo };
|
||||
}
|
||||
|
||||
async _execute() {
|
||||
this._metricsHandlers.foo.inc(1);
|
||||
}
|
||||
}
|
||||
|
||||
describe('Test BaseTask metrics', () => {
|
||||
let task;
|
||||
|
||||
beforeEach(async () => {
|
||||
task = new CustomTask({
|
||||
enableMetrics: true,
|
||||
metricsPort: METRICS_SERVER_PORT,
|
||||
warp10: [warp10Clients[0]],
|
||||
});
|
||||
await task.setup();
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
await task.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
it('should start a metrics server on the provided port', async () => {
|
||||
const res = await needle(
|
||||
'get',
|
||||
`http://localhost:${METRICS_SERVER_PORT}${DEFAULT_METRICS_ROUTE}`,
|
||||
);
|
||||
const lines = res.body.split('\n');
|
||||
const first = lines[0];
|
||||
assert.strictEqual(res.statusCode, 200);
|
||||
assert(first.startsWith('# HELP'));
|
||||
});
|
||||
|
||||
it('should push metrics for a task execution', async () => {
|
||||
await task.execute();
|
||||
const timeValues = await getMetricValues('s3_utapi_custom_task_duration_seconds');
|
||||
assert.strictEqual(timeValues.length, 1);
|
||||
|
||||
const attemptsValues = await getMetricValues('s3_utapi_custom_task_attempts_total');
|
||||
assert.deepStrictEqual(attemptsValues, [{ value: 1, labels: {} }]);
|
||||
|
||||
const failuresValues = await getMetricValues('s3_utapi_custom_task_failures_total');
|
||||
assert.deepStrictEqual(failuresValues, []);
|
||||
});
|
||||
|
||||
it('should push metrics for a failed task execution', async () => {
|
||||
sinon.replace(task, '_execute', sinon.fake.rejects('forced failure'));
|
||||
await task.execute();
|
||||
const failuresValues = await getMetricValues('s3_utapi_custom_task_failures_total');
|
||||
assert.deepStrictEqual(failuresValues, [{ value: 1, labels: {} }]);
|
||||
});
|
||||
|
||||
it('should allow custom handlers to be registered', async () => {
|
||||
await task.execute();
|
||||
const fooValues = await getMetricValues('s3_utapi_custom_task_foo_total');
|
||||
assert.deepStrictEqual(fooValues, [{ value: 1, labels: {} }]);
|
||||
});
|
||||
});
|
|
@ -1,5 +1,4 @@
|
|||
const assert = require('assert');
|
||||
const promClient = require('prom-client');
|
||||
const uuid = require('uuid');
|
||||
|
||||
const { Warp10Client } = require('../../../../libV2/warp10');
|
||||
|
@ -7,7 +6,6 @@ const { convertTimestamp } = require('../../../../libV2/utils');
|
|||
const { CreateCheckpoint } = require('../../../../libV2/tasks');
|
||||
|
||||
const { generateCustomEvents, fetchRecords } = require('../../../utils/v2Data');
|
||||
const { assertMetricValue } = require('../../../utils/prom');
|
||||
|
||||
const _now = Math.floor(new Date().getTime() / 1000);
|
||||
const getTs = delta => convertTimestamp(_now + delta);
|
||||
|
@ -51,16 +49,10 @@ describe('Test CreateCheckpoint', function () {
|
|||
prefix = uuid.v4();
|
||||
|
||||
warp10 = new Warp10Client({ nodeId: prefix });
|
||||
checkpointTask = new CreateCheckpoint({ warp10: [warp10], enableMetrics: true });
|
||||
await checkpointTask.setup();
|
||||
checkpointTask = new CreateCheckpoint({ warp10: [warp10] });
|
||||
checkpointTask._program = { lag: 0, nodeId: prefix };
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
await checkpointTask.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
it('should create checkpoints from events', async () => {
|
||||
const start = getTs(-300);
|
||||
const stop = getTs(-120);
|
||||
|
@ -80,7 +72,6 @@ describe('Test CreateCheckpoint', function () {
|
|||
|
||||
assert.strictEqual(series.length, 3);
|
||||
assertResults(totals, series);
|
||||
await assertMetricValue('s3_utapi_create_checkpoint_created_total', series.length);
|
||||
});
|
||||
|
||||
it('should only include events not in an existing checkpoint', async () => {
|
||||
|
|
|
@ -1,5 +1,4 @@
|
|||
const assert = require('assert');
|
||||
const promClient = require('prom-client');
|
||||
const uuid = require('uuid');
|
||||
|
||||
const { Warp10Client } = require('../../../../libV2/warp10');
|
||||
|
@ -7,7 +6,6 @@ const { convertTimestamp } = require('../../../../libV2/utils');
|
|||
const { CreateCheckpoint, CreateSnapshot, RepairTask } = require('../../../../libV2/tasks');
|
||||
|
||||
const { generateCustomEvents, fetchRecords } = require('../../../utils/v2Data');
|
||||
const { assertMetricValue } = require('../../../utils/prom');
|
||||
|
||||
const _now = Math.floor(new Date().getTime() / 1000);
|
||||
const getTs = delta => convertTimestamp(_now + delta);
|
||||
|
@ -56,19 +54,13 @@ describe('Test CreateSnapshot', function () {
|
|||
checkpointTask = new CreateCheckpoint({ warp10: [warp10] });
|
||||
checkpointTask._program = { lag: 0, nodeId: prefix };
|
||||
|
||||
snapshotTask = new CreateSnapshot({ warp10: [warp10], enableMetrics: true });
|
||||
await snapshotTask.setup();
|
||||
snapshotTask = new CreateSnapshot({ warp10: [warp10] });
|
||||
snapshotTask._program = { lag: 0, nodeId: prefix };
|
||||
|
||||
repairTask = new RepairTask({ warp10: [warp10] });
|
||||
repairTask._program = { lag: 0, nodeId: prefix };
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
await snapshotTask.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
it('should create a snapshot from a checkpoint', async () => {
|
||||
const start = getTs(-300);
|
||||
const stop = getTs(-120);
|
||||
|
@ -88,7 +80,6 @@ describe('Test CreateSnapshot', function () {
|
|||
|
||||
assert.strictEqual(series.length, 3);
|
||||
assertResults(totals, series);
|
||||
await assertMetricValue('s3_utapi_create_snapshot_created_total', series.length);
|
||||
});
|
||||
|
||||
it('should create a snapshot from more than one checkpoint', async () => {
|
||||
|
|
|
@ -1,19 +1,15 @@
|
|||
const assert = require('assert');
|
||||
const fs = require('fs');
|
||||
const promClient = require('prom-client');
|
||||
const uuid = require('uuid');
|
||||
|
||||
const { MonitorDiskUsage } = require('../../../../libV2/tasks');
|
||||
const { getFolderSize } = require('../../../../libV2/utils');
|
||||
|
||||
const { fillDir } = require('../../../utils/v2Data');
|
||||
const { assertMetricValue } = require('../../../utils/prom');
|
||||
|
||||
class MonitorDiskUsageShim extends MonitorDiskUsage {
|
||||
async _getUsage(path) {
|
||||
const usage = await super._getUsage(path);
|
||||
this.usage = (this.usage || 0) + usage;
|
||||
return usage;
|
||||
async _getUsage() {
|
||||
this.usage = await super._getUsage();
|
||||
return this.usage;
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -47,35 +43,17 @@ describe('Test MonitorDiskUsage', () => {
|
|||
|
||||
beforeEach(async () => {
|
||||
path = `/tmp/diskusage-${uuid.v4()}`;
|
||||
fs.mkdirSync(path);
|
||||
task = new MonitorDiskUsageShim({ warp10: [], enableMetrics: true });
|
||||
task = new MonitorDiskUsageShim({ warp10: [] });
|
||||
task._path = path;
|
||||
task._enabled = true;
|
||||
await task.setup();
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
await task.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
testCases.map(testCase => {
|
||||
testCases.map(testCase =>
|
||||
it(`should calculate disk usage for ${testCase.count} files of ${testCase.size} bytes each`,
|
||||
async () => {
|
||||
fillDir(`${path}/leveldb`, testCase);
|
||||
fillDir(`${path}/datalog`, testCase);
|
||||
fillDir(path, testCase);
|
||||
await task._execute();
|
||||
const expectedSingleSize = emptyDirSize + testCase.expected + (emptyFileSize * testCase.count);
|
||||
const expectedTotalSize = expectedSingleSize * 2;
|
||||
assert.strictEqual(task.usage, expectedTotalSize);
|
||||
// Should equal the usage minus the empty datalog
|
||||
await assertMetricValue('s3_utapi_monitor_disk_usage_leveldb_bytes', expectedSingleSize);
|
||||
await assertMetricValue('s3_utapi_monitor_disk_usage_datalog_bytes', expectedSingleSize);
|
||||
});
|
||||
});
|
||||
|
||||
it('should fail if a subpath does not exist', () => {
|
||||
assert.doesNotThrow(() => task._execute());
|
||||
assert.strictEqual(task.usage, undefined);
|
||||
});
|
||||
assert.strictEqual(task.usage, testCase.expected + emptyDirSize + (emptyFileSize * testCase.count));
|
||||
}));
|
||||
});
|
||||
|
|
|
@ -1,5 +1,4 @@
|
|||
const assert = require('assert');
|
||||
const promClient = require('prom-client');
|
||||
const uuid = require('uuid');
|
||||
|
||||
const { CacheClient, backends: cacheBackends } = require('../../../../libV2/cache');
|
||||
|
@ -10,7 +9,6 @@ const config = require('../../../../libV2/config');
|
|||
const { eventFieldsToWarp10 } = require('../../../../libV2/constants');
|
||||
|
||||
const { generateFakeEvents, fetchRecords } = require('../../../utils/v2Data');
|
||||
const { assertMetricValue, getMetricValues } = require('../../../utils/prom');
|
||||
|
||||
const _now = Math.floor(new Date().getTime() / 1000);
|
||||
const getTs = delta => convertTimestamp(_now + delta);
|
||||
|
@ -60,21 +58,17 @@ describe('Test IngestShards', function () {
|
|||
await cacheClient.connect();
|
||||
|
||||
warp10 = new Warp10Client({ nodeId: prefix });
|
||||
ingestTask = new IngestShard({ warp10: [warp10], enableMetrics: true });
|
||||
await ingestTask.setup();
|
||||
ingestTask = new IngestShard({ warp10: [warp10] });
|
||||
ingestTask._cache._cacheBackend._prefix = prefix;
|
||||
ingestTask._program = { lag: 0 };
|
||||
await ingestTask._cache.connect();
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
this.afterEach(async () => {
|
||||
await cacheClient.disconnect();
|
||||
await ingestTask._cache.disconnect();
|
||||
await ingestTask.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
|
||||
it('should ingest metrics from a single shard', async () => {
|
||||
const start = shardFromTimestamp(getTs(-120));
|
||||
const stop = start + 9000000;
|
||||
|
@ -92,12 +86,6 @@ describe('Test IngestShards', function () {
|
|||
'@utapi/decodeEvent',
|
||||
);
|
||||
assertResults(events, series);
|
||||
await assertMetricValue('s3_utapi_ingest_shard_task_ingest_total', events.length);
|
||||
await assertMetricValue('s3_utapi_ingest_shard_task_shard_ingest_total', 1);
|
||||
const metricValues = await getMetricValues('s3_utapi_ingest_shard_task_shard_age_total');
|
||||
assert.strictEqual(metricValues.length, 1);
|
||||
const [metric] = metricValues;
|
||||
assert(metric.value > 0);
|
||||
});
|
||||
|
||||
it('should ingest metrics for multiple shards', async () => {
|
||||
|
@ -118,7 +106,6 @@ describe('Test IngestShards', function () {
|
|||
);
|
||||
|
||||
assertResults(events, series);
|
||||
await assertMetricValue('s3_utapi_ingest_shard_task_ingest_total', events.length);
|
||||
});
|
||||
|
||||
it('should ingest old metrics as repair', async () => {
|
||||
|
@ -138,7 +125,6 @@ describe('Test IngestShards', function () {
|
|||
'@utapi/decodeEvent',
|
||||
);
|
||||
assertResults(events, series);
|
||||
await assertMetricValue('s3_utapi_ingest_shard_task_slow_total', events.length);
|
||||
});
|
||||
|
||||
it('should strip the event uuid during ingestion', async () => {
|
||||
|
@ -170,6 +156,7 @@ describe('Test IngestShards', function () {
|
|||
const results = await warp10.fetch({
|
||||
className: 'utapi.event', labels: { node: prefix }, start: start + 1, stop: -2,
|
||||
});
|
||||
|
||||
const series = JSON.parse(results.result[0])[0];
|
||||
const timestamps = series.v.map(ev => ev[0]);
|
||||
assert.deepStrictEqual([
|
||||
|
@ -178,8 +165,7 @@ describe('Test IngestShards', function () {
|
|||
], timestamps);
|
||||
});
|
||||
|
||||
// please unskip this in https://scality.atlassian.net/browse/UTAPI-65
|
||||
it.skip('should increment microseconds for several duplicate timestamps', async () => {
|
||||
it('should increment microseconds for several duplicate timestamps', async () => {
|
||||
const start = shardFromTimestamp(getTs(-120));
|
||||
const events = generateFakeEvents(start, start + 5, 5)
|
||||
.map(ev => { ev.timestamp = start; return ev; });
|
||||
|
@ -190,6 +176,7 @@ describe('Test IngestShards', function () {
|
|||
const results = await warp10.fetch({
|
||||
className: 'utapi.event', labels: { node: prefix }, start: start + 5, stop: -5,
|
||||
});
|
||||
|
||||
const series = JSON.parse(results.result[0])[0];
|
||||
const timestamps = series.v.map(ev => ev[0]);
|
||||
assert.deepStrictEqual([
|
||||
|
@ -222,3 +209,4 @@ describe('Test IngestShards', function () {
|
|||
], timestamps);
|
||||
});
|
||||
});
|
||||
|
||||
|
|
|
@ -1,7 +1,7 @@
|
|||
const assert = require('assert');
|
||||
const sinon = require('sinon');
|
||||
const uuid = require('uuid');
|
||||
const { constants: arsenalConstants, models: arsenalModels } = require('arsenal');
|
||||
const { mpuBucketPrefix } = require('arsenal').constants;
|
||||
|
||||
const { Warp10Client } = require('../../../../libV2/warp10');
|
||||
const { ReindexTask } = require('../../../../libV2/tasks');
|
||||
|
@ -9,9 +9,7 @@ const { now } = require('../../../../libV2/utils');
|
|||
const { BucketD, values } = require('../../../utils/mock/');
|
||||
const { fetchRecords } = require('../../../utils/v2Data');
|
||||
|
||||
const { mpuBucketPrefix } = arsenalConstants;
|
||||
const { ObjectMD } = arsenalModels;
|
||||
const { CANONICAL_ID, BUCKET_NAME, OBJECT_KEY } = values;
|
||||
const { CANONICAL_ID, BUCKET_NAME } = values;
|
||||
const bucketCounts = [1, 251];
|
||||
|
||||
const bucketRecord = {
|
||||
|
@ -24,7 +22,6 @@ const accountRecord = {
|
|||
objD: 1,
|
||||
};
|
||||
|
||||
|
||||
// eslint-disable-next-line func-names
|
||||
describe('Test ReindexTask', function () {
|
||||
this.timeout(120000);
|
||||
|
@ -40,26 +37,23 @@ describe('Test ReindexTask', function () {
|
|||
prefix = uuid.v4();
|
||||
warp10 = new Warp10Client({ nodeId: prefix });
|
||||
reindexTask = new ReindexTask({ warp10: [warp10] });
|
||||
reindexTask._program = { bucket: [], nodeId: prefix };
|
||||
reindexTask._program = { nodeId: prefix };
|
||||
});
|
||||
|
||||
afterEach(() => {
|
||||
bucketd.reset();
|
||||
});
|
||||
|
||||
async function fetchReindex(labels) {
|
||||
return fetchRecords(
|
||||
warp10,
|
||||
'utapi.repair.reindex',
|
||||
labels,
|
||||
{ end: now(), count: -100 },
|
||||
'@utapi/decodeRecord',
|
||||
);
|
||||
}
|
||||
|
||||
describe('test different bucket listing lengths', () => {
|
||||
async function assertResult(labels, value) {
|
||||
const series = await fetchReindex(labels);
|
||||
const series = await fetchRecords(
|
||||
warp10,
|
||||
'utapi.repair.reindex',
|
||||
labels,
|
||||
{ end: now(), count: -100 },
|
||||
'@utapi/decodeRecord',
|
||||
);
|
||||
|
||||
assert.strictEqual(series.length, 1);
|
||||
assert.strictEqual(series[0].values.length, 1);
|
||||
assert.deepStrictEqual(series[0].values[0], value);
|
||||
|
@ -121,105 +115,4 @@ describe('Test ReindexTask', function () {
|
|||
assert.rejects(() => reindexTask._fetchCurrentMetrics('bck', BUCKET_NAME));
|
||||
});
|
||||
});
|
||||
|
||||
describe('test invalid responses from bucketd', () => {
|
||||
let bucketDStub;
|
||||
beforeEach(() => {
|
||||
bucketDStub = sinon.stub(bucketd, '_getBucketResponse');
|
||||
});
|
||||
|
||||
afterEach(() => sinon.restore());
|
||||
|
||||
it('should skip object if content-length is not an integer', async () => {
|
||||
bucketDStub = bucketDStub.callsFake(
|
||||
() => {
|
||||
const metadata = new ObjectMD().getValue();
|
||||
// null value taken from error seen in the field
|
||||
metadata['content-length'] = null;
|
||||
return [
|
||||
{
|
||||
key: OBJECT_KEY,
|
||||
value: JSON.stringify(metadata),
|
||||
},
|
||||
];
|
||||
},
|
||||
);
|
||||
const resp = await ReindexTask._indexBucket('foo');
|
||||
assert.deepStrictEqual(resp, { size: 0, count: 0 });
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
it('should avoid calculating incorrect reindex diffs', async () => {
|
||||
const bucketName = `${BUCKET_NAME}-1`;
|
||||
bucketd
|
||||
.setBucketContent({
|
||||
bucketName,
|
||||
contentLength: 1024,
|
||||
})
|
||||
.setBucketContent({
|
||||
bucketName: `${mpuBucketPrefix}${bucketName}`,
|
||||
contentLength: 1024,
|
||||
})
|
||||
.setBucketCount(2)
|
||||
.createBuckets();
|
||||
|
||||
await reindexTask._execute();
|
||||
let series = await fetchReindex({ bck: bucketName, node: prefix });
|
||||
assert.strictEqual(series.length, 1);
|
||||
assert.strictEqual(series[0].values.length, 1);
|
||||
assert.deepStrictEqual(series[0].values[0], bucketRecord);
|
||||
|
||||
// A second run of reindex should generate the same diff
|
||||
await reindexTask._execute();
|
||||
series = await fetchReindex({ bck: bucketName, node: prefix });
|
||||
assert.strictEqual(series.length, 1);
|
||||
assert.strictEqual(series[0].values.length, 2);
|
||||
series[0].values.map(value => assert.deepStrictEqual(value, bucketRecord));
|
||||
});
|
||||
|
||||
describe('exponential backoff', () => {
|
||||
it('should retry when bucketd is unreachable', done => {
|
||||
// disable bucketd to simulate downtime
|
||||
bucketd.end();
|
||||
|
||||
const bucketDStub = sinon.stub(bucketd, '_getBucketResponse');
|
||||
bucketDStub.onFirstCall().callsFake(
|
||||
// Once the timeout promise resolves, bucketd is able to be called.
|
||||
// If we make a call after 10 seconds, this shows that retries
|
||||
// have been occuring during bucketd downtime.
|
||||
() => {
|
||||
return {
|
||||
key: 'foo',
|
||||
value: 'bar',
|
||||
};
|
||||
},
|
||||
);
|
||||
|
||||
const reindexPromise = new Promise((resolve, reject) => {
|
||||
reindexTask._execute()
|
||||
.then(() => {
|
||||
resolve('reindexed');
|
||||
})
|
||||
.catch(err => {
|
||||
reject(err);
|
||||
});
|
||||
});
|
||||
|
||||
const timeoutPromise = new Promise(resolve => {
|
||||
const f = () => {
|
||||
bucketd.start();
|
||||
resolve();
|
||||
};
|
||||
setTimeout(f, 10000);
|
||||
});
|
||||
|
||||
Promise.all([reindexPromise, timeoutPromise])
|
||||
.then(values => {
|
||||
assert.strictEqual(values[0], 'reindexed');
|
||||
sinon.restore();
|
||||
done();
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
||||
|
|
|
@ -1,5 +1,4 @@
|
|||
const assert = require('assert');
|
||||
const promClient = require('prom-client');
|
||||
const uuid = require('uuid');
|
||||
|
||||
const { Warp10Client } = require('../../../../libV2/warp10');
|
||||
|
@ -7,7 +6,6 @@ const { convertTimestamp } = require('../../../../libV2/utils');
|
|||
const { RepairTask } = require('../../../../libV2/tasks');
|
||||
|
||||
const { generateCustomEvents, fetchRecords } = require('../../../utils/v2Data');
|
||||
const { assertMetricValue } = require('../../../utils/prom');
|
||||
|
||||
// Ten minutes in the past
|
||||
const _now = Math.floor(new Date().getTime() / 1000) - (600);
|
||||
|
@ -51,16 +49,10 @@ describe('Test Repair', function () {
|
|||
beforeEach(async () => {
|
||||
prefix = uuid.v4();
|
||||
warp10 = new Warp10Client({ nodeId: prefix });
|
||||
repairTask = new RepairTask({ warp10: [warp10], enableMetrics: true });
|
||||
await repairTask.setup();
|
||||
repairTask = new RepairTask({ warp10: [warp10] });
|
||||
repairTask._program = { lag: 0, nodeId: prefix };
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
await repairTask.join();
|
||||
promClient.register.clear();
|
||||
});
|
||||
|
||||
it('should create corrections from events', async () => {
|
||||
const start = getTs(-300);
|
||||
const stop = getTs(-120);
|
||||
|
@ -80,7 +72,6 @@ describe('Test Repair', function () {
|
|||
|
||||
assert.strictEqual(series.length, 3);
|
||||
assertResults(totals, series);
|
||||
await assertMetricValue('s3_utapi_repair_task_created_total', series.length);
|
||||
});
|
||||
|
||||
it('should only include events not in an existing correction', async () => {
|
||||
|
|
|
@ -31,8 +31,6 @@ describe('Test UtapiClient', function () {
|
|||
let sandbox;
|
||||
|
||||
let events;
|
||||
let bucket;
|
||||
let account;
|
||||
|
||||
beforeEach(() => {
|
||||
sandbox = sinon.createSandbox();
|
||||
|
@ -40,10 +38,8 @@ describe('Test UtapiClient', function () {
|
|||
drainDelay: 5000,
|
||||
});
|
||||
|
||||
account = uuid.v4();
|
||||
bucket = uuid.v4();
|
||||
const { events: _events } = generateCustomEvents(now() - (60 * 1000000), now() - (10 * 1000000), 50, {
|
||||
[account]: { [uuid.v4()]: [bucket] },
|
||||
[uuid.v4()]: { [uuid.v4()]: [uuid.v4()] },
|
||||
});
|
||||
// Hack because you can't unpack to previously declared variables,
|
||||
// and declaring inside the beforeEach wouldn't have the scope needed
|
||||
|
@ -98,99 +94,6 @@ describe('Test UtapiClient', function () {
|
|||
assert.strictEqual(pushSpy.firstCall.args[0][0].object, undefined);
|
||||
assert.strictEqual(pushSpy.firstCall.threw(), false);
|
||||
});
|
||||
|
||||
it('should prevent events filtered via deny from being pushed', async () => {
|
||||
client = new UtapiClient({
|
||||
drainDelay: 5000,
|
||||
filter: {
|
||||
bucket: { deny: new Set([bucket]) },
|
||||
},
|
||||
});
|
||||
|
||||
const pushSpy = sandbox.spy(UtapiClient.prototype, '_pushToUtapi');
|
||||
const retrySpy = sandbox.spy(UtapiClient.prototype, '_addToRetryCache');
|
||||
|
||||
await client.pushMetric(events[0]);
|
||||
|
||||
assert.strictEqual(retrySpy.callCount, 0);
|
||||
assert.strictEqual(pushSpy.callCount, 0);
|
||||
});
|
||||
|
||||
it('should prevent events filtered via allow from being pushed', async () => {
|
||||
client = new UtapiClient({
|
||||
drainDelay: 5000,
|
||||
filter: {
|
||||
bucket: { allow: new Set(['not-my-bucket']) },
|
||||
},
|
||||
});
|
||||
|
||||
const pushSpy = sandbox.spy(UtapiClient.prototype, '_pushToUtapi');
|
||||
const retrySpy = sandbox.spy(UtapiClient.prototype, '_addToRetryCache');
|
||||
|
||||
await client.pushMetric(events[0]);
|
||||
|
||||
assert.strictEqual(retrySpy.callCount, 0);
|
||||
assert.strictEqual(pushSpy.callCount, 0);
|
||||
});
|
||||
|
||||
it('should allow events not matching deny list to be pushed', async () => {
|
||||
client = new UtapiClient({
|
||||
drainDelay: 5000,
|
||||
filter: {
|
||||
bucket: { deny: new Set(['not-my-bucket']) },
|
||||
},
|
||||
});
|
||||
|
||||
const pushSpy = sandbox.spy(UtapiClient.prototype, '_pushToUtapi');
|
||||
const retrySpy = sandbox.spy(UtapiClient.prototype, '_addToRetryCache');
|
||||
|
||||
await client.pushMetric(events[0]);
|
||||
|
||||
assert.strictEqual(retrySpy.callCount, 0);
|
||||
assert.strictEqual(pushSpy.callCount, 1);
|
||||
});
|
||||
|
||||
it('should allow events matching allow list to be pushed', async () => {
|
||||
client = new UtapiClient({
|
||||
drainDelay: 5000,
|
||||
filter: {
|
||||
bucket: { allow: new Set([bucket]) },
|
||||
},
|
||||
});
|
||||
|
||||
const pushSpy = sandbox.spy(UtapiClient.prototype, '_pushToUtapi');
|
||||
const retrySpy = sandbox.spy(UtapiClient.prototype, '_addToRetryCache');
|
||||
|
||||
await client.pushMetric(events[0]);
|
||||
|
||||
assert.strictEqual(retrySpy.callCount, 0);
|
||||
assert.strictEqual(pushSpy.callCount, 1);
|
||||
});
|
||||
|
||||
it('should combine multiple allow and deny filters', async () => {
|
||||
client = new UtapiClient({
|
||||
drainDelay: 5000,
|
||||
filter: {
|
||||
bucket: { allow: new Set([bucket]) },
|
||||
account: { deny: new Set([`${account}-deny`]) },
|
||||
},
|
||||
});
|
||||
|
||||
const pushSpy = sandbox.spy(UtapiClient.prototype, '_pushToUtapi');
|
||||
const retrySpy = sandbox.spy(UtapiClient.prototype, '_addToRetryCache');
|
||||
|
||||
const [allowedEvent, deniedBucketEvent, deniedAccountEvent] = events;
|
||||
await client.pushMetric(allowedEvent);
|
||||
|
||||
deniedBucketEvent.bucket = `${bucket}-deny`;
|
||||
await client.pushMetric(deniedBucketEvent);
|
||||
|
||||
deniedAccountEvent.account = `${account}-deny`;
|
||||
await client.pushMetric(deniedAccountEvent);
|
||||
|
||||
assert.strictEqual(retrySpy.callCount, 0);
|
||||
assert.strictEqual(pushSpy.callCount, 1);
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
|
@ -233,8 +136,7 @@ describe('Test UtapiClient', function () {
|
|||
});
|
||||
});
|
||||
|
||||
// please unskip this in https://scality.atlassian.net/browse/UTAPI-65
|
||||
it.skip('should get the current storage for an account using the cache', async () => {
|
||||
it('should get the current storage for an account using the cache', async () => {
|
||||
await async.eachOf(totals.accounts, async (total, acc) => {
|
||||
cacheClient.updateAccountCounterBase(acc, total.bytes);
|
||||
});
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue