Browsing AuthorCelso

Cleanup Leading and Trailing Whitespaces

Here’s a regular expression to remove the leading and trailing whitespaces from a string:


$str =~ s/^s*//;    # remove leading whitespaces
$str =~ s/s*$//;    # remove trailing whitespaces

I have often seen this used to do the same thing:


$str =~ s/s*(.*?)s*$/$1/;

According to the book Mastering Regular Expressions by Jeffrey E.F. Friedl, this is slower. The reason he says is that “with each character, before allowing the dot to match, the ‘*?’ must try to see whether what follows can match. That’s a lot of backtracking, particularly since it’s the kind that goes in and out of the parenthesis.”

Output Logging Routine

This code will allow logging into a file and optionally, to the screen as well. This will create the file if necessary.


sub mlog {
    my ($msg) = @_;
    open (FH, ">> /tmp/logfile.log")
        or croak "error opening logfile: $!n";

    my $timestamp = localtime;
    print FH "$timestamp: $msgn";
    close FH;

    print "$timestamp: $msgn";    # also log to the screen
}

And to use this in your code:


mlog("This is a test log");