programing

TypeScript에서 유형을 null로 선언하려면 어떻게 해야 합니까?

mailnote 2023. 3. 12. 11:00
반응형

TypeScript에서 유형을 null로 선언하려면 어떻게 해야 합니까?

TypeScript에 인터페이스가 있습니다.

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

만들고 싶다salary(C#에서 할 수 있는 것처럼) null 필드입니다.이것이 TypeScript로 가능한가요?

JavaScript(및 TypeScript)의 모든 필드에 값을 지정할 수 있습니다.null또는undefined.

필드를 null과 다른 옵션으로 만들 수 있습니다.

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';
}

C#과 비슷해지려면Nullable다음과 같이 입력합니다.

type Nullable<T> = T | null;

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

보너스:

만들기 위해서Nullable기본 제공 유형처럼 동작하며, 에서 정의합니다.global.d.ts루트 소스 폴더에 정의 파일이 있습니다.이 길은 나에게 효과가 있었다./src/global.d.ts

이 경우 유니언 타입이 최선의 선택입니다.

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

// Both cases are valid
let employe1: Employee = { id: 1, name: 'John', salary: 100 };
let employe2: Employee = { id: 1, name: 'John', salary: null };

EDIT : 이것이 예상대로 작동하려면strictNullCheckstsconfig.

물음표만 추가하세요.?옵션 필드로 이동합니다.

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];
type MyProps = {
  workoutType: string | null;
};

Null 형식의 경우 런타임 오류를 호출할 수 있습니다.따라서 컴파일러 옵션을 사용하는 것이 좋다고 생각합니다.--strictNullChecks선언하다number | null활자로써.또한 네스트된 함수의 경우 입력 타입이 null이지만 컴파일러는 무엇을 망가뜨릴지 알 수 없기 때문에 사용을 권장합니다.!(아미네이션 마크).

function broken(name: string | null): string {
  function postfix(epithet: string) {
    return name.charAt(0) + '.  the ' + epithet; // error, 'name' is possibly null
  }
  name = name || "Bob";
  return postfix("great");
}

function fixed(name: string | null): string {
  function postfix(epithet: string) {
    return name!.charAt(0) + '.  the ' + epithet; // ok
  }
  name = name || "Bob";
  return postfix("great");
}

언급.https://www.typescriptlang.org/docs/handbook/advanced-types.html#type-guards-and-type-assertions

tsconfig.json 파일을 편집하여 이 문제를 해결했습니다.

아래:"strict": true, 다음의 2 행을 추가합니다.

"noImplicitAny": false,
"strictNullChecks": false,
type Nullable<T> = {
  [P in keyof T]: T[P] | null;
};

그러면 너는 그것을 사용할 수 있다.

Nullable<Employee>

이 방법으로 계속 사용할 수 있습니다.Employee다른 장소에서 그대로의 인터페이스

저도 예전에 같은 질문을 했었어요void는 모든 유형의 하위 유형이기 때문에 ts의 모든 유형은 null입니다(예를 들어 scala와 달리).

이 플로우차트가 도움이 되는지 확인합니다(영어)

type WithNullableFields<T, Fields> = {
  [K in keyof T]: K extends Fields 
    ? T[K] | null | undefined
    : T[K]
}

let employeeWithNullableSalary: WithNullableFields<Employee, "salary"> = {
  id: 1,
  name: "John",
  salary: null
}

또는 strict Null Checks를 끌 수도 있습니다.

그리고 그 반대 버전:

type WithNonNullableFields<T, Fields> = {
  [K in keyof T]: K extends Fields
    ? NonNullable<T[K]>
    : T[K]
}

언급URL : https://stackoverflow.com/questions/17220114/how-to-declare-a-type-as-nullable-in-typescript

반응형