Kata Best Practices
Kata Best Practices
Overview
The purpose of this guide is to present authors and editors with a style guide for Codewars Kata. Since its creation, hundreds of kata have been written for CodeWars. Many different people come to CodeWars looking for different kinds of challenges. Because of this, there can really be no definitive guide suitable for everyone.
However, there are general criteria that all authors should consider:
-
Titles
-
Descriptions
-
Content
-
Testing
Avoid Sequential Titles
Many kata authors have in their mind a linear progression through exercises they have divised. Due to the non-linear nature of CodeWars, however, people cannot be expected to follow exercises in sequence. This leads to odd circumstances where kata intended later in a sequence are approved, while earlier ones are not. It is best to simply avoid sequential exercises all together.
However this doesn't mean that creating related kata is not encouraged. You can use a title prefix to help group related kata so that they are easy to discover. For example.
Sorting Arrays: Basic Sorting
&Sorting Arrays: Bubble Sort
. The prefix will cause the "related kata" section to be more accurate.
Use Proper Grammar, Punctuation and Spelling
It is important, in an albeit superficial way, that kata be written in correct English. Many people are offput by kata that do not have proper grammar and spelling. So when authoring and editing kata, it is important to keep this in mind.
The most common grammatical mistakes in English are between it's and its, as well as there, their, and they're.
In addition to following conventional grammar and English, it is recommended that kata follow the Wikipedia Manual of Style. The Manual of Style suggests to avoid:
- First and second person pronouns
- Contractions
Be Clear
It should be clear in the instructions what the codewarrior is expected to complete in the kata. This is not always straightforward, especially for more challenging exercises. It is helpful to:
- Include all relevant details
- Give clear definitions of technical terms, along with references
- Mention all of the corner cases you intend to cover in your tests
- Motivate problems using concrete examples
- Give examples of input/output pairs
In general, it is best to avoid:
- Irrelevant details
- Very abstract concepts
- Overly complex specifications
Ideally, it should only take a reader a couple of minutes to get the idea behind a kata.
Make Sure Content is New
Something important to consider when one is writing or editing kata: Is the concept behind this kata novel?
There are many standard exercises in programming that are well represented on CodeWars. Some examples include:
When working on a kata, make sure to check that it has not been done already. Every new kata should ideally teach something different.
Simplicity
A good kata should be as simple as possible. Even though there are no hard and fast rules for ensuring simplicity, however the following is recommended:
- Limit the number of corner cases tested for
- Unless specified explicitly, only test on valid inputs declared in the description
- Focus on testing for behavior, rather than implementation details
Follow Conventions
When writing a kata it is highly recommended to follow convention. Two subject areas with a lot of conventions are mathematics and software engineering.
In mathematics, conventions often include the (generally undefined) behavior of functions over degenerate inputs. In discrete mathematics (number theory and logic) conventions are generally chosen to allow for a recursive definitions and avoid a messy base case. Other branches of mathematics follow conventions as well. Some examples include:
- Number Theory
- partition function, defined by convention to have p(1) = 0
- The binomial coefficient function is defined to be zero on negative inputs
- Logic
- ∨∅ = ⊥ and ∧∅ = ⊤ in Lattice Theory
- ∏∅ = {∅} in Set Theory
- Analysis
- By convention, when extending a function's domain it should follow its analytic continuations
- The analytic continuation of the sum of the infinite geometric series 1, r, r2, ... is 1 /(1 - r)
- The factorial function
n!
has the Gamma function as its analytic continuation
- By convention, when extending a function's domain it should follow its analytic continuations
In software engineering, there are numerous sources of conventions. Some examples include:
- Specifications from standards committees
- APIs of popular libraries
- Abstract Interfaces
Use Behavioral Driven Development (BDD) Testing
For Clojure, Java and Haskell, Codewars uses the industry standards in test frameworks. These frameworks naturally enforce a degree of structure to how tests are written.
- Clojure uses clojure.test
- Haskell uses hspec
- Java uses junit
Other languages do not enforce any structure, however. Whenever possible, tests should ideally use RSpec style block structure.
Here are examples for various CodeWars languages:
- Javascript
var expect = require('chai').expect,
samples = [],
p = 0.1,
k = 20,
sigma = Math.sqrt(k*p*(1-p));
for(var i = 0; i < 1000; i++)
samples.push(binomial_distribution_rand(p,k));
Test.describe("Sample of function follows the statistics of a binomially distributed random number generator", function(){
Test.it("should have k*p as its mean", function() {
var average = samples.reduce(function(a,b) {return a + b;}) / samples.length;
expect(average).to.be.within(p*k, 3*sigma);
});
});
- Coffeescript
expect = require("chai").expect
samples = []
p = 0.1
k = 20
sigma = Math.sqrt(k * p * (1 - p))
i = 0
while i < 1000
samples.push binomial_distribution_rand(p, k)
i++
Test.describe "Sample of function follows the statistics of a binomially distributed random number generator", ->
Test.it "should have k*p as its mean", ->
average = samples.reduce((a, b) -> a + b) / samples.length
expect(average).to.be.within p * k, 3 * sigma
- Python
from math import abs, sqrt
p = 0.1
k = 20
sigma = sqrt(p * k * (1-p))
samples = [binomial_distribution_rand(p, k) for _ in range(1000)]
test.describe("Sample of function follows the statistics of a binomially distributed random number generator")
test.it("should have k*p as its mean")
sample_average = sum(samples) / len(samples)
text.expect(abs(sample_average - p*k) < 3 * sigma, "Sample average {0} should be within three sigma (where sigma = {1}) of the expected average {2}".format(sample_average, sigma, p*k))
- Ruby
p = 0.1
k = 20
samples = (1..1000).map {|_| binomial_distribution_rand(p, k)}
sigma = Math.sqrt(p * k * (1-p))
describe "Sample of function follows the statistics of a binomially distributed random number generator" do
it "should have k*p as its mean" do
average = samples.instance_eval { reduce(:+) / size.to_f }
Test.expect((average - p*k).abs < 3*sigma, "Sample average #{average} should be within three sigma (where sigma = #{sigma}) of the expected average #{p*k}")
end
end
Have Full Code Coverage
While it is not possible to test for every possible input, you should aim for your tests to have Full Test Coverage.
This is perhaps easiest to do in Haskell. Here is an example, curtesy of bkaes:
Description: The dot product is usually encountered in linear algebra or scientific computing. It's also called scalar product or inner product sometimes:
In mathematics, the dot product, or scalar product (or sometimes inner product in the context of Euclidean space), is an algebraic operation that takes two equal-length sequences of numbers (usually coordinate vectors) and returns a single number. Wikipedia
In our case, we define the dot product algebraically for two vectors
a = [a1, a2, …, an]
,b = [b1, b2, …, bn]
asdot a b = a1 * b1 + a2 * b2 + … + an * bn
.
Your task is to find permutations ofa
andb
, such thatdot a b
is minimal, and return that value. For example, the dot product of[1,2,3]
and[4,0,1]
is minimal if we switch0
and1
in the second vector.
Test Fixture:
module MinimumDot.Test where
import MinimumDot (minDot)
import Test.Hspec
import Test.QuickCheck
import Data.List (sort)
sameLength :: [a] -> [a] -> ([a], [a])
sameLength xs ys = let r = zip xs ys
in (map fst r, map snd r)
main = hspec $ do
describe "minDot" $ do
it "should work for the empty list" $
minDot [] [] `shouldBe` (0 :: Double)
it "should work for the examples" $ do
minDot [1,2,3,4,5] [0,1,1,1,0] `shouldBe` 6
minDot [1,2,3,4,5] [0,0,1,1,-4] `shouldBe` -17
minDot [1,3,5] [4,-2,1] `shouldBe` -3
it "should work for random lists" $
property $ \xs ys ->
let (xs', ys') = sameLength xs ys
in minDot xs' ys' `shouldBe` (solution xs' ys' :: Integer)
where solution xs ys = sum $ zipWith (*) (sort xs) $ reverse $ sort ys
This tests more or less every possible input, including cases of empty lists. The author has provided a gold solution, and tests different kinds of randomized input against the gold solution. This level of testing borders of overkill, however we can be extremely confident that any two solutions will behave exactly the same.
Test for Invariants
Whenever possible, it is encouraged that kata test for invariants. These are laws that a solution must obey to be correct. Some examples of common invariants include:
- Invertibility, for when a lossless transformation is required, such as marshalling/unmarshalling and compression/decompression
- Homomorphisms, such as the rules ax + y = axay
- Monoid axioms, for when a kata defines a container (such as a list or heap)
- Triangle inequalities, for when a kata defines a distance function
- Monad laws for the more exotic situations where monads are appropriate
Discuss:
This comment has been hidden. You can view it now .
This comment can not be viewed.
- |
- Reply
- Edit
- View Solution
- Expand 1 Reply Expand {{ comments?.length }} replies
- Collapse
- Remove
- Remove comment & replies
- Report
-
-
Your rendered github-flavored markdown will appear here.
-
Label this discussion...
-
No Label
Translation missing: en.models.comment.label_info.forum_topic.none
-
No Label
- Cancel
Please sign in or sign up to leave a comment.
#include <stdlib.h>
int getIndex( const int arr[], int el, size_t n);
int *array_diff(const int *arr1, size_t n1, const int *arr2, size_t n2, size_t *z) { if(n1 == 0){ return 0; }else { int tmp[] = {0}; int index = 0; for (size_t t=0;t<n1;t++){ tmp[t] = arr1[t]; }
} }
int getIndex( const int arr[], int el, size_t n){ int h = -1; for (size_t i=0;i<n;i++){ if (arr[i] == el){ h = i; break; } } if (h != -1){ return h; } else return -1; }
help with this, is become frustating.
I have some ideas for kata from the machine learning and combinatorial optimisation fields. These problem types both include datasets and usually a longer processing time than is allowed here.
I'm looking around and can see this kind of problem is atypical on the site, so my first question is would more problems like this be welcome? If so, would it be reasonable for users to code the solutions off-site and submit the results instead of an algorithm? In code wars you'd merely write a function that returns the result.
For example, I have a staff rostering dataset constrained enough that it can be solved to optimality (these are usually NP-Hard problems), but doing so typically takes 20 minutes of processing. If a user could do the processing off-site and submit a result with a high-enough objective score, that would be proof enough that they've solved it.
For testing, I'd merely run the result, which would be a completed roster, through an objective function and check that the objective score is the expected range.
Just wanted to run it by the community before putting the effort in.
Thanks.
Read a note about random tests: https://github.com/codewars/codewars.com/wiki/Tutorial%3A-Create-Your-First-Kata#write-good-tests-and-utilize-both-fixed-and-random-test-cases
Random tests are a reason why you cannot have outer calculations on Codewars.
I think that for such kind of kata, random tests would not really matter. The kata would anyway boil down to precalculating one, specific answer on the user's machine.
My main concern would be that this family of solutions can give different results depending on details of implementation, algorithm used, initialization parameters etc. I think (correct me if I am wrong) that you'd need datasets created in some very specific way to ensure that different solutions return consistent answers.
Or not?
@dolomroth
I have read it and I've also implemented them before, but they'd serve no purpose on a combinatorial optimisation or machine learning problem.
The only way to "hack" the tests, even if the objective function was fully visible to the user, would be to submit a good solution and the problems are difficult enough that manually crafting one would be a much bigger task than solving them algorithmically.
The test would be simply scoring how good the solution is.
@hobovsky
It's quite possible that the problem has multiple equally good solutions at global optima. Even if a warrior submitted one of those that was previously unknown, the objective score would be the same as any other globally optimal solution and it would pass.
So no, it's not that you have one specific allowed answer. You have an objective function that calculates exactly how good the answer is and the details of the objective function will be made available to the warrior. It's not a secret.
A concrete example might help.
Shift rostering is the problem of finding an optimal assignment of employees to a set of predefined shifts (think rostering nurses or factory workers). A shift would have a date, start time, end time, # of required employees, and one or more skill requirements. Sometimes the number of required employees will have a min/max rather than a fixed value or an ideal number with soft penalties within a given range.
The problem definition includes the shifts that need to be filled, the employees on staff, their availability to work and their skill sets.
I would provide an objective function to evaluate how good a given solution is and make it available to the warriors to use. The objective function would penalise shifts not being filled with the required number of staff, employees being rostered when unavailable, employees rostered with too little gap between shifts, employees being rostered too many: days in a row, hours in a week, overlapping shifts etc. These are called constraints and constraint violations are not all penalised equally.
Warriors would be provided my objective function to incporporate into their code and told what the optimal objective-function score is for the problem.
Warriors would then develop an algorithm off-site and submit the solution generated by that algorithm to codewars. The solution would be a completed roster, a key/value pair list (dictionary, hash map, whatever is appropriate to the language) associating employee ids with shift ids.
There's really no practical way to cheat other than copying another warrior's solution. It would be possible to make manual alterations to the solution, but altering a roster is like altering a rubik's cube. A move might fix one constraint violation, but is then likely to cause multiple others.
The testing process is as simple as me taking the submitted solution, running it throught he objective function to calculate the objective score. If the score equals the known optimal score, it passes.
For me, I think the idea is interesting and at least worth a try. The fact that "there are no such problems on CW" is not a really good argument to me because the way you described it, it's possible to set up a kata in a way it provides the user with input, requirements, and is able to test for correctness of submitted solution. "Check if a binary number is divisible by [some fixed n]" kata are based on a very similar premise.
I am not sure about one thing though: the fact that user was able to solve one particular instance of the problem, does not really mean they managed to implement some nice, decent, general solution. Their solution might be able to solve the problem for one input, and might fail/return bad answers for almost every other one. I am not sure if limiting the input to only one data set is a good idea, but I am also not sure if it will be easy to create the kata in a way which would test for more than one such data set.
You'd also have to explicitly state that it's allowed/possible/expected to calculate the answer(s) offline.
In both CO and ML competitions, you typically have a second hidden dataset used to check for algorithmic bias. I'd say that's especially important for ML problems, not sure how we'd get around that, but for CO problems it's really just up to us to define whether generality is important.
In the wild, operational researchers dealing with rostering/scheduling problems operate to various levels of bias. If the goal is to build a generally applicable appilcation for software to be used by a lot of different companies and operations, obviously generality is of paramount importance. You get solutions such as hyper-heuristics, where a level of abstraction is introduced to ensure the top level search algorithm is completely ignorant of the specific details fo the problem structure.
If the goal is to develop a re-usable algorithm for a single operation, a certain amount of bias is not only allowed, but desirable. That bias comes in the form of an algorithm that exploits the specific details of the problem structure. This is the kind of algorithm / heuristic that operational researchers (academic and industrial) spend most of their time on.
But the goal can also be to find a good solution for a single rostering period. That's something that occurs in both academia and industry and in these circumstances the gloves come off and anything goes. All that matters is finding the best solution you can find and you typically get there with a deep dive into the problem structure. This is what I'm suggesting we do here, if for no other reason, to eliminate bias as a concern.
That doesn't mean developing whatever hodge podge algorithm you think up. There are standard exact appraoches for highly constrained problem instances like the one I am suggesting. You'd usually end up with a hybrid algorithm incorporating two or more approaches from integer programming, constraint programming, dynamic programming, divide and conquer et al. There are heuristics for the less-constrained real-world problems and these are also often hybridised with exact algorithms.
The main problem I see is that, if there is one single input for all users, there is no way to know if people submitting solutions have built their own solution or if they are just copy/pasting something found on the web (a lot of... users... post solutions to kata on CW, there is no chances this doesn't happen with this kind of kata too. Imo it will actually be worse if there is one single input for all users... :// ).
One way out of this would be something a bit like AoC: a specific input generated and registered for one user, then he gives back his answer once he's done.
Resetting the trainer would allow him to get a new input.
...problem being... this would need a rework of the way codewars' working :/
Does the time complexity of my solution affect the run time of the person who's solving the code? More specifically for Java.
Yours, as in "kata author's"?
right. so when you compare solutions, does yours affect the runtime.
not the one you wrote in the "complete solution" tab. But if you use a verification function in the test cases, yes, it will be run during the tests and will affect the runtime, so.
Note: to be perfectly clear: your "complete solution", as an author, isn't affecting the solution of another user who's completing the kata.
Yeah I meant the verification function, thanks for your response!
i want to create kata, but don't know how to write the test.. i saw many kata use 'Test' but when i trying to implement it said 'Test is undefined', can someone help me to write example test
Check these out:
https://docs.codewars.com/authoring/guidelines/ https://github.com/codewars/codewars.com/wiki/Languages-and-Test-Frameworks (click on language in which you wanna create kata -> click on testing framework link)
thank's for answering my question, but i still confuse about this:
Test is not defined
describe("Example Tests", function() { it("Example Test Case", function() { Test.assertEquals(add(1, 1), 2, "optional message"); }); });
this is work
describe("Test", function() { it("Example test", function() { assert.strictEqual(add(1,1), 2); }); });
can you tell me where the Test come from?
Latter can do the job, right?
If not, you can do:
const Test = require("@codewars/test-compat");
(I've never created a kata, but I usually seeTest.
being used in Node < 10 versions)Thank you so much man, i really appreciate it!!! it works haha
You might want ot read this again, it has been updated a couple of hours ago. In new kata,
Test
should not be used, as it was superseded by Mocha and Chai.How do I create a kata? I saw one person on youtube say it is in the dropdown menu where sign out and view profile is. I don't see it, can anybody help me.
Only users with 300+ points can create a kata.
Ohh! That's going to take me a long time. I have only 72 points.
Hello. I am trying to learn coding by myself, there is a problem I have been having. I struggle and solve 8 and 7 kyu problems(Sometimes.), when I see other user solutions, they are much more neat and orderly and have things that I have no idea what they are. I have no idea how to get there. Is there a source I can learn these methods of solving? I have been studying the solutions, but if there is a another way, I would like to do that aswell. (I have watched a lot of tutorials already, but if you have new suggestions, I would like to take a look.)
First of all, you have to be careful when judging other solutions as "neater". The fact that they are shorter, have fewer lines, use some built in functions, or have many upvotes, does not even mean they are good. On the contrary, quite often short solutions to white kata are very poor, for example in terms of performance.
But that's true that beginners ofter reinvent the wheel while some solution to the problem exists, and portions of the code can be replaced with a call to library function. There's no other way to learn how to use them other than getting more experience. You are on a good track solving kata, just solve more, then even more, and every time look at other solutios and try to understand how they work.
Thank you!
I'm not a great coder (just adding that up front), but I have used the Kata to get better (I think, and hope). My approach is to solve the problem however I can. Once I have code that is good enough, I go back to it and see if I can tidy it myself. If not, fair enough. Submit, and then I read other solutions.
For the other solutions I read and try and udnerstand them. I try and work out a the solution seems to be showing off (just trying to use the least lines of code for reasons I don't understand), or if they are doing something I would like to learn.
If a solution is doing something I want to learn I may try and use that on the next kata, or just go and read up on it.
Every so often I go back to solutions I wrote long enough ago that I think (hope), I am know significantly better. I then try rewriting with my current knowledge. I leave it awhile because if I have just learnt something new from another solution and try using it, chances are fi am just copying someones elses approach, not really understanding and applying it.
My piece of of advice:
Don't get down because of other people's solution, because no matter your skill level it is very likely that someone else could do better than you! I enjoy reading other people's solutions and regard that as my reward for solving a kata.
As a general introduction to coding and problem solving I recommend Prof. Peter Norvig's free online course (you can easily google it), the lessons and exercises will teach you to reflect on your solution strategy.
Take your time and practice, and make sure you learn the in and outs of your preferred language, so that you can focus on problem solving.
Good luck and happy coding!
can katas include public libraries for a specific programming language,like doing security related challenges in python by leveraging the pwn public library?
is it a bad habit that if I could not solve one problem for 1 or 2 days than i should click on unlock solution??
No, but you should spend time studying other users solutions.
If you're entirely stumped it's not a bad idea actually to unlock the solution. However, make sure you take the time to analyze the solutions of other users until you understand what you were getting stuck on. Once you feel like you have a solid understanding of what you were missing, attempt to solve the kata again (even without the reward incentive) without having to look back at the solutions. Otherwise, there's not much benefit to unlocking them. If you're concerned about losing out on potential honor, there's over 5k challenges on the website, so it's not really a big deal if you can't get points for a few of the harder ones.
Remember to utilize the language's documentation and other resources if you get stuck before unlocking the solution though. Often times what I'll do is bookmark the challenge I'm stuck on, and spend some time doing research on it. If it still doesn't come to me, I'll bookmark the kata and attempt to solve it later, usually I come back at it later with some new ideas. In most cases, this works out for me. But, I've had to unlock solutions a few times, especially when I first started the 4kyu+ optimization challenges.
Anyone else think that some Kata about decision-making AI would be of great value? (Asking because I don't want to spend weeks on a Kata and then let it suffer retirement because it wasn't of much value...)
the idea is good, but the realization is very hard. ;) We have already some that are related, either VERY basic (like linear regression, basic clustering, some things "called" machine learning but which aren't really) or the "vanilla" kata (beta 1 kyu, which may never leave the beta phase... I bet nobody really completed it after the tests have been "corrected").
I'd like to suggest that kata creators follow best sql table naming practices and not naming them plural. Nearly every kata I've done has this.
Looking for the documentation on how to get involved in Kata Translation. I am reasonably proficient in Python, and learning Clojure. I could can see that I would learn stuff and contribute to the community by translating Kata with Python solutions into Clojure. Would appreciate advice on how to get started in this direction. Thanks!
I'm writing my first Kata and I'm really stuck on where test data should be stored, so that it is imported as:
module Codewars.MyPrefix.KataName.Test where
ormodule MinimumDot.Test where
in the Test Fixture.My module name would be:
module Codewars.MyPrefix.KataName
. Where does the.Test
come from?This is for Haskell.
Repeatedly getting error Error: Command failed: javac -verbose -cp followed by a long list of description. Any idea why I am getting this?
I have a task idea, but for it to be interesting it requires bounding the amount of extra memory you can allocate in your solution (O(1)).
Is there a way to limit the amount of memory used (i.e. enforce O(1) or limit the number of variables you can have) in any language?
I guess you could do it in say javascript via regex-checking all
var
,const
,foo.bar = 5
,window
and banning them as well aseval
, and force you to use a passed in function to save values, but this approach is bound to be full of holes. Any ideas?It's really based on your "coding style" on how to reduce or limit the coding variable language used, and for the sake of an "idea", we can insert the word "updated version". (Just a comply) Good luck
It's kind of weird to see many solutions in javascript using lots of array operations (filter, reduce...) are voted as cleverest, just because they are written in one or two lines. They may look clever, but they are actually quite slow and inefficient (looping through an array over and over). Hope Kata could introduce performance measure in the future.
The "Clever" label is for inefficient solutions that may use obscure language features; if you want an efficient solution, then "Best Practise" is the label.
The definitions of these are:
So after managing so solve a problem, I observe that other solutions to that same problem are cleverer and are written in fewer lines of code than mine(by smarter programmers no doubt). How do I get from my level to that level?
Read carefully the other solutions that you think are better, and understand why they are better.
Then adopt those techniques yourself next time. Practice. Practice. Practice and you will get there.
And just when you have become an expert you will want to learn another language and will have to start from the bottom rung of the ladder all over again :-)
BTW - fewer lines often looks "cute" here in CW but in the real world it's not always best code in terms of readability/maintenance etc.
Good luck to you
Great question, Everstalk. I agree with what dinglemouse said. You can definitely learn from other approaches, and it is really impressive when someone solves a problem in a 'one liner'. When I see an impressive solution, it is good to dive in and disect each element of the solution -- piece by piece. Try to have an alternative environment for testing out your code, out side of Codewars. That way you can run the alternative solution, break-it down, and test it out.
one-liners often belong in the "cute" catagory as mentioned by dinglemouse. i routinely time-compare codes and MANY one-liners are slow slow slow
plus, they are generally harder to read, and thus I suppose more annoying to maintain or scale
there is also apparently a trade-off between using libraries where the code is more legible, but again, can often be slower than a slightly more expanded code structure. this varies.
study other people's code daily, maybe as much as you are writing your own code, and you will pick up a ton of useful techniques. this website has been awesome for my study!
Practice and analysis are the two keywords to writing such solutions. Carefully analyse the solutions that you see after you solve a problem and try to understand the logic behind it. Compare your solution with theirs to understand the difference and the clever tactics used. I can assure you that even you will start thinking out of new and innovative ways of finishing the code in a few lines in a few days.
Regarding specifications from standards committees it should be ECMA 262 instead of EMCA 262. Am I wrong?
I am translating a Kata into Ruby, and need to disable the use of certain operators. What is the best way to go about this?
This article should be shown the first time you write a new kata. Like an EULA, the user should read it and has to acknowledge that he read it. I completely forgot about it since my last comment and started writing my own best practice guide since I saw the same non-best practice behaviour over and over.
Off-topic: While writing this comment, I thought "Huh, that code seems familiar". "This level of testing borders of overkill". Ah, yes, that's definitely what I would do. Then I've noticed my name. It's funny how things always come back to you on this site.
I had this interesting discussion here about translating a kata with uncommon usage of variables and data structures, among other things (you can read about it in my reply to jolaf and, below, discussing it with the kata creator damned3).
As I stated, I decided to keep them both to preserve the original aspect of the kata (which may or may not add to its difficulty but surely forces you to think things differently) and out of respect for the choices of the original author.
If you wish, it was more of an artistic thing than a coding issue, but even so I wondered what other fellow code-warriors thought about this approach and their reasons.
Thanks in advance for your kind feed :)
Just a small thing, the link to the Wikipedia Manual of Style, in the 'Use Proper Grammar, Punctuation and Spelling' section is incorrect,i assume you want to use either one of these instead.
http://en.wikipedia.org/wiki/Wikipedia:Manual_of_Style/Text_formatting http://en.wikipedia.org/wiki/Wikipedia:Manual_of_Style
May I suggest another sub-heading for the testing section?
The test output needs to give really clear messages as to why a test is failing. I've seen so many katas where the only feedback is 'expected to receive x, but received y'. This might be ok for some scenarios, but when the entire test suite is actually just a single spec and you only have the returned failure messages for each line, it tells you nothing about why your code is failing.
I'm a rubyist primarily, and the general rule is 'one assertion per spec'. That way, when something fails, you can see what element of the code you were checking for in the first place from the spec description. There are far to many where the test suite comprises of a single spec called something like 'it returns the correct answer', with about 15 assertions in it - all checking different things.
Most (all?) of the testing frameworks give the ability to provide a custom failure-message -- encouraging their use is a great idea.
It may be too much to expect Kata authors to follow the guidelines laid forth here out of the gate. However, there seem to be "curator" type Code-Warriors that would be interested in maintaining and improving existing kata. Incenting them with badges or some kind of "alternative" honor/reward seems appropriate.
Do you have to ask the author before translating a kata ?
Terms of service
Hello,
I have some (probably beginner ;-)) questions that I just could not figure out myself.
Thanks a lot!
Hi all - is there any documentation on writing tests for this framework?
Not really; there's source code you can read: https://github.com/Codewars/codewars-runner/blob/master/frameworks/javascript/cw-2.js
It's sort of like mocha, if you know that test framework.
thanks xcthulhu
BTW, in case anyone is interested and you are familiar with mocha or chai, you can require "chai" and should be able to use its assertions. The only caveat is that the CW framework requires some sort of output, which chai won't do if the test passes. So you have to call
Test.pass
at the end of your test. i.e:That's really good news - thanks jhoffner
IS it possible to include mathematical formula in a kata description ? Same question for the javascript test/output (console.log) ?
IS it possible to include formatting in a kata description (titles,bold) ? Same question for the javascript test/output (console.log) ?
I want to create katas out of interview questions that are already available on the web albeit with some alterations. I would like to credit the source. Is this needed? If so, what is the best place to do so?
I would do it in the Description. Jut be carefull the source does not reveal too many clues (or the complete solution ;-)
The description is, by large, a normal html fragment so you can add references the usual way.
I think it is necessary to credit problems you are sourcing from other locations.
There are quite a few katas on here that word for word are taken out of various programming contests where the original problem writes spend MONTHS writing the problems, generating multiple solutions in multiple languages, running through performance analysis and their hard work was not credited.
It only takes one line to quickly state where you are adapting these problems from.
Could we build up a knowledge base of code we can apply when making the tests. Eg. how do you turn off certain features, like RegExp? How do you shuffle an array? Stuff like that.
I think this is a great idea. Perhaps for now we can just use a shared Google doc until something more official is built. Adding it to our todo list now.
:-)
Will be looking forward to it - in any form it may take.
Google doc has been added.
I am dissapointed in the number of solutions I see that are object based.
Disclaimer: I am a Rubyist, and as such I have only been practicing Ruby kata.
The entire point of training with kata is to develop positive habits with practice. If you are developing in an OO language, the positive habits you want to develop are Object Oriented in nature. If the code you produce while training with kata is not Object Oriented, then you are not developing habits that will help your Object Oriented programming!
In my opinion, Ruby is one of the greatest OO languages ever produced. We should be using the power of Objects that it provides!
Never just use Test.expect() in your test cases, unless you are using the spec pattern (describe/it). Some sort of feedback is needed or those training on the kata will drive themselves crazy. If you are worried about warriors knowing the expected outputs and hardcoding values than you could include a few Test.expect() tests at the end of the tests, after you have used a few more descriptive tests to help warriors get through the hump.
One exception to this rule that I can think of is if you are creating a kata that is meant to force users to write their own test cases. If this is your intention, you should call it out in the kata description. In this case you should also make sure every single requirement is explained within the description so that there are no hidden gotchas in the test cases.
It would be good if the Katas were all done in all three languages, or at the very least there should be a Coffescript version of any Javascript Katas. Many might say 'I only know Javascript', but the whole raison d'etre of the site is to learn...
Though I agree to some extent this will severely limit the numbers of submitted katas! I for one, cannot write in ruby and will likely not be able to deliver a working Ruby solution on most of the katas I write.
Coffeescript - in my personal view - shouldn't be a languague as it's "simply" a preprocessor. You can wrait it all in javascript and wrap it in "escape-to-javascript"-coffeescript.
The platform will introduce more languages in the future. Who would be able to create a kata for all supported languages in the future??? I agree, it would be interesting to see how a problem is solved in another language. But this can be a very complex task, if the API of one language does not support features that are built-in in another. Imagine a simple map/reduce inliner in Javascript. How it looks in Java using only standard library??? (I am no Java expert, maybe there exists a native counterpart...)
My original suggestion has clearly been overtaken by circumstances.
Almost no-one is going to implement their kata in all of the languages that Codewars will offer. I still think that people should be encouraged to do katas in more than one language, though.
I agree that ideally they should all be written in all languages available. Maybe we can implement a feature to allow sharing so other people familiar with other languages can add them to the original Kata, whichever language that happened to have been when it was created.
So far the kata I've authored, have all been ruby, simply because I'm not yet comfortable with jasmine testing, and that I am still learning an incredible amount by making kata.
In regards to how to handle testing for edge-cases, IMO the author should be explicit in how they handle this. I see 2 main approaches.
Be very exact in how edge cases should be handled. The design is pre-decided and test cases are implemented to test for that chosen design. The benefit here is that it is meant to force users to make their code more robust.
Not test for edge-cases at all, and allow each end-user (code warrior) to decide how robust the code should be. The benefit here is that it allows more expression on the end-users part, and those that solve the problem with the most thought out design will get higher up votes.
I personally think both of these approaches are appropriate and picking one depends on what type of training the kata is meant to provide.
Either way, be deliberate about your approach. Call it out in the instructions and make sure your test cases are appropriate.
We started a discussion with jfarmer about code-styles (which will be different for each language), so I'd like to start a topic of
RUBY-STYLES
what to do with
?? Let the flame-war begin ;)
Ruby Styleguide
Always include at least one full example test case that the student can copy-paste into the test fixture section
Didn't we have that as a feature request? Like having a "initial test-cases" part or such. Nice little feature.
I really like the commented out example tests, and having an example of actual and expected in the description can be great.
I am wondering, for 8 kyu level in particular, would it be best to include actual tests to give newcomers a lower barrier to entry? (I know I didn't write any tests [or really understand how] until I'd finished quite a few kata).
A couple more on Kata testing practices:
Just to throw a few out there;
These are all excellent practices. The last point is something that should be called out more by others during the beta process. I think requiring a "purpose/intentions" field to be populated when creating a kata will help an author focus in on what it is they are really trying to achieve with the kata and also help others give better feedback.
Maybe part of the beta process could have a checklist for reviewers to go through. Such a checklist would help us all to explicitly recall what we are looking for in kata designs. Then after enough reviewers have given the kata a thumbs-up with completed reviews, the kata gets approved.
Another great feature request.