Devarshi Goswami
Devarshi Goswami

Reputation: 1225

Python: String to CamelCase

This is a question from Codewars: Complete the method/function so that it converts dash/underscore delimited words into camel casing. The first word within the output should be capitalized only if the original word was capitalized (known as Upper Camel Case, also often referred to as Pascal case).

The input test cases are as follows:

test.describe("Testing function to_camel_case")
test.it("Basic tests")
test.assert_equals(to_camel_case(''), '', "An empty string was provided but not returned")
test.assert_equals(to_camel_case("the_stealth_warrior"), "theStealthWarrior", "to_camel_case('the_stealth_warrior') did not return correct value")
test.assert_equals(to_camel_case("The-Stealth-Warrior"), "TheStealthWarrior", "to_camel_case('The-Stealth-Warrior') did not return correct value")
test.assert_equals(to_camel_case("A-B-C"), "ABC", "to_camel_case('A-B-C') did not return correct value")

This is what I've tried so far:

def to_camel_case(text):
    str=text
    str=str.replace(' ','')
    for i in str:
        if ( str[i] == '-'):
            str[i]=str.replace('-','')
            str[i+1].toUpperCase()
        elif ( str[i] == '_'):
            str[i]=str.replace('-','')
            str[i+1].toUpperCase()
    return str

It passes the first two tests but not the main ones :

 test.assert_equals(to_camel_case("the_stealth_warrior"), "theStealthWarrior", "to_camel_case('the_stealth_warrior') did not return correct value")
    test.assert_equals(to_camel_case("The-Stealth-Warrior"), "TheStealthWarrior", "to_camel_case('The-Stealth-Warrior') did not return correct value")
    test.assert_equals(to_camel_case("A-B-C"), "ABC", "to_camel_case('A-B-C') did not return correct value")

What am I doing wrong?

Upvotes: 9

Views: 26585

Answers (7)

def to_camel_case(text):              
    s = text.replace('_',' ').replace('-',' ').title().replace(' ','');
    return text[:1]+s[1:]

1)replacement needed to title
2)del gups
3)but in our s very first letter was eventually changed so we replaced it with the original one

Upvotes: 0

Yunior Puentes
Yunior Puentes

Reputation: 11

my simple way:

def to_camel_case(text):
    return text[0]+text.title()[1:].replace("-","").replace("_","")

Upvotes: 1

John Stud
John Stud

Reputation: 1779

Potential solution/package that supports pascal/snake conversion to camel.

# pip install camelCasing
from camelCasing import camelCasing as cc

for s in ['the_stealth_warrior', 'The-Stealth-Warrior', 'A-B-C']:
    print(cc.toCamelCase(s=s, user_acronyms=None))

theStealthWarrior
theStealthWarrior
ABC

Upvotes: 2

Joshua mbavazi
Joshua mbavazi

Reputation: 19

this is my simple way

def to_camel_case(text):
    #your code herdlfldfde
    s = text.replace("-", " ").replace("_", " ")
    s = s.split()
    if len(text) == 0:
     return text
   return s[0] + ' '.join(s[1:]).title().replace(" ", "")

Upvotes: 1

minTwin
minTwin

Reputation: 1395

from re import sub

def to_camelcase(s):
  s = sub(r"(_|-)+", " ", s).title().replace(" ", "").replace("*","")
  return ''.join([s[0].lower(), s[1:]])

print(to_camelcase('some_string_with_underscore'))
print(to_camelcase('Some string with Spaces'))
print(to_camelcase('some-string-with-dashes'))
print(to_camelcase('some string-with dashes_underscores and spaces'))
print(to_camelcase('some*string*with*asterisks'))

Upvotes: 7

JoshDaBosh
JoshDaBosh

Reputation: 426

You may have a working implementation with slight errors as mentioned in your comments, but I propose that you:

  • split by the delimiters

  • apply a capitalization for all but the first of the tokens

  • rejoin the tokens

My implementation is:

def to_camel_case(text):
    s = text.replace("-", " ").replace("_", " ")
    s = s.split()
    if len(text) == 0:
        return text
    return s[0] + ''.join(i.capitalize() for i in s[1:])

IMO it makes a bit more sense. The output from running tests is:

>>> to_camel_case("the_stealth_warrior")
'theStealthWarrior'
>>> to_camel_case("The-Stealth-Warrior")
'TheStealthWarrior'
>>> to_camel_case("A-B-C")
'ABC'

Upvotes: 19

AkalaMangala
AkalaMangala

Reputation: 21

I think first of you should change the syntax a little because 'i' is a string not an integer. It should be

for i in str:
    if (i == '-'):
    ...

Upvotes: 1

Related Questions