- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有以下用于文件上传的联系表单的代码,它工作得很好,但我不知道如何使其能够处理多个文件上传。
表格
<?php
<form id="formulario" name="formulario" method="POST" action="" enctype="multipart/form-data"> <p>
<label for="nombre">Nombre</label><span class="requerido"></span>
<input type="text" name="nombre" id="nombre" size="30" required>
</p>
<p>
<label for="email">E-mail</label><span class="requerido"></span>
<input type="text" name="email" id="email" required>
</p>
<p>
<label for="ciudad">Ciudad</label><span class="requerido"></span>
<input type="text" name="ciudad" id="ciudad" required>
</p>
<p>
<label for="telefono">Teléfono</label><span class="requerido"></span>
<input type="text" name="telefono" id="telefono" required>
</p>
<p>
<label for="comentarios">Comentarios</label><span class="requerido"></span>
<textarea id="comentarios" name="comentarios" cols="30" required></textarea>
</p>
<p>
<label for="asunto">Subir Foto</label>
<input type="file" name="adjunto" id="adjunto" />
</p>
<p>
<label for="asunto2">Subir Foto</label>
<input type="file" name="adjunto2" id="adjunto2" />
</p>
<p>
<label for="asunto3">Subir Foto</label>
<input type="file" name="adjunto3" id="adjunto3" />
</p>
<p class="submit">
<input type="submit" id="submit" name="submit" class="form-button btn" value="Enviar Consulta" />
</p>
</form>
?>
PHP
<?php
//-------------------------------------------------------------------
// VARIABLES DEL MENSAJE
$comentarios = preg_replace('/\n/','<br>',htmlspecialchars(urldecode($_POST['comentarios'])));
$nombre = urldecode($_POST['nombre']);
$email = urldecode($_POST['email']);
$ciudad = urldecode($_POST['ciudad']);
$telefono = urldecode($_POST['telefono']);
$fecha = date('c');
// Título del mensaje
$titulo = "Nuevo mensaje de $nombre desde el formulario de contacto";
// El cuerpo del mensaje
$data = "";
// Definir si es una solicitud AJAX
define('IS_AJAX', isset($_GET['ajax']) && $_GET['ajax'] === 'true');
// Aquí almacenaremos los errores
$errores = array();
// Variables para manejar el adjunto
$hay_adjunto = false;
$adjunto = null;
$boundary = null;
/*
* Si hay archivos, hay que cambiar el inicio del mensaje y crear un separador (boundary)
*/
if( isset($_FILES['adjunto']) && $_FILES['adjunto']['error'] === 0) {
$hay_adjunto = true;
$adjunto = $_FILES['adjunto'];
$boundary = md5(time());
$data = "--".$boundary. "\r\n";
// Y el comienzo del HTML
$data .= "Content-Type: text/html; charset=\"utf-8\"\r\n";
$data .= "Content-Transfer-Encoding: 8bit\r\n\r\n";
}
/*
* Comprobaciones de los campos requeridos
*/
if( ! filter_var($email, FILTER_VALIDATE_EMAIL) )
$errores[] = $mensajes_error['email'];
if( ! isset($_POST['comentarios']) )
$errores[] = $mensajes_error['comentarios'];
if( ! isset($_POST['nombre']) )
$errores[] = $mensajes_error['nombre'];
// El mensaje HTML
$data .= "<div class='mensaje'>
<h1>Nuevo mensaje de $nombre</h1>
<p><strong>Fecha:</strong> $fecha</p>
<p><strong>Ciudad:</strong> $ciudad</p>
<p><strong>Teléfono:</strong> $telefono</p>
<p><strong>Comentarios:</strong><br>$comentarios</p>
<p><strong>Email:</strong> <a href='mailto:$email'>$email</a></p>
</div>";
// Las cabeceras empiezan igual
$cabeceras = "MIME-Version: 1.0\r\n";
$cabeceras .= "From: $nombre<$email>\r\n";
$cabeceras .= "To: $receptor\r\n";
// Si no hay errores probamos a enviar el archivo
if( count($errores) === 0 ) {
// Content-Type dependiente de si hay adjunto
if( $hay_adjunto ) {
$cabeceras .= "Content-Type: multipart/mixed; boundary=\"".$boundary."\"";
// Si hay archivo
// También añadimos al cuermo del mensaje un separador
$data .= "\r\n";
$data .= "--" . $boundary . "\r\n";
// Y el archivo con su correspondiende Content-Type (octet-stream para aplicaciones) y nombre
$data .= "Content-Type: application/octet-stream; name=\"".$adjunto['name']."\"\r\n";
$data .= "Content-Transfer-Encoding: base64\r\n";
// Indicamos que es un adjunto
$data .= "Content-Disposition: attachment\r\n\n\r";
// Vamos con el adjunto: chunk_split transforma la cadena en base64 en estandar
$data .= chunk_split(base64_encode(file_get_contents($adjunto['tmp_name']))) . "\r\n";
// Acabamos el mensaje
$data .= "--" . $boundary . "--";
} else {
// Si no lo hay nos bastará con decir que es un mensaje HTML
$cabeceras .= "Content-type: text/html; charset=utf-8\r\n";
}
// Enviamos nuestro email y damos cuenta si hay algún error
if(mail($receptor, $titulo, $data, $cabeceras, '-f kharown@gmail.com')) {
// Si no hay ningún error, lo indicamos con null
$errores = null;
} else {
// Si no indicamos que hubo un error
$errores[] = "Hubo un error al enviar el e-mail";
}
}
// Si es una solicitud AJAX, enviamos el JSON y no ejecutamos más código
if( IS_AJAX ) {
echo json_encode(array(
'success' => $errores === null,
'errors' => $errores,
'has_files' => $hay_adjunto
));
exit;
}
// Si no ahora vendría el documento (index.php)
和 JS
(function(window, document) {
if( ! document.querySelectorAll ) {
return false;
}
window.ec_form_messages = window.ec_form_messages || { error: {} };
// Abreviar document.getElementById
function $(id){
return document.getElementById(id);
}
function log() {
return window.console && console.log(arguments);
}
/*
Variables para evitar acceder al DOM muchas veces,
y abreviar
*/
var form = $('formulario'),
error = $('error'),
success = $('success'),
inputs = form.querySelectorAll('input[name], textarea[name], select[name]'),
elements = {},
i = 0;
for(; inputs[i]; i++) {
elements[inputs[i].getAttribute('name')] = inputs[i];
}
function getValue(element) {
switch(element.nodeName.toLowerCase()){
case 'input':
return element.getAttribute('type').toLowerCase() === "file" ? element.files[0] : element.value;
// No hace falta break; (se ha acabado la funcion)
case 'select':
return element.options[element.selectedIndex].value;
case 'textarea':
default:
return element.value;
}
}
function getElementsData() {
var ret = {},
i;
// Creamos un objeto con los valores de cada elemento
for( i in elements ) {
if( elements.hasOwnProperty(i) ) {
ret[i] = getValue(elements[i]);
}
}
return ret;
}
// Comprobar e-mail y cadena vacía
function emailVerification(valor){
// Expresión regular para validar el email (http://stackoverflow.com/questions/46155/validate-email-address-in-javascript)
// Yo había hecho una propia, pero no estoy en mi ordenador, y esta parece funcionar bien
var regex = /^(([^<>()[\]\\.,;:\s@\"]+(\.[^<>()[\]\\.,;:\s@\"]+)*)|(\".+\"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/
return regex.test(valor);
}
function estaVacio(valor){
return valor === "";
}
// Función que sucederá cada vez que el formulario se envía
function onsubmit(e){
var errores = [],
valores = getElementsData(),
hasFile;
e = e || window.event;
if( ! e.preventDefault ) {
e.preventDefault = function() {
e.returnValue = false;
}
}
// comprobamos errores (prefiero mostrarlos normalmente quitando el required)
if( estaVacio(valores.nombre)){
errores.push(window.ec_form_messages.error.nombre);
}
if( ! emailVerification(valores.email)){
errores.push(window.ec_form_messages.error.email);
}
if( estaVacio(valores.mensaje) ){
errores.push(window.ec_form_messages.error.mensaje);
}
// Si hay errores no enviamos el formulario
if(errores.length){
error.innerHTML = '<ul><li>' + errores.join('</li><li>') + '</li></ul>';
e.preventDefault();
return false;
}
// Si no hay errores, ponemos la lista de errores vacíos
error.innerHTML = '';
hasFile = !! valores.adjunto;
// Si no hay la tecnología necesaria para enviar el formulario con el archivo via AJAX,
// Lo enviamos via HTTP (dejamos que se ejecute normalmente)
if( hasFile && ! window.FormData ) {
return true;
}
if( window.FormData ) {
valores = new FormData(form);
} else {
valores = convertirObjeto(valores);
}
enviarform(valores, hasFile);
e.preventDefault();
return false;
}
// Función mediante la que enviámos el formulario
function enviarform(data, hasFile){
var request = new window.XMLHttpRequest();
request.open("POST", '?ajax=true', true);
if( ! hasFile && ! window.FormData ) {
request.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
}
request.onreadystatechange = function(){
var response;
if( request.readyState === 4 ){
response = JSON.parse(request.responseText);
if( response.errors ){
return error.innerHTML = "<ul><li>" + response.errors.join("</li><li>") + "</li></ul>"
}
// Si está todo correcto mostramos el mensaje y ocultamos el formulario
correcto.innerHTML = window.ec_form_messages.correcto;
form.style.display = "none";
}
}
request.send(data);
}
// Convierte un objeto en una cadena de texto preparada para ser enviada al servidor
function convertirObjeto(obj){
var ret = '',
key, current = 0;
for (key in obj){
ret += ((current === 0 ? '' : '&') + key + '=' + encodeURIComponent(obj[key]) );
current++
}
return ret;
}
/*
Si no está javascript activado y es un navegador moderno, el navegador comprobará los campos por nosotros
Si sí lo está, prefiero comprobarlos y mostrar los errores en conjunto.
*/
elements.nombre.required = elements.email.required = elements.mensaje.required = false;
elements.email.type = "text";
// Añadimos el evento cuando el formulario va a ser enviado
form.addEventListener ? form.addEventListener('submit', onsubmit, false): form.attachEvent('onsubmit', onsubmit)
})(window, document, undefined)
最佳答案
提交表单后,每个输入字段都可以通过其名称进行访问。因此,就像您通过 $_FILES
超全局数组访问 adjunto 字段的文件内容一样,您可以检索其他字段的内容: $_FILES['adjunto2 ']
等
关于javascript - 具有多个文件上传功能的 PHP 表单,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/20306954/
这是代码片段。 请说出这种用小内存存储大数据的算法是什么。 public static void main(String[] args) { long longValue = 21474836
所以我使用 imap 从 gmail 和 outlook 接收电子邮件。 Gmail 像这样编码 =?UTF-8?B?UmU6IM69zq3OvyDOtc68zrHOuc67IG5ldyBlbWFpb
很久以前就学会了 C 代码;想用 Scheme 尝试一些新的和不同的东西。我正在尝试制作一个接受两个参数并返回两者中较大者的过程,例如 (define (larger x y) (if (> x
Azure 恢复服务保管库有两个备份配置选项 - LRS 与 GRS 这是一个有关 Azure 恢复服务保管库的问题。 当其驻留区域发生故障时,如何处理启用异地冗余的恢复服务保管库?如果未为恢复服务启
说,我有以下实体: @Entity public class A { @Id @GeneratedValue private Long id; @Embedded private
我有下一个问题。 我有下一个标准: criteria.add(Restrictions.in("entity.otherEntity", getOtherEntitiesList())); 如果我的
如果这是任何类型的重复,我会提前申请,但我找不到任何可以解决我的具体问题的内容。 这是我的程序: import java.util.Random; public class CarnivalGame{
我目前正在使用golang创建一个聚合管道,在其中使用“$ or”运算符查询文档。 结果是一堆需要分组的未分组文档,这样我就可以进入下一阶段,找到两个数据集之间的交集。 然后将其用于在单独的集合中进行
是否可以在正则表达式中创建 OR 条件。 我正在尝试查找包含此类模式的文件名列表的匹配项 第一个案例 xxxxx-hello.file 或者案例二 xxxx-hello-unasigned.file
该程序只是在用户输入行数时创建菱形的形状,因此它有 6 个 for 循环; 3 个循环创建第一个三角形,3 个循环创建另一个三角形,通过这 2 个三角形和 6 个循环,我们得到了一个菱形,这是整个程序
我有一个像这样的查询字符串 www.google.com?Department=Education & Finance&Department=Health 我有这些 li 标签,它们的查询字符串是这样
我有一个带有静态构造函数的类,我用它来读取 app.config 值。如何使用不同的配置值对类进行单元测试。我正在考虑在不同的应用程序域中运行每个测试,这样我就可以为每个测试执行静态构造函数 - 但我
我正在寻找一个可以容纳多个键的容器,如果我为其中一个键值输入保留值(例如 0),它会被视为“或”搜索。 map, int > myContainer; myContainer.insert(make_
我正在为 Web 应用程序创建数据库,并正在寻找一些建议来对可能具有多种类型的单个实体进行建模,每种类型具有不同的属性。 作为示例,假设我想为“数据源”对象创建一个关系模型。所有数据源都会有一些共享属
(1) =>CREATE TABLE T1(id BIGSERIAL PRIMARY KEY, name TEXT); CREATE TABLE (2) =>INSERT INTO T1 (name)
我不确定在使用别名时如何解决不明确的列引用。 假设有两个表,a 和 b,它们都有一个 name 列。如果我加入这两个表并为结果添加别名,我不知道如何为这两个表引用 name 列。我已经尝试了一些变体,
我的查询是: select * from table where id IN (1,5,4,3,2) 我想要的与这个顺序完全相同,不是从1...5,而是从1,5,4,3,2。我怎样才能做到这一点? 最
我正在使用 C# 代码执行动态生成的 MySQL 查询。抛出异常: CREATE TABLE dump ("@employee_OID" VARCHAR(50)); "{"You have an er
我有日期 2016-03-30T23:59:59.000000+0000。我可以知道它的格式是什么吗?因为如果我使用 yyyy-MM-dd'T'HH:mm:ss.SSS,它会抛出异常 最佳答案 Sim
我有一个示例模式,它的 SQL Fiddle 如下: http://sqlfiddle.com/#!2/6816b/2 这个 fiddle 只是根据 where 子句中的条件查询示例数据库,如下所示:
我是一名优秀的程序员,十分优秀!