PHP  
downloads | documentation | faq | getting help | mailing lists | | php.net sites | links | my php.net 
search for in the  
<PHP benutzenPHP and COM>
view the version of this page
Last updated: Sat, 19 Apr 2003

Kapitel 51. PHP und HTML

PHP und HTML interagieren stark: PHP kann HTML generieren und HTML kann Informationen an PHP weitergeben. Bevor Sie diese FAQ lesen, sollten Sie verstanden haben, wie Sie auf Variablen au�erhalb von PHP zugreifen k�nnen. Die Manual-Seite zu diesem Thema enth�lt viele Beispiele, die das Verst�ndnis erleichtern. Besonders wichtig ist weiterhin, zu wissen, was die register_globals-Einstellung f�r Sie bedeutet.

1. Wie muss ich enkodieren / dekodieren, wenn ich einen Wert �ber ein Formular / einen URL weitergeben m�chte?
2. Ich versuche ein <input type="image">-Tag zu benutzen, aber die Variablen $foo.x and $foo.y sind nicht verf�gbar. Auch $_GET['foo.x'] existiert nicht. Wo finde ich diese?
3. Wie kann ich Array aus einem HTML-Formular erstellen?
4. Wie bekomme ich alle Werte aus einem "select multiple"-HTML-Tag?

1. Wie muss ich enkodieren / dekodieren, wenn ich einen Wert �ber ein Formular / einen URL weitergeben m�chte?

Es gibt mehrere Stufen, f�r die Enkodierung wichtig ist. Angenommen, Sie haben einen String $data, der den String, den Sie in nicht-enkodierter Weise weitergeben m�chten, enth�lt. Dann sind dies die relevanten Stufen:

  • HTML-Interpretation: Wenn Sie einen zuf�lligen String angeben wollen, m�ssen Sie ihn in die doppelte Anf�hrungszeichen einschlie�en und htmlspecialchars() auf den gesamten Wert anwenden.

  • URL: Ein URL besteht aus mehreren Teilen. Wenn Sie wollen, dass Ihre Daten als ein Element interpretiert werden, dann m�ssen Sie Ihre Daten mit urlencode() enkodieren.

Beispiel 51-1. Ein verstecktes HTML-Formular-Element

<?php
    echo "<input type=hidden value=\"" . htmlspecialchars($data) . "\">\n";
?>

Anmerkung: Es w�re falsch, urlencode() auf $data anzuwenden, da es die Aufgabe des Browsers ist, die Daten zu enkodieren. Alle popul�ren Browser machen dies auch korrekt. Beachten Sie, dass dies unabh�ngig von der verwendeten Methode (also z.B. GET oder POST) geschieht. Feststellen werden Sie dies aber nur bei GET-Anfragen, da POST-Anfragen meist versteckt geschehen.

Beispiel 51-2. Daten, die vom Benutzer bearbeitet werden sollen

<?php
    echo "<textarea name=mydata>\n";
    echo htmlspecialchars($data)."\n";
    echo "</textarea>";
?>

Anmerkung: Die Daten werden wie Browser wie gew�nscht ausgegeben, da der Browser die HTML-escapten Symbole interpretiert.

Nach dem Abschicken, egal ob via GET oder POST, werden die Daten f�r den Transfer enkodiert (mit urlencode()) und von PHP direkt wieder dekodiert (mit urldecode()). Sie m�ssen also f�r die En- und Dekodierung nicht selbst sorgen, die Browser und PHP erledigen dies automatisch f�r Sie.

Beispiel 51-3. In einem URL

<?php
    echo "<a href=\"" . htmlspecialchars("/nextpage.php?stage=23&data=" .
        urlencode($data)) . "\">\n";
?>

Anmerkung: Hier wird eine HTML-GET-Anfrage gefakt, deswegen m�ssen Sie die Daten manuell mit urlencode() enkodieren.

