How can I treat command-line arguments as UTF-8 in Perl?

Outside data sources are tricky in Perl. For command-line arguments, you’re probably getting them as the encoding specified in your locale. Don’t rely on your locale to be the same as someone else who might run your program.

You have to find out what that is then convert to Perl’s internal format. Fortunately, it’s not that hard.

The I18N::Langinfo module has the stuff you need to get the encoding:

    use I18N::Langinfo qw(langinfo CODESET);
    my $codeset = langinfo(CODESET);

Once you know the encoding, you can decode them to Perl strings:

    use Encode qw(decode);
    @ARGV = map { decode $codeset, $_ } @ARGV;

Although Perl encodes internal strings as UTF-8, you shouldn’t ever think or know about that. You just decode whatever you get, which turns it into Perl’s internal representation for you. Trust that Perl will handle everything else. When you need to store the data, ensure that you use the encoding you like.

If you know that your setup is UTF-8 and the terminal will give you the command-line arguments as UTF-8, you can use the A option with Perl’s -C switch. This tells your program to assume the arguments are encoded as UTF-8:

% perl -CA program

Leave a Comment