一、 public
public修饰属性可以是属性在任意位置访问(修改)默认值
class Person {
// public修饰属性可以是属性在任意位置访问(修改)默认值
public _name:string;
constructor(name:string){
this._name=name;
let per=new Person("ts");
console.log(per);
console.log(per._name);
per._name="js";
console.log(per._name);
二、private
private私有属性,只能在类的内部进行访问(修改),但是可以在类中添加方法是私有属性可以在外被访问
class Person {
// private私有属性,只能在类的内部进行访问(修改),但是可以在类中添加方法是私有属性可以在外被访问
private _name:string;
constructor(name:string){
this._name=name;
let per=new Person("ts");
console.log(per);
console.log(per._name);//报错
per._name="js";//报错
console.log(per._name);//报错
会因为无法外部访问修改而报错。
但是可以在类中定义方法是私有属性可以外部访问修改,即setter,getter方法。
class Person {
// private私有属性,只能在类的内部进行访问(修改),但是可以在类中添加方法是私有属性可以在外被访问
private _name:string;
constructor(name:string){
this._name=name;
setName(name:string){
this._name=name;
getName(){
return this._name;
let per=new Person("ts");
console.log(per);
console.log(per.getName())
per.setName("js")
console.log(per.getName())
当然TS里有自带的setter,getter方法,可以让操作过程请倾向于属性
class Person {
// private私有属性,只能在类的内部进行访问(修改),但是可以在类中添加方法是私有属性可以在外被访问
private _name:string;
constructor(name:string){
this._name=name;
get name():string{
return this._name;
set name(name:string){
this._name=name;
let per=new Person("ts");
console.log(per);
console.log(per.name);
per.name="js";
console.log(per.name);
三、protected
受继承的影响只能在类本身或者子类中访问和修改
class Man{
protected name:string;
constructor(name:string){
this.name=name;
out(){
console.log(this.name)
let m=new Man("ds");
m.out();
class Min extends Man{
let min=new Min("min");
min.out();
console.log(m.name);//报错
console.log(min.name);//报错
四、constructor简易写法
constructor(public name:string){
}
相当于
public name:string;
constructor(name:string){
this.name=name;
}
五、readonly
readonly修饰符:首先是一个关键字,对类中的属性成员进行修饰,修饰后,该属性成员,就不能在外部被随意的修改了构造函数中,可以对只读的属性成员的数据进行修改
如果构造函数中没有任何的参数,类中的属性成员此时已经使用readonly进行修饰了,那么外部也是不能对这个属性值进行更改的
六、static
直接定义实例
的和
使用static开头的静态
的(类的)
其中实例的需要通过对象的实例才能访问,而类的可以通过类直接访问。
class Person {
//定义类属性
//直接定义的属性是实例属性,需要通过对象的实例才能访问。
name='ts';
//使用static开头的属性是静态属性(类属性),可以通过类直接访问
static age=10;
//实例方法
sayhello(){
console.log('Hello,TS',"实例方法");
//静态方法
static statichello(){
console.log('Hello,TS',"类方法");
const per=new Person();
console.log(per,"实例对象");
console.log(Person,"类本身");
console.log(per.name,"实例属性");
per.sayhello();
console.log(Person.name,"实例属性",Person.age,"类属性");
Person.statichello();