Existe algum caso de uso para o tipo inferior como um tipo de parâmetro de função?


12

Se uma função tiver o tipo de retorno ⊥ ( tipo inferior ), isso significa que nunca retorna. Pode, por exemplo, sair ou jogar, ambas as situações bastante comuns.

Presumivelmente, se uma função tivesse um parâmetro do tipo ⊥ nunca poderia (com segurança) ser chamada. Existe alguma razão para definir essa função?

Respostas:


17

A for every type A. In fact, there exists a unique such function. It is therefore, fairly reasonable for this function to be provided as part of the standard library. Often it is called something like absurd. (In systems with subtyping, this might be handled simply by having be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define as α.α which can simply be instantiated to any type.)

E+AEthrow:E. In the A case, I'll use f:AB. Overall, I want a value of type B so I need to do something to turn a into a B. That's what absurd would let me do.

That said, there's not a whole lot of reason to define your own functions of A. By definition, they would necessarily be instances of absurd. Still, you might do it if absurd isn't provided by the standard library, or you wanted a type specialized version to assist type checking/inference. You can, however, easily produce functions that will end up instantiated to a type like A.

Even though there isn't much a reason to write such a function, it should generally still be allowed. One reason is that it simplifies code generation tools/macros.


So this means something like (x ? 3 : throw new Exception()) gets replaced for analysis purposes with something more like (x ? 3 : absurd(throw new Exception()))?
bdsl

If you didn't have subtyping or hadn't defined as α.α, then the former wouldn't type check and the latter would. With subtyping, yes, something like absurd would implicitly be being inserted. Of course, you could put the absurd inside the definition of throw which is effectively what defining as α.α would do.
Derek Elkins left SE

6

To add to what has been said about the function absurd: ⊥ -> a I have a concrete example of where this function is actually useful.

Consider the Haskell data-type Free f a which represents a general tree structure with f-shaped nodes and leaves containing as:

data Free f a = Op (f (Free f a)) | Var a

These trees can be folded with the following function:

fold :: Functor f => (a -> b) -> (f b -> b) -> Free f a -> b
fold gen alg (Var x) = gen x
fold gen alg (Op x) = alg (fmap (fold gen alg) x)

Briefly, this operation places alg at the nodes and gen at the leaves.

Now to the point: all recursive datastructures can be represented using a Fixed-point datatype. In Haskell this is Fix f and it can defined as type Fix f = Free f ⊥ (i.e. Trees with f-shaped nodes and no leaves outside of the functor f). Traditionally this structure has a fold as well, called cata:

cata :: Functor f => (f a -> a) -> Fix f -> a
cata alg x = fold absurd alg x

Which gives a quite neat use of absurd: since the tree cannot have any leaves (since ⊥ has no inhabitants other than undefined), it is never possible to use the gen for this fold and absurd illustrates that!


2

The bottom type is a subtype of every other type, which can be extremely useful in practice. For example, the type of NULL in a theoretical type-safe version of C must be a subtype of every other pointer type, otherwise you couldn't e.g. return NULL where a char* was expected; similarly, the type of undefined in theoretical type-safe JavaScript must be a subtype of every other type in the language.

As a function return type, it's also very useful to have certain functions that never return. In a strongly-typed language with exceptions, for instance, what type should exit() or throw() return? They never return control flow to their caller. And since the bottom type is a subtype of every other type, it's perfectly valid for a function returning Int to instead return —that is, a function returning Int can also choose not to return at all. (Maybe it calls exit(), or maybe it goes into an infinite loop.) This is good to have, because whether a function ever returns or not is famously undecidable.

Finally, it's very useful for writing constraints. Suppose you want to constrain all parameters on "both sides", providing a type that must be a supertype of the parameter, and another type that must be a subtype. Since bottom is a subtype of every type, you can express "any subtype of S" as TS. Or, you can express "any type at all" as T.


3
NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
bdsl

I'm not sure quite what ≺ means in type theory.
bdsl

1
@bdsl The curved operator here is "is a subtype of"; I'm not sure if it's standard, it's just what my professor used.
Draconis

1
@gnasher729 True, but C also isn't particularly type-safe. I'm saying if you couldn't just cast an integer to void*, you'd need a specific type for it that could be used for any pointer type.
Draconis

2
Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System F<:.
Derek Elkins left SE

2

There is one use I can think of, and it's something that has been considered as an improvement to the Swift programming language.

Swift has a maybe Monad, spelled Optional<T> or T?. There are many ways to interact with it.

  • You can use conditional unwrapping like

    if let nonOptional = someOptional {
        print(nonOptional)
    }
    else {
        print("someOptional was nil")
    }
    
  • You can use map, flatMap to transform the values

  • The force unwrap operator (!, of type (T?) -> T) to forcefully unwrap the contents, otherwise triggering a crash
  • The nil-coalescing operator (??, of type (T?, T) -> T) to take its value or otherwise use a default value:

    let someI = Optional(100)
    print(someI ?? 123) => 100 // "left operand is non-nil, unwrap it.
    
    let noneI: Int? = nil
    print(noneI ?? 123) // => 123 // left operand is nil, take right operand, acts like a "default" value
    

Unfortunately, there was no concise way of saying "unwrap or throw an error" or "unwrap or crash with a custom error message". Something like

let someI: Int? = Optional(123)
let nonOptionalI: Int = someI ?? fatalError("Expected a non-nil value")

doesn't compile, because fatalError has type () -> Never (() is Void, Swift' unit type, Never is Swift's bottom type). Calling it produces Never, which isn't compatible with the T expected as a right operand of ??.

In an attempt to remedy this, Swift Evolution propsoal SE-0217 - The “Unwrap or Die” operator was put forth. It was ultimately rejected, but it raised interest in making Never be a subtype of all types.

If Never was made to be a subtype of all types, then the previous example will be compilable:

let someI: Int? = Optional(123)
let nonOptionalI: Int = someI ?? fatalError("Expected a non-nil value")

because the call site of ?? has type (T?, Never) -> T, which would be compatible with the (T?, T) -> T signature of ??.


0

Swift has a type "Never" which seems to be quite like the bottom type: A function declared to return Never can never return, a function with a parameter of type Never can never be called.

This is useful in connection with protocols, where there may be a restriction due to the type system of the language that a class must have a certain function, but with no requirement that this function should ever be called, and no requirement what the argument types would be.

For details you should have a look at the newer posts on the swift-evolution mailing list.


7
"Newer posts on the swift-evolution mailing list" is not a very clear or stable reference. Is there not a web archive of the mailing list?
Derek Elkins left SE
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.