Ad
Code
Diff
  • public class FizzBuzz
    {
        public string GetOutput(int number) {
          
          if(number % 15 == 0  || number % 3 == 0 )
             return number % 15 == 0? "FizzBuzz":"Fizz";
           else
            return number % 5 == 0?"Buzz":number.ToString();
          // Fizz buzz is a popular computer science interview question.  
          // The function above is given a number - if the number is
          // divisible by 3, return "fizz", if it's divisible by 5, 
          // return "buzz", if not divisble by 3 or 5 - return the
          // number itself.
        }
    }
    • public class FizzBuzz
    • {
    • public string GetOutput(int number) {
    • if (number % 15 == 0) {
    • return "FizzBuzz";
    • }
    • else if (number % 3 == 0) {
    • return "Fizz";
    • }
    • else if (number % 5 == 0) {
    • return "Buzz";
    • }
    • else {
    • return number.ToString();
    • }
    • if(number % 15 == 0 || number % 3 == 0 )
    • return number % 15 == 0? "FizzBuzz":"Fizz";
    • else
    • return number % 5 == 0?"Buzz":number.ToString();
    • // Fizz buzz is a popular computer science interview question.
    • // The function above is given a number - if the number is
    • // divisible by 3, return "fizz", if it's divisible by 5,
    • // return "buzz", if not divisble by 3 or 5 - return the
    • // number itself.
    • }
    • }
Code
Diff
  • //Given 2 Arrays, Return True if arrays contain common item, else false.
    //e.g a= ['a','b','g','c'] and b =['z','e','c'] returns true
    //input : 2 arrays
    //output: bool
    using System.Collections.Generic;
    using System.Linq;
    
    public class Kata
    {
      public static bool ContainsCommonItem(char[] a, char[] b)
      {
        if (a==null ||b==null){
          return false;
        }
       
        return  a.Any(x => b.Contains(x));
      }
       
    }
    • //Given 2 Arrays, Return True if arrays contain common item, else false.
    • //e.g a= ['a','b','g','c'] and b =['z','e','c'] returns true
    • //input : 2 arrays
    • //output: bool
    • using System.Collections.Generic;
    • using System.Linq;
    • public class Kata
    • {
    • public static bool ContainsCommonItem(char[] a, char[] b)
    • {
    • if (a==null ||b==null){
    • return false;
    • }
    • for (int i = 0; i < a.Length; i++)
    • {
    • for (int j=0; j<b.Length; j++){
    • if (a[i]==b[j]){
    • return true;
    • }
    • }
    • }
    • return false;
    • return a.Any(x => b.Contains(x));
    • }
    • }