Anmerkung: Sie m�ssen htmlspecialchars() auf den gesamten URL anwenden, da der URL als Wert eines HTML-Attributs auftritt. In diesem Fall wird der Browser zuerst etwas wie "un-htmlspecialchars()" auf den Wert anwenden und dann erst den URL weitergeben. PHP wird den URL korrekt verstehen, da Sie die Daten mit urlencode() enkodiert haben.

Sie werden feststellen, dass das & im URL durch &amp; ersetzt wird. Auch wenn die meisten Browser richtig arbeiten, falls Sie diese Ersetzung vergessen sollten, sollten Sie sich trotzdem nicht darauf verlassen. Das bedeutet, dass Sie - auch wenn Ihr URL nicht dynamisch ist - trotzdem htmlspecialchars() auf den URL anwenden m�ssen.

2. Ich versuche ein <input type="image">-Tag zu benutzen, aber die Variablen $foo.x and $foo.y sind nicht verf�gbar. Auch $_GET['foo.x'] existiert nicht. Wo finde ich diese?

Wenn ein Formular abgeschickt werden soll, ist es m�glich, ein Bild statt des Standard-Submit-Buttons zu verwenden, indem Sie ein Tag wie das folgende verwenden:

<input type="image" src="image.gif" name="foo">
Wenn der Benutzer irgendwo auf das Bild klickt, wird das zugeh�rige Formular zusammen mit zwei zus�tzlichen Variablen �bertragen: foo.x und foo.y.

Da foo.x und foo.y in PHP ung�ltige Variablennamen erzeugen w�rden, werden Sie automatisch in $foo_x und $foo_y konvertiert. Die Punkte werden also durch Unterstriche ersetzt. Sie k�nnen auf diese Variablen also genauso wie im Abschnitt Variablen au�erhalb von PHP zugreifen, z.B. $_GET['foo_x'].

3. Wie kann ich Array aus einem HTML-Formular erstellen?

Um die Formularwerte als Array im PHP-Skript zur Verf�gung zu haben, m�ssen Sie die <input>, <select> or <textarea>-Felder wie folgt benennen:

<input name="MeinArray[]">
<input name="MeinArray[]">
<input name="MeinArray[]">
<input name="MeinArray[]">
Beachten Sie die eckigen Klammern hinter dem Variablen-Namen, denn dadurch wird das Array erst erzeugt. Sie k�nnen Felder in verschiedenen Arrays gruppieren, wenn Sie verschiedenen Feldern die gleichen Namen geben:
<input name="MeinArray[]">
<input name="MeinArray[]">
<input name="MeinAnderesArray[]">
<input name="MeinAnderesArray[]">
Daraus werden zwei Arrays, MeinArray und MeinAnderesArray erstellt. Es ist auch m�glich, spezielle Schl�ssel anzugeben:
<input name="AnderesArray[]">
<input name="AnderesArray[]">
<input name="AnderesArray[email]">
<input name="AnderesArray[telefon]">
Das Array AnderesArray enth�lt daraufhin die Schl�ssel 0, 1, email und telefon.

Anmerkung: Die Angabe eines Array-Schl�ssels ist in HTML optional. Wenn Sie keinen Schl�ssel angeben, wird das Array in der Formular-Reihenfolge gef�llt. Im ersten Beispiel enth�lt das Array MeinArray also die Schl�ssel 0, 1, 2 und 3.

Siehe auch: Array-Funktionen und Variablen au�erhalb von PHP.

4. Wie bekomme ich alle Werte aus einem "select multiple"-HTML-Tag?

Mit einem "select multiple"-Tag k�nnen Benutzer mehrere Werte aus einer Liste ausw�hlen. Diese Werte werden dann an den "action handler" des Formulars (z.B. ein PHP-Skript) �bergeben. Problematisch ist dabei, dass alle mit demselben Namen �bergeben werden, z.B.:

