Tek-Tips is the largest IT community on the Internet today!

Members share and learn making Tek-Tips Forums the best source of peer-reviewed technical information on the Internet!

  • Congratulations strongm on being selected by the Tek-Tips community for having the most helpful posts in the forums last week. Way to Go!

Comparing multiple conditions

Status
Not open for further replies.

chrismassey

Programmer
Aug 24, 2007
264
GB
Hi,

I have 3 Perl conditions:
if (($n_carry_pu eq "") || ($n_carry_pu eq $fslash)) { $top_level = "x"; }
if (substr($new_path_we, -1) eq ".") { $top_level = "x"; }

I want to make the above code simpler by combining all 3 conditions. I tried:
if (($n_carry_pu eq (("") || ($fslash))) || (substr($new_path_we, -1) eq ".") { $top_level = "x"; }

But I have had no luck.

Any help will be greatly appreciated.

Chris
 
You can't do this:
Code:
$n_carry_pu eq (("") || ($fslash))
Since the empty string is considered to be a 'false' value for boolean purposes, (("")||($fslash)) always returns $fslash. To compare $n_carry_pu to both, you'll have to make both comparisons separately:
Code:
if (( $n_carry_pu eq '' ) || ( $n_carry_pu eq $fslash ) || (substr($new_path_we, -1) eq '.') ) {
   $top_level = 'x';
}

Also, the parentheses in your original code don't match up. You've one more opening parenthesis than closing ones.
 
Nice one, thanks for that ishnid,

I have made the comparisons separately after all.

Thanks
 
This is how the default settings of Perl::Tidy would suggest that you format that if statement:

Code:
[olive][b]if[/b][/olive] [red]([/red]   [blue]$n_carry_pu[/blue] eq [red]"[/red][purple][/purple][red]"[/red]
    || [blue]$n_carry_pu[/blue] eq [blue]$fslash[/blue]
    || [url=http://perldoc.perl.org/functions/substr.html][black][b]substr[/b][/black][/url][red]([/red] [blue]$new_path_we[/blue], -[fuchsia]1[/fuchsia] [red])[/red] eq [red]"[/red][purple].[/purple][red]"[/red] [red])[/red]
[red]{[/red]
    [blue]$top_level[/blue] = [red]"[/red][purple]x[/purple][red]"[/red][red];[/red]
[red]}[/red]

- Miller
 
Thanks Miller. I couldn't remember if 'eq' and 'ne' bound higher than '||' or not, so I went for the safe option.
 
another way to code those multiple choice conditions using the ternary operator:

Code:
$top_level = $n_carry_pu eq "a" ? 'x' :
             $n_carry_pu eq $fslash ? 'x' :
             substr( $new_path_we, -1 ) eq "." ? 'x' : 'y';

where 'y' equals the default value. If $top_level already has a default value substitute $top_levy for 'y' at the end.

------------------------------------------
- Kevin, perl coder unexceptional! [wiggle]
 
Hey cheers Miller & Kevin,

I am trying to shorten a perl script because its unneccessarily long at the moment :s.

I appreciate the help, i've managed to clean alot of my conditions up now.

Chris
 
Status
Not open for further replies.

Part and Inventory Search

Sponsor

Back
Top