Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

point free notation with multiple function parameters

Tags:

pointfree

elm

I am trying to port the following Haskell code (http://codepad.org/MMydRCxo)

foo :: Int -> Int -> Int -> Maybe Bool
foo a b c = if a == 1 then Just True else Nothing

bar :: Int -> Int -> Bool
bar b c = maybe False id $ foo 1 b c

-- point free
bar' :: Int -> Int -> Bool
bar' = ((maybe False id $) .) . foo 1

main = do
  print $ bar 2 3
  print $ bar' 2 3

to Elm, but had no luck yet. (http://share-elm.com/sprout/5271f160e4b03cf6e675bc97)

foo : Int -> Int -> Int -> Maybe Bool
foo a b c = if a == 1 then Just True else Nothing

bar : Int -> Int -> Bool
bar b c = maybe False id <| foo 1 b c

-- point free
bar' : Int -> Int -> Bool
bar' = ((maybe False id <|) .) . foo 1

main = flow down [
    asText <| bar 2 3
  , asText <| bar' 2 3]

Any Ideas if there is a possibility to make this work point free in Elm? :)

Dobi

like image 619
Tobias Hermann Avatar asked Oct 31 '13 06:10

Tobias Hermann


1 Answers

You can try getting rid of the <| and using the composition function in prefix notation instead. It'll first create a function that takes an argument, and have that function compose foo 1.

That way, calling bar' 2 will return the composed function that takes the last argument. I.e. (http://share-elm.com/sprout/52720bc5e4b03cf6e675bcc8):

foo : Int -> Int -> Int -> Maybe Bool
foo a b c = if a == 1 then Just True else Nothing

bar : Int -> Int -> Bool
bar b c = maybe False id <| foo 1 b c

bar' : Int -> Int -> Bool
bar' = (.) (maybe False id) . foo 1
-- the explicit evaluation precedence being: ((.) (maybe False id)) . (foo 1)

main = flow down [
    asText <| bar 2 3
  , asText <| bar' 2 3]
like image 199
Alexander Avatar answered Oct 19 '22 23:10

Alexander