<select name="var" multiple>
Jede ausgew�hlte Option wird �bergeben als:
var=option1
var=option2
var=option3
Jede Option wird den Inhalt der vorherigen $var-Variablen �berschreiben. Die L�sung ist, die spezielle PHP-L�sung hierf�r zu verwenden. Sie sollten das Tag wie folgt umschreiben:
<select name="var[]" multiple>
PHP wei� dann, dass $var als Array behandelt werden soll. Jede ausgew�hlte Wert wird dem Array hinzugef�gt. Das erste Element wird zu $var[0], das n�chste zu $var[1] etc. Die count()-Funktion kann benutzt werden, um herauszufinden, wie viele Optionen ausgew�hlt wurden. Mit der sort()-Funktion k�nnen Sie bei Bedarf das Array sortieren.

Beachten Sie, dass, falls Sie JavaScript benutzen, die eckigen Klammern [] im Feldnamen Probleme machen k�nnen, wenn Sie versuchen, �ber den Namen auf das Feld zu verweisen. Benutzen Sie stattdessen die numerische ID des Formularfelds oder schlie�en Sie den Variablennamen in einfache Anf�hrungszeichen ein und benutzen Sie dies als den Index, z.B.:

variable = documents.forms[0].elements['var[]'];



User Contributed Notes
PHP und HTML
add a note
a (dot) m (dot) vanrosmalen (at) gmx (dot) net
29-Mar-2002 11:23

Remember,

the values of the listbox should be selected before they are transmitted. Of course, to the casual observer this is trival as hell.

But: if you're working with multiple listboxes let's say for transferring values from one box to the other (anyone know a better way of updating a many-to-many relation?) this is easily overlooked.

well.. okay... at least it happened to me.

So: in this situation, make sure that there's a JavaScript that selects all values once the submit button is pressed.

cricel at hotmail dot com
24-May-2002 03:01

You can also use this to create multidimensional arrays:

<input type="text" name="bob[]">
<input type="text" name="bob[1][]">

makes an array of:
bob[0] = some text
bob[1] = an array
bob[1][0] = some text

Fun stuff, very helpful in submitting an entire form and putting all the data into a single array rather than naming each element....

hjncom at hjncom dot net
25-May-2002 10:30

I think '[' and ']' are valid characters for name attributes.


-> InputType of 'name' attribute is 'CDATA'(not 'NAME' type)


-> about CDATA('name' attribute is not 'NAME' type!)
...CDATA is a sequence of characters from the document character set and may include character entities...


