Suche…


Strikte Nullprüfungen in Aktion

Standardmäßig erlauben alle Typen in TypeScript null :

function getId(x: Element) {
  return x.id;
}
getId(null);  // TypeScript does not complain, but this is a runtime error.

TypeScript 2.0 fügt Unterstützung für strikte Nullprüfungen hinzu. Wenn Sie --strictNullChecks wenn Sie --strictNullChecks tsc (oder dieses Flag in Ihrer tsconfig.json ), erlauben Typen nicht mehr null :

function getId(x: Element) {
  return x.id;
}
getId(null);  // error: Argument of type 'null' is not assignable to parameter of type 'Element'.

Sie müssen explizit null zulassen:

function getId(x: Element|null) {
  return x.id;  // error TS2531: Object is possibly 'null'.
}
getId(null);

Bei ordnungsgemäßer Überwachung wird der Codetyp überprüft und ordnungsgemäß ausgeführt:

function getId(x: Element|null) {
  if (x) {
    return x.id;  // In this branch, x's type is Element
  } else {
    return null;  // In this branch, x's type is null.
  }
}
getId(null);

Nicht-Null-Zusicherungen

Der Nicht-Null-Assertionsoperator ! ermöglicht Ihnen zu behaupten, dass ein Ausdruck nicht null oder undefined wenn der TypeScript-Compiler dies nicht automatisch ableiten kann:

type ListNode = { data: number; next?: ListNode; };

function addNext(node: ListNode) {
    if (node.next === undefined) {
        node.next = {data: 0};
    }
}

function setNextValue(node: ListNode, value: number) {
    addNext(node);
    
    // Even though we know `node.next` is defined because we just called `addNext`,
    // TypeScript isn't able to infer this in the line of code below:
    // node.next.data = value;
    
    // So, we can use the non-null assertion operator, !,
    // to assert that node.next isn't undefined and silence the compiler warning
    node.next!.data = value;
}


Modified text is an extract of the original Stack Overflow Documentation
Lizenziert unter CC BY-SA 3.0
Nicht angeschlossen an Stack Overflow