Quantcast
Channel: Linux Help – Ask Dave Taylor
Viewing all articles
Browse latest Browse all 94

Shell script to convert lowercase to title case?

$
0
0

That’s an interesting project to chew on, actually, because there are a couple of very different ways to address the problem. Actually, that’s pretty typical of Linux shell script programming because there are so many different commands in Linux.
The first thought I had was to use “sed” in a loop, basically doing something like “find [ ][a-z]” and replace it with “[ ][A-Z]” but that both strikes me as inefficient and a solution that’ll make it just about impossible to skip words that shouldn’t be capitalized.
Instead, the more logical solution seems to be breaking the sentence down into individual words, testing the words against the “skip” words, then fixing each of the remaining words before the fixed sentence is reassembled.
The trickiest part is to fix the first letter of the word, right? Or is it…
In fact, here’s an easy way to break a word down into the first letter and the remaining letters:

firstletter=$(echo $word | cut -c1 | tr ‘[[:lower:]]’ ‘[[:upper:]]’)
otherletters=$(echo $word | cut -c2-)

It’s one of my favorite commands, “cut”, and we’re using its ability to chop up what it’s given character-by-character. Then “tr” transliterates lowercase to uppercase.
The main loop is pretty straightforward:

for word in $*
do
  per-word code goes here
done

The most interesting part is perhaps how to skip words that shouldn’t be capitalized. After thinking about a couple of possibilities, here’s what I came up with:

case $word in
  the|and|an|or|a|of) /bin/echo -n “$word “; continue; ;;
esac

The problem? If the first word is one of these stop words, it still needs to be capitalized, so it’s a bit more nuanced: these words should only be skipped if they aren’t the first word that appears in the sentence. Which means we’re going to need to keep track of how many words we’ve scanned…
Easily done, though. Super easy. Just add a conditional around the “case” statement:

if [ $wordcount -gt 0 ] ; then …

The fastest way to keep incrementing the counter variable is to use the shell’s built-in mathematical capabilities:

wordcount=$(( $wordcount + 1 ))

That’s 95% of things, so I’ll let you put all the pieces together properly to get it to work…

The post Shell script to convert lowercase to title case? appeared first on Ask Dave Taylor.


Viewing all articles
Browse latest Browse all 94

Trending Articles