Start a new Kumite
AllAgda (Beta)BF (Beta)CCFML (Beta)ClojureCOBOL (Beta)CoffeeScriptCommonLisp (Beta)CoqC++CrystalC#D (Beta)DartElixirElm (Beta)Erlang (Beta)Factor (Beta)Forth (Beta)Fortran (Beta)F#GoGroovyHaskellHaxe (Beta)Idris (Beta)JavaJavaScriptJulia (Beta)Kotlinλ Calculus (Beta)LeanLuaNASMNim (Beta)Objective-C (Beta)OCaml (Beta)Pascal (Beta)Perl (Beta)PHPPowerShell (Beta)Prolog (Beta)PureScript (Beta)PythonR (Beta)RacketRaku (Beta)Reason (Beta)RISC-V (Beta)RubyRustScalaShellSolidity (Beta)SQLSwiftTypeScriptVB (Beta)
Show only mine

Kumite (ko͞omiˌtā) is the practice of taking techniques learned from Kata and applying them through the act of freestyle sparring.

You can create a new kumite by providing some initial code and optionally some test cases. From there other warriors can spar with you, by enhancing, refactoring and translating your code. There is no limit to how many warriors you can spar with.

A great use for kumite is to begin an idea for a kata as one. You can collaborate with other code warriors until you have it right, then you can convert it to a kata.

Ad
Ad
UnnamedFailed Tests

AVX

main.cpp:10:10: error: always_inline function '_mm256_add_pd' requires target feature 'avx', but would be inlined into function 'add' that is compiled without support for 'avx'
return _mm256_add_pd(xs, ys);

#include <immintrin.h>

using v4d = double __attribute__((__vector_size__(32)));

v4d add(v4d xs, v4d ys) {
  return _mm256_add_pd(xs, ys);
}
UnnamedFailed Tests

AVX

solution.c:6:10: error: always_inline function '_mm256_add_pd' requires target feature 'avx', but would be inlined into function 'add' that is compiled without support for 'avx'
return _mm256_add_pd(xs, ys);

#include <immintrin.h>

typedef double v4d __attribute__((__vector_size__(32)));

v4d add(v4d xs, v4d ys) {
  return _mm256_add_pd(xs, ys);
}

Given a string S of length N, the task is to find the length of the longest palindromic substring from a given string.

Examples:

Input: S = “abcbab”
Output: 5
Explanation:
string “abcba” is the longest substring that is a palindrome which is of length 5.

Input: S = “abcdaa”
Output: 2
Explanation:
string “aa” is the longest substring that is a palindrome which is of length 2.

Note: If the string is empty or None or null then just return 0.do not try to convert the string to lowercase

def length_longest_palindrome(string):
    n = len(string) 
    if n == 0:
        return 0 
    
    maxlen = 1
    table = [[False for i in range(n)]for j in range(n)] 
    for i in range(n):
        table[i][i] = True
        
    start = 0 
    for i in range(n-1):
        if string[i] == string[i+1]:
            table[i][i+1] = True 
            start = i 
            maxlen = 2 
            
    for k in range(3,n+1):
        for i in range(n-k+1):
            j = i + k - 1 
            if table[i+1][j-1] and string[i] == string[j]:
                table[i][j] = True
                
                if k > maxlen:
                    start = i 
                    maxlen = k 
    return maxlen

Given an array of positive integers representing coin denominations and a single non-negative integer n.
representing a target amount of money, write a function that returns the smallest number of coins needed to
make change for (to sum up to) that target amount using the given coin denominations.

Example:

sample Input
n = 7
denoms = [1,5,10]

output = 3//2x1+1x5

time = O(nd),space = O(n).
where n is target amount and d is number of coin denominations

Note: you have access to an unlimited amount of coins.In other words,if denominations are [1,5,10],you have access to unlimited amount of 1s,5s and 10s

If it's impossible to make change for target amount return -1

def minNumberOfCoinsForChange(n, denoms):
	numOfCoins = [float('inf') for amount in range(n+1)]  
	numOfCoins[0] = 0 
	for denom in denoms:
		for amount in range(len(numOfCoins)):
			if denom <= amount:
				numOfCoins[amount] = min(numOfCoins[amount],1+numOfCoins[amount - denom])
	return numOfCoins[n] if numOfCoins[n] != float('inf') else -1

given that you have:

stringObject = `{
  \"a\":\"false\",
  \"b\":\"33\",
  \"c\":\"hi i'm C!\",
  \"d\":\"{
    \\\"d1\\\":\\\"4.5\\\",
    \\\"d2\\\":\\\"Yo D2 here\\\"
  }\"
}`

make it deeply primitive as such:

resultObject = {
  a: false,
  b: 33,
  c: "hi i'm C!",
  d:{
    d1:4.5,
    d2:"Yo D2 here"
  }
}
function toPrimitiveDeep(stringObject){
  let result
  try{
    result = JSON.parse(stringObject);
  }catch (e){
    return stringObject
  }
  if(typeof result !== 'object') return result
  let keys = Object.keys(result)
  keys.forEach((key)=>{
    result[key] = toPrimitiveDeep(result[key])
  })
  return result
}
denis

Just checking whether PowerShell submissions on Codewars are executed in a Linux (most likely), Windows (less likely) or macOS (probably not) environment.

if ($IsWindows) {
  Write-Host "Windows"
} elseif ($IsMacOS) {
  Write-Host "macOS"
} elseif ($IsLinux) {
  Write-Host "Linux"
} else {
  Write-Host "(unknown)"
}
const chai = require("chai");
const assert = chai.assert;
// Uncomment the following line to disable truncating failure messages for deep equals, do:
chai.config.truncateThreshold = 0;
// Since Node 12, we no longer include assertions from our deprecated custom test framework by default.
// Uncomment the following to use the old assertions:
const Test = require("@codewars/test-compat");

describe("Solution", function() {
  it("should test for something", function() {
    Test.assertEquals(1 + 1, 2);
    assert.strictEqual(1 + 1, 2);
  });
});
Strings
Data Types

Your boss give you a task to format some integer numbers like this:

123456789 -> 123,456,789

So, you should write a function f which recieves a integer number and returns a string which every 3 consecutive digits are splitted with , symbol from left to right.

def f(n):
    G = 3
    s = str(n)
    r = len(s) % G
    def make(s):
        if r:
            yield s[:r]
        for i in range(r, len(s), G):
            yield s[i:i+G]
    return ','.join(make(s))

reverse the string passed as an arg and return the result

function revstr(str) {
  i = str.length; newstr = "";
  while (i > 0) {
    newstr += str[i - 1]; i--;
  }
  return newstr;
}