in reply to Re: Pushing w/ an associative array?
in thread Pushing w/ an associative array?

"The answer which no one is willing to give you is this"

And the reason that no-one is willing to give this answer is that it has fundamental flaws.

As well as the example that merlyn gives, your code also breaks on a query string like this:

key1=val1&key2=val2a&key2=val2b

Update: D'oh! Corrected example so the values are actually different! Thanks merlyn.

--
<http://www.dave.org.uk>

"Perl makes the fun jobs fun
and the boring jobs bearable" - me

Replies are listed 'Best First'.
Re: Re: Re: Pushing w/ an associative array?
by merlyn (Sage) on Dec 27, 2000 at 22:17 UTC
Re: Re: Re: Pushing w/ an associative array?
by ichimunki (Priest) on Dec 27, 2000 at 22:48 UTC
    Um, even if the values are different, it doesn't really break. It just overwrites the first value for key2 with the second listed value for this. Shouldn't keys be unique if we expect them to actually be keys? How does CGI handle this exception?
      It's quite common (and useful) to have multiple values associated with one name. These aren't keys in the same sense that unique identifiers are in a database. Considering the following:

      You're creating a Web page where people can sign up for mailing lists on their favorite sports. You have the following HTML:

      <input type="checkbox" name="football" value="football"> <input type="checkbox" name="soccer" value="soccer"> <input type="checkbox" name="tiddly winks" value="tiddly winks">
      In your code, you check for each of those values and subscribe the person to the mailing list appropriately. However, as time goes on, your site becomes wildly popular and you are looking at your IPO. You include more and more sports, but your scripts are becoming difficult to maintain because you have to test for each and every sport individually. Instead, change your HTML to the following:
      <input type="checkbox" name="sports" value="football"> <input type="checkbox" name="sports" value="soccer"> <input type="checkbox" name="sports" value="tiddly winks">
      Your query string will resemble the following (if they check both football and tiddly winks):
      sports=football&sports=tiddly%20winks
      In your script, you'd have something like the following:
      my @sports = $q->param('sports'); foreach my $sport ( @sports ) { # subscribe them to the list }
      That is much simpler than having separate names for each sports. Programmatically, it's the way to go.

      Cheers,
      Ovid

      Join the Perlmonks Setiathome Group or just click on the the link and check out our stats.

        Thank you Ovid.