Haskell - Implementing First Order Logic Expressions

534 views Asked by At

I am trying to implement FOL using Haskell. First order logic can be in the form of propositions connected together with connectives like And and Or. There is also quantifiers that have a limited scope in the expression.

What I did so far is:

import Data.List

data Prop 
    = Not Prop
    | Prop And Prop
    | Prop Or Prop
    | Prop Impl Prop
    | Prop Equiv Prop
    | ForAll String Prop
    | Exists String Prop
    deriving (Eq, Ord)

But I am getting this error:

 Multiple declarations of ‘Prop’
3

There are 3 answers

3
zegkljan On BEST ANSWER

When you declare an algebraic data type, the right-hand side of the declaration is a "list" of possible constructors for this type. However, the constructors are just functions, meaning that they are used in prefix notation. You try to use the e.g. And constructor in an infix way which does not work.

The following code works well:

data Prop
    = Not Prop
    | And Prop Prop
    | Or Prop Prop
    | Impl Prop Prop
    | Equiv Prop Prop
    | ForAll String Prop
    | Exists String Prop
    deriving (Eq, Ord)

However, you can define functions mimicking the constructors, e.g. --

propAnd :: Prop -> Prop -> Prop
propAnd a b = And a b

and use these in an infix way using the backquotes: a `propAnd` b. As suggested in the comments, this is not necessary as And can already be used in the infix way: a `And` b

Another option is to define the constructors themselves in an infix way:

data Prop
    = Not Prop
    | Prop `And` Prop
    | Prop `Or` Prop
    | Prop `Impl` Prop
    | Prop `Equiv` Prop
    | ForAll String Prop
    | Exists String Prop
    deriving (Eq, Ord)

and then both a `And` b and And a b work.

Note: your data type is infinite since all the constructors take one or more Props. I think you should also include some "atomic" constructors.

0
MathematicalOrchid On

You said

...
| Prop And Prop
...

What you need to say is

...
| And Prop Prop
...

(And similarly for all the others). The constructor name has to come first.

2
Helmut Grohne On

You are trying to use Prop as a constructor name multiple times (the first word is always the constructor name). It seems that you want to use infix constructors for And, Or and others. In order to write them infix you need to put the constructor names in backticks.

data Prop
    = Not Prop
    | Prop `And` Prop
    ...