Desarrollo de un Componente MVC/Agregar una Modal
From Joomla! Documentation
< J3.x:Developing an MVC Component
Artículos de esta Serie
Agregar un tipo de menú a la parte del sitio
Agregar un modelo a la parte del sitio
Agregar una variable de petición en el tipo de menú
Utilizando la base de datos
Lado servidor básico
Agregar gestión de idioma
Agregar acciones del lado servidor
Agregar decoraciones del lado servidor
Agregar verificaciones
Agregar categorías
Agregar configuración
Agregar un archivo de secuencia de comandos instalar-desinstalar-actualizar
Agregar un formulario del lado cliente
Usar la facilidad filtro de idioma
- Agregar una Modal
- Agregar Asociaciones
- Agregar Comprobación
- Agregar Ordenamiento
- Agregar Niveles
- Agregar Control de Versiones
- Agregar Etiquetas
- Agregar Accesos
- Agregar procesos por lote
- Agregar Caché
- Agregar un Canal de Noticias
Agregar un servidor de actualización
Esta es una serie multi-artículos de tutoriales sobre cómo desarrollar un Componente Modelo-Vista-Controlador para Joomla! Versión.
Comenzar con la Introducción, y navegar por los artículos de esta serie usando el botón de navegación en la parte inferior o en el cuadro de la derecha (los "Artículos de esta serie").
Este artículo es parte del tutorial Desarrollo de un Componente MVC para Joomla! 3.2. Te invitamos a leer las partes anteriores del tutorial antes de leer esto.
En este paso, agregamos una modal, y un vídeo (en inglés) que lo acompaña está disponible en Adding a Modal.
Introducción
Las modales, o ventanas modales, son ventanas de tipo emergente que aparecen en varios lugares dentro de Joomla. Algunos ejemplos son:
- Cuando, como administrador, crea un nuevo elemento del menú y selecciona un elemento del menú Tipo de artículos/Artículo único, luego, al hacer clic para seleccionar el artículo, aparece una ventana emergente que muestra los detalles de los artículos disponibles y le permite seleccionar uno.
- Si se habilitó el módulo de estado multilingüe del administrador como parte de que su sitio sea multilingüe en el paso anterior, al hacer clic en el botón "Estado multilingüe" en la parte inferior izquierda de cada página de administración, aparecerá una ventana emergente que muestra el estado de la funcionalidad multilingüe en su sitio.
Por supuesto, estas modales no son realmente ventanas emergentes del navegador; los usuarios a menudo deshabilitan las ventanas emergentes del navegador, sino que usan CSS y Javascript para dar la apariencia de ventanas emergentes, y Joomla actualmente el framework usa el Bootstrap Modal. Los elementos HTML que comprenden la modal ya están dentro del HTML de la página, pero están ocultos. Cuando hace clic en un botón apropiado (como el botón Seleccionar para seleccionar un artículo en el primer ejemplo anterior), el código javascript detrás del botón hace lo siguiente:
- Los elementos HTML ocultos del modal se hacen visibles.
- se crea un nuevo elemento div que cubre la totalidad de la ventana del navegador; Este telón de fondo es de color negro y tiene opacidad parcial, por lo que da la apariencia de ser gris lo que hay detrás del modal
- en el CSS, el índice z se define para que el modal aparezca sobre el fondo.
Cuando se cierra la modal seleccionando, por ejemplo, un artículo, o haciendo clic en el botón de cerrar, los elementos HTML del modal se ocultan una vez más, el div de fondo se elimina y cualquier elemento que seleccione se pasa por javascript al campo correspondiente del formulario principal.
Cada modal consta de 3 partes:
- un encabezado modal en la parte superior, generalmente con el título y un botón X para cerrarla,
- un cuerpo modal, donde aparece la información principal, y,
- un pie de página modal, con botones como Cerrar, Guardar, etc., según el contexto.
En general, dentro de Joomla, el cuerpo modal es un elemento iframe y, por lo tanto, es una página HTML incrustada dentro de la página general, y se pueden realizar solicitudes HTTP para obtener los datos que se muestran en el iframe, filtrar y clasificar, y así sucesivamente.
Functionalidad
Actualmente, dentro de nuestro componente helloworld, tenemos la capacidad de crear un nuevo elemento de menú con un tipo de elemento de menú "hola mundo" que mostrará un mensaje único de helloworld en nuestro sitio. Sin embargo, al elegir el mensaje para mostrar, solo tenemos un campo de lista simple, y tenemos que desplazarnos hacia abajo en la lista de saludos para seleccionar el apropiado.
En este paso, cambiamos la interfaz de usuario para que, al seleccionar el mensaje de helloworld para un nuevo elemento del menú, se le presente al administrador una modal con todos los detalles de los registros de helloworld, similar a lo que se muestra cuando el administrador hace clic en Componentes/Hola Mundo. De esta manera, al administrador se le presenta una interfaz mucho más agradable, con funciones de ordenamiento, búsqueda y filtro.
Enfoque
La definición de lo que se muestra cuando un administrador selecciona un elemento del menú tipo Hola Mundo, se define en el archivo xml del archivo de diseño de helloworld del sitio, es decir, site/views/helloworld/tmpl/default.xml. Necesitamos cambiar la definición de campo en ese archivo para que sea un tipo de campo personalizado que llamaremos modal_helloworld.
Necesitamos proporcionar a Joomla el código para nuestro campo personalizado, y proporcionaremos un nuevo archivo para generar el html para mostrar nuestro campo de entrada personalizado.
Finalmente, debemos considerar la visualización de los registros de helloworld dentro de nuestra modal. Usaremos una presentación similar a la que se muestra cuando el administrador navega a Componentes/Hola mundo, así que reutilizaremos nuestra vista de helloworlds, pero generaremos un nuevo archivo de diseño en lugar de nuestras vistas de administrador actuales views/helloworlds/tmpl/default.php.
Cambiamos el campo personalizado para seleccionar el registro de Helloworld que se mostrará.
site/views/helloworld/tmpl/default.xml
<?xml version="1.0" encoding="utf-8"?>
<metadata>
<layout title="COM_HELLOWORLD_HELLOWORLD_VIEW_DEFAULT_TITLE">
<message>COM_HELLOWORLD_HELLOWORLD_VIEW_DEFAULT_DESC</message>
</layout>
<fields
name="request"
addfieldpath="/administrator/components/com_helloworld/models/fields"
>
<fieldset name="request">
<field
name="id"
type="modal_helloworld"
required="true"
label="COM_HELLOWORLD_HELLOWORLD_FIELD_GREETING_LABEL"
description="COM_HELLOWORLD_HELLOWORLD_FIELD_GREETING_DESC"
/>
</fieldset>
</fields>
</metadata>
Definición del campo
La definición del campo para nuestro nuevo campo personalizado va en el directorio admin/models/fields. Debido a que el tipo de campo se llama modal_helloworld, con un guión bajo, Joomla buscará en un subdirectorio /modal un archivo helloworld.php. Por lo tanto nuestro nuevo campo personalizado se define en
admin/models/fields/modal/helloworld.php
<?php
defined('JPATH_BASE') or die;
/**
* Supports a modal for selecting a helloworld record
*
*/
class JFormFieldModal_Helloworld extends JFormField
{
/**
* Method to get the html for the input field.
*
* @return string The field input html.
*/
protected function getInput()
{
// Load language
JFactory::getLanguage()->load('com_helloworld', JPATH_ADMINISTRATOR);
// $this->value is set if there's a default id specified in the xml file
$value = (int) $this->value > 0 ? (int) $this->value : '';
// $this->id will be jform_request_xxx where xxx is the name of the field in the xml file
$modalId = 'Helloworld_' . $this->id;
// Add the modal field script to the document head.
JHtml::_('jquery.framework');
JHtml::_('script', 'system/modal-fields.js', array('version' => 'auto', 'relative' => true));
// our callback function from the modal to the main window:
JFactory::getDocument()->addScriptDeclaration("
function jSelectHelloworld_" . $this->id . "(id, title, catid, object, url, language) {
window.processModalSelect('Helloworld', '" . $this->id . "', id, title, catid, object, url, language);
}
");
// if a default id is set, then get the corresponding greeting to display it
if ($value)
{
$db = JFactory::getDbo();
$query = $db->getQuery(true)
->select($db->quoteName('greeting'))
->from($db->quoteName('#__helloworld'))
->where($db->quoteName('id') . ' = ' . (int) $value);
$db->setQuery($query);
try
{
$title = $db->loadResult();
}
catch (RuntimeException $e)
{
JError::raiseWarning(500, $e->getMessage());
}
}
// display the default greeting or "Select" if no default specified
$title = empty($title) ? JText::_('COM_HELLOWORLD_MENUITEM_SELECT_HELLOWORLD') : htmlspecialchars($title, ENT_QUOTES, 'UTF-8');
$html = '<span class="input-append">';
$html .= '<input class="input-medium" id="' . $this->id . '_name" type="text" value="' . $title . '" disabled="disabled" size="35" />';
// html for the Select button
$html .= '<a'
. ' class="btn hasTooltip' . ($value ? ' hidden' : '') . '"'
. ' id="' . $this->id . '_select"'
. ' data-toggle="modal"'
. ' role="button"'
. ' href="#ModalSelect' . $modalId . '"'
. ' title="' . JHtml::tooltipText('COM_HELLOWORLD_MENUITEM_SELECT_BUTTON_TOOLTIP') . '">'
. '<span class="icon-file" aria-hidden="true"></span> ' . JText::_('JSELECT')
. '</a>';
// html for the Clear button
$html .= '<a'
. ' class="btn' . ($value ? '' : ' hidden') . '"'
. ' id="' . $this->id . '_clear"'
. ' href="#"'
. ' onclick="window.processModalParent(\'' . $this->id . '\'); return false;">'
. '<span class="icon-remove" aria-hidden="true"></span>' . JText::_('JCLEAR')
. '</a>';
$html .= '</span>';
// url for the iframe
$linkHelloworlds = 'index.php?option=com_helloworld&view=helloworlds&layout=modal&tmpl=component&' . JSession::getFormToken() . '=1';
$urlSelect = $linkHelloworlds . '&function=jSelectHelloworld_' . $this->id;
// title to go in the modal header
$modalTitle = JText::_('COM_HELLOWORLD_MENUITEM_SELECT_MODAL_TITLE');
// html to set up the modal iframe
$html .= JHtml::_(
'bootstrap.renderModal',
'ModalSelect' . $modalId,
array(
'title' => $modalTitle,
'url' => $urlSelect,
'height' => '400px',
'width' => '800px',
'bodyHeight' => '70',
'modalWidth' => '80',
'footer' => '<a role="button" class="btn" data-dismiss="modal" aria-hidden="true">' . JText::_('JLIB_HTML_BEHAVIOR_CLOSE') . '</a>',
)
);
// class='required' for client side validation.
$class = $this->required ? ' class="required modal-value"' : '';
// hidden input field to store the helloworld record id
$html .= '<input type="hidden" id="' . $this->id . '_id" ' . $class
. ' data-required="' . (int) $this->required . '" name="' . $this->name
. '" data-text="' . htmlspecialchars(JText::_('COM_HELLOWORLD_MENUITEM_SELECT_HELLOWORLD', true), ENT_COMPAT, 'UTF-8')
. '" value="' . $value . '" />';
return $html;
}
/**
* Method to get the html for the label field.
*
* @return string The field label html.
*/
protected function getLabel()
{
return str_replace($this->id, $this->id . '_id', parent::getLabel());
}
}
Como la clase de definición de campo extiende JFormField, Joomla espera que haya 2 métodos presentes en la clase: getInput(), que debe devolver el html para los elementos del campo de entrada y getLabel() que debe devolver el html para la etiqueta.
Hay varios componentes centrales de Joomla que utilizan campos modales para permitir al administrador seleccionar elementos, incluidos com_content y com_contact. Estos componentes tienen definiciones de campo similares, y el archivo anterior es una versión reducida de estos equivalentes, que solo admite la funcionalidad que necesitamos para este paso de tutorial.
Hay un número de elementos de entrada html clave devueltos por el método getInput() anterior.
- El campo de entrada que muestra el saludo actual seleccionado, o el texto "Seleccionar" si no se ha seleccionado ninguno
- El botón Seleccionar: aparece si no se ha seleccionado ningún saludo. Ten en cuenta el atributo data-toggle="modal" que indica que hacer clic en este botón hará que aparezca el modal
- El botón Borrar: aparece si se ha seleccionado un saludo. Cuando se hace clic, ejecuta una función javascript dentro del código system/modal-fields.js que reemplaza el saludo seleccionado por el texto "Seleccionar", hace visible el botón Seleccionar y oculta el botón Borrar.
- Los elementos modales: estos se generan mediante la inclusión de secciones del código html y javascript de Bootstrap. Cuando aparece el modal, se crea el iframe y se rellena a través de un HTTP GET a la URL en $urlSelect.
- Un campo oculto que almacena el id del registro de helloworld seleccionado, y que se usará para pasarlo en los parámetros HTTP POST cuando se envíe el formulario.
En nuestro caso, la función de devolución de llamada se llamará jSelectHelloworld_jform_request_id, y esta es la función a la que queremos llamar desde la modal para pasar el id y el saludo del registro seleccionado de helloworld. Sabiendo esto, window.processModalSelect establecerá los campos de entrada para el saludo y la identificación, y establecerá la visibilidad de los botones Seleccionar y Borrar.
La modal sabe que este es el nombre de la función a la que llamar porque se pasa como el parámetro &function=jSelectHelloworld_jform_request_id dentro de la URL del iframe.
Ten en cuenta también el parámetro &tmpl=component en la URL. Esto significa que se utilizará el archivo component.php dentro del directorio de la plantilla instalada, que presenta una página html sin los menús de Joomla, etc.
Visualizar la modal
Para la visualización de la modal usamos el mismo MVC que la funcionalidad de "helloworlds" de administración. Ni el controlador ni el modelo requieren un cambio, hay un pequeño cambio en el archivo de la vista, y hay un nuevo archivo de diseño, que es similar al archivo de diseño default.php, pero difiere en algunos aspectos importantes.
En el archivo de la vista, no mostramos los botones de la barra de herramientas ni la barra lateral para elegir entre Mensajes y Categorías (y también se han eliminado algunos comentarios antiguos).
admin/views/helloworlds/view.html.php
<?php
/**
* @package Joomla.Administrator
* @subpackage com_helloworld
*
* @copyright Copyright (C) 2005 - 2018 Open Source Matters, Inc. All rights reserved.
* @license GNU General Public License version 2 or later; see LICENSE.txt
*/
// No direct access to this file
defined('_JEXEC') or die('Restricted access');
/**
* HelloWorlds View
*
* @since 0.0.1
*/
class HelloWorldViewHelloWorlds extends JViewLegacy
{
/**
* Display the Hello World view
*
* @param string $tpl The name of the template file to parse; automatically searches through the template paths.
*
* @return void
*/
function display($tpl = null)
{
// Get application
$app = JFactory::getApplication();
$context = "helloworld.list.admin.helloworld";
// Get data from the model
$this->items = $this->get('Items');
$this->pagination = $this->get('Pagination');
$this->state = $this->get('State');
$this->filterForm = $this->get('FilterForm');
$this->activeFilters = $this->get('ActiveFilters');
// What Access Permissions does this user have? What can (s)he do?
$this->canDo = JHelperContent::getActions('com_helloworld');
// Check for errors.
if (count($errors = $this->get('Errors')))
{
JError::raiseError(500, implode('<br />', $errors));
return false;
}
// Set the sidebar submenu and toolbar, but not on the modal window
if ($this->getLayout() !== 'modal')
{
HelloWorldHelper::addSubmenu('helloworlds');
$this->addToolBar();
}
// Display the template
parent::display($tpl);
// Set the document
$this->setDocument();
}
/**
* Add the page title and toolbar.
*
* @return void
*
* @since 1.6
*/
protected function addToolBar()
{
$title = JText::_('COM_HELLOWORLD_MANAGER_HELLOWORLDS');
if ($this->pagination->total)
{
$title .= "<span style='font-size: 0.5em; vertical-align: middle;'>(" . $this->pagination->total . ")</span>";
}
JToolBarHelper::title($title, 'helloworld');
if ($this->canDo->get('core.create'))
{
JToolBarHelper::addNew('helloworld.add', 'JTOOLBAR_NEW');
}
if ($this->canDo->get('core.edit'))
{
JToolBarHelper::editList('helloworld.edit', 'JTOOLBAR_EDIT');
}
if ($this->canDo->get('core.delete'))
{
JToolBarHelper::deleteList('', 'helloworlds.delete', 'JTOOLBAR_DELETE');
}
if ($this->canDo->get('core.admin'))
{
JToolBarHelper::divider();
JToolBarHelper::preferences('com_helloworld');
}
}
/**
* Method to set up the document properties
*
* @return void
*/
protected function setDocument()
{
$document = JFactory::getDocument();
$document->setTitle(JText::_('COM_HELLOWORLD_ADMINISTRATION'));
}
}
Nuestro nuevo archivo de diseño modal:
admin/views/helloworlds/tmpl/modal.php
<?php
/**
* Layout file for the admin modal display of helloworld records
*
*/
defined('_JEXEC') or die('Restricted Access');
use Joomla\Registry\Registry;
JHtml::_('behavior.core');
JHtml::_('script', 'com_helloworld/admin-helloworlds-modal.js', array('version' => 'auto', 'relative' => true));
$listOrder = $this->escape($this->state->get('list.ordering'));
$listDirn = $this->escape($this->state->get('list.direction'));
$app = JFactory::getApplication();
$function = $app->input->getCmd('function', 'jSelectHelloworld');
$onclick = $this->escape($function);
?>
<div class="container-popup">
<form action="<?php echo JRoute::_('index.php?option=com_helloworld&view=helloworlds&layout=modal&tmpl=component&function=' . $function . '&' . JSession::getFormToken() . '=1'); ?>" method="post" name="adminForm" id="adminForm" class="form-inline">
<?php echo JLayoutHelper::render('joomla.searchtools.default', array('view' => $this)); ?>
<div class="clearfix"></div>
<table class="table table-striped table-hover">
<thead>
<tr>
<th width="3%"><?php echo JText::_('COM_HELLOWORLD_NUM'); ?></th>
<th width="15%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_HELLOWORLDS_NAME', 'greeting', $listDirn, $listOrder); ?>
</th>
<th width="15%">
<?php echo JText::_('COM_HELLOWORLD_HELLOWORLDS_POSITION'); ?>
</th>
<th width="15%">
<?php echo JText::_('COM_HELLOWORLD_HELLOWORLDS_IMAGE'); ?>
</th>
<th width="15%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_AUTHOR', 'author', $listDirn, $listOrder); ?>
</th>
<th width="15%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_LANGUAGE', 'language', $listDirn, $listOrder); ?>
</th>
<th width="15%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_CREATED_DATE', 'created', $listDirn, $listOrder); ?>
</th>
<th width="5%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_PUBLISHED', 'published', $listDirn, $listOrder); ?>
</th>
<th width="2%">
<?php echo JHtml::_('searchtools.sort', 'COM_HELLOWORLD_ID', 'id', $listDirn, $listOrder); ?>
</th>
</tr>
</thead>
<tfoot>
<tr>
<td colspan="5">
<?php echo $this->pagination->getListFooter(); ?>
</td>
</tr>
</tfoot>
<tbody>
<?php if (!empty($this->items)) : ?>
<?php foreach ($this->items as $i => $row) :
$row->image = new Registry;
$row->image->loadString($row->imageInfo);
if ($row->language && JLanguageMultilang::isEnabled())
{
$tag = strlen($row->language);
if ($tag == 5)
{
$lang = substr($row->language, 0, 2);
}
elseif ($tag == 6)
{
$lang = substr($row->language, 0, 3);
}
else {
$lang = '';
}
}
elseif (!JLanguageMultilang::isEnabled())
{
$lang = '';
}
?>
<tr>
<td><?php echo $this->pagination->getRowOffset($i); ?></td>
<td>
<?php
$link = 'index.php?option=com_helloworld&view=helloworld&id=' . $row->id;
$attribs = 'data-function="' . $this->escape($onclick) . '"'
. ' data-id="' . $row->id . '"'
. ' data-title="' . $this->escape(addslashes($row->greeting)) . '"'
. ' data-uri="' . $link . '"'
. ' data-language="' . $this->escape($lang) . '"'
;
?>
<a class="select-link" href="javascript:void(0)" <?php echo $attribs; ?>>
<?php echo $this->escape($row->greeting); ?>
</a>
<span class="small break-word">
<?php echo JText::sprintf('JGLOBAL_LIST_ALIAS', $this->escape($row->alias)); ?>
</span>
<div class="small">
<?php echo JText::_('JCATEGORY') . ': ' . $this->escape($row->category_title); ?>
</div>
</td>
<td align="center">
<?php echo "[" . $row->latitude . ", " . $row->longitude . "]"; ?>
</td>
<td align="center">
<?php
$caption = $row->image->get('caption') ? : '' ;
$src = JURI::root() . ($row->image->get('image') ? : '' );
$html = '<p class="hasTooltip" style="display: inline-block" data-html="true" data-toggle="tooltip" data-placement="right" title="<img width=\'100px\' height=\'100px\' src=\'%s\'>">%s</p>';
echo sprintf($html, $src, $caption); ?>
</td>
<td align="center">
<?php echo $row->author; ?>
</td>
<td align="center">
<?php echo JLayoutHelper::render('joomla.content.language', $row); ?>
</td>
<td align="center">
<?php echo substr($row->created, 0, 10); ?>
</td>
<td align="center">
<?php echo JHtml::_('jgrid.published', $row->published, $i, 'helloworlds.', true, 'cb'); ?>
</td>
<td align="center">
<?php echo $row->id; ?>
</td>
</tr>
<?php endforeach; ?>
<?php endif; ?>
</tbody>
</table>
<input type="hidden" name="task" value=""/>
<input type="hidden" name="boxchecked" value="0"/>
<?php echo JHtml::_('form.token'); ?>
</form>
</div>
Ten en cuenta que hay algunas diferencias importantes con respecto al archivo de diseño default.php.
- Obtenemos el parámetro function que está incrustado en la URL de iframe como un parámetro de consulta, y lo usamos en la URL de destino del elemento <form> y en el atributo < tt>function-data de cada valor de saludo.
- Hay varios otros atributos de datos asociados con cada valor de saludo; se utilizarán para pasar esta información a la ventana principal a través de la llamada a la función jSelectHelloworld_jform_request_id. Además, cada saludo tiene una clase CSS de "select-link".
- Necesitamos configurar la URL de destino de <form> para que sea la misma que la URL del iframe. Esto se debe a que cada vez que el administrador utiliza las herramientas de búsqueda / filtro, el formulario envía una solicitud HTTP a esa URL y debemos asegurarnos de que se presenten los mismos datos.
Además, las casillas de verificación se han eliminado, ya que ahora son irrelevantes.
También, necesitamos un pequeño archivo javascript que básicamente establezca un detector de clics en cada uno de los saludos (identificado a través de la clase "select-link"), y llama a la función requerida cuando se activa.
media/js/admin-helloworlds-modal.js
(function() {
"use strict";
/**
* Javascript to set up onclick listeners on the helloworld greetings
* When a greeting is clicked the listener invokes the function in the parent window
* which is given by the data-function attribute of the helloworld greeting html element
* In this way the identity of the helloworld record selected in the modal is passed to the field in the parent window
*/
document.addEventListener('DOMContentLoaded', function(){
var elements = document.querySelectorAll('.select-link');
for(var i = 0, l = elements.length; l>i; i++) {
elements[i].addEventListener('click', function (event) {
event.preventDefault();
var functionName = event.target.getAttribute('data-function');
window.parent[functionName](event.target.getAttribute('data-id'), event.target.getAttribute('data-title'), null, null, event.target.getAttribute('data-uri'), event.target.getAttribute('data-language'), null);
})
}
});
})();
Actualización cadenas de idioma
admin/language/en-GB/en-GB.com_helloworld.ini
; Joomla! Project
; Copyright (C) 2005 - 2018 Open Source Matters. All rights reserved.
; License GNU General Public License version 2 or later; see LICENSE.txt, see LICENSE.php
; Note : All ini files need to be saved as UTF-8
COM_HELLOWORLD_ADMINISTRATION="HelloWorld - Administration"
COM_HELLOWORLD_ADMINISTRATION_CATEGORIES="HelloWorld - Categories"
COM_HELLOWORLD_NUM="#"
COM_HELLOWORLD_HELLOWORLDS_FILTER="Filters"
COM_HELLOWORLD_AUTHOR="Author"
COM_HELLOWORLD_LANGUAGE="Language"
COM_HELLOWORLD_CREATED_DATE="Created"
COM_HELLOWORLD_PUBLISHED="Published"
COM_HELLOWORLD_HELLOWORLDS_NAME="Name"
COM_HELLOWORLD_HELLOWORLDS_POSITION="Position"
COM_HELLOWORLD_HELLOWORLDS_IMAGE="Image"
COM_HELLOWORLD_ID="Id"
COM_HELLOWORLD_HELLOWORLD_CREATING="HelloWorld - Creating"
COM_HELLOWORLD_HELLOWORLD_DETAILS="Details"
COM_HELLOWORLD_HELLOWORLD_EDITING="HelloWorld - Editing"
COM_HELLOWORLD_HELLOWORLD_ERROR_UNACCEPTABLE="Some values are unacceptable"
COM_HELLOWORLD_HELLOWORLD_FIELD_CATID_DESC="The category the messages belongs to"
COM_HELLOWORLD_HELLOWORLD_FIELD_CATID_LABEL="Category"
COM_HELLOWORLD_HELLOWORLD_FIELD_GREETING_DESC="This message will be displayed"
COM_HELLOWORLD_HELLOWORLD_FIELD_GREETING_LABEL="Message"
COM_HELLOWORLD_HELLOWORLD_FIELD_SHOW_CATEGORY_LABEL="Show category"
COM_HELLOWORLD_HELLOWORLD_FIELD_SHOW_CATEGORY_DESC="If set to Show, the title of the message’s category will show."
COM_HELLOWORLD_HELLOWORLD_FIELD_LATITUDE_LABEL="Latitude"
COM_HELLOWORLD_HELLOWORLD_FIELD_LATITUDE_DESC="Enter the position latitude, between -90 and +90 degrees"
COM_HELLOWORLD_HELLOWORLD_FIELD_LONGITUDE_LABEL="Longitude"
COM_HELLOWORLD_HELLOWORLD_FIELD_LONGITUDE_DESC="Enter the position longitude, between -180 and +180 degrees"
COM_HELLOWORLD_HELLOWORLD_FIELD_LANGUAGE_DESC="Select the appropriate language"
COM_HELLOWORLD_IMAGE_FIELDS="Image details"
COM_HELLOWORLD_HELLOWORLD_FIELD_IMAGE_LABEL="Select image"
COM_HELLOWORLD_HELLOWORLD_FIELD_IMAGE_DESC="Select an image from the library, or upload a new one"
COM_HELLOWORLD_HELLOWORLD_FIELD_ALT_LABEL="Alt text"
COM_HELLOWORLD_HELLOWORLD_FIELD_ALT_DESC="Alternative text (if image cannot be displayed)"
COM_HELLOWORLD_HELLOWORLD_FIELD_CAPTION_LABEL="Caption"
COM_HELLOWORLD_HELLOWORLD_FIELD_CAPTION_DESC="Provide a caption for the image"
COM_HELLOWORLD_HELLOWORLD_HEADING_GREETING="Greeting"
COM_HELLOWORLD_HELLOWORLD_HEADING_ID="Id"
COM_HELLOWORLD_MANAGER_HELLOWORLD_EDIT="HelloWorld manager: Edit Message"
COM_HELLOWORLD_MANAGER_HELLOWORLD_NEW="HelloWorld manager: New Message"
COM_HELLOWORLD_MANAGER_HELLOWORLDS="HelloWorld manager"
COM_HELLOWORLD_EDIT_HELLOWORLD="Edit message"
COM_HELLOWORLD_N_ITEMS_DELETED_1="One message deleted"
COM_HELLOWORLD_N_ITEMS_DELETED_MORE="%d messages deleted"
COM_HELLOWORLD_N_ITEMS_PUBLISHED="%d message(s) published"
COM_HELLOWORLD_N_ITEMS_UNPUBLISHED="%d message(s) unpublished"
COM_HELLOWORLD_HELLOWORLD_GREETING_LABEL="Greeting"
COM_HELLOWORLD_HELLOWORLD_GREETING_DESC="Add Hello World Greeting"
COM_HELLOWORLD_SUBMENU_MESSAGES="Messages"
COM_HELLOWORLD_SUBMENU_CATEGORIES="Categories"
COM_HELLOWORLD_CONFIGURATION="HelloWorld Configuration"
COM_HELLOWORLD_CONFIG_GREETING_SETTINGS_LABEL="Messages settings"
COM_HELLOWORLD_CONFIG_GREETING_SETTINGS_DESC="Settings that will be applied to all messages by default"
COM_HELLOWORLD_HELLOWORLD_FIELD_CAPTCHA_LABEL="Captcha"
COM_HELLOWORLD_HELLOWORLD_FIELD_CAPTCHA_DESC="Select Captcha to use on front end form"
COM_HELLOWORLD_HELLOWORLD_FIELD_USER_TO_EMAIL_LABEL="User to email"
COM_HELLOWORLD_HELLOWORLD_FIELD_USER_TO_EMAIL_DESC="Select user to email when a new message is entered on front end"
COM_HELLOWORLD_FIELDSET_RULES="Message Permissions"
COM_HELLOWORLD_FIELD_RULES_LABEL="Permissions"
COM_HELLOWORLD_ACCESS_DELETE_DESC="Is this group allowed to edit this message?"
COM_HELLOWORLD_ACCESS_DELETE_DESC="Is this group allowed to delete this message?"
COM_HELLOWORLD_TAB_NEW_MESSAGE="New Message"
COM_HELLOWORLD_TAB_EDIT_MESSAGE="Message Details"
COM_HELLOWORLD_TAB_PARAMS="Parameters"
COM_HELLOWORLD_TAB_PERMISSIONS="Permissions"
COM_HELLOWORLD_TAB_IMAGE="Image"
COM_HELLOWORLD_LEGEND_DETAILS="Message Details"
COM_HELLOWORLD_LEGEND_PARAMS="Message Parameters"
COM_HELLOWORLD_LEGEND_PERMISSIONS="Message Permissions"
COM_HELLOWORLD_LEGEND_IMAGE="Image info"
; Column ordering in the Helloworlds view
COM_HELLOWORLD_ORDERING_ASC="Greeting ascending"
COM_HELLOWORLD_ORDERING_DESC="Greeting descending"
COM_HELLOWORLD_AUTHOR_ASC="Author ascending"
COM_HELLOWORLD_AUTHOR_DESC="Author descending"
COM_HELLOWORLD_CREATED_ASC="Creation date ascending"
COM_HELLOWORLD_CREATED_DESC="Creation date descending"
COM_HELLOWORLD_PUBLISHED_ASC="Unpublished first"
COM_HELLOWORLD_PUBLISHED_DESC="Published first"
COM_HELLOWORLD_LANGUAGE_ASC="Language ascending"
COM_HELLOWORLD_LANGUAGE_DESC="Language descending"
; Helloworld menuitem - selecting a greeting via modal
COM_HELLOWORLD_MENUITEM_SELECT_MODAL_TITLE="Select greeting"
COM_HELLOWORLD_MENUITEM_SELECT_HELLOWORLD="Select"
COM_HELLOWORLD_MENUITEM_SELECT_BUTTON_TOOLTIP="Select a helloworld greeting"
Empaquetado del componente
Contenido de su directorio de código. Cada enlace a un archivo a continuación te lleva al paso en el tutorial que tiene la última versión de ese archivo de código fuente.
- helloworld.xml
- script.php
- site/router.php
- site/helloworld.php
- site/index.html
- site/controller.php
- site/controllers/helloworld.php
- site/views/index.html
- site/views/helloworld/index.html
- site/views/helloworld/view.html.php
- site/views/helloworld/view.json.php
- site/views/helloworld/tmpl/index.html
- site/views/helloworld/tmpl/default.xml
- site/views/helloworld/tmpl/default.php
- site/views/form/index.html
- site/views/form/view.html.php
- site/views/form/tmpl/index.html
- site/views/form/tmpl/edit.php
- site/views/form/tmpl/edit.xml
- site/views/category/index.html
- site/views/category/view.html.php
- site/views/category/tmpl/index.html
- site/views/category/tmpl/default.php
- site/views/category/tmpl/default.xml
- site/models/index.html
- site/models/helloworld.php
- site/models/form.php
- site/models/category.php
- site/models/forms/index.html
- site/models/forms/add-form.xml
- site/models/forms/filter_category.xml
- site/language/index.html
- site/language/en-GB/index.html
- site/language/en-GB/en-GB.com_helloworld.ini
- site/helpers/index.html
- site/helpers/route.php
- site/helpers/category.php
- admin/index.html
- admin/helloworld.php
- admin/config.xml
- admin/controller.php
- admin/access.xml
- admin/helpers/helloworld.php
- admin/helpers/index.html
- admin/sql/index.html
- admin/sql/install.mysql.utf8.sql
- admin/sql/uninstall.mysql.utf8.sql
- admin/sql/updates/index.html
- admin/sql/updates/mysql/index.html
- admin/sql/updates/mysql/0.0.1.sql
- admin/sql/updates/mysql/0.0.6.sql
- admin/sql/updates/mysql/0.0.12.sql
- admin/sql/updates/mysql/0.0.13.sql
- admin/sql/updates/mysql/0.0.14.sql
- admin/sql/updates/mysql/0.0.16.sql
- admin/sql/updates/mysql/0.0.17.sql
- admin/sql/updates/mysql/0.0.18.sql
- admin/sql/updates/mysql/0.0.20.sql
- admin/sql/updates/mysql/0.0.21.sql
- admin/models/index.html
- admin/models/fields/index.html
- admin/models/fields/helloworld.php
- admin/models/fields/modal/index.html
- admin/models/fields/modal/helloworld.php
- admin/models/helloworlds.php
- admin/models/helloworld.php
- admin/models/forms/filter_helloworlds.xml
- admin/models/forms/index.html
- admin/models/forms/helloworld.js
- admin/models/forms/helloworld.xml
- admin/models/rules/greeting.php
- admin/models/rules/index.html
- admin/controllers/helloworld.php
- admin/controllers/helloworlds.php
- admin/controllers/index.html
- admin/views/index.html
- admin/views/helloworld/index.html
- admin/views/helloworld/view.html.php
- admin/views/helloworld/tmpl/index.html
- admin/views/helloworld/tmpl/edit.php
- admin/views/helloworld/submitbutton.js
- admin/views/helloworlds/index.html
- admin/views/helloworlds/view.html.php
- admin/views/helloworlds/tmpl/index.html
- admin/views/helloworlds/tmpl/default.php
- admin/views/helloworlds/tmpl/modal.php
- admin/tables/index.html
- admin/tables/helloworld.php
- admin/language/index.html
- admin/language/en-GB/index.html
- admin/language/en-GB/en-GB.com_helloworld.ini
- admin/language/en-GB/en-GB.com_helloworld.sys.ini
- media/index.html
- media/images/index.html
- media/images/tux-16x16.png
- media/images/tux-48x48.png
- media/js/index.html
- media/js/openstreetmap.js
- media/js/admin-helloworlds-modal.js
- media/css/index.html
- media/css/openstreetmap.css
helloworld.xml
<?xml version="1.0" encoding="utf-8"?>
<extension type="component" version="3.0" method="upgrade">
<name>COM_HELLOWORLD</name>
<!-- The following elements are optional and free of formatting constraints -->
<creationDate>January 2018</creationDate>
<author>John Doe</author>
<authorEmail>john.doe@example.org</authorEmail>
<authorUrl>http://www.example.org</authorUrl>
<copyright>Copyright Info</copyright>
<license>License Info</license>
<!-- The version string is recorded in the components table -->
<version>0.0.22</version>
<!-- The description is optional and defaults to the name -->
<description>COM_HELLOWORLD_DESCRIPTION</description>
<!-- Runs on install/uninstall/update; New in 2.5 -->
<scriptfile>script.php</scriptfile>
<install> <!-- Runs on install -->
<sql>
<file driver="mysql" charset="utf8">sql/install.mysql.utf8.sql</file>
</sql>
</install>
<uninstall> <!-- Runs on uninstall -->
<sql>
<file driver="mysql" charset="utf8">sql/uninstall.mysql.utf8.sql</file>
</sql>
</uninstall>
<update> <!-- Runs on update; New since J2.5 -->
<schemas>
<schemapath type="mysql">sql/updates/mysql</schemapath>
</schemas>
</update>
<!-- Site Main File Copy Section -->
<!-- Note the folder attribute: This attribute describes the folder
to copy FROM in the package to install therefore files copied
in this section are copied from /site/ in the package -->
<files folder="site">
<filename>index.html</filename>
<filename>helloworld.php</filename>
<filename>controller.php</filename>
<filename>router.php</filename>
<folder>controllers</folder>
<folder>views</folder>
<folder>models</folder>
<folder>helpers</folder>
</files>
<languages folder="site/language">
<language tag="en-GB">en-GB/en-GB.com_helloworld.ini</language>
<language tag="fr-FR">fr-FR/fr-FR.com_helloworld.ini</language>
</languages>
<media destination="com_helloworld" folder="media">
<filename>index.html</filename>
<folder>images</folder>
<folder>js</folder>
<folder>css</folder>
</media>
<administration>
<!-- Administration Menu Section -->
<menu link='index.php?option=com_helloworld' img="../media/com_helloworld/images/tux-16x16.png">COM_HELLOWORLD_MENU</menu>
<!-- Administration Main File Copy Section -->
<!-- Note the folder attribute: This attribute describes the folder
to copy FROM in the package to install therefore files copied
in this section are copied from /admin/ in the package -->
<files folder="admin">
<!-- Admin Main File Copy Section -->
<filename>index.html</filename>
<filename>config.xml</filename>
<filename>helloworld.php</filename>
<filename>controller.php</filename>
<filename>access.xml</filename>
<!-- SQL files section -->
<folder>sql</folder>
<!-- tables files section -->
<folder>tables</folder>
<!-- models files section -->
<folder>models</folder>
<!-- views files section -->
<folder>views</folder>
<!-- controllers files section -->
<folder>controllers</folder>
<!-- helpers files section -->
<folder>helpers</folder>
</files>
<languages folder="admin/language">
<language tag="en-GB">en-GB/en-GB.com_helloworld.ini</language>
<language tag="en-GB">en-GB/en-GB.com_helloworld.sys.ini</language>
<language tag="fr-FR">fr-FR/fr-FR.com_helloworld.ini</language>
<language tag="fr-FR">fr-FR/fr-FR.com_helloworld.sys.ini</language>
</languages>
</administration>
</extension>