1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73
   | <!-- Listing 16-5: Creating the sample tables -->
<?php
include("connection.php");
$global_dbh = mysql_connect($hostname, $username, $password)
              or die("Could not connect to database");
mysql_select_db($db, $global_dbh)
              or die ("Could not select databased");
 
function add_new_country($dbh, $continent, $countryname,
                           $city_array)
 
{
  $country_query =
    "insert into country (continent, countryname)
     values ('$continent', '$countryname')";
  $result_id =  mysql_query($country_query)
                OR die($country_query . mysql_error());
  if ($result_id)
    {
      $countryID = mysql_insert_id($dbh);   
      for ($city = current($city_array);
           $city;
           $city = next($city_array))
        {
           $city_query =
              "insert into city (countryID, cityname)
                      values ($countryID, '$city')";
           mysql_query($city_query, $dbh)
              OR die($city_query . mysql_error());
        }
    }
}
 
function populate_cities_db($dbh)
{
  /* drop tables if they exist -- permits function to be
     tried more than once */
  mysql_query("drop table city", $dbh);
  mysql_query("drop table country", $dbh);
 
  /* create the tables */
  mysql_query("create table country
               (ID int not null auto_increment primary key,
                continent varchar(50),
                countryname varchar(50))",
              $dbh)
              OR die(mysql_error());
  mysql_query("create table city
               (ID int not null auto_increment primary key,
                countryID int not null,
                cityname varchar(50))",
              $dbh)
              OR die(mysql_error());
 
  /* store data in the tables */
  add_new_country($dbh, 'Africa', 'Kenya',
            array('Nairobi','Mombasa','Meru'));
  add_new_country($dbh, 'South America', 'Brazil',
            array('Rio de Janeiro', 'Sao Paulo',
                     'Salvador', 'Belo Horizonte'));
  add_new_country($dbh, 'North America', 'USA',
            array('Chicago', 'New York', 'Houston', 'Miami'));
  add_new_country($dbh, 'North America', 'Canada',
            array('Montreal','Windsor','Winnipeg'));
 
  print("Sample database created<BR>");
}
?>
 
<HTML><HEAD><TITLE>Creating a sample database</TITLE></HEAD>
<BODY>
<?php populate_cities_db($global_dbh); ?>
</BODY></HTML> | 
Partager