When refineing a program, I tried to end proof by inversion on a False hypothesis when the goal was a Type. Here is a reduced version of the proof I tried to do.
Lemma strange1: forall T:Type, 0>0 -> T.
  intros T H.
  inversion H.  (* Coq refuses inversion on 'H : 0 > 0' *)
Coq complained
Error: Inversion would require case analysis on sort 
Type which is not allowed for inductive definition le
However, since I do nothing with T, it shouldn't matter, ... or ?
I got rid of the T like this, and the proof went through:
Lemma ex_falso: forall T:Type, False -> T.
  inversion 1.
Qed.  
Lemma strange2: forall T:Type, 0>0 -> T.
  intros T H.
  apply ex_falso.  (* this changes the goal to 'False' *)
  inversion H.
Qed.
What is the reason Coq complained? Is it just a deficiency in inversion, destruct, etc. ?
 
                        
I had never seen this issue before, but it makes sense, although one could probably argue that it is a bug in
inversion.This problem is due to the fact that
inversionis implemented by case analysis. In Coq's logic, one cannot in general perform case analysis on a logical hypothesis (i.e., something whose type is aProp) if the result is something of computational nature (i.e., if the sort of the type of the thing being returned is aType). One reason for this is that the designers of Coq wanted to make it possible to erase proof arguments from programs when extracting them into code in a sound way: thus, one is only allowed to do case analysis on a hypothesis to produce something computational if the thing being destructed cannot alter the result. This includes:False.True,Acc(the accessibility predicated used for doing well-founded recursion), but excludes the existential quantifierex.As you noticed, however, it is possible to circumvent that rule by converting some proposition you want to use for producing your result to another one you can do case analysis on directly. Thus, if you have a contradictory assumption, like in your case, you can first use it to prove
False(which is allowed, sinceFalseis aProp), and then eliminatingFalseto produce your result (which is allowed by the above rules).In your example,
inversionis being too conservative by giving up just because it cannot do case analysis on something of type0 < 0in that context. It is true that it can't do case analysis on it directly by the rules of the logic, as explained above; however, one could think of making a slightly smarter implementation ofinversionthat recognizes that we are eliminating a contradictory hypothesis and addsFalseas an intermediate step, just like you did. Unfortunately, it seems that we need to do this trick by hand to make it work.