Functor composition is a powerful concept that arises when we have one Functor nested in another Functor. It becomes even more powerful when both of those are Chains, allowing us to apply each Functor’s special properties and effects for a given computation.

We witness this power first hand by combining our beloved State with a Pair type mixing the ability to randomly pick an index from an Array using State and use it to draw an element from the Array. We will build up to an easy to use interface that allows us to pull as many elements as we need, by chaining on single State transaction.

  1. // getDeck :: () -> State AppState Deck
  2. const getDeck = () => generateCards()
  3. .map(xs => Pair([], xs));
  4. /**
  5. Pair(
  6. [ ],
  7. [ { id: "orange-square", color: "orange", shape: "square" }, { id: "orange-triangle", color: "orange", shape: "triangle" }, { id: "orange-circle", color: "orange", shape:
  8. "circle" }, { id: "green-square", color: "green", shape: "square" }, { id: "green-triangle", color: "green", shape: "triangle" }, { id: "green-circle", color: "green", shape: "circle" }, { id: "blue-square", color: "blue", shape: "square" }, { id: "blue-triangle", color: "blue", shape: "triangle" }, { id: "blue-circle", color: "blue", shape: "circle" }, { id: "yellow-square", color: "yellow", shape: "square" }, { id: "yellow-triangle", color: "yellow", shape: "triangle" }, { id: "yellow-circle", color: "yellow", shape: "circle" } ]
  9. )
  10. */
  11. // draw :: Integer -> Deck -> Deck
  12. const draw = compose(
  13. chain,
  14. drawCardAt
  15. );
  16. // const draw = index => deck => deck.chain(drawCardAt(index))
  17.  
  18. // drawRandom :: Deck -> State AppState Deck
  19. // From the right side pair, get a random index, then draw the card by index
  20. const drawRandom = converge(
  21. liftA2(draw),
  22. compose(
  23. randomIndex,
  24. snd
  25. ),
  26. liftState(identity)
  27. )
  28.  
  29. console.log(
  30. getDeck()
  31. .chain(drawRandom)
  32. .chain(drawRandom)
  33. .chain(drawRandom)
  34. .evalWith(state).fst()
  35. )
  36. /**
  37. * [ { id: 'orange-square', color: 'orange', shape: 'square' },
  38. { id: 'blue-triangle', color: 'blue', shape: 'triangle' },
  39. { id: 'blue-square', color: 'blue', shape: 'square' } ]
  40. */
  41. console.log(
  42. getDeck()
  43. .chain(drawRandom)
  44. .chain(drawRandom)
  45. .chain(drawRandom)
  46. .evalWith(state).snd()
  47. )
  48. /**
  49. [ { id: 'orange-triangle', color: 'orange', shape: 'triangle' },
  50. { id: 'orange-circle', color: 'orange', shape: 'circle' },
  51. { id: 'green-square', color: 'green', shape: 'square' },
  52. { id: 'green-triangle', color: 'green', shape: 'triangle' },
  53. { id: 'green-circle', color: 'green', shape: 'circle' },
  54. { id: 'blue-circle', color: 'blue', shape: 'circle' },
  55. { id: 'yellow-square', color: 'yellow', shape: 'square' },
  56. { id: 'yellow-triangle', color: 'yellow', shape: 'triangle' },
  57. { id: 'yellow-circle', color: 'yellow', shape: 'circle' } ]
  58. */

------

  1. const {prop,assoc, Pair, pick, bimap, State, snd, identity, omit, curry, filter, fanout, converge,map, composeK, liftA2, equals, constant,option, chain, mapProps, find, propEq, isNumber, compose, safe} = require('crocks');
  2. const {get, modify, of} = State;
  3.  
  4. const state = {
  5. colors: [ 'orange', 'green', 'blue', 'yellow' ],
  6. shapes: [ 'square', 'triangle', 'circle' ],
  7. seed: Date.now()
  8. };
  9.  
  10. const liftState = (fn) => compose(
  11. of, fn
  12. );
  13. const getState = key => get(prop(key))
  14.  
  15. // #region random
  16. // nextSeed :: Integer -> Integer
  17. const nextSeed = seed =>
  18. (seed * + ) & 0x7fffffff
  19.  
  20. // value :: Integer -> Number
  21. const value = seed =>
  22. (seed >>> ) / 0x7fff
  23.  
  24. // normalize :: (Integer, Integer) -> Number -> Integer
  25. const normalize = (min, max) =>
  26. x => Math.floor(x * (max - min)) + min
  27.  
  28. // getNextSeed :: () -> State AppState Integer
  29. const getNextSeed = () =>
  30. get(({ seed }) => nextSeed(seed))
  31.  
  32. // updateSeed :: Integer -> State AppState ()
  33. const updateSeed = seed =>
  34. modify(assoc('seed', seed))
  35.  
  36. // nextValue :: Integer -> State AppState Number
  37. const nextValue = converge(
  38. liftA2(constant),
  39. liftState(value),
  40. updateSeed
  41. )
  42.  
  43. // random :: () -> State AppState Number
  44. const random =
  45. composeK(nextValue, getNextSeed)
  46.  
  47. // between :: (Integer, Integer) -> State AppState Integer
  48. const between = (min, max) =>
  49. random()
  50. .map(normalize(min, max));
  51.  
  52. const randomIndex = xs => between(, xs.length);
  53. // #endregion
  54.  
  55. // #region generate
  56.  
  57. const getColors = () => getState('colors').map(option([]));
  58. const getShapes = () => getState('shapes').map(option([]));
  59. const buildCard = curry((color, shape) => ({
  60. id: `${color}-${shape}`,
  61. color,
  62. shape
  63. }));
  64. const buildCards = liftA2(buildCard);
  65. const generateCards = converge(
  66. liftA2(buildCards),
  67. getColors,
  68. getShapes
  69. );
  70.  
  71. // #endregion
  72.  
  73. // #region draw
  74. const getAt = index => array => Array.of(array[index]);
  75. const unsetAt = index => array => [
  76. ...array.slice(, index),
  77. ...array.slice(index + )
  78. ];
  79. const drawCardAt = index => fanout(getAt(index), unsetAt(index));
  80. // #endregion
  81.  
  82. // getDeck :: () -> State AppState Deck
  83. const getDeck = () => generateCards()
  84. .map(xs => Pair([], xs));
  85.  
  86. // draw :: Integer -> Deck -> Deck
  87. const draw = compose(
  88. chain,
  89. drawCardAt
  90. );
  91. // const draw = index => deck => deck.chain(drawCardAt(index))
  92.  
  93. // drawRandom :: Deck -> State AppState Deck
  94. const drawRandom = converge(
  95. liftA2(draw),
  96. compose(
  97. randomIndex,
  98. snd
  99. ),
  100. liftState(identity)
  101. )
  102.  
  103. console.log(
  104. getDeck()
  105. .chain(drawRandom)
  106. .chain(drawRandom)
  107. .chain(drawRandom)
  108. .chain(drawRandom)
  109. .evalWith(state).fst()
  110. )