--> about character entity references in HTML 4
([ - &#91, ] - &#93)

dark dot cyclo at skynet dot be
04-Jul-2002 09:58

To send all values from the multiple select, you must all select with a thing like this (javascript) :

<form OnSubmit="
for (i=0; i<SelectArray.length; i++){
 SelectArray.options[i].selected = true;
}
">

netopiaNOSPAM at NOSPAMhotmail dot com
12-Jul-2002 10:06

To the gentleman who was having problems processing POST variables:

$name1 = $_POST[name];

...is always wrong, unless name is some constant you've defined.  If you're looking for the form variable called name, you have to use 'name'.  

Read the manual under Basic Language Reference, where it says "Why is $foo[bar] wrong?"

Incidentally, none of this has much to do with getting arrays from your POSTDATA, per se.

cwestnea at SPAMindiana dot edu
16-Jul-2002 05:44

I've found that a neat trick is to do:

<form onSubmit="selection.name=selection.name + '[]'">

That way you can still do form.selection, instead of form.elements['selection[]'] and still capture multiple variables.

elearningengineerNOSPAM at yahoo dot NOSPAM dot com
11-Sep-2002 10:32

Of course, this works for checkboxes too.

Just call all your checkboxes the same array name
(example: input type="checkbox" Name="choices[]" Value="xyz") and change the value for each box.

I've had no problem using POST_VARS with this
($choices=$HTTP_POST_VARS('choices');

bas at cipherware dot nospam dot com
17-Oct-2002 04:52

Ad 3. "How do I create arrays in a HTML <form>?":

You may have problems to access form elements, which have [] in their name, from JavaScript. The following syntax works in IE and Mozilla (Netscape).

index = 0;
theForm = document.forms[0];
theTextField = theForm['elementName[]'][index];

karatidt at web dot de
17-Nov-2002 07:57

this code selects all elements with javascript
and hands them over to an array in php *sorry my english is not good*

javascript:

<script language="JavaScript">
<!--
function SelectAll(combo)
{
  for (var i=0;i<combo.options.length;i++)
   {
    combo.options[i].selected=true;
   }
}
//-->
</script>

html code:
<form name="form" action="<?php echo $_SERVER["PHP_SELF"]; ?>" method="post">
<select name="auswahl[]" size="10" multiple>
<option value="[email protected]">Bill Gates</option>
<option value="[email protected]">Bill Clinton</option>
<option value="[email protected]">Bart Simpson</option>
<option value="[email protected]">OJ Simpson</option>
<option value="[email protected]">Jay Leno</option>
</select>

<input type="submit" name="submit1"  value="OK" onclick="SelectAll(document.form.elements['auswahl[]'])">
</form>

php code:

$auswahl = $_POST["auswahl"];

foreach ($auswahl as $value)
{
echo $value."
";
}

martellare at hotmail dot com
26-Nov-2002 06:25

A JavaScript Note: Using element indexes to reference form elements can cause problems when you want to add new elements to your form; it can shift the indexes of the elements that are already there.

For example, You've got an array of checkboxes that exist at the beginning of a form:
===================

<FORM>
<INPUT type="checkbox" name="fruits[]" value="apple">apple
<INPUT type="checkbox" name="fruits[]" value="orange">orange
<INPUT type="checkbox" name="fruits[]" value="banana">banana
</FORM>

===================
... These elements could be referenced in JavaScript like so:
===================

<SCRIPT language="JavaScript" type="text/javascript">
<!--
var index = 0; //could be 1 or 2 as well
alert(document.forms[0].elements[index]);
//-->
</SCRIPT>

===================
However, if you added a new textbox before these elements, the checkboxes indexes become 1 - 3 instead of 0 - 2;  That can mess up what ever code you create depending on those indexes.

Instead, try referencing your html arrays in JavaScript this way.  I know it works in Netscape 4 & IE 6, I hope it to some extent is universal...
===================

<SCRIPT language="JavaScript" type="text/javascript">
<!--
var message = "";
for (var i = 0; i < document.forms[0].elements['fruits[]'].length; i++)
{
message += "events[" + i + "]: " + document.forms[0].elements['fruits[]'][i].value + "\n";
}
alert(message);
//-->
</SCRIPT>

===================

river att clacks dot org
27-Dec-2002 07:41

Having defined Another Array, as in the example above, to access the element [email] directly from the $_POST superglobal,  the syntax is

$value = $_POST[AnotherArray][email];

and not

$value = $_POST[AnotherArray[email]];

as newcomers to PHP might expect.  Once I worked out the correct syntax it works fine!

Hope that saves someone some time

River~~

josh at NO chatgris SPAM dot com
15-Jan-2003 09:18

For those of you familiar with ASP or apache aprea_request_params_as_string, this function should be very welcome to you to turn things like

<input type="hidden" name="selected_category_ids[]" value="1">
<input type="hidden" name="selected_category_ids[]" value="4">
<input type="hidden" name="selected_category_ids[]" value="5">
<input type="hidden" name="selected_category_ids[]" value="6">
<input type="hidden" name="selected_category_ids[]" value="7">

into

1, 4, 5, 6, 7

To use it, pass the name from html into this function, WITH the []'s (you can remove the log_func from this function if you want).

Basically, this functgion checks for a [] at the end of the string.  If it's there, it converts it to a comma delimited string, if not, it returns the value as normal.

function getBlindFormData( $form_name ) {
  if ( !is_string( $form_name ) ) {
    $this->{$this->log_func} ( "File: %s. Line: %d. \$form_name is NOT a string.", __FILE__, __LINE__ );
   }
   
   $offs = strlen( $form_name ) - 2;
 if ( strpos ( $form_name, "[]", $offs ) === $offs ) {
  $form_name = substr( $form_name, 0, $offs );
    $isarray = 1;
  } else {
    $isarray = 0;
   }
   
   if ( isset( $_GET[$form_name] ) ) {
    $request = $_GET[$form_name];
   }
 
   if ( isset( $_POST[$form_name] ) ) {
    $request = $_POST[$form_name];
   }

   $ret = NULL;
   if ( isset( $request ) ) {
    if ( $isarray ) {
       $ret = $request[0];
       for ( $i = 1; $i < count( $request ); $i++ ) {
         $ret .= ", ".$request[$i];
       }
    } else {
       $ret = $request;
     }
   }

   return $ret;
 }

Usage could be as follows

To select a comma delimited list of values.

$sql = sprintf( "DELETE FROM categories\n"
                     . "  WHERE category_id IN ( %s );\n"

                     , $wrapper->getRequiredFormData( "selected_category_ids[]" ) );

or just $wrapper->getOptionalFormData( "category_id" ); for retrieval of a normal http variable.

Any questions, problems, bugs you find in this email me at the abvoe email address. (remove the NO before chatgris and the SPAM after chatgris etc.)

Ronan dot Minguy at wanadoo dot fr
06-Mar-2003 02:53

USING CHECKBOXES IN A FORM

If you're using a checkbox in a form and want test if the checkbox was checked, you must not specify any value in the checkbox input, otherwise it won't work.
Id est  :

echo "<input type=\"checkbox\" name=\"cb\">

will work
you can then test after submitting the form like this

if ($cb)
{
//what to do if the box was checked
}
else
{
//what to do if the box wasn't checked
}

but
echo "<input type=\"checkbox\" name\"cb\" value\"$cb\">
won't work. If your using the same "if" instruction than above, it will be always false.

Believe me I spend hours wondering why it wasn't working!
Ronan

martellare at hotmail dot com
15-Mar-2003 07:28

I do not think you are right about not being able to specify something for the value attribute, but I can see where you would have thought it would fail:

A fair warning about testing to see if a variable exists...
when it comes to strings, the values '' and '0' are interpreted as false when tested this way...

if ($string) { ... } //false for $string == �� || $string == �0�

The best practice for testing to see if you received a variable from the form (which in the case of a checkbox, only happens when it is checked) is to test using this...

if ( isSet($string) ) { ... } //true if and only if the variable is set

The function tests to see if the variable has been set, regardless of its contents.

By the way, if anyone's curious, when you do make a checkbox without specifying the value attribute, the value sent from the form for that checkbox becomes �on�.  (That's for HTML in general, not PHP-specific).

matt at itk-network dot com
28-Apr-2003 11:20

I dont know if this was hinted at earlier, but you can (sort of) pass values from javascript to PHP:

<form method="get" name="f">
<input type="hidden" name="somevalue" />
// Rest of form

<input type="submit" name="Submit" />
</form>

<script type="text/javascript">
<!--
     var myvar = "some value";
     document.f.somevalue.value = myvar;
//-->
</script>

Now when you submit the form, the javascript value "myvar" will be in the hidden form, and sent to PHP.

add a note

<PHP benutzenPHP and COM>
 Last updated: Sat, 19 Apr 2003
show source | credits | mirror sites 
Copyright © 2001-2003 The PHP Group
All rights reserved.
This mirror generously provided by: /
Last updated: Mon May 12 21:12:21 2003 CEST