Here's my function:
fun inclist [] 0 = []
| inclist (l, inc) = map (fn x => x + inc) l;
l
is a list of ints, and I'm trying to add inc
to each integer in l
.
But I'm getting these errors
Function: inclist : int list * int -> int list
Argument: [1, 2, 3, 4, 5] : int list
Reason: Can't unify int list to int list * int (Incompatible types)
Function: inclist [1, 2, 3, 4, ...] : int list
Argument: 1 : int
Reason: Value being applied does not have a function type
And I don't understand why because I have an almost identical function that multiplies values together which works just fine.
That's not your actual code – that code does not produce those messages.
Your actual code looks more like this:
with definition clauses of the same shape.
You have defined a function that takes a pair of an
int list
and anint
and returns anint list
.As the error message says:
int list * int -> int list
.Then you try to apply this function to something that is not such a pair.
inclist [1,2,3,4,5] 1
is the same as(inclist [1,2,3,4,5]) 1
- it first appliesinclist
to[1,2,3,4,5]
, and then applies the result - which must be a function - to1
.Your first message refers to
inclist [1,2,3,4,5]
, and says that[1,2,3,4,5]
is not anint list * int
, whichinclist
needs.The second message refers to your applying
inclist [1,2,3,4,5]
to1
, wheninclist [1,2,3,4,5]
is not a function.(It is slightly peculiar that polyml claims that
inclist [1,2,3,4,5]
is anint list
, when it has a type error according to the previous message. One possible explanation is that polyml doesn't bother to check the type of the argument but goes "inclist
applied to whatever argument is anint list
".)The solution is to either pass a pair like the function expects:
or to define the function in the "curried" manner:
On a side note, that first special case is unnecessary.
If you're worried about inefficiency, it makes more sense to special-case
0
than[]
(avoiding zero-additions in a huge list can be beneficial; only avoiding it with the empty list is pointless).but this will also do the job: