web-dev-qa-db-fra.com

premier caractère majuscule dans une variable avec bash

Je veux mettre en majuscule seulement le premier caractère de ma chaîne avec bash.

foo="bar";

//uppercase first character

echo $foo;

devrait imprimer "Bar";

122
chovy
foo="$(tr '[:lower:]' '[:upper:]' <<< ${foo:0:1})${foo:1}"
108
Michael Hoffman

One way avec bash (version 4+):

foo=bar
echo "${foo^}"

impressions:

Bar
248
Steve

Une manière avec sed:

echo "$(echo "$foo" | sed 's/.*/\u&/')"

Impressions:

Bar
25
Steve
$ foo="bar";
$ foo=`echo ${foo:0:1} | tr  '[a-z]' '[A-Z]'`${foo:1}
$ echo $foo
Bar
17
Majid Laissi

Voici les outils de texte "natifs":

#!/bin/bash

string="abcd"
first=`echo $string|cut -c1|tr [a-z] [A-Z]`
second=`echo $string|cut -c2-`
echo $first$second
10
Equin0x

Utiliser seulement awk

foo="uNcapItalizedstrIng"
echo $foo | awk '{print toupper(substr($0,0,1))tolower(substr($0,2))}'
5
toske

Cela peut aussi être fait en pur bash avec bash-3.2:

# First, get the first character.
fl=${foo:0:1}

# Safety check: it must be a letter :).
if [[ ${fl} == [a-z] ]]; then
    # Now, obtain its octal value using printf (builtin).
    ord=$(printf '%o' "'${fl}")

    # Fun fact: [a-z] maps onto 0141..0172. [A-Z] is 0101..0132.
    # We can use decimal '- 40' to get the expected result!
    ord=$(( ord - 40 ))

    # Finally, map the new value back to a character.
    fl=$(printf '%b' '\'${ord})
fi

echo "${fl}${foo:1}"
4
Michał Górny

Le premier caractère en majuscule, toutes les autres lettres en minuscule:

declare -c foo="bar"
echo "$foo"

ou

declare -c foo="BAR"
echo "$foo"

Sortie:

Bar
0
Cyrus

pour votre situation

a='one two three'
a="${a^}"
printf '%s\n' "$a"
# One two three

pour chaque mot capitaliser la première lettre

a='one two three'
b=( $a ) # $a without quotes
for Word in "${b[@]}"; do
    c+=( "${Word^}" )
done
a="${c[*]}"
printf '%s\n' "$a"
# One Two Three
0
Andrey

Solution alternative et propre pour Linux et OSX, elle peut également être utilisée avec des variables bash

python -c "print(\"abc\".capitalize())"

retourne Abc

0
Thomas Webber

Celui-ci a fonctionné pour moi:

Recherchez tous les fichiers * php dans le répertoire actuel et remplacez le premier caractère de chaque nom de fichier par une majuscule

par exemple: test.php => Test.php

for f in *php ; do mv "$f" "$(\sed 's/.*/\u&/' <<< "$f")" ; done
0
Shemeshey

Cela fonctionne aussi ...

FooBar=baz

echo ${FooBar^^${FooBar:0:1}}

=> Baz
FooBar=baz

echo ${FooBar^^${FooBar:1:1}}

=> bAz
FooBar=baz

echo ${FooBar^^${FooBar:2:2}}

=> baZ

Etc.

Sources:

Inroductions/Tutoriels:

0
zetaomegagon