Scala Bowling Kata - still in the middle I suppose 79
"One more roll on a game with 20 rolls and an open 10th frame" should {
20 times { roll(1) }
roll(1) must throwA[IllegalArgumentException]
}
"Two more rolls a game with 10 spares" should {
10 times { spare }
roll(1)
roll(1) must throwA[IllegalArgumentException]
}
"Two marks in the 10th frame should" should {
18 times { roll(1) }
strike
spare
roll(1) must throwA[IllegalArgumentException]
}
On my flight from DFW to SNA, I got these behaviors implemented. The code was pretty ugly!
However, ugly code in hand, passing examples, a slight understanding of some of the problems with my code and a desire to make the BowlingScorer immutable was all I needed to make progress.
I removed the index instance field by rewriting the score method and injecting a tuple into foldLeft (written here using the short-hand notation /:): def scoreAt(frame:Int) =
((0,0) /: (1 to frame)) { (t, _) =>
(t._1 + scoreAtIndex(t._2), t._2 + incrementAt(t._2))
}._1
def onFirstThrow = {
var index = 0
while(index < rolls.length)
if(isStrike(index)) index += 1 else index += 2
index == rolls.length
}
While I am happy I was able to remove the index variable, which was really a parameter being passed around in a field (ugly), I am not happy with this method.
I changed the roll method to return a new instance of a BowlingScorer, making the bowling scorer immutable: def roll(roll:Int) = {
validate(roll)
new BowlingScorer(rolls ++ Array(roll))
}
So I think I’m still somewhere in the middle of working through this code. Again, I’m still learning Scala. I have a lot to learn. I really only barely understand functional programming and, frankly, the Eclipse IDE, while functional, is getting in the way quite a bit. So for a toy example it is OK. Given the choice of this environment or vi and the command line, I’d not pick the former. (I might give the other IDE’s a go, but that’s not really what I’m interested in learning right now.)
So here’s the next version. I plan to work through all of the comments I’ve yet to process from the previous blog posting over the next few days. If you can recommend a better implementation of onFirstThrow, I’d appreciate it.
Other general comments also welcome.
BowlingScorerExampleGroup.scala
package com.om.example
import org.specs._
object BowlingScorerExampleGroup extends SpecificationWithJUnit {
var scorer = new BowlingScorer(Nil);
def roll(value:Int) =
scorer = scorer.roll(value)
def haveAScoreOf(expected:Int) =
scorer.score must_== expected
def strike =
roll(10)
def spare {
roll(5)
roll(5)
}
implicit def intToDo(count: Int) = {
new {
def times(f: => Unit) = {
1 to count foreach { _ => f }
}
}
}
"A Newly Created Bowling Scorer" should {
haveAScoreOf(0)
}
"A game with all 0's" should {
20 times { roll(0) }
haveAScoreOf(0)
}
"A game with all 1's" should {
20 times { roll(1) }
haveAScoreOf(20)
}
"A game with a single spare followed by a 5" should {
spare
roll(5)
haveAScoreOf(20)
}
"A game with all 5's" should {
10 times { spare }
roll(5)
haveAScoreOf(150)
}
"A game with a single strike followed by a 4" should {
strike
roll(4)
haveAScoreOf(18)
}
"A game with a strike, spare then an open frame with two 3's" should {
strike
spare
2 times { roll(3) }
haveAScoreOf(39)
}
"A game with strike, spare then an open frame with two 3's" should {
spare
strike
2 times { roll(3) }
haveAScoreOf(42)
}
"A Dutch 200 game, Spare-Strike" should {
5 times {
spare
strike
}
spare
haveAScoreOf(200)
}
"A Dutch 200 game, Strike-Spare" should {
5 times {
strike
spare
}
strike
haveAScoreOf(200)
}
"A Perfect game" should {
12 times { strike }
haveAScoreOf(300)
}
"The score for each frame of a Perfect game, each frame" should {
12 times { strike }
1 to 10 foreach { frame => scorer.scoreAt(frame) must_== 30 * frame }
}
"An individaul roll of > 10" should {
roll(11) must throwA[IllegalArgumentException]
}
"An iniviaul roll of < 0" should {
roll(-1) must throwA[IllegalArgumentException]
}
"A frame trying to contain more than 10 pins" should {
roll(8)
roll(3) must throwA[IllegalArgumentException]
}
"One more roll on a game with 20 rolls and an open 10th frame" should {
20 times { roll(1) }
roll(1) must throwA[IllegalArgumentException]
}
"Two more rolls a game with 10 spares" should {
10 times { spare }
roll(1)
roll(1) must throwA[IllegalArgumentException]
}
"Two marks in the 10th frame should" should {
18 times { roll(1) }
strike
spare
roll(1) must throwA[IllegalArgumentException]
}
}
BowlingScorer.scala
package com.om.example
class BowlingScorer(rollsSoFar:List[Int]){
val rolls:List[Int] = rollsSoFar
def roll(roll:Int) = {
validate(roll)
new BowlingScorer(rolls ++ Array(roll))
}
def validate(roll:Int) {
if(invalidRoll(roll))
throw new IllegalArgumentException("Individaul rolls must be from 0 .. 10")
if(frameRollTooHigh(roll))
throw new IllegalArgumentException("Total of rolls for frame must not exceed 10");
if(willBeTooManyRolls)
throw new IllegalArgumentException("Game over, no more rolls allowed")
}
def invalidRoll(roll:Int) =
(0 to 10 contains(roll)) == false
def frameRollTooHigh(roll:Int) =
openScoreAt(indexToValidate) + roll > 10
def willBeTooManyRolls =
tenthRolled(indexOf10thFrame) && nextRollTooMany(indexOf10thFrame)
def tenthRolled(tenthIndex:Int) =
tenthIndex < rolls.length
def nextRollTooMany(tenthIndex: Int) =
allowedTenthFrameRolls(tenthIndex) < rollsInTenthFrame(tenthIndex) + 1
def indexOf10thFrame =
(0 /: (1 until 10)) {(c, _) => c + incrementAt(c)}
def allowedTenthFrameRolls(index:Int) =
if(isMark(index)) 3 else 2
def rollsInTenthFrame(index: Int) =
rolls.length - index
def indexToValidate =
if(onFirstThrow) rolls.length else rolls.length - 1
def onFirstThrow = {
var index = 0
while(index < rolls.length)
if(isStrike(index)) index += 1 else index += 2
index == rolls.length
}
def scoreAt(frame:Int) =
((0,0) /: (1 to frame)) { (t, _) =>
(t._1 + scoreAtIndex(t._2), t._2 + incrementAt(t._2))
}._1
def score = scoreAt(10)
def scoreAtIndex(index:Int) =
if(isMark(index)) markScoreAt(index) else openScoreAt(index)
def incrementAt(index:Int) =
if(isStrike(index)) 1 else 2
def isMark(index:Int) =
isStrike(index) || isSpare(index)
def isStrike(index:Int) =
valueAt(index) == 10
def markScoreAt(index:Int) =
sumNext(index, 3)
def isSpare(index:Int) =
openScoreAt(index) == 10 && valueAt(index) != 10
def openScoreAt(index:Int) =
sumNext(index, 2)
def sumNext(index:Int, count:Int) =
(0 /: (index until index+count))(_ + valueAt(_))
def valueAt(index:Int) =
if(rolls.length > index) rolls(index) else 0
}
While I am happy I was able to remove the index variable, which was really a parameter being passed around in a field (ugly), I am not happy with this method.
Hey, Great interesting post! Some mafia wars related stuff aren’t bad too…
cheap VPS
It’s so tough to encounter right information on the blog. I realy loved reading this post. It has strengthen my faith more. You all do such a great job at such Concepts…can’t tell you how much I, for one appreciate all you do
discounted shopping
so good post i like it china nfl jerseys
I’ve been looking at Scala a little recently so I’ve been following your posts with interest. I couldn’t come up with some code. Thank you! At last I have found these codes! It’s exactly what I was looking for!
f she has help brimming with rings, then investing in a ring Beadsthat she will be able to in no way wear would not be excellent.Aside from choosing coming from a standard keep, rings can even be ordered via online stores. The best thing about buying on the internet is you get to see anything the presents, where in a shop it can be tough to sort nevertheless his or her inventory to uncover the right thing. Mothers love gifts that are memorable. Attempt to present your mom using a gift that is personalized, as an illustration an engagement ring using their name engraved in it. Gold rings make for great gifts since they immortalize your mom’s name in gold. A gold necklace and a pendant produces a fantastic gifts for your mom, and gifts which are most often overlooked .
I changed the roll method to return a new instance of a BowlingScorer, making the bowling scorer immutable
we offer you canada goose to enjoy the winter!! canada goosewarm canada goose parka protection canada goose expeditionfashionable canada goose jakkerlet you have Happy winter canada goose jakkeGood quality
Canada goose jakkesnug Goose jakkeYou’re Worth It Canada goose jakkerremain stylish Canada goose parkais a trustworthy brand Canada goose tilbudis the best one
canada goose jacka vogue goose jacka pretty canada goose jackordifferent designs outlet canada goose amazing canada goose Expedition smooth welcome to buy!thank you!
http://blog.qa.ubuntu.com/node/81
While reading through the second bdd example I realized that this was not intended, but distracted me while reading the first one a bit.
I high appreciate this post. It’s hard to find the good from the bad sometimes, but I think you’ve nailed it! would you mind updating your blog with more information
Good job done about the post, thank you!
Enjoy the christmas time and enjoy the hottest white iphone 4. All you need to do is the white iphone 4 conversion kit home.
Good post,I think so! Dear Admin, I thank you for this informative article.
Risk almadan Sermayesiz Evinizden yönetebilece?iniz Kendi i?inizin sahibi olmak istermisiniz ?
Wow! what an idea ! Nice my blogs: cityville cheats | cityville tips
Good code. It is definitely going to help me some time.
The demand is high, yes, but for skilled labour, not us university grads. Especially not those who are travelling to Europe for a month, or 8. Employers love well rounded graduates, as long as they get well rounded in their own time.
It amazing to see how many comments this site is getting. How do you accomplish that kind of traffic.
‘m always on time for Aunt Flo since I was 13 yrs old. Was 4 days late so I decided to get a pregnancy test. I already knew I was preggers. Aunt Flo was late, my cervix hadn’t dropped, cramping, and my boobs are super sore. The bf is perfectly fine with it. I’m nervous about what my family will say. 28 yrs old and I still care.
Disco certainly persisted, boasting chart toppers as late as 1981. But it never regained its late seventies stature atop the music world. It survived by influencing other genres (club, pop, rap), but as a distinct genre it largely disappeared by the early 1980s.http://onlinenursing.fhchs.edu
Nice post seems interesting to me and fits everyone expertise thanks for sharing it here.
In debt settlement, we are instructed to make monthly savings payments usually to a special bank account until there is enough to make a lump-sum settlement offer to our creditors. But,we are putting money into your account, the debt settlement company is taking its fee out. Saving to try to settle one debt can take a year or more and since most people typically have multiple debts they want to try to settle the process can take three or four years. The debt settlement companies usually take out all of their fees ranging from 14 to 20 percent of the total debt within the first several months of the contract. bsn florida
Thomas sabo developed its own distinctive way, a distinguishing face due to constant support and designs by both of them. They had an eye for detail, an amazing compassion for the material and a sixth sense for thomas sabo charms fashions and trends. A complete new segment was created for the market because of this. Looking at the amazing success achieved, by the end of 1990 his company determined to establish retail outlets of thomas sabo its own. Throughout Asia, Europe and America exclusive stores, sales agencies and shops were set in different countries in rapid succession. Thomas Sabo changed from being a secretive protection of fashion insiders to getting developed as a well-built, globally acknowledged brand. The most popular collection of thomas sabo jewellery Charm Club Collection was originated with the creative director Susanne Kolbli’s idea. Today fashion has more freedom than ever before. There are diverse trends all over and so is their collection.
We did get off to a bit of a bumpy start, however, in our budding friendship. As I swirled some sort of whiskey he had brought on board,he asked me the usual stuff you ask a new friendhttp://www.daycareforms.org/louisiana
Super Bowl Authentic Jerseys
Aaron Rodgers Super Bowl Jersey
Clay Matthews Super Bowl Jersey
Charles Woodson Super Bowl Jersey
Donald Driver Super Bowl Jersey
Jermichael Finley Super Bowl Jersey
Ryan Grant Super Bowl Jersey
Creating Panel layouts are actually easy – Just as much as page.tpl.php, but you get more bang for your buck. http://www.foreclosureprocess.org/ohio
I simply prefer to think that I have standards. Someone has to. http://www.daycareforms.org
Thank you! At last I have found these codes! It’s exactly what I was looking for!http://snipsly.com/2011/01/13/1225768/
Thanks for shareing! I agree with you. The artical improve me so much! I will come here frequently. Would you like to banckup iphone SMS to mac, macBook, macbookPro as .txt files? Now a software iphone SMS to Mac Backup can help you to realize it.
I really like this essay. Thank you for writing it so seriously. I want to recommend it for my friends strongly. iPad to Mac Transfer can help you transfer music, movie, photo, ePub, PDF, Audiobook, Podcast and TV Show from ipad to mac freely.
This article is very usefull for me! I can see that you are putting a lots of efforts into your blog. I will keep watching in your blog, thanks.
KEESTRACK?manufacturing expert of mobile crusher and mobile screening equipment. Company engaged in the research & development, manufacture, sales of track screening machine,mobile screening,cone crusher,jaw crusher,impact crusher,mobile screening equipment,mobile crushing equipment, till now we are proud to say we are at front of the industry.
Excellent article, interesting blog. Thanks to the author
This is a smart blog. I mean it. You have so much knowledge about this issue, and so much passion. You also know how to make people rally behind it, obviously from the responses.http://www.yeolesweets.com/oatmeal-raisin-cookies.htm
We stayed in the hospital for almost 2 weeks learning how to take care of her and the trach and did not leave until we were fully prepared. Cincinnati Children’s made sure we had everything we needed and it’s not as bad as you think it will be once you get familiar with the routine. Besides, any parent who loves their children, which I’m sure you do, can do anything to help them.http://www.daycaregrants.org
Yes i got your point here and i can’t help but agree. Thanks this is awesome. roofing
Thank you! At last I have found these codes!
this a valuable code
yes it is valuable code.
internette görüntülü olarak okey oyunu oyna, gerçek kisilerle tanis, turnuva heyecanini yasa.
Interesting post and thanks for sharing. Some things in here I have not thought about before.Thanks for making such a cool post which is really very well written.
This is another great addition to the line up, but for now I’ll use my laptop primarily for the timing board for the reasons mentioned above
I love this so much! THank you!
The Monster Beats By Dr. Dre Studio Headphones are classic shoes.You will be proud of owning them. Don’t hesitate!Take Monster Beats By Dr. Dre Pro home! Choose our Monster Beats By Dr. Dre Solo Headphones will make you have an amazing discovery.
Thank you! At last I have found these codes!
A lot of interesting things found on your blogs, like the topic!
Have the christian louboutin patent leather pumps is a happy thing. Here have the most complete kinds of christian louboutin leather platform pumps.
While I am happy I was able to eliminate the variable index, which was actually a parameter that is passed around in a field (ugly), I’m not happy with this method.
Dear Admin, I thank you for this informative article.
Risk almadan Sermayesiz Evinizden yönetebilece?iniz Kendi i?inizin sahibi olmak istermisiniz ?high quality headphones new design headphones
It is nice of you to post this.I will pay more attention on it. New fashion brand replica women Supra casual shoes with top quality from China for wholesale on line store free shipping,more order,more discount
hmm ,i’m not sure if this is what i’m looking for but anyway this is interresting and could be useful some day,thanks for taking time to write such cool stuff
it needs a bokmark so i can come back to it later ,nice stuff
I saw this one and fell in love! I must admit i was dubious about ordering a dress from a overseas company, but i can’t praise Lightinthebox enough for there professionalism, quality, communications, and swift delivery. I ordered a custom size and the dress was delivered in just over 2 weeks to the UK. One word sums up the quality of this dress… Wow!!! The material is really good quality and the craftsmanship is second to none
i am trying this code and its work
asdasd +f9s89d96ddd
asdfs dfg+d98d88d8d5d
asas dfa79+98s98s8sssdfaaa
It’s wonderful, thank you. replica oakley monster dog sunglassescheap Oakley Necessity SunglassesOakley Necessity Sunglasses wholesalereplica Oakley Necessity Sunglassesoakley oil rig sunglasses wholesalecheap Oakley Pit Boss SunglassesOakley Pit Boss Sunglasses wholesaleReplica Oakley HolbrookReplica Oakley JawboneReplica Oakley JulietReplica Oakley Scalpel SunglassesReplica Oakley Straight Jacket SunglassesReplica Oakley Ten SunglassesReplica Oakley Zero SunglassesFake Oakley Monster Dog sunglassesFake Oakley Pit Boss sunglassesFake Oakley Restless sunglassesFake Oakley Scalpel sunglassesOakley Frogskins SunglassesOakley Fuel Cell SunglassesOakley Gascan SunglassesOakley Hijinx Sunglasses
It’s wonderful, thank you. replica oakley monster dog sunglassescheap Oakley Necessity SunglassesOakley Necessity Sunglasses wholesalereplica Oakley Necessity Sunglassesoakley oil rig sunglasses wholesalecheap Oakley Pit Boss SunglassesOakley Pit Boss Sunglasses wholesaleReplica Oakley HolbrookReplica Oakley JawboneReplica Oakley JulietReplica Oakley Scalpel SunglassesReplica Oakley Straight Jacket SunglassesReplica Oakley Ten SunglassesReplica Oakley Zero SunglassesFake Oakley Monster Dog sunglassesFake Oakley Pit Boss sunglassesFake Oakley Restless sunglassesFake Oakley Scalpel sunglassesOakley Frogskins SunglassesOakley Fuel Cell SunglassesOakley Gascan SunglassesOakley Hijinx Sunglasses
It really a good article.Oakley Sport SunglassesOakley Jawbone SunglassesOakley Radar SunglassesOakley M Frame SunglassesFake Oakleys AAA Specials sunglassesFake Oakley Flak Jacket sunglassesFake Oakley Juliet sunglassesFake Oakley Half Jacket sunglassesReplica Oakleys Promotion SaleReplica Oakley Jawbone SunglassesReplica Oakley Oil Rig SunglassesReplica Oakley Polarized SunglassesFake Oakley BatwolfFake Oakley DangerousFake Oakley Dartcheap Oakley Antix SunglassesOakley Antix Sunglasses wholesalereplica Oakley Antix Sunglassescheap oakley batwolf sunglassesoakley batwolf sunglasses wholesalereplica oakley batwolf sunglasses
I love this article, it’s very well.Oakley Encounter SunglassesOakley Forsake SunglassesOakley Half Wire SunglassesOakley Half X Sunglasses
Hi there! Someone in my Facebook group shared this website with us so I came to give it a look. I’m definitely enjoying the information. I’m book-marking and will be tweeting this to my followers! Exceptional blog and excellent style and design.
now a days am very keenly searching some mathmatics code..seems ur site is helpful for me
im finding herer some useful code here
The professional design make you foot more comfortable. Even more tantalizing,this pattern make your legs look as long as you can,it will make you looked more attractive.Moveover,it has reasonable price.If you are a popular woman,do not miss it.
Technical details of Christian Louboutin Velours Scrunch Suede Boots Coffee:
Fashion, delicate, luxurious Christian louboutins shoes on sale, one of its series is Christian Louboutin Tall Boots, is urbanism collocation. This Christian louboutins shoes design makes people new and refreshing. Red soles shoes is personality, your charm will be wonderful performance.
Are you gonna be bewildered by simply whether you should buy cheap tailor made glasses while this reductions you need to get can be extremely easier?New Oakley Glasses Have you been one of those certain folks who think that something will probably be worth possessing providing you might have forked out big money for doing this? It is difficult to think you just aren’t specified round the desirabilityOakley Cups For Sale affecting affordable author eyewear thinking about exactly how overpriced luxury bags are starting to be today.Oakley Glasses In reality, these kind of tools cost substantial these days that it is changing into very frustrating for anyone so as to take pleasure in their unique adoration for movement!
Señor blog impresionante. Sus artículos son increíbles. Pase por mi blog en el corto plazo si desea alguna información fresca sobre las camisas en ejecución.
starting with “saving this country from a Great Depression” and rescuing the auto industry. http://www.bootstoresale.com/hot-sale-ugg-boots-c-85.html
mac cosmetics oakley active sunglasses wholesale mac cosmetics Oakley Sport Sunglasses mac lipstick Yanggengsheng
Great article and one that’s very important for merchants to understand. This is the entire point of my business and I’m happy to say merchants ARE in fact investing more into this marketing channel and giving it the time it needs to properly grow. Affiliate marketing is a long term investment and one that can show some serious sales and profits over the long term.
I have the same idea. How this work?
Love the way that blogger has improved over the years. I have ever gone back to them with a blog just a few weeks ago.
Thanks for very interesting post. I have a high regard for the valuable information you offer in your articles.
That is a few inspiring goods. Couldn’t know that ideas might be this kind of diverse. Thanks for all the enthusiasm to supply such tips below.
Google needs to be much more transparent. That was a good part of the bad buzz about Buzz.
Scala Bowling Kata – still in the middle I suppose 75 good post59
Scala Bowling Kata – still in the middle I suppose 76 hoo,good article!!I like the post!178
Intertech Machinery Inc. provides the most precise Plastic Injection Mold and Rubber Molds from Taiwan. With applying excellent unscrewing device in molds,
Intertech is also very professional for making flip top Cap Molds in the world. Mold making is the core business of Intertech (Taiwan). With world level technology, Intertech enjoys a very good reputation for making Injection Mold and Plastic Molds for their worldwide customers.
sdsasdasda