Is there any use case for the bottom type as a function parameter type?What is the difference between the semantic and syntactic views of function types?Type systems understanding problemsWhy aren't we researching more towards compile time guarantees?Why do we have to forbid non-conforming lower and upper type bounds?Question about “Type checking a multithreaded functional language with session types” by Vasconcelos et alSafe way to explicitly define new types instead of using Algebraic data types for my functional languageType-classes for type inferenceHow could one write typing rules with variables defined at call-site?What is the use case for multi-type-parameter generics?What is the use case of multi-type-parameters generic interface?

How can I remove material from this wood beam?

Cathode rays and the cathode rays tube

Do empty drive bays need to be filled?

What should I discuss with my DM prior to my first game?

Flight compensation with agent

Do you really need a KDF when you have a PRF?

Does the new finding on "reversing a quantum jump mid-flight" rule out any interpretations of QM?

Should I put programming books I wrote a few years ago on my resume?

That's not my X, its Y is too Z

Why did the World Bank set the global poverty line at $1.90?

Is it safe to remove python 2.7.15rc1 from Ubuntu 18.04?

Analogy between an unknown in an argument, and a contradiction in the principle of explosion

As easy as Three, Two, One... How fast can you go from Five to Four?

What do Birth, Age, and Death mean in the first noble truth?

Housemarks (superimposed & combined letters, heraldry)

Why is long-term living in Almost-Earth causing severe health problems?

How to befriend someone who doesn't like to talk?

Can you make an identity from this product?

What differences exist between adamantine and adamantite in all editions of D&D?

How and why do references in academic papers work?

Make Gimbap cutter

The origin of the Russian proverb about two hares

What is the logic behind charging tax _in the form of money_ for owning property when the property does not produce money?

What would be the way to say "just saying" in German? (Not the literal translation)



Is there any use case for the bottom type as a function parameter type?


What is the difference between the semantic and syntactic views of function types?Type systems understanding problemsWhy aren't we researching more towards compile time guarantees?Why do we have to forbid non-conforming lower and upper type bounds?Question about “Type checking a multithreaded functional language with session types” by Vasconcelos et alSafe way to explicitly define new types instead of using Algebraic data types for my functional languageType-classes for type inferenceHow could one write typing rules with variables defined at call-site?What is the use case for multi-type-parameter generics?What is the use case of multi-type-parameters generic interface?













12












$begingroup$


If a function has return type of ⊥ (bottom type), that means it never returns. It can for example exit or throw, both fairly ordinary situations.



Presumably if a function had a parameter of type ⊥ it could never (safely) be called. Are there ever any reasons for defining such a function?










share|cite|improve this question









