Ricardo Tomasi在自己的博客上分享了十则CoffeeScript的一行程序,展示了CoffeeScript强大的表达力。你可以把这个页面发给你的小伙伴(也许还有妹纸),让他们震惊一下下。
1. 列表中每项乘2
i * 2 for i in [1..10]
2. 列表求和
[1..1000].reduce (t, s) -> t + s
3. 验证字符串中是否包含某个词
因为我们有some
方法,所以这根本就是小菜一碟。
wordList = ["coffeescript", "eko", "play framework", "and stuff", "falsy"]
tweet = "This is an example tweet talking about javascript and stuff."
wordList.some (word) -> ~tweet.indexOf word
~
不是CoffeeScript特有的运算符,只是一个小聪明。~
是位求反操作符,~x
的效果等于-x-1
。这里,indexOf
会返回位置,如果找不到,则返回-1
。-(-1)-1
为0,0为false。
4. 读取文件
fs.readFile 'data.txt', (err, data) -> fileText = data
同步版本:
fileText = fs.readFileSync('data.txt').toString()
在node.js领域,只有在应用启动的时候同步读取文件是可以接受的。其他时候应该使用异步版本。
5. 生日快乐
是不是感觉很像伪代码?
console.log "Happy Birthday #{if i is 3 then "dear Robert" else "to You"}" for i in [1..4]
6. 过滤列表中的数字
将列表中的成绩分成passed
(通过)和failed
(挂科)两类。
(if score > 60 then (passed or passed = []) else (failed or failed = [])).push score for score in [49, 58, 76, 82, 88, 90]
使用reduce
的版本。
[passed, failed] = [49, 58, 76, 82, 88, 90].reduce ((p,c,i) -> p[+(c < 60)].push c; p), [[],[]]
7. 获取和分析JSON
使用request库:
request.get { uri:'path/to/api.json', json: true }, (err, r, body) -> results = body
8. 寻找列表的最大值或最小值
这种情况下apply
函数很有用。它允许你将一个数组作为一组参数传递。Math.max
和Math.min
均接受可变参数,例如Math.max 30, 10, 20
返回30
。使用apply
可以让它们配合数组使用:
Math.max.apply @, [14, 35, -7, 46, 98] # 98
Math.min.apply @, [14, 35, -7, 46, 98] # -7
9. 埃拉托斯特尼筛法
埃拉托斯特尼筛法,简称埃氏筛或爱氏筛,是一种由埃及数学家埃拉托斯特尼所提出的一种简单检定素数的算法。
(n) -> (p.push i for i in [2..n] when !(p or p=[]).some((j) -> i%j is 0)) and n in p
10. fizzbuzz
fizzbuzz问题:输出0到100的数字,但是3的倍数输出Fizz
,5的倍数输出Buzz
,同时是3和5的倍数的输出FizzBuzz
。
这个问题在CoffeeScrit下只需一行,而且可读性非常好:
"#{if i%3 is 0 then 'fizz' else ''}#{if i%5 is 0 then 'buzz' else ''}" or i for i in [1..100]
还可以更短:
['fizz' unless i%3] + ['buzz' unless i%5] or i for i in [1..100]
窍门在于当对数组使用+
运算符时它会被转换为字符串,如果字符串的值为undefined
或null
,则给出一个空字符串。
结论
现代语言的表现力真令人吃惊。
原文 10 CoffeeScript One Liners to Impress Your Friends
编译 SegmentFault