Simply defining a constant in the constructor won't attach it to the instance, you have to set it using this. I'm guessing you want immutability, so you can use getters:
class Foo {
    constructor () {
        this._bar = 42;
    }
    get bar() {
        return this._bar;
    }
}
Then you can use it like you normally would:
const foo = new Foo();
console.log(foo.bar) // 42
foo.bar = 15;
console.log(foo.bar) // still 42
This will not throw an error when trying to change bar. You could raise an error in a setter if you want:
class Foo {
    constructor () {
        this._bar = 42;
    }
    get bar() {
        return this._bar;
    }
    set bar(value) {
        throw new Error('bar is immutable.');
    }
}