I added Sentry event tracking to RollCall this morning. As part of that I added some simple handling of login and logout events to set the current user in the Sentry meta data.
First we simple add Raven and - if we have a DSN set - configure it:
import Raven from 'raven-js';
// Load raven if configured
if (RAVEN_DSN) {
Raven
.config(RAVEN_DSN, {
release: GIT_COMMIT,
environment: ENVIRONMENT
})
.addPlugin(require('raven-js/plugins/angular'), angular)
.install();
}
There’s some minor sugar in there to add both the environment and current git commit. Both of these are set during the build process.
To wire up log in/out events I added this little service
class RavenService {
constructor(user, $rootScope, Raven) {
"ngInject";
this.user = user;
this.$rootScope = $rootScope;
this.Raven = Raven;
}
init() {
this.$rootScope.$on('auth.login', this.handleLogin.bind(this));
this.$rootScope.$on('auth.logout', this.handleLogout.bind(this));
if (this.user && this.user.isLoggedIn) {
this.handleLogin();
}
}
handleLogin() {
this.Raven.setUserContext({
username: this.user.name,
email: this.user.email,
id: this.user.id
});
}
handleLogout() {
this.Raven.setUserContext({});
}
}
export default RavenService;
And tied it all together in a simple module:
import Raven from 'raven-js';
// Load raven if configured
if (RAVEN_DSN) {
Raven
.config(RAVEN_DSN, {
release: GIT_COMMIT,
environment: ENVIRONMENT
})
.addPlugin(require('raven-js/plugins/angular'), angular)
.install();
}
let ravenModule = angular.module('app.raven', [
'ngRaven',
userModule
])
.factory('Raven', () => {
return Raven;
})
.service({
ravenService
})
.run(['ravenService', (ravenService) => {
if (RAVEN_DSN) {
ravenService.init();
}
}])
.name;
export default ravenModule;
A few things to note:
- I’m calling
ravenService.init()
in a run() block because that way we know thatuser
should be ready and we can check it starting state. - We already fire
auth.login
andauth.logout
events elsewhere in our code so I know those just work.