A string is considered to be in title case if each word in the string is either (a) capitalised (that is, only the first letter of the word is in upper case) or (b) considered to be an exception and put entirely into lower case unless it is the first word, which is always capitalised.
I'm trying to write a function that will convert a string into title case, given an optional list of exceptions (minor words). The list of minor words will be given as a string with each word separated by a space. I want my function should ignore the case of the minor words string -- it should behave in the same way even if the case of the minor word string is changed.
Example:
title_case('a clash of KINGS', 'a an the of') # should return: 'A Clash of Kings'
title_case('THE WIND IN THE WILLOWS', 'The In') # should return: 'The Wind in the Willows'
title_case('the quick brown fox') # should return: 'The Quick Brown Fox'
This is what I tried so far, among other things.
def title_case(title, minor_words = '')
minor_words = ["a", "an", "the", "of", "in", "and", "or", "nor", "like", "with", "by", "bc"]
title_bare = title.gsub(/\w+/) { |w| w = w.capitalize unless minor_words.include?(w); w }
if title_bare[0..0] =~ /[a-z]/
first_word = title_bare.split.first
return title_bare.sub(first_word, first_word.capitalize)
else
title_bare.to_s
end
end
Thanks in advance!