[Functional Programming] Randomly Pull an Item from an Array with the State ADT (Pair)的更多相关文章

  1. Beginning Scala study note(4) Functional Programming in Scala

    1. Functional programming treats computation as the evaluation of mathematical and avoids state and ...

  2. a primary example for Functional programming in javascript

    background In pursuit of a real-world application, let’s say we need an e-commerce web applicationfo ...

  3. Functional programming

    In computer science, functional programming is a programming paradigm, a style of building the struc ...

  4. Functional Programming without Lambda - Part 2 Lifting, Functor, Monad

    Lifting Now, let's review map from another perspective. map :: (T -> R) -> [T] -> [R] accep ...

  5. Functional Programming without Lambda - Part 1 Functional Composition

    Functions in Java Prior to the introduction of Lambda Expressions feature in version 8, Java had lon ...

  6. Java 中的函数式编程(Functional Programming):Lambda 初识

    Java 8 发布带来的一个主要特性就是对函数式编程的支持. 而 Lambda 表达式就是一个新的并且很重要的一个概念. 它提供了一个简单并且很简洁的编码方式. 首先从几个简单的 Lambda 表达式 ...

  7. Functional programming idiom

    A functional programming function is like a mathematical function, which produces an output that typ ...

  8. 关于函数式编程(Functional Programming)

    初学函数式编程,相信很多程序员兄弟们对于这个名字熟悉又陌生.函数,对于程序员来说并不陌生,编程对于程序员来说也并不陌生,但是函数式编程语言(Functional Programming languag ...

  9. Functional Programming 资料收集

    书籍: Functional Programming for Java Developers SICP(Structure and Interpretation of Computer Program ...

随机推荐

  1. SpringMVC - 个人对@ModelAttribute的见解 和 一些注入参数、返回数据的见解

    2016-8-23修正. 因为对modelattribute这个注解不了解,所以在网上搜寻一些答案,感觉还是似懂非懂的,所以便自己测试,同时还结合网上别人的答案:最后得出我自己的见解和结果,不知道正确 ...

  2. 【Android开发日记】之入门篇(十三)——Android的控件解析

    Android的控件都派生自android.view.View类,在android.widget包中定义了大量的系统控件供开发者使用,开发者也可以从View类及其子类中,派生出自定义的控件. 一.An ...

  3. javascript三种嵌入方式

    什么是JavaScript? JavaScript是运行在浏览器端的脚步语言,JavaScript主要解决的是前端与用户交互的问题,包括使用交互与数据交互,JavaScript是浏览器解释执行的. J ...

  4. 前段基础HTML

    HTML介绍 Web服务本质 import socket sk = socket.socket() sk.bind(("127.0.0.1", 8080)) sk.listen(5 ...

  5. 转:Laravel 安装指南

    Git 介绍 之所以要说 Git,就是因为 Composre 有时需要用到 Git,还是安装上比较好,Composer 暂且不表,先来了解一下 Git 吧(已经安装的童鞋跳过这里,直接看 Compos ...

  6. HDU 1754.I Hate It-结构体版线段树(单点更新+区间查询最值)

    I Hate It Time Limit: 9000/3000 MS (Java/Others)    Memory Limit: 32768/32768 K (Java/Others)Total S ...

  7. android9.0请求异常

    抛出异常:CLEARTEXT communication to not permitted by network security policy android 9开始默认不能使用http 1.在re ...

  8. 一个排好序的数组,找出两数之和为x的所有组合【双指针】

    #include <bits/stdc++.h> using namespace std; const int N = 1e6,INF = 0x3f3f3f3f; int a[N]; in ...

  9. 简单DP【p3399】丝绸之路

    Background 张骞于公元前138年曾历尽艰险出使过西域.加强了汉朝与西域各国的友好往来.从那以后,一队队骆驼商队在这漫长的商贸大道上行进,他们越过崇山峻岭,将中国的先进技术带向中亚.西亚和欧洲 ...

  10. mysql 列转行,合并字段的方法

    数据表(表名:xsk) +----+------+-----------+-------+ | id | name| course | score | +----+------+----------- ...