Is it possible to create private properties in ES6 classes?
Here’s an example.
How can I prevent access to instance.property
?
JavaScript
x
9
1
class Something {
2
constructor(){
3
this.property = "test";
4
}
5
}
6
7
var instance = new Something();
8
console.log(instance.property); //=> "test"
9
Advertisement
Answer
Private class features is now supported by the majority of browsers.
JavaScript
1
22
22
1
class Something {
2
#property;
3
4
constructor(){
5
this.#property = "test";
6
}
7
8
#privateMethod() {
9
return 'hello world';
10
}
11
12
getPrivateMessage() {
13
return this.#property;
14
}
15
}
16
17
const instance = new Something();
18
console.log(instance.property); //=> undefined
19
console.log(instance.privateMethod); //=> undefined
20
console.log(instance.getPrivateMessage()); //=> test
21
console.log(instance.#property); //=> Syntax error
22