Comecemos cun exemplo. Imaxina que estás a desenvolver unha aplicación con moitos roles de usuario. É bastante común que unha aplicación sexa consumida por diferentes usuarios, non si? Os roles exactos non son realmente importantes aquí, pero digamos que son admin
, consumer
e guest
. No mecanografiado, podemos declarar os usuarios que teñen eses roles do seguinte xeito:
type Admin = {} type Consumer = {} type Guest = {}
Agora, imos considerar un conxunto de atributos que ten cada rol de usuario. Normalmente, son email
, firstName
e lastName
ou algo así. Pero, espera, probablemente os usuarios Guest
non os teñan (a fin de contas son convidados), así que deixemos este tipo baleiro polo momento.
type Admin = { firstName: string lastName: string email: string } type Consumer = { firstName: string lastName: string email: string } type Guest = {}
O usuario dunha aplicación só podería ter unha función. A forma de representar isto a través dos tipos é usar un tipo union
.
type User = Admin | Consumer | Guest
type Admin = { firstName: string lastName: string email: string numberOfInvitesLeft: number // <-- added }
Para facer as cousas máis interesantes e máis próximas a unha aplicación real, imos engadir unha propiedade exclusiva dun tipo Consumer
.
type Consumer = { firstName: string lastName: string email: string premium: boolean // <-- added }
const doSomethingBasedOnRole = (user: User) => { // how do you check here that user is really an admin if (user) { // ...and do something with the `numberOfInvitesLeft` property? } }
const doSomethingBasedOnRole = (user: User) => { if (user && user.numberOfInvitesLeft) { // safely access `numberOfInvitesLeft` property } }
type Admin = { firstName: string lastName: string email: string numberOfInvitesLeft: number role: "admin" // <-- added } type Consumer = { firstName: string lastName: string email: string role: "consumer" // <-- added } type Guest = { role: "guest" // <-- added }
Observe como estou poñendo unha cadea específica como tipo; isto chámase tipo literal de cadea . O que che dá isto é que agora podes usar operadores nativos da linguaxe JS, por exemplo, switch case
, if
, else
para discriminar o rol.
const user: Admin = { firstName: "John", lastName: "Smith", email: "[email protected]", numberOfInvitesLeft: 3, role: "admin", } const doSomethingBasedOnRole = (user: User) => { if (user.role === "admin") { // now typescript knows that INSIDE of this block user is of type `Admin` // now you can safely call `user.numberOfInvitesLeft` within this block } }
// ... const doSomethingBasedOnRole = (user: User) => { switch (user.role) { case "admin": { // now typescript knows that INSIDE of this block user is of type `Admin` // now you can safely call `user.numberOfInvitesLeft` within this block } case "consumer": { // do something with a `Consumer` user // if you try to call `user.numberOfInvitesLeft` here, TS compiler errors in // // "Property 'numberOfInvitesLeft' does not exist on type 'Consumer'." // } } }