$endgroup$
















    12












    $begingroup$


    If a function has return type of ⊥ (bottom type), that means it never returns. It can for example exit or throw, both fairly ordinary situations.



    Presumably if a function had a parameter of type ⊥ it could never (safely) be called. Are there ever any reasons for defining such a function?










    share|cite|improve this question









    $endgroup$














      12












      12








      12


      4



      $begingroup$


      If a function has return type of ⊥ (bottom type), that means it never returns. It can for example exit or throw, both fairly ordinary situations.



      Presumably if a function had a parameter of type ⊥ it could never (safely) be called. Are there ever any reasons for defining such a function?










      share|cite|improve this question









      $endgroup$




      If a function has return type of ⊥ (bottom type), that means it never returns. It can for example exit or throw, both fairly ordinary situations.



      Presumably if a function had a parameter of type ⊥ it could never (safely) be called. Are there ever any reasons for defining such a function?







      type-theory type-checking






      share|cite|improve this question













      share|cite|improve this question











      share|cite|improve this question




      share|cite|improve this question










      asked May 26 at 21:08









      bdslbdsl

      1614




      1614




















          5 Answers
          5






          active

          oldest

          votes


















          16












          $begingroup$

          One of the defining properties of the $bot$ or empty type is that there exists a function $bot to 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 $bot$ be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define $bot$ as $forall alpha.alpha$ which can simply be instantiated to any type.)



          You definitely want to have such a function or an equivalent because it is what allows you to make use of functions that produce $bot$. For example, let's say I'm given a sum type $E+A$. I do a case analysis on it and in the $E$ case I'm going to throw an exception using $mathttthrow:Etobot$. In the $A$ case, I'll use $f:Ato B$. Overall, I want a value of type $B$ so I need to do something to turn a $bot$ 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 $botto 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 $botto 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.






          share|cite|improve this answer









          $endgroup$












          • $begingroup$
            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()))?
            $endgroup$
            – bdsl
            May 28 at 9:05











          • $begingroup$
            If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
            $endgroup$
            – Derek Elkins
            May 28 at 18:50


















          5












          $begingroup$

          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!






          share|cite|improve this answer









          $endgroup$




















            1












            $begingroup$

            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 $bot$—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 $bot prec T prec S$. Or, you can express "any type at all" as $bot prec T prec top$.






            share|cite|improve this answer











            $endgroup$








            • 3




              $begingroup$
              NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
              $endgroup$
              – bdsl
              May 26 at 23:18










            • $begingroup$
              I'm not sure quite what ≺ means in type theory.
              $endgroup$
              – bdsl
              May 26 at 23:18






            • 1




              $begingroup$
              @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.
              $endgroup$
              – Draconis
              May 26 at 23:40






            • 1




              $begingroup$
              @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.
              $endgroup$
              – Draconis
              May 26 at 23:42






            • 2




              $begingroup$
              Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
              $endgroup$
              – Derek Elkins
              May 27 at 1:50


















            1












            $begingroup$

            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 ??.






            share|cite|improve this answer









            $endgroup$




















              0












              $begingroup$

              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.






              share|cite|improve this answer









              $endgroup$








              • 7




                $begingroup$
                "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?
                $endgroup$
                – Derek Elkins
                May 27 at 2:10











              Your Answer








              StackExchange.ready(function()
              var channelOptions =
              tags: "".split(" "),
              id: "419"
              ;
              initTagRenderer("".split(" "), "".split(" "), channelOptions);

              StackExchange.using("externalEditor", function()
              // Have to fire editor after snippets, if snippets enabled
              if (StackExchange.settings.snippets.snippetsEnabled)
              StackExchange.using("snippets", function()
              createEditor();
              );

              else
              createEditor();

              );

              function createEditor()
              StackExchange.prepareEditor(
              heartbeatType: 'answer',
              autoActivateHeartbeat: false,
              convertImagesToLinks: false,
              noModals: true,
              showLowRepImageUploadWarning: true,
              reputationToPostImages: null,
              bindNavPrevention: true,
              postfix: "",
              imageUploader:
              brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
              contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
              allowUrls: true
              ,
              onDemand: true,
              discardSelector: ".discard-answer"
              ,immediatelyShowMarkdownHelp:true
              );



              );













              draft saved

              draft discarded


















              StackExchange.ready(
              function ()
              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcs.stackexchange.com%2fquestions%2f109897%2fis-there-any-use-case-for-the-bottom-type-as-a-function-parameter-type%23new-answer', 'question_page');

              );

              Post as a guest















              Required, but never shown

























              5 Answers
              5






              active

              oldest

              votes








              5 Answers
              5






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes









              16












              $begingroup$

              One of the defining properties of the $bot$ or empty type is that there exists a function $bot to 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 $bot$ be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define $bot$ as $forall alpha.alpha$ which can simply be instantiated to any type.)



              You definitely want to have such a function or an equivalent because it is what allows you to make use of functions that produce $bot$. For example, let's say I'm given a sum type $E+A$. I do a case analysis on it and in the $E$ case I'm going to throw an exception using $mathttthrow:Etobot$. In the $A$ case, I'll use $f:Ato B$. Overall, I want a value of type $B$ so I need to do something to turn a $bot$ 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 $botto 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 $botto 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.






              share|cite|improve this answer









              $endgroup$












              • $begingroup$
                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()))?
                $endgroup$
                – bdsl
                May 28 at 9:05











              • $begingroup$
                If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
                $endgroup$
                – Derek Elkins
                May 28 at 18:50















              16












              $begingroup$

              One of the defining properties of the $bot$ or empty type is that there exists a function $bot to 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 $bot$ be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define $bot$ as $forall alpha.alpha$ which can simply be instantiated to any type.)



              You definitely want to have such a function or an equivalent because it is what allows you to make use of functions that produce $bot$. For example, let's say I'm given a sum type $E+A$. I do a case analysis on it and in the $E$ case I'm going to throw an exception using $mathttthrow:Etobot$. In the $A$ case, I'll use $f:Ato B$. Overall, I want a value of type $B$ so I need to do something to turn a $bot$ 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 $botto 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 $botto 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.






              share|cite|improve this answer









              $endgroup$












              • $begingroup$
                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()))?
                $endgroup$
                – bdsl
                May 28 at 9:05











              • $begingroup$
                If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
                $endgroup$
                – Derek Elkins
                May 28 at 18:50













              16












              16








              16





              $begingroup$

              One of the defining properties of the $bot$ or empty type is that there exists a function $bot to 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 $bot$ be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define $bot$ as $forall alpha.alpha$ which can simply be instantiated to any type.)



              You definitely want to have such a function or an equivalent because it is what allows you to make use of functions that produce $bot$. For example, let's say I'm given a sum type $E+A$. I do a case analysis on it and in the $E$ case I'm going to throw an exception using $mathttthrow:Etobot$. In the $A$ case, I'll use $f:Ato B$. Overall, I want a value of type $B$ so I need to do something to turn a $bot$ 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 $botto 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 $botto 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.






              share|cite|improve this answer









              $endgroup$



              One of the defining properties of the $bot$ or empty type is that there exists a function $bot to 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 $bot$ be a subtype of every type. Then the implicit conversion is absurd. Another related approach is to define $bot$ as $forall alpha.alpha$ which can simply be instantiated to any type.)



              You definitely want to have such a function or an equivalent because it is what allows you to make use of functions that produce $bot$. For example, let's say I'm given a sum type $E+A$. I do a case analysis on it and in the $E$ case I'm going to throw an exception using $mathttthrow:Etobot$. In the $A$ case, I'll use $f:Ato B$. Overall, I want a value of type $B$ so I need to do something to turn a $bot$ 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 $botto 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 $botto 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.







              share|cite|improve this answer












              share|cite|improve this answer



              share|cite|improve this answer










              answered May 27 at 2:10









              Derek ElkinsDerek Elkins

              10.4k12435




              10.4k12435











              • $begingroup$
                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()))?
                $endgroup$
                – bdsl
                May 28 at 9:05











              • $begingroup$
                If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
                $endgroup$
                – Derek Elkins
                May 28 at 18:50
















              • $begingroup$
                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()))?
                $endgroup$
                – bdsl
                May 28 at 9:05











              • $begingroup$
                If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
                $endgroup$
                – Derek Elkins
                May 28 at 18:50















              $begingroup$
              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()))?
              $endgroup$
              – bdsl
              May 28 at 9:05





              $begingroup$
              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()))?
              $endgroup$
              – bdsl
              May 28 at 9:05













              $begingroup$
              If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
              $endgroup$
              – Derek Elkins
              May 28 at 18:50




              $begingroup$
              If you didn't have subtyping or hadn't defined $bot$ as $forall alpha.alpha$, 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 $bot$ as $forallalpha.alpha$ would do.
              $endgroup$
              – Derek Elkins
              May 28 at 18:50











              5












              $begingroup$

              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!






              share|cite|improve this answer









              $endgroup$

















                5












                $begingroup$

                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!






                share|cite|improve this answer









                $endgroup$















                  5












                  5








                  5





                  $begingroup$

                  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!






                  share|cite|improve this answer









                  $endgroup$



                  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!







                  share|cite|improve this answer












                  share|cite|improve this answer



                  share|cite|improve this answer










                  answered May 27 at 16:28









                  J_mie6J_mie6

                  21017




                  21017





















                      1












                      $begingroup$

                      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 $bot$—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 $bot prec T prec S$. Or, you can express "any type at all" as $bot prec T prec top$.






                      share|cite|improve this answer











                      $endgroup$








                      • 3




                        $begingroup$
                        NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                        $endgroup$
                        – bdsl
                        May 26 at 23:18










                      • $begingroup$
                        I'm not sure quite what ≺ means in type theory.
                        $endgroup$
                        – bdsl
                        May 26 at 23:18






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:40






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:42






                      • 2




                        $begingroup$
                        Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                        $endgroup$
                        – Derek Elkins
                        May 27 at 1:50















                      1












                      $begingroup$

                      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 $bot$—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 $bot prec T prec S$. Or, you can express "any type at all" as $bot prec T prec top$.






                      share|cite|improve this answer











                      $endgroup$








                      • 3




                        $begingroup$
                        NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                        $endgroup$
                        – bdsl
                        May 26 at 23:18










                      • $begingroup$
                        I'm not sure quite what ≺ means in type theory.
                        $endgroup$
                        – bdsl
                        May 26 at 23:18






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:40






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:42






                      • 2




                        $begingroup$
                        Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                        $endgroup$
                        – Derek Elkins
                        May 27 at 1:50













                      1












                      1








                      1





                      $begingroup$

                      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 $bot$—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 $bot prec T prec S$. Or, you can express "any type at all" as $bot prec T prec top$.






                      share|cite|improve this answer











                      $endgroup$



                      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 $bot$—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 $bot prec T prec S$. Or, you can express "any type at all" as $bot prec T prec top$.







                      share|cite|improve this answer














                      share|cite|improve this answer



                      share|cite|improve this answer








                      edited May 26 at 23:43

























                      answered May 26 at 23:08









                      DraconisDraconis

                      6,0371921




                      6,0371921







                      • 3




                        $begingroup$
                        NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                        $endgroup$
                        – bdsl
                        May 26 at 23:18










                      • $begingroup$
                        I'm not sure quite what ≺ means in type theory.
                        $endgroup$
                        – bdsl
                        May 26 at 23:18






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:40






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:42






                      • 2




                        $begingroup$
                        Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                        $endgroup$
                        – Derek Elkins
                        May 27 at 1:50












                      • 3




                        $begingroup$
                        NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                        $endgroup$
                        – bdsl
                        May 26 at 23:18










                      • $begingroup$
                        I'm not sure quite what ≺ means in type theory.
                        $endgroup$
                        – bdsl
                        May 26 at 23:18






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:40






                      • 1




                        $begingroup$
                        @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.
                        $endgroup$
                        – Draconis
                        May 26 at 23:42






                      • 2




                        $begingroup$
                        Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                        $endgroup$
                        – Derek Elkins
                        May 27 at 1:50







                      3




                      3




                      $begingroup$
                      NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                      $endgroup$
                      – bdsl
                      May 26 at 23:18




                      $begingroup$
                      NULL is a unit type isn't it, distinct from ⊥ which is the empty type?
                      $endgroup$
                      – bdsl
                      May 26 at 23:18












                      $begingroup$
                      I'm not sure quite what ≺ means in type theory.
                      $endgroup$
                      – bdsl
                      May 26 at 23:18




                      $begingroup$
                      I'm not sure quite what ≺ means in type theory.
                      $endgroup$
                      – bdsl
                      May 26 at 23:18




                      1




                      1




                      $begingroup$
                      @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.
                      $endgroup$
                      – Draconis
                      May 26 at 23:40




                      $begingroup$
                      @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.
                      $endgroup$
                      – Draconis
                      May 26 at 23:40




                      1




                      1




                      $begingroup$
                      @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.
                      $endgroup$
                      – Draconis
                      May 26 at 23:42




                      $begingroup$
                      @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.
                      $endgroup$
                      – Draconis
                      May 26 at 23:42




                      2




                      2




                      $begingroup$
                      Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                      $endgroup$
                      – Derek Elkins
                      May 27 at 1:50




                      $begingroup$
                      Incidentally, the most common notation I've seen for the subtyping relation is <: e.g. System $F_mathtt<:$.
                      $endgroup$
                      – Derek Elkins
                      May 27 at 1:50











                      1












                      $begingroup$

                      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 ??.






                      share|cite|improve this answer









                      $endgroup$

















                        1












                        $begingroup$

                        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 ??.






                        share|cite|improve this answer









                        $endgroup$















                          1












                          1








                          1





                          $begingroup$

                          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 ??.






                          share|cite|improve this answer









                          $endgroup$



                          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 ??.







                          share|cite|improve this answer












                          share|cite|improve this answer



                          share|cite|improve this answer










                          answered May 27 at 15:57









                          AlexanderAlexander

                          38217




                          38217





















                              0












                              $begingroup$

                              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.






                              share|cite|improve this answer









                              $endgroup$








                              • 7




                                $begingroup$
                                "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?
                                $endgroup$
                                – Derek Elkins
                                May 27 at 2:10















                              0












                              $begingroup$

                              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.






                              share|cite|improve this answer









                              $endgroup$








                              • 7




                                $begingroup$
                                "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?
                                $endgroup$
                                – Derek Elkins
                                May 27 at 2:10













                              0












                              0








                              0





                              $begingroup$

                              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.






                              share|cite|improve this answer









                              $endgroup$



                              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.







                              share|cite|improve this answer












                              share|cite|improve this answer



                              share|cite|improve this answer










                              answered May 26 at 23:21









                              gnasher729gnasher729

                              13.3k1824




                              13.3k1824







                              • 7




                                $begingroup$
                                "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?
                                $endgroup$
                                – Derek Elkins
                                May 27 at 2:10












                              • 7




                                $begingroup$
                                "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?
                                $endgroup$
                                – Derek Elkins
                                May 27 at 2:10







                              7




                              7




                              $begingroup$
                              "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?
                              $endgroup$
                              – Derek Elkins
                              May 27 at 2:10




                              $begingroup$
                              "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?
                              $endgroup$
                              – Derek Elkins
                              May 27 at 2:10

















                              draft saved

                              draft discarded
















































                              Thanks for contributing an answer to Computer Science Stack Exchange!


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid


                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.

                              Use MathJax to format equations. MathJax reference.


                              To learn more, see our tips on writing great answers.




                              draft saved


                              draft discarded














                              StackExchange.ready(
                              function ()
                              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcs.stackexchange.com%2fquestions%2f109897%2fis-there-any-use-case-for-the-bottom-type-as-a-function-parameter-type%23new-answer', 'question_page');

                              );

                              Post as a guest















                              Required, but never shown





















































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown

































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown







                              Popular posts from this blog

                              Wikipedia:Vital articles Мазмуну Biography - Өмүр баян Philosophy and psychology - Философия жана психология Religion - Дин Social sciences - Коомдук илимдер Language and literature - Тил жана адабият Science - Илим Technology - Технология Arts and recreation - Искусство жана эс алуу History and geography - Тарых жана география Навигация менюсу

                              Bruxelas-Capital Índice Historia | Composición | Situación lingüística | Clima | Cidades irmandadas | Notas | Véxase tamén | Menú de navegacióneO uso das linguas en Bruxelas e a situación do neerlandés"Rexión de Bruxelas Capital"o orixinalSitio da rexiónPáxina de Bruselas no sitio da Oficina de Promoción Turística de Valonia e BruxelasMapa Interactivo da Rexión de Bruxelas-CapitaleeWorldCat332144929079854441105155190212ID28008674080552-90000 0001 0666 3698n94104302ID540940339365017018237

                              What should I write in an apology letter, since I have decided not to join a company after accepting an offer letterShould I keep looking after accepting a job offer?What should I do when I've been verbally told I would get an offer letter, but still haven't gotten one after 4 weeks?Do I accept an offer from a company that I am not likely to join?New job hasn't confirmed starting date and I want to give current employer as much notice as possibleHow should I address my manager in my resignation letter?HR delayed background verification, now jobless as resignedNo email communication after accepting a formal written offer. How should I phrase the call?What should I do if after receiving a verbal offer letter I am informed that my written job offer is put on hold due to some internal issues?Should I inform the current employer that I am about to resign within 1-2 weeks since I have signed the offer letter and waiting for visa?What company will do, if I send their offer letter to another company