我有一个接口在TypeScript。

interface Employee{
    id: number;
    name: string;
    salary: number;
}

我想把工资作为一个可空字段(就像我们可以在c#中做的那样)。这可能在TypeScript中实现吗?


当前回答

为了更像c#,可以这样定义Nullable类型:

type Nullable<T> = T | null;

interface Employee{
   id: number;
   name: string;
   salary: Nullable<number>;
}

奖金:

为了使Nullable表现得像一个内置Typescript类型,在根源文件夹的global.d.ts定义文件中定义它。这个路径适合我:/src/global.d.ts

其他回答

就加个问号?到可选字段。

interface Employee{
   id: number;
   name: string;
   salary?: number;
}

你可以像下面这样实现一个用户定义的类型:

type Nullable<T> = T | undefined | null;

var foo: Nullable<number> = 10; // ok
var bar: Nullable<number> = true; // type 'true' is not assignable to type 'Nullable<number>'
var baz: Nullable<number> = null; // ok

var arr1: Nullable<Array<number>> = [1,2]; // ok
var obj: Nullable<Object> = {}; // ok

 // Type 'number[]' is not assignable to type 'string[]'. 
 // Type 'number' is not assignable to type 'string'
var arr2: Nullable<Array<string>> = [1,2];

JavaScript(和TypeScript)中的所有字段的值都可以是null或undefined。

您可以将字段设置为可选的,而不是可空的。

interface Employee1 {
    name: string;
    salary: number;
}

var a: Employee1 = { name: 'Bob', salary: 40000 }; // OK
var b: Employee1 = { name: 'Bob' }; // Not OK, you must have 'salary'
var c: Employee1 = { name: 'Bob', salary: undefined }; // OK
var d: Employee1 = { name: null, salary: undefined }; // OK

// OK
class SomeEmployeeA implements Employee1 {
    public name = 'Bob';
    public salary = 40000;
}

// Not OK: Must have 'salary'
class SomeEmployeeB implements Employee1 {
    public name: string;
}

比较:

interface Employee2 {
    name: string;
    salary?: number;
}

var a: Employee2 = { name: 'Bob', salary: 40000 }; // OK
var b: Employee2 = { name: 'Bob' }; // OK
var c: Employee2 = { name: 'Bob', salary: undefined }; // OK
var d: Employee2 = { name: null, salary: 'bob' }; // Not OK, salary must be a number

// OK, but doesn't make too much sense
class SomeEmployeeA implements Employee2 {
    public name = 'Bob';
}

我通过编辑tsconfig解决了这个问题。json文件。

下面:"strict": true, 加上这两行:

"noImplicitAny": false,
"strictNullChecks": false,

我也有过同样的问题。ts中的所有类型都是可空的,因为void是所有类型的子类型(例如,与scala不同)。

看看这个流程图是否有帮助- https://github.com/bcherny/language-types-comparison#typescript