1
0
mirror of https://github.com/Unleash/unleash.git synced 2024-10-18 20:09:08 +02:00
unleash.unleash/packages/unleash-api/lib/routes/strategy.js
2020-02-20 08:30:33 +01:00

93 lines
3.1 KiB
JavaScript

'use strict';
const BPromise = require('bluebird');
const eventType = require('../eventType');
const logger = require('../logger');
const NameExistsError = require('../error/NameExistsError');
const ValidationError = require('../error/ValidationError');
const NotFoundError = require('../error/NotFoundError');
const validateRequest = require('../error/validateRequest');
const extractUser = require('../extractUser');
const version = 1;
module.exports = function (app, config) {
const strategyDb = config.strategyDb;
const eventStore = config.eventStore;
app.get('/strategies', (req, res) => {
strategyDb.getStrategies().then(strategies => {
res.json({ version, strategies });
});
});
app.get('/strategies/:name', (req, res) => {
strategyDb.getStrategy(req.params.name)
.then(strategy => {
res.json(strategy);
})
.catch(() => {
res.status(404).json({ error: 'Could not find strategy' });
});
});
app.delete('/strategies/:name', (req, res) => {
const strategyName = req.params.name;
strategyDb.getStrategy(strategyName)
.then(() => eventStore.create({
type: eventType.strategyDeleted,
createdBy: extractUser(req),
data: {
name: strategyName,
},
}))
.then(() => {
res.status(200).end();
})
.catch(NotFoundError, () => {
res.status(404).end();
})
.catch(err => {
logger.error(`Could not delete strategy=${strategyName}`, err);
res.status(500).end();
});
});
app.post('/strategies', (req, res) => {
req.checkBody('name', 'Name is required').notEmpty();
req.checkBody('name', 'Name must match format ^[0-9a-zA-Z\\.\\-]+$').matches(/^[0-9a-zA-Z\\.\\-]+$/i);
const newStrategy = req.body;
validateRequest(req)
.then(validateStrategyName)
.then(() => eventStore.create({
type: eventType.strategyCreated,
createdBy: extractUser(req),
data: newStrategy,
}))
.then(() => res.status(201).end())
.catch(NameExistsError, () => {
res.status(403)
.json([{ msg: `A strategy named '${req.body.name}' already exists.` }])
.end();
})
.catch(ValidationError, () => res.status(400).json(req.validationErrors()))
.catch(err => {
logger.error('Could not create strategy', err);
res.status(500).end();
});
});
function validateStrategyName (req) {
return new BPromise((resolve, reject) => {
strategyDb.getStrategy(req.body.name)
.then(() => {
reject(new NameExistsError('Feature name already exist'));
}, () => {
resolve(req);
});
});
}
};